blob_id
stringlengths 40
40
| directory_id
stringlengths 40
40
| path
stringlengths 3
264
| content_id
stringlengths 40
40
| detected_licenses
sequencelengths 0
85
| license_type
stringclasses 2
values | repo_name
stringlengths 5
140
| snapshot_id
stringlengths 40
40
| revision_id
stringlengths 40
40
| branch_name
stringclasses 905
values | visit_date
timestamp[us]date 2015-08-09 11:21:18
2023-09-06 10:45:07
| revision_date
timestamp[us]date 1997-09-14 05:04:47
2023-09-17 19:19:19
| committer_date
timestamp[us]date 1997-09-14 05:04:47
2023-09-06 06:22:19
| github_id
int64 3.89k
681M
⌀ | star_events_count
int64 0
209k
| fork_events_count
int64 0
110k
| gha_license_id
stringclasses 22
values | gha_event_created_at
timestamp[us]date 2012-06-07 00:51:45
2023-09-14 21:58:39
⌀ | gha_created_at
timestamp[us]date 2008-03-27 23:40:48
2023-08-21 23:17:38
⌀ | gha_language
stringclasses 141
values | src_encoding
stringclasses 34
values | language
stringclasses 1
value | is_vendor
bool 1
class | is_generated
bool 2
classes | length_bytes
int64 3
10.4M
| extension
stringclasses 115
values | content
stringlengths 3
10.4M
| authors
sequencelengths 1
1
| author_id
stringlengths 0
158
|
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
01348520f36cb170b194ba35050312430fd5b2ff | c48cd2190f4f86d6926e4bdc9b77a0db5032e630 | /DataStructures/Tree/threaded_binary_tree.cpp | bdd5af10626b140d6533acb5557793866540b2b1 | [
"Apache-2.0"
] | permissive | WajahatSiddiqui/Datastructures-and-Algorithms | 73e01f33cd5a9dd6401da02aed4fd297ba5dd405 | 7c6172a76d7cd178ea0c0cb9767ceaaed783545a | refs/heads/master | 2021-06-16T21:53:51.535494 | 2017-05-20T06:46:48 | 2017-05-20T06:46:48 | 32,274,096 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,498 | cpp | #include <iostream>
#include <queue>
using namespace std;
struct TreeNode {
int data;
TreeNode *left, *right;
bool isRightThreaded;
TreeNode(int data_) : data(data_) {
left = NULL;
right = NULL;
isRightThreaded = false;
}
};
/**
* Uses Recursion Stack
* T(N) = O(N)
* S(N) = O(N), stack
*/
void inorder(TreeNode *root) {
if (!root) return;
inorder(root->left);
cout<<root->data<<" ";
inorder(root->right);
}
/**
* T(N) = O(N)
* S(N) = O(N), queue
*/
void buildQueue(TreeNode *root, queue<TreeNode*> *q) {
if (!root) return;
if (root->left) buildQueue(root->left, q);
q->push(root);
if (root->right) buildQueue(root->right, q);
}
/**
* T(N) = O(N)
* S(N) = O(1)
*/
TreeNode* leftMost(TreeNode *root) {
if (!root) return NULL;
while (root->left) root = root->left;
return root;
}
/**
* Algorithm:
* 1) if left chikd exits call lst
* 2) pop the left child simply
* 3) if right child exists call rst
* 4) if right child is null, assign the right
* child with front of the queue which will be inorder successor
* 5) Set the isRightThreaded to true
* T(N) = O(N)
*/
void convert(TreeNode *root, queue<TreeNode*> *q) {
if (!root) return;
if (root->left) convert(root->left, q);
q->pop(); // need to pop the node which is non root
if (root->right) convert(root->right, q);
else { // attach the inorder successor from the queue
root->right = q->front();
root->isRightThreaded = true;
}
}
/**
* Algorithm:
* 1) Find the leftmost in the given tree curr = leftMost(root)
* 2) Do the following:
* 3) print the data
* 4) If isRightThread is true
* 5) Update curr = curr->right
* 6) else curr = leftMost(curr->right)
* 7) repeat 2-6 untill curr != NULL
* T(N) = O(N)
* S(N) = O(1)
*/
void inorderThreaded(TreeNode *root) {
if (!root) return;
TreeNode *curr = leftMost(root);
while (curr) {
cout<<curr->data<<" ";
if (curr->isRightThreaded) {
curr = curr->right;
} else {
curr = leftMost(curr->right);
}
}
}
int main() {
TreeNode *threadedTree = new TreeNode(1);
threadedTree->left = new TreeNode(2);
threadedTree->right = new TreeNode(3);
threadedTree->left->left = new TreeNode(4);
threadedTree->left->right = new TreeNode(5);
// Printing inorder with stack/recursion
inorder(threadedTree);
cout<<"\nConverting into SingleThreaded\n";
// converting the given tree into threadedTree
queue<TreeNode*> q;
buildQueue(threadedTree, &q);
convert(threadedTree, &q);
inorderThreaded(threadedTree);
return 0;
} | [
"[email protected]"
] | |
c4f627b70961a184f8ad21cf58a01c9acc800517 | 040edc2bdbefe7c0d640a18d23f25a8761d62f40 | /21mt/src/tpool.cpp | 15ddd09a7b60391827edfc9c6e734c9a8201ccdf | [
"BSD-2-Clause"
] | permissive | johnrsibert/tagest | 9d3be8352f6bb5603fbd0eb6140589bb852ff40b | 0194b1fbafe062396cc32a0f5a4bbe824341e725 | refs/heads/master | 2021-01-24T00:18:24.231639 | 2018-01-16T19:10:25 | 2018-01-16T19:10:25 | 30,438,830 | 3 | 3 | null | 2016-12-08T17:59:28 | 2015-02-07T00:05:30 | C++ | UTF-8 | C++ | false | false | 8,004 | cpp | /********************************************************
* An example source module to accompany...
*
* "Using POSIX Threads: Programming with Pthreads"
* by Brad nichols, Dick Buttlar, Jackie Farrell
* O'Reilly & Associates, Inc.
*
********************************************************
* tpool.c --
*
* Example thread pooling library
*/
#include <stdlib.h>
#include <stdio.h>
#include <unistd.h>
#include <sys/types.h>
#include <string.h>
#include <iostream>
using std::cerr;
using std::endl;
#include <fstream>
extern ofstream clogf;
//#include <pthread.h>
#include "tpool.h"
//void *tpool_thread(void *);
tpool::tpool(void)
{
}
void tpool::allocate(const int _num_threads, const int _max_queue_size,
const int _do_not_block_when_full) //tpool_init
{
int i, rtn;
/* initialize th fields */
num_threads = _num_threads;
max_queue_size = _max_queue_size;
do_not_block_when_full = _do_not_block_when_full;
threads = new pthread_t[num_threads];
/*
if ((threads =
(pthread_t *)malloc(sizeof(pthread_t)*num_worker_threads))
== NULL)
perror("malloc"), exit(1);
*/
if (!threads)
{
cerr << "error allocating memory for thread pool at "
<< __FILE__ << "(" << __LINE__ << ")" << endl;
exit(1);
}
clogf << "allocated thread pool with " << num_threads << " threads"
<< " and " << max_queue_size <<" item queue" << endl;
cur_queue_size = 0;
queue_head = NULL;
queue_tail = NULL;
queue_closed = 0;
shutdown = 0;
if ((rtn = pthread_mutex_init(&(queue_lock), NULL)) != 0)
fprintf(stderr,"pthread_mutex_init %s",strerror(rtn)), exit(1);
if ((rtn = pthread_cond_init(&(queue_not_empty), NULL)) != 0)
fprintf(stderr,"pthread_cond_init %s",strerror(rtn)), exit(1);
if ((rtn = pthread_cond_init(&(queue_not_full), NULL)) != 0)
fprintf(stderr,"pthread_cond_init %s",strerror(rtn)), exit(1);
if ((rtn = pthread_cond_init(&(queue_empty), NULL)) != 0)
fprintf(stderr,"pthread_cond_init %s",strerror(rtn)), exit(1);
/* create threads */
for (i = 0; i != num_threads; i++) {
if ((rtn = pthread_create( &(threads[i]),
NULL,
s_tpool_thread,
(void *)this)) != 0)
fprintf(stderr,"pthread_create %d",rtn), exit(1);
}
}
int tpool::tpool_add_work(void (*routine)(void *), void *arg)
{
int rtn;
tpool_work_t *workp;
if ((rtn = pthread_mutex_lock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_lock %d",rtn), exit(1);
/* no space and this caller doesn't want to wait */
if ((cur_queue_size == max_queue_size) &&
do_not_block_when_full) {
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
return -1;
}
while( (cur_queue_size == max_queue_size) &&
(!(shutdown || queue_closed)) ) {
if ((rtn = pthread_cond_wait(&(queue_not_full),
&(queue_lock))) != 0)
fprintf(stderr,"pthread_cond_wait %d",rtn), exit(1);
}
/* the pool is in the process of being destroyed */
if (shutdown || queue_closed) {
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
return -1;
}
/* allocate work structure */
//if ((workp = (tpool_work_t *)malloc(sizeof(tpool_work_t))) == NULL)
// perror("malloc"), exit(1);
workp = new tpool_work_t;
if (!workp)
{
cerr << "error allocating memory for work tsructure pool at "
<< __FILE__ << "(" << __LINE__ << ")" << endl;
exit(1);
}
workp->routine = routine;
workp->arg = arg;
workp->next = NULL;
//printf("adder: adding an item %d\n", workp->routine);
if (cur_queue_size == 0) {
queue_tail = queue_head = workp;
//printf("adder: queue == 0, waking all workers\n");
if ((rtn = pthread_cond_broadcast(&(queue_not_empty))) != 0)
fprintf(stderr,"pthread_cond_signal %d",rtn), exit(1);;
} else {
queue_tail->next = workp;
queue_tail = workp;
}
cur_queue_size++;
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
return 1;
}
tpool::~tpool()
{
tpool_destroy(1);
}
int tpool::tpool_destroy(const int finish)
{
int i,rtn;
tpool_work_t *cur_nodep=NULL;
if ((rtn = pthread_mutex_lock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_lock %d",rtn), exit(1);
/* Is a shutdown already in progress? */
if (queue_closed || shutdown) {
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
return 0;
}
queue_closed = 1;
/* If the finish flag is set, wait for workers to
drain queue */
if (finish == 1) {
while (cur_queue_size != 0) {
if ((rtn = pthread_cond_wait(&(queue_empty),
&(queue_lock))) != 0)
fprintf(stderr,"pthread_cond_wait %d",rtn), exit(1);
}
}
shutdown = 1;
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
if (!threads)
{
cerr << "error allocating memory for thread pool at "
<< __FILE__ << "(" << __LINE__ << ")" << endl;
exit(1);
}
/* Wake up any workers so they recheck shutdown flag */
if ((rtn = pthread_cond_broadcast(&(queue_not_empty))) != 0)
fprintf(stderr,"pthread_cond_broadcast %d",rtn), exit(1);
if ((rtn = pthread_cond_broadcast(&(queue_not_full))) != 0)
fprintf(stderr,"pthread_cond_broadcast %d",rtn), exit(1);
/* Wait for workers to exit */
for(i=0; i < num_threads; i++) {
if ((rtn = pthread_join(threads[i],NULL)) != 0)
fprintf(stderr,"pthread_join %d",rtn), exit(1);
}
/* Now free pool structures */
//free(threads);
if (threads)
{
delete[] threads;
threads = NULL;
}
while(queue_head != NULL)
{
cur_nodep = queue_head->next;
queue_head = queue_head->next;
//free(cur_nodep);
if (cur_nodep)
{
delete cur_nodep;
cur_nodep=NULL;
}
}
}
void* tpool::s_tpool_thread(void *arg)
{
tpool* pool = (tpool*)arg;
pool -> tpool_thread(arg);
}
void* tpool::tpool_thread(void *arg)
{
//tpool_t tpool = (tpool_t)arg;
int rtn;
tpool_work_t *my_workp = NULL;
for(;;) {
/* Check queue for work */
if ((rtn = pthread_mutex_lock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_lock %d",rtn), exit(1);
while ((cur_queue_size == 0) && (!shutdown)) {
//printf("worker %d: I'm sleeping again\n", pthread_self());
if ((rtn = pthread_cond_wait(&(queue_not_empty),
&(queue_lock))) != 0)
fprintf(stderr,"pthread_cond_wait %d",rtn), exit(1);
}
//sleep(5);
//printf("worker %d: I'm awake\n", pthread_self());
/* Has a shutdown started while i was sleeping? */
if (shutdown == 1) {
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
pthread_exit(NULL);
}
/* Get to work, dequeue the next item */
my_workp = queue_head;
cur_queue_size--;
if (cur_queue_size == 0)
queue_head = queue_tail = NULL;
else
queue_head = my_workp->next;
//printf("worker %d: dequeing item %d\n", pthread_self(), my_workp->next);
/* Handle waiting add_work threads */
if ((!do_not_block_when_full) &&
(cur_queue_size == (max_queue_size - 1)))
if ((rtn = pthread_cond_broadcast(&(queue_not_full))) != 0)
fprintf(stderr,"pthread_cond_broadcast %d",rtn), exit(1);
/* Handle waiting destroyer threads */
if (cur_queue_size == 0)
if ((rtn = pthread_cond_signal(&(queue_empty))) != 0)
fprintf(stderr,"pthread_cond_signal %d",rtn), exit(1);
if ((rtn = pthread_mutex_unlock(&(queue_lock))) != 0)
fprintf(stderr,"pthread_mutex_unlock %d",rtn), exit(1);
/* Do this work item */
(*(my_workp->routine))(my_workp->arg);
//free(my_workp);
delete my_workp;
}
return(NULL);
}
| [
"[email protected]"
] | |
0ebacf406c35b6804739dab2f80ea5503725f222 | 66e6360325b781ed0791868765f1fd8a6303726f | /L1TriggerUpgrade/TriggerML/16273_ExportJetAndTP/Visualize.cpp | 8951ca7c880c604a4011e976646ffd58fac38dde | [] | no_license | alintulu/FHead2011PhysicsProject | c969639b212d569198d8fce2f424ce866dcfa881 | 2568633d349810574354ad61b0abab24a40e510e | refs/heads/master | 2022-04-28T14:19:30.534282 | 2020-04-23T17:17:32 | 2020-04-23T17:17:32 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,243 | cpp | #include <iostream>
using namespace std;
#include "TFile.h"
#include "TTree.h"
#include "TH2D.h"
#include "PlotHelper3.h"
#include "SetStyle.h"
int main()
{
SetThesisStyle();
PdfFileHelper PdfFile("TPVisualization.pdf");
PdfFile.AddTextPage("Visualize TP");
TFile File("Meow.root");
TTree *Tree = (TTree *)File.Get("Tree");
double M[158];
for(int i = 0; i < 158; i++)
Tree->SetBranchAddress(Form("B%d", i + 1), &M[i]);
int EntryCount = Tree->GetEntries();
for(int iE = 0; iE < EntryCount; iE++)
{
Tree->GetEntry(iE);
TH2D H(Form("H%d", iE), Form("Electron PT = %.2f, (ieta %.0f iphi %.0f);#Delta eta;#Delta phi", M[3], M[6], M[7]),
5, -2.5, 2.5, 5, -2.5, 2.5);
int Count = 0;
for(int ieta = -2; ieta <= 2; ieta++)
{
for(int iphi = -2; iphi <= 2; iphi++)
{
if(M[10+Count*6] > 0)
H.Fill(ieta, iphi, M[10+Count*6]);
// if(M[11+Count*6] > 0)
// H.Fill(ieta, iphi, M[11+Count*6]);
Count = Count + 1;
}
}
H.SetStats(0);
PdfFile.AddPlot(H, "colz text");
}
File.Close();
PdfFile.AddTimeStampPage();
PdfFile.Close();
return 0;
}
| [
"[email protected]"
] | |
33fc19d9ff3ae4c8bf8659055099e0e59d20ff63 | 8ff4f84fe0593358d0c814536ba36f3239078f19 | /HelloWorld/src/HelloWorld.cpp | e7f172599c0ca77581e7b8ae10c9af786f3dbe40 | [] | no_license | steveyangpi/git_demo | d6d22cf712d70ea62948a80140ee383c5ad88a33 | bb6ca99b81cdda6fdb05b74e83a0fc094dc1045a | refs/heads/master | 2021-01-10T21:52:48.677850 | 2015-07-21T07:36:17 | 2015-07-21T07:36:41 | 38,597,780 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 435 | cpp | //============================================================================
// Name : HelloWorld.cpp
// Author :
// Version :
// Copyright : Your copyright notice
// Description : Hello World in C++, Ansi-style
//============================================================================
#include <iostream>
using namespace std;
int main() {
cout << "Second" << endl; // prints !!!Hello World!!!
return 0;
}
| [
"[email protected]"
] | |
b922f3e446aa10a53c131ac490df684750a21680 | bbeffb643d17c5e682ec79a1a0eaac6b8b278239 | /controlPedroRobot/controlArduino/controlArduino/controlArduino.ino | b0a5081886b81a6761581037f71f37f6a843923b | [
"CC0-1.0"
] | permissive | agomezgar/tutoriales | 5fed31d3c1db0ccee2a099617fea8ceb88a9ac81 | db8163db165599aa609db193745162efb728ffd8 | refs/heads/master | 2022-12-21T09:57:51.380998 | 2022-12-15T19:51:55 | 2022-12-15T19:51:55 | 33,301,599 | 20 | 9 | null | 2022-12-15T19:47:55 | 2015-04-02T09:50:03 | C++ | UTF-8 | C++ | false | false | 399 | ino | #include<Servo.h>
Servo m1,m2,m3,m4;
int v[2];
void setup() {
Serial.begin(9600);
m1.attach(4);
m2.attach(5);
m3.attach(6);
m4.attach(7);
m1.write(90);
m2.write(90);
m3.write(90);
m4.write(90);
}
void loop() {
// put your main code here, to run repeatedly:
if (Serial.available()>0){
for (int i=0;i<3;i++){
v[i]=Serial.read();
}
}
m1.write(v[0]);
m2.write(v[1]);
m3.write(v[2]);
delay(100);
}
| [
"[email protected]"
] | |
dd8b3626ba428d6753d454b7c86573a1fe23f13d | 3b79040a92c13adb69d7ffca6ea24715bca5b6b0 | /Terrain/RW/ReaderData.h | e804b6473a5574102715d5d4d9f399c6b00d959e | [
"MIT"
] | permissive | QuincyKing/Terrain | b51bd7182f66af22d71c4dc23d3c37fcd492019a | d3ba900f532c5f68c7dffd5fb7adf1ed852231e3 | refs/heads/master | 2021-01-12T03:48:12.326671 | 2018-06-11T15:21:34 | 2018-06-11T15:21:34 | 78,264,617 | 4 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 607 | h | #ifndef ReaderData_h__
#define ReaderData_h__
#include "ReaderBase.h"
#include "../TerrainModel.h"
#include "../BaseData.h"
template<typename T=Vertices>
class ReaderData :public ReaderBase<T>
{
public:
ReaderData(std::string filename) :ReaderBase(filename) { Read(); };
void Read();
};
template<typename T>
void ReaderData<T>::Read()
{
std::string line;
std::ifstream in(m_filename.c_str());
if (!in) return;
double x, y, z;
getline(in, line);
while (line != "")
{
std::istringstream iss(line);
iss >> x >> y >> z;
m_data.push(Point3D(x, y ,z));
getline(in, line);
}
return;
}
#endif | [
"[email protected]"
] | |
d0e1be78fcd95c8649d6b0499513d98fc45cbf36 | f8b56b711317fcaeb0fb606fb716f6e1fe5e75df | /Internal/SDK/BP_Projectile_VolcanoRockMini_parameters.h | d7478e97c04a6085112411d2182018d58bee2400 | [] | no_license | zanzo420/SoT-SDK-CG | a5bba7c49a98fee71f35ce69a92b6966742106b4 | 2284b0680dcb86207d197e0fab6a76e9db573a48 | refs/heads/main | 2023-06-18T09:20:47.505777 | 2021-07-13T12:35:51 | 2021-07-13T12:35:51 | 385,600,112 | 0 | 0 | null | 2021-07-13T12:42:45 | 2021-07-13T12:42:44 | null | UTF-8 | C++ | false | false | 571 | h | #pragma once
// Name: Sea of Thieves, Version: 2.2.0.2
/*!!DEFINE!!*/
/*!!HELPER_DEF!!*/
/*!!HELPER_INC!!*/
#ifdef _MSC_VER
#pragma pack(push, 0x01)
#endif
namespace CG
{
//---------------------------------------------------------------------------
// Parameters
//---------------------------------------------------------------------------
// Function BP_Projectile_VolcanoRockMini.BP_Projectile_VolcanoRockMini_C.UserConstructionScript
struct ABP_Projectile_VolcanoRockMini_C_UserConstructionScript_Params
{
};
}
#ifdef _MSC_VER
#pragma pack(pop)
#endif
| [
"[email protected]"
] | |
fd3d000c455a4f677e31e86c5656b3903c236133 | c66579533713994c55658941fc379cbb3dd98d44 | /hmwk/Assignment 4/Hotel Occupancy/main.cpp | b0a710d83308f79b62ad9ea674ed748646b97722 | [] | no_license | funeralbot/sanchezkalonnie_CSC5_fall2017 | f6e02f08aaf17d648908de451c557ae1eaad8b6b | 4d1ca01358abe74cf837331af103c2c622293343 | refs/heads/master | 2021-08-29T02:11:26.780116 | 2017-12-13T11:35:39 | 2017-12-13T11:35:39 | 106,312,796 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,861 | cpp | /*
* File: main.cpp
* Author: kalonnie sanchez
* Created on October 18, 2017, 3:00 PM
* Purpose: This program will determine
* how many rooms are available in your hotel.
*/
//System Libraries
#include <iostream> //Input/Output Stream Library
#include <iomanip>
using namespace std; //Standard Name-space under which System Libraries reside
//User Libraries
//Global Constants - Not variables only Math/Science/Conversion constants
//Function Prototypes
//Execution Begins Here!
int main(int argc, char** argv) {
//Declare Variables
int
hroom,
froom,
uroom,
troom,
hfloor,
totrom;
float
proom;
cout
<< "Welcome! \nThis program will tell you the "
"vacancy of your hotel.\n"
"Please enter how many floors your Hotel has.\n";
cin
>> hfloor; // ask user to enter hotel floors
while (hfloor < 1){ // if value of zero or less ask user to re-enter
cout
<< "Error! Please fix amount entered.\n";
cin
>> hfloor;
}
for (int nfloor= 1; nfloor <= hfloor; nfloor++){ // list floors entered
if (nfloor != 13){ // ignore 13th floor
cout
<< "Please enter the number of rooms on floor #"
<< nfloor << endl;
cin
>> hroom;
while (hroom < 10){ //loop to not accept less than 10 rooms for value
cout
<< "Current floor must have more than 10 rooms\n"
"Please re-enter floor value.\n";
cin
>> hroom;
}
cout //output for user to enter room with no vacancy
<< "Please enter number of rooms "
"with no vacancy on this floor.\n";
cin
>> froom; //input for occupied rooms
while (froom > hroom){
cout
<< "Occupied rooms cannot exceed vacant rooms.\n"
"Please re-enter room value.\n"; //error for incorrect value
cin
>> froom; //ask user to re-enter value
}
troom += hroom; //logic to compute room total
uroom += froom;
}
}
totrom = troom - uroom;
proom = static_cast <float> (uroom) / troom * 100; //logic to computer room percentage
cout
<< "Your hotel has " << hfloor <<" floors. \n"
<< "There is " << troom << " rooms in this hotel.\n"
<< "There is " << totrom << " rooms vacant.\n"
<< "There is " << uroom << " rooms with no vacancy.\n"
<< setprecision(2) << fixed
<< proom << "% of rooms have no vacancy."; //display information to user
//Exit the program
return 0;
}
| [
"[email protected]"
] | |
fccf0d50c8069443017d92f69bb2ff8ee056d5a3 | 544cfadc742536618168fc80a5bd81a35a5f2c99 | /packages/modules/adb/client/usb_libusb.cpp | a877610ea78707f65784f792da4fd25575793ed9 | [
"Apache-2.0"
] | permissive | ZYHGOD-1/Aosp11 | 0400619993b559bf4380db2da0addfa9cccd698d | 78a61ca023cbf1a0cecfef8b97df2b274ac3a988 | refs/heads/main | 2023-04-21T20:13:54.629813 | 2021-05-22T05:28:21 | 2021-05-22T05:28:21 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 29,178 | cpp | /*
* Copyright (C) 2016 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.
*/
#include "sysdeps.h"
#include "client/usb.h"
#include <stdint.h>
#include <stdlib.h>
#include <atomic>
#include <chrono>
#include <condition_variable>
#include <memory>
#include <mutex>
#include <string>
#include <thread>
#include <unordered_map>
#include <libusb/libusb.h>
#include <android-base/file.h>
#include <android-base/logging.h>
#include <android-base/stringprintf.h>
#include <android-base/strings.h>
#include <android-base/thread_annotations.h>
#include "adb.h"
#include "adb_utils.h"
#include "fdevent/fdevent.h"
#include "transfer_id.h"
#include "transport.h"
using android::base::ScopedLockAssertion;
using android::base::StringPrintf;
// RAII wrappers for libusb.
struct ConfigDescriptorDeleter {
void operator()(libusb_config_descriptor* desc) { libusb_free_config_descriptor(desc); }
};
using unique_config_descriptor = std::unique_ptr<libusb_config_descriptor, ConfigDescriptorDeleter>;
struct DeviceDeleter {
void operator()(libusb_device* d) { libusb_unref_device(d); }
};
using unique_device = std::unique_ptr<libusb_device, DeviceDeleter>;
struct DeviceHandleDeleter {
void operator()(libusb_device_handle* h) { libusb_close(h); }
};
using unique_device_handle = std::unique_ptr<libusb_device_handle, DeviceHandleDeleter>;
static void process_device(libusb_device* device_raw);
static std::string get_device_address(libusb_device* device) {
return StringPrintf("usb:%d:%d", libusb_get_bus_number(device),
libusb_get_device_address(device));
}
#if defined(__linux__)
static std::string get_device_serial_path(libusb_device* device) {
uint8_t ports[7];
int port_count = libusb_get_port_numbers(device, ports, 7);
if (port_count < 0) return "";
std::string path =
StringPrintf("/sys/bus/usb/devices/%d-%d", libusb_get_bus_number(device), ports[0]);
for (int port = 1; port < port_count; ++port) {
path += StringPrintf(".%d", ports[port]);
}
path += "/serial";
return path;
}
#endif
static bool endpoint_is_output(uint8_t endpoint) {
return (endpoint & LIBUSB_ENDPOINT_DIR_MASK) == LIBUSB_ENDPOINT_OUT;
}
static bool should_perform_zero_transfer(size_t write_length, uint16_t zero_mask) {
return write_length != 0 && zero_mask != 0 && (write_length & zero_mask) == 0;
}
struct LibusbConnection : public Connection {
struct ReadBlock {
LibusbConnection* self = nullptr;
libusb_transfer* transfer = nullptr;
Block block;
bool active = false;
};
struct WriteBlock {
LibusbConnection* self;
libusb_transfer* transfer;
Block block;
TransferId id;
};
explicit LibusbConnection(unique_device device)
: device_(std::move(device)), device_address_(get_device_address(device_.get())) {}
~LibusbConnection() { Stop(); }
void HandlePacket(amessage& msg, std::optional<Block> payload) {
auto packet = std::make_unique<apacket>();
packet->msg = msg;
if (payload) {
packet->payload = std::move(*payload);
}
read_callback_(this, std::move(packet));
}
void Cleanup(ReadBlock* read_block) REQUIRES(read_mutex_) {
libusb_free_transfer(read_block->transfer);
read_block->active = false;
read_block->transfer = nullptr;
if (terminating_) {
destruction_cv_.notify_one();
}
}
bool MaybeCleanup(ReadBlock* read_block) REQUIRES(read_mutex_) {
if (read_block->transfer->status == LIBUSB_TRANSFER_CANCELLED) {
CHECK(terminating_);
}
if (terminating_) {
Cleanup(read_block);
return true;
}
return false;
}
static void LIBUSB_CALL header_read_cb(libusb_transfer* transfer) {
auto read_block = static_cast<ReadBlock*>(transfer->user_data);
auto self = read_block->self;
std::lock_guard<std::mutex> lock(self->read_mutex_);
CHECK_EQ(read_block, &self->header_read_);
if (self->MaybeCleanup(read_block)) {
return;
}
if (transfer->status != LIBUSB_TRANSFER_COMPLETED) {
std::string msg = StringPrintf("usb read failed: status = %d", transfer->status);
LOG(ERROR) << msg;
self->OnError(msg);
self->Cleanup(read_block);
return;
}
if (transfer->actual_length != sizeof(amessage)) {
std::string msg = StringPrintf("usb read: invalid length for header: %d",
transfer->actual_length);
LOG(ERROR) << msg;
self->OnError(msg);
self->Cleanup(read_block);
return;
}
CHECK(!self->incoming_header_);
amessage& amsg = self->incoming_header_.emplace();
memcpy(&amsg, transfer->buffer, sizeof(amsg));
if (amsg.data_length > MAX_PAYLOAD) {
std::string msg =
StringPrintf("usb read: payload length too long: %d", amsg.data_length);
LOG(ERROR) << msg;
self->OnError(msg);
self->Cleanup(&self->header_read_);
return;
} else if (amsg.data_length == 0) {
self->HandlePacket(amsg, std::nullopt);
self->incoming_header_.reset();
self->SubmitRead(read_block, sizeof(amessage));
} else {
read_block->active = false;
self->SubmitRead(&self->payload_read_, amsg.data_length);
}
}
static void LIBUSB_CALL payload_read_cb(libusb_transfer* transfer) {
auto read_block = static_cast<ReadBlock*>(transfer->user_data);
auto self = read_block->self;
std::lock_guard<std::mutex> lock(self->read_mutex_);
if (self->MaybeCleanup(&self->payload_read_)) {
return;
}
if (transfer->status != LIBUSB_TRANSFER_COMPLETED) {
std::string msg = StringPrintf("usb read failed: status = %d", transfer->status);
LOG(ERROR) << msg;
self->OnError(msg);
self->Cleanup(&self->payload_read_);
return;
}
if (transfer->actual_length != transfer->length) {
std::string msg =
StringPrintf("usb read: unexpected length for payload: wanted %d, got %d",
transfer->length, transfer->actual_length);
LOG(ERROR) << msg;
self->OnError(msg);
self->Cleanup(&self->payload_read_);
return;
}
CHECK(self->incoming_header_.has_value());
self->HandlePacket(*self->incoming_header_, std::move(read_block->block));
self->incoming_header_.reset();
read_block->active = false;
self->SubmitRead(&self->header_read_, sizeof(amessage));
}
static void LIBUSB_CALL write_cb(libusb_transfer* transfer) {
auto write_block = static_cast<WriteBlock*>(transfer->user_data);
auto self = write_block->self;
bool succeeded = transfer->status == LIBUSB_TRANSFER_COMPLETED;
{
std::lock_guard<std::mutex> lock(self->write_mutex_);
libusb_free_transfer(transfer);
self->writes_.erase(write_block->id);
if (self->terminating_ && self->writes_.empty()) {
self->destruction_cv_.notify_one();
}
}
if (!succeeded) {
self->OnError("libusb write failed");
}
}
bool DoTlsHandshake(RSA*, std::string*) final {
LOG(FATAL) << "tls not supported";
return false;
}
void CreateRead(ReadBlock* read, bool header) {
read->self = this;
read->transfer = libusb_alloc_transfer(0);
if (!read->transfer) {
LOG(FATAL) << "failed to allocate libusb_transfer for read";
}
libusb_fill_bulk_transfer(read->transfer, device_handle_.get(), read_endpoint_, nullptr, 0,
header ? header_read_cb : payload_read_cb, read, 0);
}
void SubmitRead(ReadBlock* read, size_t length) {
read->block.resize(length);
read->transfer->buffer = reinterpret_cast<unsigned char*>(read->block.data());
read->transfer->length = length;
read->active = true;
int rc = libusb_submit_transfer(read->transfer);
if (rc != 0) {
LOG(ERROR) << "libusb_submit_transfer failed: " << libusb_strerror(rc);
}
}
void SubmitWrite(Block&& block) REQUIRES(write_mutex_) {
// TODO: Reuse write blocks.
auto write = std::make_unique<WriteBlock>();
write->self = this;
write->id = TransferId::write(next_write_id_++);
write->block = std::move(block);
write->transfer = libusb_alloc_transfer(0);
if (!write->transfer) {
LOG(FATAL) << "failed to allocate libusb_transfer for write";
}
libusb_fill_bulk_transfer(write->transfer, device_handle_.get(), write_endpoint_,
reinterpret_cast<unsigned char*>(write->block.data()),
write->block.size(), &write_cb, write.get(), 0);
libusb_submit_transfer(write->transfer);
writes_[write->id] = std::move(write);
}
bool Write(std::unique_ptr<apacket> packet) final {
LOG(DEBUG) << "USB write: " << dump_header(&packet->msg);
Block header;
header.resize(sizeof(packet->msg));
memcpy(header.data(), &packet->msg, sizeof(packet->msg));
std::lock_guard<std::mutex> lock(write_mutex_);
if (terminating_) {
return false;
}
SubmitWrite(std::move(header));
if (!packet->payload.empty()) {
size_t payload_length = packet->payload.size();
SubmitWrite(std::move(packet->payload));
// If the payload is a multiple of the endpoint packet size, we
// need an explicit zero-sized transfer.
if (should_perform_zero_transfer(payload_length, zero_mask_)) {
LOG(INFO) << "submitting zero transfer for payload length " << payload_length;
Block empty;
SubmitWrite(std::move(empty));
}
}
return true;
}
std::optional<libusb_device_descriptor> GetDeviceDescriptor() {
libusb_device_descriptor device_desc;
int rc = libusb_get_device_descriptor(device_.get(), &device_desc);
if (rc != 0) {
LOG(WARNING) << "failed to get device descriptor for device at " << device_address_
<< ": " << libusb_error_name(rc);
return {};
}
return device_desc;
}
bool FindInterface(libusb_device_descriptor* device_desc) {
if (device_desc->bDeviceClass != LIBUSB_CLASS_PER_INTERFACE) {
// Assume that all Android devices have the device class set to per interface.
// TODO: Is this assumption valid?
LOG(VERBOSE) << "skipping device with incorrect class at " << device_address_;
return false;
}
libusb_config_descriptor* config_raw;
int rc = libusb_get_active_config_descriptor(device_.get(), &config_raw);
if (rc != 0) {
LOG(WARNING) << "failed to get active config descriptor for device at "
<< device_address_ << ": " << libusb_error_name(rc);
return false;
}
const unique_config_descriptor config(config_raw);
// Use size_t for interface_num so <iostream>s don't mangle it.
size_t interface_num;
uint16_t zero_mask = 0;
uint8_t bulk_in = 0, bulk_out = 0;
size_t packet_size = 0;
bool found_adb = false;
for (interface_num = 0; interface_num < config->bNumInterfaces; ++interface_num) {
const libusb_interface& interface = config->interface[interface_num];
if (interface.num_altsetting == 0) {
continue;
}
const libusb_interface_descriptor& interface_desc = interface.altsetting[0];
if (!is_adb_interface(interface_desc.bInterfaceClass, interface_desc.bInterfaceSubClass,
interface_desc.bInterfaceProtocol)) {
LOG(VERBOSE) << "skipping non-adb interface at " << device_address_
<< " (interface " << interface_num << ")";
continue;
}
if (interface.num_altsetting != 1) {
// Assume that interfaces with alternate settings aren't adb interfaces.
// TODO: Is this assumption valid?
LOG(WARNING) << "skipping interface with unexpected num_altsetting at "
<< device_address_ << " (interface " << interface_num << ")";
continue;
}
LOG(VERBOSE) << "found potential adb interface at " << device_address_ << " (interface "
<< interface_num << ")";
bool found_in = false;
bool found_out = false;
for (size_t endpoint_num = 0; endpoint_num < interface_desc.bNumEndpoints;
++endpoint_num) {
const auto& endpoint_desc = interface_desc.endpoint[endpoint_num];
const uint8_t endpoint_addr = endpoint_desc.bEndpointAddress;
const uint8_t endpoint_attr = endpoint_desc.bmAttributes;
const uint8_t transfer_type = endpoint_attr & LIBUSB_TRANSFER_TYPE_MASK;
if (transfer_type != LIBUSB_TRANSFER_TYPE_BULK) {
continue;
}
if (endpoint_is_output(endpoint_addr) && !found_out) {
found_out = true;
bulk_out = endpoint_addr;
zero_mask = endpoint_desc.wMaxPacketSize - 1;
} else if (!endpoint_is_output(endpoint_addr) && !found_in) {
found_in = true;
bulk_in = endpoint_addr;
}
size_t endpoint_packet_size = endpoint_desc.wMaxPacketSize;
CHECK(endpoint_packet_size != 0);
if (packet_size == 0) {
packet_size = endpoint_packet_size;
} else {
CHECK(packet_size == endpoint_packet_size);
}
}
if (found_in && found_out) {
found_adb = true;
break;
} else {
LOG(VERBOSE) << "rejecting potential adb interface at " << device_address_
<< "(interface " << interface_num << "): missing bulk endpoints "
<< "(found_in = " << found_in << ", found_out = " << found_out << ")";
}
}
if (!found_adb) {
return false;
}
interface_num_ = interface_num;
write_endpoint_ = bulk_out;
read_endpoint_ = bulk_in;
zero_mask_ = zero_mask;
return true;
}
std::string GetSerial() {
std::string serial;
auto device_desc = GetDeviceDescriptor();
serial.resize(255);
int rc = libusb_get_string_descriptor_ascii(
device_handle_.get(), device_desc->iSerialNumber,
reinterpret_cast<unsigned char*>(&serial[0]), serial.length());
if (rc == 0) {
LOG(WARNING) << "received empty serial from device at " << device_address_;
return {};
} else if (rc < 0) {
LOG(WARNING) << "failed to get serial from device at " << device_address_
<< libusb_error_name(rc);
return {};
}
serial.resize(rc);
return serial;
}
bool OpenDevice(std::string* error) {
if (device_handle_) {
return true;
}
libusb_device_handle* handle_raw;
int rc = libusb_open(device_.get(), &handle_raw);
if (rc != 0) {
std::string err = StringPrintf("failed to open device: %s", libusb_strerror(rc));
LOG(ERROR) << err;
#if defined(__linux__)
std::string device_serial;
// libusb doesn't think we should be messing around with devices we don't have
// write access to, but Linux at least lets us get the serial number anyway.
if (!android::base::ReadFileToString(get_device_serial_path(device_.get()),
&device_serial)) {
// We don't actually want to treat an unknown serial as an error because
// devices aren't able to communicate a serial number in early bringup.
// http://b/20883914
serial_ = "<unknown>";
} else {
serial_ = android::base::Trim(device_serial);
}
#else
// On Mac OS and Windows, we're screwed. But I don't think this situation actually
// happens on those OSes.
#endif
if (error) {
*error = std::move(err);
}
return false;
}
unique_device_handle handle(handle_raw);
device_handle_ = std::move(handle);
auto device_desc = GetDeviceDescriptor();
if (!device_desc) {
device_handle_.reset();
return false;
}
if (!FindInterface(&device_desc.value())) {
device_handle_.reset();
return false;
}
serial_ = GetSerial();
return true;
}
bool StartImpl(std::string* error) {
if (!OpenDevice(error)) {
return false;
}
LOG(DEBUG) << "successfully opened adb device at " << device_address_ << ", "
<< StringPrintf("bulk_in = %#x, bulk_out = %#x", read_endpoint_,
write_endpoint_);
// WARNING: this isn't released via RAII.
int rc = libusb_claim_interface(device_handle_.get(), interface_num_);
if (rc != 0) {
LOG(WARNING) << "failed to claim adb interface for device '" << serial_ << "'"
<< libusb_error_name(rc);
return false;
}
for (uint8_t endpoint : {read_endpoint_, write_endpoint_}) {
rc = libusb_clear_halt(device_handle_.get(), endpoint);
if (rc != 0) {
LOG(WARNING) << "failed to clear halt on device '" << serial_ << "' endpoint 0x"
<< std::hex << endpoint << ": " << libusb_error_name(rc);
libusb_release_interface(device_handle_.get(), interface_num_);
return false;
}
}
LOG(INFO) << "registered new usb device '" << serial_ << "'";
std::lock_guard lock(read_mutex_);
CreateRead(&header_read_, true);
CreateRead(&payload_read_, false);
SubmitRead(&header_read_, sizeof(amessage));
return true;
}
void OnError(const std::string& error) {
std::call_once(error_flag_, [this, &error]() {
if (error_callback_) {
error_callback_(this, error);
}
});
}
virtual void Reset() override final {
Stop();
if (libusb_reset_device(device_handle_.get()) == 0) {
libusb_device* device = libusb_ref_device(device_.get());
fdevent_run_on_main_thread([device]() {
process_device(device);
libusb_unref_device(device);
});
}
}
virtual void Start() override final {
std::string error;
if (!StartImpl(&error)) {
OnError(error);
return;
}
}
virtual void Stop() override final {
// This is rather messy, because of the lifecyle of libusb_transfers.
//
// We can't call libusb_free_transfer for a submitted transfer, we have to cancel it
// and free it in the callback. Complicating things more, it's possible for us to be in
// the callback for a transfer as the destructor is being called, at which point cancelling
// the transfer won't do anything (and it's possible that we'll submit the transfer again
// in the callback).
//
// Resolve this by setting an atomic flag before we lock to cancel transfers, and take the
// lock in the callbacks before checking the flag.
if (terminating_) {
return;
}
terminating_ = true;
{
std::unique_lock<std::mutex> lock(write_mutex_);
ScopedLockAssertion assumed_locked(write_mutex_);
if (!writes_.empty()) {
for (auto& [id, write] : writes_) {
libusb_cancel_transfer(write->transfer);
}
destruction_cv_.wait(lock, [this]() {
ScopedLockAssertion assumed_locked(write_mutex_);
return writes_.empty();
});
}
}
{
std::unique_lock<std::mutex> lock(read_mutex_);
ScopedLockAssertion assumed_locked(read_mutex_);
if (header_read_.transfer) {
if (header_read_.active) {
libusb_cancel_transfer(header_read_.transfer);
} else {
libusb_free_transfer(header_read_.transfer);
}
}
if (payload_read_.transfer) {
if (payload_read_.active) {
libusb_cancel_transfer(payload_read_.transfer);
} else {
libusb_free_transfer(payload_read_.transfer);
}
}
destruction_cv_.wait(lock, [this]() {
ScopedLockAssertion assumed_locked(read_mutex_);
return !header_read_.active && !payload_read_.active;
});
}
if (device_handle_) {
libusb_release_interface(device_handle_.get(), interface_num_);
}
OnError("requested stop");
}
static std::optional<std::shared_ptr<LibusbConnection>> Create(unique_device device) {
auto connection = std::make_unique<LibusbConnection>(std::move(device));
if (!connection) {
LOG(FATAL) << "failed to construct LibusbConnection";
}
auto device_desc = connection->GetDeviceDescriptor();
if (!device_desc) {
return {};
}
if (!connection->FindInterface(&device_desc.value())) {
return {};
}
if (!connection->OpenDevice(nullptr)) {
return {};
}
return connection;
}
unique_device device_;
unique_device_handle device_handle_;
std::string device_address_;
std::string serial_ = "<unknown>";
uint32_t interface_num_;
uint8_t write_endpoint_;
uint8_t read_endpoint_;
std::mutex read_mutex_;
ReadBlock header_read_ GUARDED_BY(read_mutex_);
ReadBlock payload_read_ GUARDED_BY(read_mutex_);
std::optional<amessage> incoming_header_ GUARDED_BY(read_mutex_);
IOVector incoming_payload_ GUARDED_BY(read_mutex_);
std::mutex write_mutex_;
std::unordered_map<TransferId, std::unique_ptr<WriteBlock>> writes_ GUARDED_BY(write_mutex_);
std::atomic<size_t> next_write_id_ = 0;
std::once_flag error_flag_;
std::atomic<bool> terminating_ = false;
std::condition_variable destruction_cv_;
size_t zero_mask_ = 0;
};
static libusb_hotplug_callback_handle hotplug_handle;
static std::mutex usb_handles_mutex [[clang::no_destroy]];
static std::unordered_map<libusb_device*, std::weak_ptr<LibusbConnection>> usb_handles
[[clang::no_destroy]] GUARDED_BY(usb_handles_mutex);
static std::atomic<int> connecting_devices(0);
static void process_device(libusb_device* device_raw) {
std::string device_address = get_device_address(device_raw);
LOG(INFO) << "device connected: " << device_address;
unique_device device(libusb_ref_device(device_raw));
auto connection_opt = LibusbConnection::Create(std::move(device));
if (!connection_opt) {
LOG(INFO) << "ignoring device: not an adb interface";
return;
}
auto connection = *connection_opt;
LOG(INFO) << "constructed LibusbConnection for device " << connection->serial_ << " ("
<< device_address << ")";
register_usb_transport(connection, connection->serial_.c_str(), device_address.c_str(), true);
}
static void device_connected(libusb_device* device) {
#if defined(__linux__)
// Android's host linux libusb uses netlink instead of udev for device hotplug notification,
// which means we can get hotplug notifications before udev has updated ownership/perms on the
// device. Since we're not going to be able to link against the system's libudev any time soon,
// hack around this by inserting a sleep.
libusb_ref_device(device);
auto thread = std::thread([device]() {
std::this_thread::sleep_for(std::chrono::seconds(1));
process_device(device);
if (--connecting_devices == 0) {
adb_notify_device_scan_complete();
}
libusb_unref_device(device);
});
thread.detach();
#else
process_device(device);
#endif
}
static void device_disconnected(libusb_device* device) {
usb_handles_mutex.lock();
auto it = usb_handles.find(device);
if (it != usb_handles.end()) {
// We need to ensure that we don't destroy the LibusbConnection on this thread,
// as we're in a context with internal libusb mutexes held.
std::weak_ptr<LibusbConnection> connection_weak = it->second;
usb_handles.erase(it);
fdevent_run_on_main_thread([connection_weak]() {
auto connection = connection_weak.lock();
if (connection) {
connection->Stop();
LOG(INFO) << "libusb_hotplug: device disconnected: " << connection->serial_;
} else {
LOG(INFO) << "libusb_hotplug: device disconnected: (destroyed)";
}
});
}
usb_handles_mutex.unlock();
}
static auto& hotplug_queue = *new BlockingQueue<std::pair<libusb_hotplug_event, libusb_device*>>();
static void hotplug_thread() {
LOG(INFO) << "libusb hotplug thread started";
adb_thread_setname("libusb hotplug");
while (true) {
hotplug_queue.PopAll([](std::pair<libusb_hotplug_event, libusb_device*> pair) {
libusb_hotplug_event event = pair.first;
libusb_device* device = pair.second;
if (event == LIBUSB_HOTPLUG_EVENT_DEVICE_ARRIVED) {
device_connected(device);
} else if (event == LIBUSB_HOTPLUG_EVENT_DEVICE_LEFT) {
device_disconnected(device);
}
});
}
}
static LIBUSB_CALL int hotplug_callback(libusb_context*, libusb_device* device,
libusb_hotplug_event event, void*) {
// We're called with the libusb lock taken. Call these on a separate thread outside of this
// function so that the usb_handle mutex is always taken before the libusb mutex.
static std::once_flag once;
std::call_once(once, []() { std::thread(hotplug_thread).detach(); });
if (event == LIBUSB_HOTPLUG_EVENT_DEVICE_ARRIVED) {
++connecting_devices;
}
hotplug_queue.Push({event, device});
return 0;
}
namespace libusb {
void usb_init() {
LOG(DEBUG) << "initializing libusb...";
int rc = libusb_init(nullptr);
if (rc != 0) {
LOG(FATAL) << "failed to initialize libusb: " << libusb_error_name(rc);
}
// Register the hotplug callback.
rc = libusb_hotplug_register_callback(
nullptr,
static_cast<libusb_hotplug_event>(LIBUSB_HOTPLUG_EVENT_DEVICE_ARRIVED |
LIBUSB_HOTPLUG_EVENT_DEVICE_LEFT),
LIBUSB_HOTPLUG_ENUMERATE, LIBUSB_HOTPLUG_MATCH_ANY, LIBUSB_HOTPLUG_MATCH_ANY,
LIBUSB_CLASS_PER_INTERFACE, hotplug_callback, nullptr, &hotplug_handle);
if (rc != LIBUSB_SUCCESS) {
LOG(FATAL) << "failed to register libusb hotplug callback";
}
// Spawn a thread for libusb_handle_events.
std::thread([]() {
adb_thread_setname("libusb");
while (true) {
libusb_handle_events(nullptr);
}
}).detach();
}
} // namespace libusb
| [
"[email protected]"
] | |
9587c5c1606ba2e973be99f1abad6d92f5df176b | b2be82015dc5218e6b3f2fd24d41b62c489d66fa | /direction/direction/Direction.h | f41d39dde04b61a5dd2aa691ef90229af03a11c8 | [] | no_license | martacabaj/Cube | 40ffe02e7b1820ae2eb4685ce253c23e8b362d8f | 83c3cab847119ea723c0592aaa08d2a05eb8c7a5 | refs/heads/master | 2021-01-18T13:42:55.756477 | 2015-01-26T01:30:24 | 2015-01-26T01:30:24 | 26,192,332 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 61 | h | class Direction{
public:
Direction();
int numOfPoints;
}; | [
"[email protected]"
] | |
2d5aab4607f22dc86007153413918a45e5b7aaa5 | 181968b591aa12c3081dbb78806717cce0fad98e | /src/rendering/object/RenderPolygonsDataWS.h | 98fafc2324299ef620217aadc5ea3756d3ee74e8 | [
"MIT"
] | permissive | Liudeke/CAE | d6d4c2dfbabe276a1e2acaa79038d8efcbe9d454 | 7eaa096e45fd32f55bd6de94c30dcf706c6f2093 | refs/heads/master | 2023-03-15T08:55:37.797303 | 2020-10-03T17:31:22 | 2020-10-03T17:36:05 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 949 | h | #ifndef RENDERPOLYGONSDATAWS_H
#define RENDERPOLYGONSDATAWS_H
#include "RenderPolygonsData.h"
#include <GL/glew.h>
#include <data_structures/DataStructures.h>
#include <multi_threading/Monitor.h>
#include <rendering/buffers/BufferedData.h>
class RenderPolygonsDataWS : public RenderPolygonsData
{
public:
RenderPolygonsDataWS();
RenderPolygonsDataWS(RenderPolygonsData& renderPolygonsData);
BufferedData<Eigen::Vectorf, float, 3>& getPositionsBuffer();
BufferedData<Eigen::Vectorf, float, 3>& getNormalsBuffer();
// RenderPolygonsData interface
public:
virtual void initialize() override;
virtual void cleanup() override;
virtual void createBuffers() override;
virtual void refreshBuffers() override;
virtual bool isInitialized() const override;
private:
BufferedData<Eigen::Vectorf, float, 3> mPositions;
BufferedData<Eigen::Vectorf, float, 3> mNormals;
};
#endif // RENDERPOLYGONSDATAWS_H
| [
"[email protected]"
] | |
8257eb0d52e199c35632e29542cbb41d1e921b88 | 60417ed2bb0702a0eb74db2a8137fad2fbf907c9 | /Plugins/slua_unreal/Source/slua_profile/Private/slua_profile.cpp | 1a9b08d69ccd15e84610d9fb3a914136f67d931f | [
"BSD-3-Clause",
"MIT",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | crazytuzi/Analyzesluaunreal | cec908f1ffb8121f2dcc0f0db4d06b404a566a0f | 1b047863443fba6e680a3cd369e00b28ebbbaa41 | refs/heads/master | 2022-04-09T13:57:31.622085 | 2020-03-17T12:08:01 | 2020-03-17T12:08:01 | 247,938,103 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 8,751 | cpp | // Tencent is pleased to support the open source community by making sluaunreal available.
// Copyright (C) 2018 THL A29 Limited, a Tencent company. All rights reserved.
// Licensed under the BSD 3-Clause License (the "License");
// you may not use this file except in compliance with the License. You may obtain a copy of the License at
// https://opensource.org/licenses/BSD-3-Clause
// Unless required by applicable law or agreed to in writing,
// software distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and limitations under the License.
#include "slua_profile.h"
#include "Framework/MultiBox/MultiBoxBuilder.h"
#include "FileManager.h"
#include "Engine/GameEngine.h"
#include "Containers/Ticker.h"
#include "LuaState.h"
#include "lua.h"
#if WITH_EDITOR
#include "LevelEditor.h"
#include "EditorStyle.h"
#endif
#include "slua_remote_profile.h"
#include "SluaUtil.h"
#include "LuaProfiler.h"
DEFINE_LOG_CATEGORY(LogSluaProfile)
#define LOCTEXT_NAMESPACE "Fslua_profileModule"
namespace {
static const FName slua_profileTabName(TEXT("slua_profile"));
static const FString CoroutineName(TEXT("coroutine"));
SluaProfiler curProfiler;
TArray<NS_SLUA::LuaMemInfo> memoryInfo;
TSharedPtr<TArray<SluaProfiler>, ESPMode::ThreadSafe> curProfilersArray = MakeShareable(new TArray<SluaProfiler>());
TQueue<TSharedPtr<TArray<SluaProfiler>, ESPMode::ThreadSafe>, EQueueMode::Mpsc> profilerArrayQueue;
uint32_t currentLayer = 0;
}
void Fslua_profileModule::StartupModule()
{
#if WITH_EDITOR
Flua_profileCommands::Register();
PluginCommands = MakeShareable(new FUICommandList);
PluginCommands->MapAction(
Flua_profileCommands::Get().OpenPluginWindow,
FExecuteAction::CreateRaw(this, &Fslua_profileModule::PluginButtonClicked),
FCanExecuteAction());
FLevelEditorModule& LevelEditorModule = FModuleManager::LoadModuleChecked<FLevelEditorModule>("LevelEditor");
{
TSharedPtr<FExtender> MenuExtender = MakeShareable(new FExtender());
MenuExtender->AddMenuExtension("WindowLayout", EExtensionHook::After, PluginCommands, FMenuExtensionDelegate::CreateRaw(this, &Fslua_profileModule::AddMenuExtension));
LevelEditorModule.GetMenuExtensibilityManager()->AddExtender(MenuExtender);
}
if (GIsEditor && !IsRunningCommandlet())
{
sluaProfilerInspector = MakeShareable(new SProfilerInspector);
FGlobalTabmanager::Get()->RegisterNomadTabSpawner(slua_profileTabName,
FOnSpawnTab::CreateRaw(this, &Fslua_profileModule::OnSpawnPluginTab))
.SetDisplayName(LOCTEXT("Flua_wrapperTabTitle", "slua Profiler"))
.SetMenuType(ETabSpawnerMenuType::Hidden);
TickDelegate = FTickerDelegate::CreateRaw(this, &Fslua_profileModule::Tick);
TickDelegateHandle = FTicker::GetCoreTicker().AddTicker(TickDelegate);
}
#endif
}
void Fslua_profileModule::ShutdownModule()
{
#if WITH_EDITOR
sluaProfilerInspector = nullptr;
ClearCurProfiler();
Flua_profileCommands::Unregister();
FGlobalTabmanager::Get()->UnregisterNomadTabSpawner(slua_profileTabName);
#endif
}
void Fslua_profileModule::PluginButtonClicked()
{
FGlobalTabmanager::Get()->InvokeTab(slua_profileTabName);
}
bool Fslua_profileModule::Tick(float DeltaTime)
{
if (!tabOpened)
{
return true;
}
while (!profilerArrayQueue.IsEmpty())
{
TSharedPtr<TArray<SluaProfiler>, ESPMode::ThreadSafe> profilesArray;
profilerArrayQueue.Dequeue(profilesArray);
sluaProfilerInspector->Refresh(*profilesArray.Get(), memoryInfo);
}
return true;
}
TSharedRef<class SDockTab> Fslua_profileModule::OnSpawnPluginTab(const FSpawnTabArgs & SpawnTabArgs)
{
if (sluaProfilerInspector.IsValid())
{
sluaProfilerInspector->StartChartRolling();
auto tab = sluaProfilerInspector->GetSDockTab();
tab->SetOnTabClosed(SDockTab::FOnTabClosedCallback::CreateRaw(this, &Fslua_profileModule::OnTabClosed));
sluaProfilerInspector->ProfileServer = MakeShareable(new slua::FProfileServer());
sluaProfilerInspector->ProfileServer->OnProfileMessageRecv().BindLambda([this](slua::FProfileMessagePtr Message) {
this->debug_hook_c(Message->Event, Message->Time, Message->Linedefined, Message->Name, Message->ShortSrc, Message->memoryInfoList);
});
tabOpened = true;
return tab;
}
else
{
return SNew(SDockTab).TabRole(ETabRole::NomadTab);
}
}
//////////////////////////////////////////////////////////////////////////
#if WITH_EDITOR
Flua_profileCommands::Flua_profileCommands()
: TCommands<Flua_profileCommands>(slua_profileTabName,
NSLOCTEXT("Contexts", "slua_profile", "slua_profile Plugin"), NAME_None, FEditorStyle::GetStyleSetName())
{
}
void Flua_profileCommands::RegisterCommands()
{
UI_COMMAND(OpenPluginWindow, "slua Profile", "Open slua Profile tool", EUserInterfaceActionType::Button, FInputGesture());
}
#endif
/////////////////////////////////////////////////////////////////////////////////////
void Profiler::BeginWatch(const FString& funcName, double nanoseconds)
{
TSharedPtr<FunctionProfileInfo> funcInfo = MakeShareable(new FunctionProfileInfo);
funcInfo->functionName = funcName;
FDateTime Time = FDateTime::Now();
funcInfo->begTime = nanoseconds;
funcInfo->endTime = -1;
funcInfo->costTime = 0;
funcInfo->layerIdx = currentLayer;
funcInfo->beMerged = false;
funcInfo->mergedNum = 1;
curProfiler.Add(funcInfo);
currentLayer++;
}
void Profiler::EndWatch(double nanoseconds)
{
if (currentLayer <= 0)
{
return;
}
// find the end watch function node
size_t idx = 0;
for (idx = curProfiler.Num(); idx > 0; idx--)
{
TSharedPtr<FunctionProfileInfo> &funcInfo = curProfiler[idx - 1];
if (funcInfo->endTime == -1)
{
funcInfo->endTime = nanoseconds;
funcInfo->costTime = funcInfo->endTime - funcInfo->begTime;
funcInfo->mergedCostTime = funcInfo->costTime;
break;
}
}
if (idx <= 0)
{
return;
}
// check wether node has child
TSharedPtr<FunctionProfileInfo> &funcInfo = curProfiler[idx - 1];
int64_t childCostTime = 0;
bool hasChild = false;
for (; idx < curProfiler.Num(); idx++)
{
TSharedPtr<FunctionProfileInfo> &nextFuncInfo = curProfiler[idx];
if (nextFuncInfo->layerIdx <= funcInfo->layerIdx)
{
break;
}
if (nextFuncInfo->layerIdx == (funcInfo->layerIdx + 1))
{
hasChild = true;
childCostTime += nextFuncInfo->costTime;
}
}
if (hasChild == true)
{
TSharedPtr<FunctionProfileInfo> otherFuncInfo = MakeShareable(new FunctionProfileInfo);
otherFuncInfo->functionName = "(other)";
otherFuncInfo->begTime = 0;
otherFuncInfo->endTime = 0;
otherFuncInfo->costTime = funcInfo->costTime - childCostTime;
otherFuncInfo->mergedCostTime = otherFuncInfo->costTime;
otherFuncInfo->layerIdx = currentLayer;
otherFuncInfo->beMerged = false;
otherFuncInfo->mergedNum = 1;
curProfiler.Add(otherFuncInfo);
}
currentLayer--;
if (currentLayer == 0)
{
curProfilersArray->Add(curProfiler);
curProfiler.Empty();
}
}
void Fslua_profileModule::ClearCurProfiler()
{
currentLayer = 0;
curProfilersArray = MakeShareable(new TArray<SluaProfiler>());
}
void Fslua_profileModule::AddMenuExtension(FMenuBuilder & Builder)
{
#if WITH_EDITOR
Builder.AddMenuEntry(Flua_profileCommands::Get().OpenPluginWindow);
#endif
}
void Fslua_profileModule::OnTabClosed(TSharedRef<SDockTab>)
{
// if (sluaProfilerInspector->ProfileServer)
// {
// delete sluaProfilerInspector->ProfileServer;
// sluaProfilerInspector->ProfileServer = nullptr;
// }
tabOpened = false;
}
void Fslua_profileModule::debug_hook_c(int event, double nanoseconds, int linedefined, const FString& name, const FString& short_src, TArray<NS_SLUA::LuaMemInfo> memoryInfoList)
{
if (event == NS_SLUA::ProfilerHookEvent::PHE_CALL)
{
if (linedefined == -1 && name.IsEmpty())
{
return;
}
FString functionName = short_src;
functionName += ":";
functionName += FString::FromInt(linedefined);
functionName += " ";
functionName += name;
PROFILER_BEGIN_WATCHER_WITH_FUNC_NAME(functionName, nanoseconds)
}
else if (event == NS_SLUA::ProfilerHookEvent::PHE_RETURN)
{
if (linedefined == -1 && name.IsEmpty())
{
return;
}
FString functionName = short_src;
functionName += ":";
functionName += FString::FromInt(linedefined);
functionName += " ";
functionName += name;
PROFILER_END_WATCHER(functionName, nanoseconds)
}
else if (event == NS_SLUA::ProfilerHookEvent::PHE_TICK)
{
profilerArrayQueue.Enqueue(curProfilersArray);
ClearCurProfiler();
}
else if (event == NS_SLUA::ProfilerHookEvent::PHE_MEMORY_TICK)
{
memoryInfo = memoryInfoList;
}
}
#undef LOCTEXT_NAMESPACE
IMPLEMENT_MODULE(Fslua_profileModule, slua_profile)
| [
"[email protected]"
] | |
6e71e0076d2f4d5ffdec56a541b1ee1d7dbc6a3e | 0b508c21b3a219f0c9f05e7457f34517fd31a119 | /UVA/11727/12672481_AC_0ms_0kB.cpp | 21178cb0fe86900832d0487c81dd3ec1efb75a97 | [] | no_license | shiningflash/Online-Judge-Solutions | fa7402d37f8ca3238012d7cff76255dec3e9e2b0 | fc267f87b6c0551d5bdf41f2e160fce58b136ba9 | refs/heads/master | 2021-06-11T20:52:16.777025 | 2021-03-31T12:52:54 | 2021-03-31T12:52:54 | 164,604,423 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 379 | cpp | #include <bits/stdc++.h>
using namespace std;
int main() {
int t, a, b, c;
scanf("%d", &t);
for (int i = 1; i <= t; i++) {
scanf("%d %d %d", &a, &b, &c);
printf("Case %d: ", i);
if ((a > b && a < c) || (a > c && a < b)) printf("%d\n", a);
else if ((b > a && b < c) || (b < a && b > c)) printf("%d\n", b);
else printf("%d\n", c);
}
return 0;
} | [
"[email protected]"
] | |
1c69ecef2df88b4509311d21d4257d89c777bfc0 | 76fe0a0404ca1d71779fc6c1122b87e0d7a7aa1b | /codeforces/rounds/Educational 62/b.cpp | b0d2fbb68d153d90e27d0fcacc2ed3e69c883a91 | [] | no_license | vitorguidi/Competitive-Programming | 905dd835671275284418c5885a4a1fae2160f451 | 823a9299dce7b7f662ea741f31b4687f854bb963 | refs/heads/master | 2021-06-25T06:58:53.670233 | 2020-12-19T16:53:15 | 2020-12-19T16:53:15 | 133,260,248 | 3 | 0 | null | 2018-05-13T17:46:43 | 2018-05-13T17:40:24 | null | UTF-8 | C++ | false | false | 1,100 | cpp | #include "bits/stdc++.h"
using namespace std;
#define pb push_back
#define mp make_pair
#define fst first
#define snd second
#define fr(i,n) for(int i=0;i<n;i++)
#define frr(i,n) for(int i=1;i<=n;i++)
#define ms(x,i) memset(x,i,sizeof(x))
#define dbg(x) cout << #x << " = " << x << endl
#define all(x) x.begin(),x.end()
#define gnl cout << endl
#define olar cout << "olar" << endl
#define fastio ios_base::sync_with_stdio(false); cin.tie(NULL);cout.tie(NULL)
typedef long long int ll;
typedef pair<int,int> pii;
typedef vector<int> vi;
typedef vector<pii> vii;
typedef pair<ll,ll> pll;
const int INF = 0x3f3f3f3f;
void go(){
int n; cin >> n;
string s; cin >> s;
if(n==1){
cout << 0 << endl;
return;
}
if(s[0]=='>'){
cout << 0 << endl;
return;
}
if(s[n-1]=='<'){
cout << 0 << endl;
return;
}
int ini=0;
int cntl=0;
int ans = 0;
while(ini<n && s[ini]=='<'){
cntl++;
ini++;
}
ini=n-1;
int cntr=0;
while(ini>=0 && s[ini]=='>'){
cntr++;
ini--;
}
cout << min(cntl,cntr) << endl;
}
int main(){
fastio;
int t; cin >> t;
while(t--) go();
} | [
"[email protected]"
] | |
6f36a4113abc223b83183518f7fec9cae1653eef | 56fccb86fc2b059f728a82ec0f34f35bbd0e4e5f | /run2020_veto/TerminatedChannel.cc | 173b3e442151d97a238048ab2e0c3663e0147458 | [] | no_license | PADME-Experiment/testbeam-analysis | cf6fc24d9928539b981f98a373a8397764ca0f08 | 763d71d404fca53815043839949c7a333558c293 | refs/heads/develop | 2021-11-24T00:09:05.504472 | 2021-11-04T16:19:48 | 2021-11-04T16:19:48 | 76,541,659 | 3 | 0 | null | 2021-11-04T16:19:49 | 2016-12-15T08:51:52 | C | UTF-8 | C++ | false | false | 31 | cc | #include"TerminatedChannel.hh"
| [
"[email protected]"
] | |
2beadd13c2632dcce3a81fdf4b10afdb09991201 | d829d426e100e5f204bab15661db4e1da15515f9 | /tst/EnergyPlus/unit/VentilatedSlab.unit.cc | 41c93d24388e500edae5b186eb4734fecb50e7c1 | [
"BSD-2-Clause"
] | permissive | VB6Hobbyst7/EnergyPlus2 | a49409343e6c19a469b93c8289545274a9855888 | 622089b57515a7b8fbb20c8e9109267a4bb37eb3 | refs/heads/main | 2023-06-08T06:47:31.276257 | 2021-06-29T04:40:23 | 2021-06-29T04:40:23 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 124,039 | cc | // EnergyPlus, Copyright (c) 1996-2020, The Board of Trustees of the University of Illinois,
// The Regents of the University of California, through Lawrence Berkeley National Laboratory
// (subject to receipt of any required approvals from the U.S. Dept. of Energy), Oak Ridge
// National Laboratory, managed by UT-Battelle, Alliance for Sustainable Energy, LLC, and other
// contributors. All rights reserved.
//
// NOTICE: This Software was developed under funding from the U.S. Department of Energy and the
// U.S. Government consequently retains certain rights. As such, the U.S. Government has been
// granted for itself and others acting on its behalf a paid-up, nonexclusive, irrevocable,
// worldwide license in the Software to reproduce, distribute copies to the public, prepare
// derivative works, and perform publicly and display publicly, and to permit others to do so.
//
// 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 name of the University of California, Lawrence Berkeley National Laboratory,
// the University of Illinois, U.S. Dept. of Energy nor the names of its contributors may be
// used to endorse or promote products derived from this software without specific prior
// written permission.
//
// (4) Use of EnergyPlus(TM) Name. If Licensee (i) distributes the software in stand-alone form
// without changes from the version obtained under this License, or (ii) Licensee makes a
// reference solely to the software portion of its product, Licensee must refer to the
// software as "EnergyPlus version X" software, where "X" is the version number Licensee
// obtained under this License and may not use a different name for the software. Except as
// specifically required in this Section (4), Licensee shall not use in a company name, a
// product name, in advertising, publicity, or other promotional activities any name, trade
// name, trademark, logo, or other designation of "EnergyPlus", "E+", "e+" or confusingly
// similar designation, without the U.S. Department of Energy's prior written consent.
//
// THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR
// IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY
// AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR
// CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
// CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
// SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
// THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR
// OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
// POSSIBILITY OF SUCH DAMAGE.
// EnergyPlus::VentilatedSlab Unit Tests
// Google Test Headers
#include <gtest/gtest.h>
// EnergyPlus Headers
#include <EnergyPlus/DataHeatBalance.hh>
#include <EnergyPlus/DataLoopNode.hh>
#include <EnergyPlus/DataSurfaceLists.hh>
#include <EnergyPlus/DataSurfaces.hh>
#include <EnergyPlus/HeatBalanceManager.hh>
#include <EnergyPlus/OutputFiles.hh>
#include <EnergyPlus/ScheduleManager.hh>
#include <EnergyPlus/SurfaceGeometry.hh>
#include <EnergyPlus/UtilityRoutines.hh>
#include <EnergyPlus/VentilatedSlab.hh>
#include "Fixtures/EnergyPlusFixture.hh"
using namespace EnergyPlus;
using namespace ObjexxFCL;
using namespace DataGlobals;
using namespace EnergyPlus::VentilatedSlab;
using namespace EnergyPlus::DataHeatBalance;
using namespace EnergyPlus::DataLoopNode;
using namespace EnergyPlus::DataSurfaces;
using namespace EnergyPlus::DataSurfaceLists;
using namespace EnergyPlus::HeatBalanceManager;
using namespace EnergyPlus::ScheduleManager;
using namespace EnergyPlus::SurfaceGeometry;
TEST_F(EnergyPlusFixture, VentilatedSlab_CalcVentilatedSlabCoilOutputTest)
{
BeginEnvrnFlag = false;
Real64 PowerMet = 0.0;
Real64 LatOutputProvided = 0.0;
NumOfVentSlabs = 1;
VentSlab.allocate(NumOfVentSlabs);
int Item = 1;
int FanOutletNode = 1;
int OutletNode = 2;
VentSlab(Item).FanOutletNode = FanOutletNode;
VentSlab(Item).RadInNode = OutletNode;
Node.allocate(2);
Node(OutletNode).MassFlowRate = 0.5;
// Calcs being tested
// VentSlab( Item ).HeatCoilPower = max( 0.0, QUnitOut );
// VentSlab( Item ).SensCoolCoilPower = std::abs( min( 0.0, QUnitOut ) );
// VentSlab( Item ).TotCoolCoilPower = std::abs( min( 0.0, QTotUnitOut ) );
// VentSlab( Item ).LateCoolCoilPower = VentSlab( Item ).TotCoolCoilPower - VentSlab( Item ).SensCoolCoilPower;
// LatOutputProvided = AirMassFlow * ( SpecHumOut - SpecHumIn ); // Latent rate (kg/s), dehumid = negative
// PowerMet = QUnitOut;
// Sensible Heating
Node(FanOutletNode).Temp = 15.0;
Node(FanOutletNode).HumRat = 0.003;
Node(OutletNode).Temp = 20.0;
Node(OutletNode).HumRat = 0.003;
CalcVentilatedSlabCoilOutput(Item, PowerMet, LatOutputProvided);
EXPECT_TRUE(VentSlab(Item).HeatCoilPower > 0.0);
EXPECT_TRUE(VentSlab(Item).SensCoolCoilPower == 0.0);
EXPECT_TRUE(VentSlab(Item).TotCoolCoilPower == 0.0);
EXPECT_TRUE(VentSlab(Item).LateCoolCoilPower == 0.0);
EXPECT_TRUE(LatOutputProvided == 0.0);
EXPECT_TRUE(PowerMet > 0.0);
// Sensible Cooling
Node(FanOutletNode).Temp = 25.0;
Node(FanOutletNode).HumRat = 0.003;
Node(OutletNode).Temp = 20.0;
Node(OutletNode).HumRat = 0.003;
CalcVentilatedSlabCoilOutput(Item, PowerMet, LatOutputProvided);
EXPECT_TRUE(VentSlab(Item).HeatCoilPower == 0.0);
EXPECT_TRUE(VentSlab(Item).SensCoolCoilPower > 0.0);
EXPECT_TRUE(VentSlab(Item).TotCoolCoilPower == VentSlab(Item).SensCoolCoilPower);
EXPECT_TRUE(VentSlab(Item).LateCoolCoilPower == 0.0);
EXPECT_TRUE(LatOutputProvided == 0.0);
EXPECT_TRUE(PowerMet < 0.0);
// Sensible and Latent Cooling
Node(FanOutletNode).Temp = 25.0;
Node(FanOutletNode).HumRat = 0.008;
Node(OutletNode).Temp = 20.0;
Node(OutletNode).HumRat = 0.003;
CalcVentilatedSlabCoilOutput(Item, PowerMet, LatOutputProvided);
EXPECT_TRUE(VentSlab(Item).HeatCoilPower == 0.0);
EXPECT_TRUE(VentSlab(Item).SensCoolCoilPower > 0.0);
EXPECT_TRUE(VentSlab(Item).TotCoolCoilPower > VentSlab(Item).SensCoolCoilPower);
EXPECT_TRUE(VentSlab(Item).LateCoolCoilPower > 0.0);
EXPECT_TRUE(LatOutputProvided < 0.0);
EXPECT_TRUE(PowerMet < 0.0);
}
TEST_F(EnergyPlusFixture, VentilatedSlab_InitVentilatedSlabTest)
{
BeginEnvrnFlag = false;
bool ErrorsFound(false); // function returns true on error
int Item(1); // index for the current ventilated slab
int VentSlabZoneNum(1); // number of zone being served
bool FirstHVACIteration(true); // TRUE if 1st HVAC simulation of system timestep
std::string const idf_objects = delimited_string({
" SimulationControl,",
" No, !- Do Zone Sizing Calculation",
" No, !- Do System Sizing Calculation",
" No, !- Do Plant Sizing Calculation",
" Yes, !- Run Simulation for Sizing Periods",
" No; !- Run Simulation for Weather File Run Periods",
" Building,",
" Building, !- Name",
" 30., !- North Axis {deg}",
" City, !- Terrain",
" 0.04, !- Loads Convergence Tolerance Value",
" 0.4, !- Temperature Convergence Tolerance Value {deltaC}",
" FullExterior, !- Solar Distribution",
" 25, !- Maximum Number of Warmup Days",
" 6; !- Minimum Number of Warmup Days",
" Timestep,6;",
" Site:Location,",
" CHICAGO_IL_USA TMY2-94846, !- Name",
" 41.78, !- Latitude {deg}",
" -87.75, !- Longitude {deg}",
" -6.00, !- Time Zone {hr}",
" 190.00; !- Elevation {m}",
" SizingPeriod:DesignDay,",
" CHICAGO_IL_USA Annual Heating 99% Design Conditions DB, !- Name",
" 1, !- Month",
" 21, !- Day of Month",
" WinterDesignDay, !- Day Type",
" -17.3, !- Maximum Dry-Bulb Temperature {C}",
" 0.0, !- Daily Dry-Bulb Temperature Range {deltaC}",
" , !- Dry-Bulb Temperature Range Modifier Type",
" , !- Dry-Bulb Temperature Range Modifier Day Schedule Name",
" Wetbulb, !- Humidity Condition Type",
" -17.3, !- Wetbulb or DewPoint at Maximum Dry-Bulb {C}",
" , !- Humidity Condition Day Schedule Name",
" , !- Humidity Ratio at Maximum Dry-Bulb {kgWater/kgDryAir}",
" , !- Enthalpy at Maximum Dry-Bulb {J/kg}",
" , !- Daily Wet-Bulb Temperature Range {deltaC}",
" 99063., !- Barometric Pressure {Pa}",
" 4.9, !- Wind Speed {m/s}",
" 270, !- Wind Direction {deg}",
" No, !- Rain Indicator",
" No, !- Snow Indicator",
" No, !- Daylight Saving Time Indicator",
" ASHRAEClearSky, !- Solar Model Indicator",
" , !- Beam Solar Day Schedule Name",
" , !- Diffuse Solar Day Schedule Name",
" , !- ASHRAE Clear Sky Optical Depth for Beam Irradiance (taub) {dimensionless}",
" , !- ASHRAE Clear Sky Optical Depth for Diffuse Irradiance (taud) {dimensionless}",
" 1; !- Sky Clearness",
" SizingPeriod:DesignDay,",
" CHICAGO_IL_USA Annual Cooling 1% Design Conditions DB/MCWB, !- Name",
" 7, !- Month",
" 21, !- Day of Month",
" SummerDesignDay, !- Day Type",
" 31.5, !- Maximum Dry-Bulb Temperature {C}",
" 10.7, !- Daily Dry-Bulb Temperature Range {deltaC}",
" , !- Dry-Bulb Temperature Range Modifier Type",
" , !- Dry-Bulb Temperature Range Modifier Day Schedule Name",
" Wetbulb, !- Humidity Condition Type",
" 23.0, !- Wetbulb or DewPoint at Maximum Dry-Bulb {C}",
" , !- Humidity Condition Day Schedule Name",
" , !- Humidity Ratio at Maximum Dry-Bulb {kgWater/kgDryAir}",
" , !- Enthalpy at Maximum Dry-Bulb {J/kg}",
" , !- Daily Wet-Bulb Temperature Range {deltaC}",
" 99063., !- Barometric Pressure {Pa}",
" 5.3, !- Wind Speed {m/s}",
" 230, !- Wind Direction {deg}",
" No, !- Rain Indicator",
" No, !- Snow Indicator",
" No, !- Daylight Saving Time Indicator",
" ASHRAEClearSky, !- Solar Model Indicator",
" , !- Beam Solar Day Schedule Name",
" , !- Diffuse Solar Day Schedule Name",
" , !- ASHRAE Clear Sky Optical Depth for Beam Irradiance (taub) {dimensionless}",
" , !- ASHRAE Clear Sky Optical Depth for Diffuse Irradiance (taud) {dimensionless}",
" 1.0; !- Sky Clearness",
" Site:GroundTemperature:BuildingSurface,20.03,20.03,20.13,20.30,20.43,20.52,20.62,20.77,20.78,20.55,20.44,20.20;",
" ScheduleTypeLimits,",
" Any Number; !- Name",
" ScheduleTypeLimits,",
" Fraction, !- Name",
" 0.0, !- Lower Limit Value",
" 1.0, !- Upper Limit Value",
" CONTINUOUS; !- Numeric Type",
" ScheduleTypeLimits,",
" Temperature, !- Name",
" -60, !- Lower Limit Value",
" 200, !- Upper Limit Value",
" CONTINUOUS, !- Numeric Type",
" Temperature; !- Unit Type",
" ScheduleTypeLimits,",
" Control Type, !- Name",
" 0, !- Lower Limit Value",
" 4, !- Upper Limit Value",
" DISCRETE; !- Numeric Type",
" ScheduleTypeLimits,",
" On/Off, !- Name",
" 0, !- Lower Limit Value",
" 1, !- Upper Limit Value",
" DISCRETE; !- Numeric Type",
" Schedule:Compact,",
" INFIL-SCH, !- Name",
" Fraction, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,1.0; !- Field 3",
" Schedule:Compact,",
" ON, !- Name",
" Fraction, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,1.0; !- Field 3",
" Schedule:Compact,",
" CW Loop Temp Schedule, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,6.67; !- Field 3",
" Schedule:Compact,",
" HW Loop Temp Schedule, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,60.0; !- Field 3",
" Schedule:Compact,",
" VentSlabMaxOA, !- Name",
" Any Number, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,1.0; !- Field 3",
" Schedule:Compact,",
" VentSlabHotHighAir, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,30; !- Field 3",
" Schedule:Compact,",
" VentSlabHotLowAir, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,25; !- Field 3",
" Schedule:Compact,",
" VentSlabHotLowControl, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,10; !- Field 3",
" Schedule:Compact,",
" VentSlabHotHighControl, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,20; !- Field 3",
" Schedule:Compact,",
" VentSlabCoolHighControl, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,30; !- Field 3",
" Schedule:Compact,",
" VentSlabCoolHighAir, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,23; !- Field 3",
" Schedule:Compact,",
" VentSlabCoolLowAir, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,17; !- Field 3",
" Schedule:Compact,",
" FanAndCoilAvailSched, !- Name",
" Fraction, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,1.0; !- Field 3",
" Schedule:Compact,",
" VentSlabCoolLowControl, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,26; !- Field 3",
" Schedule:Compact,",
" VentSlabCoolLowControl2, !- Name",
" Temperature, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,20; !- Field 3",
" Schedule:Compact,",
" ShadeTransSch, !- Name",
" Fraction, !- Schedule Type Limits Name",
" Through: 12/31, !- Field 1",
" For: AllDays, !- Field 2",
" Until: 24:00,0.0; !- Field 3",
" Material,",
" WD10, !- Name",
" MediumSmooth, !- Roughness",
" 0.667, !- Thickness {m}",
" 0.115, !- Conductivity {W/m-K}",
" 513, !- Density {kg/m3}",
" 1381, !- Specific Heat {J/kg-K}",
" 0.9, !- Thermal Absorptance",
" 0.78, !- Solar Absorptance",
" 0.78; !- Visible Absorptance",
" Material,",
" RG01, !- Name",
" Rough, !- Roughness",
" 1.2700000E-02, !- Thickness {m}",
" 1.442000, !- Conductivity {W/m-K}",
" 881.0000, !- Density {kg/m3}",
" 1674.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.6500000, !- Solar Absorptance",
" 0.6500000; !- Visible Absorptance",
" Material,",
" BR01, !- Name",
" VeryRough, !- Roughness",
" 0.009, !- Thickness {m}",
" 0.1620000, !- Conductivity {W/m-K}",
" 1121.000, !- Density {kg/m3}",
" 1464.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.7000000, !- Solar Absorptance",
" 0.7000000; !- Visible Absorptance",
" Material,",
" IN46, !- Name",
" VeryRough, !- Roughness",
" 0.09, !- Thickness {m}",
" 2.3000000E-02, !- Conductivity {W/m-K}",
" 24.00000, !- Density {kg/m3}",
" 1590.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.5000000, !- Solar Absorptance",
" 0.5000000; !- Visible Absorptance",
" Material,",
" WD01, !- Name",
" MediumSmooth, !- Roughness",
" 1.9099999E-02, !- Thickness {m}",
" 0.1150000, !- Conductivity {W/m-K}",
" 513.0000, !- Density {kg/m3}",
" 1381.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.7800000, !- Solar Absorptance",
" 0.7800000; !- Visible Absorptance",
" Material,",
" PW03, !- Name",
" MediumSmooth, !- Roughness",
" 1.2700000E-02, !- Thickness {m}",
" 0.1150000, !- Conductivity {W/m-K}",
" 545.0000, !- Density {kg/m3}",
" 1213.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.7800000, !- Solar Absorptance",
" 0.7800000; !- Visible Absorptance",
" Material,",
" IN02, !- Name",
" Rough, !- Roughness",
" 9.0099998E-02, !- Thickness {m}",
" 4.3000001E-02, !- Conductivity {W/m-K}",
" 10.00000, !- Density {kg/m3}",
" 837.0000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.7500000, !- Solar Absorptance",
" 0.7500000; !- Visible Absorptance",
" Material,",
" GP01, !- Name",
" MediumSmooth, !- Roughness",
" 1.2700000E-02, !- Thickness {m}",
" 0.1600000, !- Conductivity {W/m-K}",
" 801.0000, !- Density {kg/m3}",
" 837.0000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.7500000, !- Solar Absorptance",
" 0.7500000; !- Visible Absorptance",
" Material,",
" GP02, !- Name",
" MediumSmooth, !- Roughness",
" 1.5900001E-02, !- Thickness {m}",
" 0.1600000, !- Conductivity {W/m-K}",
" 801.0000, !- Density {kg/m3}",
" 837.0000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.7500000, !- Solar Absorptance",
" 0.7500000; !- Visible Absorptance",
" Material,",
" CC03, !- Name",
" MediumRough, !- Roughness",
" 0.1016000, !- Thickness {m}",
" 1.310000, !- Conductivity {W/m-K}",
" 2243.000, !- Density {kg/m3}",
" 837.0000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.6500000, !- Solar Absorptance",
" 0.6500000; !- Visible Absorptance",
" Material,",
" COnc, !- Name",
" VeryRough, !- Roughness",
" 0.025, !- Thickness {m}",
" 0.72, !- Conductivity {W/m-K}",
" 1860, !- Density {kg/m3}",
" 780, !- Specific Heat {J/kg-K}",
" 0.9, !- Thermal Absorptance",
" 0.7, !- Solar Absorptance",
" 0.7; !- Visible Absorptance",
" Material,",
" FINISH FLOORING - TILE 1 / 16 IN, !- Name",
" Smooth, !- Roughness",
" 1.6000000E-03, !- Thickness {m}",
" 0.1700000, !- Conductivity {W/m-K}",
" 1922.210, !- Density {kg/m3}",
" 1250.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.5000000, !- Solar Absorptance",
" 0.5000000; !- Visible Absorptance",
" Material,",
" GYP1, !- Name",
" MediumRough, !- Roughness",
" 1.2700000E-02, !- Thickness {m}",
" 7.8450000E-01, !- Conductivity {W/m-K}",
" 1842.1221, !- Density {kg/m3}",
" 988.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.5000000, !- Solar Absorptance",
" 0.5000000; !- Visible Absorptance",
" Material,",
" GYP2, !- Name",
" MediumRough, !- Roughness",
" 1.9050000E-02, !- Thickness {m}",
" 7.8450000E-01, !- Conductivity {W/m-K}",
" 1842.1221, !- Density {kg/m3}",
" 988.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.5000000, !- Solar Absorptance",
" 0.5000000; !- Visible Absorptance",
" Material,",
" INS - EXPANDED EXT POLYSTYRENE R12, !- Name",
" Rough, !- Roughness",
" 0.07, !- Thickness {m}",
" 2.0000000E-02, !- Conductivity {W/m-K}",
" 56.06000, !- Density {kg/m3}",
" 1210.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.5000000, !- Solar Absorptance",
" 0.5000000; !- Visible Absorptance",
" Material,",
" CONCRETE, !- Name",
" MediumRough, !- Roughness",
" 0.5000000, !- Thickness {m}",
" 1.290000, !- Conductivity {W/m-K}",
" 2242.580, !- Density {kg/m3}",
" 830.00000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.6000000, !- Solar Absorptance",
" 0.6000000; !- Visible Absorptance",
" Material,",
" CLN-INS, !- Name",
" Rough, !- Roughness",
" 0.005, !- Thickness {m}",
" 0.5, !- Conductivity {W/m-K}",
" 56.06000, !- Density {kg/m3}",
" 1210.000, !- Specific Heat {J/kg-K}",
" 0.9000000, !- Thermal Absorptance",
" 0.5000000, !- Solar Absorptance",
" 0.5000000; !- Visible Absorptance",
" Material:NoMass,",
" CP01, !- Name",
" Rough, !- Roughness",
" 0.3670000, !- Thermal Resistance {m2-K/W}",
" 0.9000000, !- Thermal Absorptance",
" 0.7500000, !- Solar Absorptance",
" 0.7500000; !- Visible Absorptance",
" Material:NoMass,",
" MAT-SB-U, !- Name",
" Rough, !- Roughness",
" 0.117406666, !- Thermal Resistance {m2-K/W}",
" 0.65, !- Thermal Absorptance",
" 0.65, !- Solar Absorptance",
" 0.65; !- Visible Absorptance",
" Material:NoMass,",
" MAT-CLNG-1, !- Name",
" Rough, !- Roughness",
" 0.652259290, !- Thermal Resistance {m2-K/W}",
" 0.65, !- Thermal Absorptance",
" 0.65, !- Solar Absorptance",
" 0.65; !- Visible Absorptance",
" Material:NoMass,",
" MAT-FLOOR-1, !- Name",
" Rough, !- Roughness",
" 3.522199631, !- Thermal Resistance {m2-K/W}",
" 0.65, !- Thermal Absorptance",
" 0.65, !- Solar Absorptance",
" 0.65; !- Visible Absorptance",
" Material:AirGap,",
" AL21, !- Name",
" 0.1570000; !- Thermal Resistance {m2-K/W}",
" Material:AirGap,",
" AL23, !- Name",
" 0.1530000; !- Thermal Resistance {m2-K/W}",
" WindowMaterial:Glazing,",
" CLEAR 3MM, !- Name",
" SpectralAverage, !- Optical Data Type",
" , !- Window Glass Spectral Data Set Name",
" 0.003, !- Thickness {m}",
" 0.837, !- Solar Transmittance at Normal Incidence",
" 0.075, !- Front Side Solar Reflectance at Normal Incidence",
" 0.075, !- Back Side Solar Reflectance at Normal Incidence",
" 0.898, !- Visible Transmittance at Normal Incidence",
" 0.081, !- Front Side Visible Reflectance at Normal Incidence",
" 0.081, !- Back Side Visible Reflectance at Normal Incidence",
" 0.0, !- Infrared Transmittance at Normal Incidence",
" 0.84, !- Front Side Infrared Hemispherical Emissivity",
" 0.84, !- Back Side Infrared Hemispherical Emissivity",
" 0.9; !- Conductivity {W/m-K}",
" WindowMaterial:Glazing,",
" GREY 3MM, !- Name",
" SpectralAverage, !- Optical Data Type",
" , !- Window Glass Spectral Data Set Name",
" 0.003, !- Thickness {m}",
" 0.626, !- Solar Transmittance at Normal Incidence",
" 0.061, !- Front Side Solar Reflectance at Normal Incidence",
" 0.061, !- Back Side Solar Reflectance at Normal Incidence",
" 0.611, !- Visible Transmittance at Normal Incidence",
" 0.061, !- Front Side Visible Reflectance at Normal Incidence",
" 0.061, !- Back Side Visible Reflectance at Normal Incidence",
" 0.0, !- Infrared Transmittance at Normal Incidence",
" 0.84, !- Front Side Infrared Hemispherical Emissivity",
" 0.84, !- Back Side Infrared Hemispherical Emissivity",
" 0.9; !- Conductivity {W/m-K}",
" WindowMaterial:Glazing,",
" CLEAR 6MM, !- Name",
" SpectralAverage, !- Optical Data Type",
" , !- Window Glass Spectral Data Set Name",
" 0.006, !- Thickness {m}",
" 0.775, !- Solar Transmittance at Normal Incidence",
" 0.071, !- Front Side Solar Reflectance at Normal Incidence",
" 0.071, !- Back Side Solar Reflectance at Normal Incidence",
" 0.881, !- Visible Transmittance at Normal Incidence",
" 0.080, !- Front Side Visible Reflectance at Normal Incidence",
" 0.080, !- Back Side Visible Reflectance at Normal Incidence",
" 0.0, !- Infrared Transmittance at Normal Incidence",
" 0.84, !- Front Side Infrared Hemispherical Emissivity",
" 0.84, !- Back Side Infrared Hemispherical Emissivity",
" 0.9; !- Conductivity {W/m-K}",
" WindowMaterial:Glazing,",
" LoE CLEAR 6MM, !- Name",
" SpectralAverage, !- Optical Data Type",
" , !- Window Glass Spectral Data Set Name",
" 0.006, !- Thickness {m}",
" 0.600, !- Solar Transmittance at Normal Incidence",
" 0.170, !- Front Side Solar Reflectance at Normal Incidence",
" 0.220, !- Back Side Solar Reflectance at Normal Incidence",
" 0.840, !- Visible Transmittance at Normal Incidence",
" 0.055, !- Front Side Visible Reflectance at Normal Incidence",
" 0.078, !- Back Side Visible Reflectance at Normal Incidence",
" 0.0, !- Infrared Transmittance at Normal Incidence",
" 0.84, !- Front Side Infrared Hemispherical Emissivity",
" 0.10, !- Back Side Infrared Hemispherical Emissivity",
" 0.9; !- Conductivity {W/m-K}",
" WindowMaterial:Gas,",
" AIR 6MM, !- Name",
" Air, !- Gas Type",
" 0.0063; !- Thickness {m}",
" WindowMaterial:Gas,",
" AIR 13MM, !- Name",
" Air, !- Gas Type",
" 0.0127; !- Thickness {m}",
" WindowMaterial:Gas,",
" ARGON 13MM, !- Name",
" Argon, !- Gas Type",
" 0.0127; !- Thickness {m}",
" Construction,",
" ROOF-1, !- Name",
" RG01, !- Outside Layer",
" BR01, !- Layer 2",
" IN46, !- Layer 3",
" WD01; !- Layer 4",
" Construction,",
" WALL-1, !- Name",
" WD01, !- Outside Layer",
" PW03, !- Layer 2",
" IN02, !- Layer 3",
" GP01; !- Layer 4",
" Construction,",
" CLNG-1, !- Name",
" MAT-CLNG-1; !- Outside Layer",
" Construction,",
" SB-U, !- Name",
" MAT-SB-U; !- Outside Layer",
" Construction,",
" FLOOR-1, !- Name",
" MAT-FLOOR-1; !- Outside Layer",
" Construction,",
" FLOOR-SLAB-1, !- Name",
" CONCRETE, !- Outside Layer",
" INS - EXPANDED EXT POLYSTYRENE R12, !- Layer 2",
" CONC, !- Layer 3",
" FINISH FLOORING - TILE 1 / 16 IN; !- Layer 4",
" Construction,",
" INT-WALL-1, !- Name",
" GP02, !- Outside Layer",
" AL21, !- Layer 2",
" GP02; !- Layer 3",
" Construction,",
" Dbl Clr 3mm/13mm Air, !- Name",
" CLEAR 3MM, !- Outside Layer",
" AIR 13MM, !- Layer 2",
" CLEAR 3MM; !- Layer 3",
" Construction,",
" Dbl Clr 3mm/13mm Arg, !- Name",
" CLEAR 3MM, !- Outside Layer",
" ARGON 13MM, !- Layer 2",
" CLEAR 3MM; !- Layer 3",
" Construction,",
" Sgl Grey 3mm, !- Name",
" GREY 3MM; !- Outside Layer",
" Construction,",
" Dbl Clr 6mm/6mm Air, !- Name",
" CLEAR 6MM, !- Outside Layer",
" AIR 6MM, !- Layer 2",
" CLEAR 6MM; !- Layer 3",
" Construction,",
" Dbl LoE (e2=.1) Clr 6mm/6mm Air, !- Name",
" LoE CLEAR 6MM, !- Outside Layer",
" AIR 6MM, !- Layer 2",
" CLEAR 6MM; !- Layer 3",
" Construction:InternalSource,",
" Ceiling with Radiant, !- Name",
" 2, !- Source Present After Layer Number",
" 2, !- Temperature Calculation Requested After Layer Number",
" 1, !- Dimensions for the CTF Calculation",
" 0.1524, !- Tube Spacing {m}",
" CLN-INS, !- Outside Layer",
" GYP1, !- Layer 2",
" GYP2, !- Layer 3",
" MAT-CLNG-1; !- Layer 4",
" Construction:InternalSource,",
" reverseCeiling with Radiant, !- Name",
" 2, !- Source Present After Layer Number",
" 2, !- Temperature Calculation Requested After Layer Number",
" 1, !- Dimensions for the CTF Calculation",
" 0.1524, !- Tube Spacing {m}",
" MAT-CLNG-1, !- Outside Layer",
" GYP2, !- Layer 2",
" GYP1, !- Layer 3",
" CLN-INS; !- Layer 4",
" Construction:InternalSource,",
" Floor with Radiant, !- Name",
" 2, !- Source Present After Layer Number",
" 2, !- Temperature Calculation Requested After Layer Number",
" 1, !- Dimensions for the CTF Calculation",
" 0.1524, !- Tube Spacing {m}",
" INS - EXPANDED EXT POLYSTYRENE R12, !- Outside Layer",
" CONC, !- Layer 2",
" CONC, !- Layer 3",
" FINISH FLOORING - TILE 1 / 16 IN; !- Layer 4",
" GlobalGeometryRules,",
" UpperLeftCorner, !- Starting Vertex Position",
" CounterClockWise, !- Vertex Entry Direction",
" relative; !- Coordinate System",
" Zone,",
" PLENUM-1, !- Name",
" 0, !- Direction of Relative North {deg}",
" 0, !- X Origin {m}",
" 0, !- Y Origin {m}",
" 0, !- Z Origin {m}",
" 1, !- Type",
" 1, !- Multiplier",
" 0.609600067, !- Ceiling Height {m}",
" 283.2; !- Volume {m3}",
" Zone,",
" SPACE1-1, !- Name",
" 0, !- Direction of Relative North {deg}",
" 0, !- X Origin {m}",
" 0, !- Y Origin {m}",
" 0, !- Z Origin {m}",
" 1, !- Type",
" 1, !- Multiplier",
" 2.438400269, !- Ceiling Height {m}",
" 239.247360229; !- Volume {m3}",
" Zone,",
" SPACE2-1, !- Name",
" 0, !- Direction of Relative North {deg}",
" 0, !- X Origin {m}",
" 0, !- Y Origin {m}",
" 0, !- Z Origin {m}",
" 1, !- Type",
" 1, !- Multiplier",
" 2.438400269, !- Ceiling Height {m}",
" 103.311355591; !- Volume {m3}",
" Zone,",
" SPACE3-1, !- Name",
" 0, !- Direction of Relative North {deg}",
" 0, !- X Origin {m}",
" 0, !- Y Origin {m}",
" 0, !- Z Origin {m}",
" 1, !- Type",
" 1, !- Multiplier",
" 2.438400269, !- Ceiling Height {m}",
" 239.247360229; !- Volume {m3}",
" Zone,",
" SPACE4-1, !- Name",
" 0, !- Direction of Relative North {deg}",
" 0, !- X Origin {m}",
" 0, !- Y Origin {m}",
" 0, !- Z Origin {m}",
" 1, !- Type",
" 1, !- Multiplier",
" 2.438400269, !- Ceiling Height {m}",
" 103.311355591; !- Volume {m3}",
" Zone,",
" SPACE5-1, !- Name",
" 0, !- Direction of Relative North {deg}",
" 0, !- X Origin {m}",
" 0, !- Y Origin {m}",
" 0, !- Z Origin {m}",
" 1, !- Type",
" 1, !- Multiplier",
" 2.438400269, !- Ceiling Height {m}",
" 447.682556152; !- Volume {m3}",
" BuildingSurface:Detailed,",
" WALL-1PF, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,0.0,3.0, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,0.0,3.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" WALL-1PR, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,0.0,3.0, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,15.2,3.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" WALL-1PB, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,15.2,3.0, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,15.2,3.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" WALL-1PL, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,15.2,3.0, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,0.0,3.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" TOP-1, !- Name",
" ROOF, !- Surface Type",
" ROOF-1, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.00000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,15.2,3.0, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,3.0, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,3.0, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,15.2,3.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C1-1P, !- Name",
" FLOOR, !- Surface Type",
" reverseceiling with Radiant, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C1-1, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C2-1P, !- Name",
" FLOOR, !- Surface Type",
" reverseCeiling with Radiant, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C2-1, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C3-1P, !- Name",
" FLOOR, !- Surface Type",
" reverseCeiling with Radiant, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C3-1, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,15.2,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C4-1P, !- Name",
" FLOOR, !- Surface Type",
" reverseCeiling with Radiant, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C4-1, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C5-1P, !- Name",
" FLOOR, !- Surface Type",
" reverseceiling with Radiant, !- Construction Name",
" PLENUM-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C5-1, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" FRONT-1, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" SPACE1-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,0.0,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C1-1, !- Name",
" CEILING, !- Surface Type",
" ceiling with Radiant, !- Construction Name",
" SPACE1-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C1-1P, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" F1-1, !- Name",
" FLOOR, !- Surface Type",
" FLOOR-1, !- Construction Name",
" SPACE1-1, !- Zone Name",
" Ground, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,3.7,0.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB12, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE1-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB21, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB14, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE1-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB41, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,0.0,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB15, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE1-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB51, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" RIGHT-1, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" SPACE2-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,15.2,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C2-1, !- Name",
" CEILING, !- Surface Type",
" Ceiling with Radiant, !- Construction Name",
" SPACE2-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C2-1P, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,0.0,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" F2-1, !- Name",
" FLOOR, !- Surface Type",
" Floor with radiant, !- Construction Name",
" SPACE2-1, !- Zone Name",
" Ground, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,15.2,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,3.7,0.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB21, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE2-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB12, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,0.0,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB23, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE2-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB32, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,15.2,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB25, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE2-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB52, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" BACK-1, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" SPACE3-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,15.2,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,15.2,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C3-1, !- Name",
" CEILING, !- Surface Type",
" Ceiling with Radiant, !- Construction Name",
" SPACE3-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C3-1P, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 30.5,15.2,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" F3-1, !- Name",
" FLOOR, !- Surface Type",
" FLOOR-1, !- Construction Name",
" SPACE3-1, !- Zone Name",
" Ground, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,15.2,0.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB32, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE3-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB23, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,15.2,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB34, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE3-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB43, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,15.2,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB35, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE3-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB53, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" LEFT-1, !- Name",
" WALL, !- Surface Type",
" WALL-1, !- Construction Name",
" SPACE4-1, !- Zone Name",
" Outdoors, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" SunExposed, !- Sun Exposure",
" WindExposed, !- Wind Exposure",
" 0.50000, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,15.2,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,0.0,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C4-1, !- Name",
" CEILING, !- Surface Type",
" Ceiling with Radiant, !- Construction Name",
" SPACE4-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C4-1P, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,15.2,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" F4-1, !- Name",
" FLOOR, !- Surface Type",
" FLOOR-1, !- Construction Name",
" SPACE4-1, !- Zone Name",
" Ground, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,0.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB41, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE4-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB14, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 0.0,0.0,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB43, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE4-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB34, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,15.2,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB45, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE4-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB54, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" C5-1, !- Name",
" CEILING, !- Surface Type",
" ceiling with Radiant, !- Construction Name",
" SPACE5-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" C5-1P, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" F5-1, !- Name",
" FLOOR, !- Surface Type",
" FLOOR-1, !- Construction Name",
" SPACE5-1, !- Zone Name",
" Ground, !- Outside Boundary Condition",
" , !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,0.0; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB51, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE5-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB15, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB52, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE5-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB25, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,3.7,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,3.7,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 26.8,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB53, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE5-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB35, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 26.8,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 26.8,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,11.6,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" BuildingSurface:Detailed,",
" SB54, !- Name",
" WALL, !- Surface Type",
" INT-WALL-1, !- Construction Name",
" SPACE5-1, !- Zone Name",
" Surface, !- Outside Boundary Condition",
" SB45, !- Outside Boundary Condition Object",
" NoSun, !- Sun Exposure",
" NoWind, !- Wind Exposure",
" 0.0, !- View Factor to Ground",
" 4, !- Number of Vertices",
" 3.7,11.6,2.4, !- X,Y,Z ==> Vertex 1 {m}",
" 3.7,11.6,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 3.7,3.7,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 3.7,3.7,2.4; !- X,Y,Z ==> Vertex 4 {m}",
" FenestrationSurface:Detailed,",
" WF-1, !- Name",
" WINDOW, !- Surface Type",
" Dbl Clr 3mm/13mm Air, !- Construction Name",
" FRONT-1, !- Building Surface Name",
" , !- Outside Boundary Condition Object",
" 0.50000, !- View Factor to Ground",
" , !- Frame and Divider Name",
" 1, !- Multiplier",
" 4, !- Number of Vertices",
" 3.0,0.0,2.1, !- X,Y,Z ==> Vertex 1 {m}",
" 3.0,0.0,0.9, !- X,Y,Z ==> Vertex 2 {m}",
" 16.8,0.0,0.9, !- X,Y,Z ==> Vertex 3 {m}",
" 16.8,0.0,2.1; !- X,Y,Z ==> Vertex 4 {m}",
" FenestrationSurface:Detailed,",
" DF-1, !- Name",
" GLASSDOOR, !- Surface Type",
" Sgl Grey 3mm, !- Construction Name",
" FRONT-1, !- Building Surface Name",
" , !- Outside Boundary Condition Object",
" 0.50000, !- View Factor to Ground",
" , !- Frame and Divider Name",
" 1, !- Multiplier",
" 4, !- Number of Vertices",
" 21.3,0.0,2.1, !- X,Y,Z ==> Vertex 1 {m}",
" 21.3,0.0,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 23.8,0.0,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 23.8,0.0,2.1; !- X,Y,Z ==> Vertex 4 {m}",
" FenestrationSurface:Detailed,",
" WR-1, !- Name",
" WINDOW, !- Surface Type",
" Dbl Clr 3mm/13mm Air, !- Construction Name",
" RIGHT-1, !- Building Surface Name",
" , !- Outside Boundary Condition Object",
" 0.50000, !- View Factor to Ground",
" , !- Frame and Divider Name",
" 1, !- Multiplier",
" 4, !- Number of Vertices",
" 30.5,3.8,2.1, !- X,Y,Z ==> Vertex 1 {m}",
" 30.5,3.8,0.9, !- X,Y,Z ==> Vertex 2 {m}",
" 30.5,11.4,0.9, !- X,Y,Z ==> Vertex 3 {m}",
" 30.5,11.4,2.1; !- X,Y,Z ==> Vertex 4 {m}",
" FenestrationSurface:Detailed,",
" WB-1, !- Name",
" WINDOW, !- Surface Type",
" Dbl Clr 3mm/13mm Air, !- Construction Name",
" BACK-1, !- Building Surface Name",
" , !- Outside Boundary Condition Object",
" 0.50000, !- View Factor to Ground",
" , !- Frame and Divider Name",
" 1, !- Multiplier",
" 4, !- Number of Vertices",
" 27.4,15.2,2.1, !- X,Y,Z ==> Vertex 1 {m}",
" 27.4,15.2,0.9, !- X,Y,Z ==> Vertex 2 {m}",
" 13.7,15.2,0.9, !- X,Y,Z ==> Vertex 3 {m}",
" 13.7,15.2,2.1; !- X,Y,Z ==> Vertex 4 {m}",
" FenestrationSurface:Detailed,",
" DB-1, !- Name",
" GLASSDOOR, !- Surface Type",
" Sgl Grey 3mm, !- Construction Name",
" BACK-1, !- Building Surface Name",
" , !- Outside Boundary Condition Object",
" 0.50000, !- View Factor to Ground",
" , !- Frame and Divider Name",
" 1, !- Multiplier",
" 4, !- Number of Vertices",
" 9.1,15.2,2.1, !- X,Y,Z ==> Vertex 1 {m}",
" 9.1,15.2,0.0, !- X,Y,Z ==> Vertex 2 {m}",
" 7.0,15.2,0.0, !- X,Y,Z ==> Vertex 3 {m}",
" 7.0,15.2,2.1; !- X,Y,Z ==> Vertex 4 {m}",
" FenestrationSurface:Detailed,",
" WL-1, !- Name",
" WINDOW, !- Surface Type",
" Dbl Clr 3mm/13mm Air, !- Construction Name",
" LEFT-1, !- Building Surface Name",
" , !- Outside Boundary Condition Object",
" 0.50000, !- View Factor to Ground",
" , !- Frame and Divider Name",
" 1, !- Multiplier",
" 4, !- Number of Vertices",
" 0.0,11.4,2.1, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,11.4,0.9, !- X,Y,Z ==> Vertex 2 {m}",
" 0.0,3.8,0.9, !- X,Y,Z ==> Vertex 3 {m}",
" 0.0,3.8,2.1; !- X,Y,Z ==> Vertex 4 {m}",
" Shading:Zone:Detailed,",
" Main South Overhang, !- Name",
" FRONT-1, !- Base Surface Name",
" ShadeTransSch, !- Transmittance Schedule Name",
" 4, !- Number of Vertices",
" 0.0,-1.3,2.2, !- X,Y,Z ==> Vertex 1 {m}",
" 0.0,0.0,2.2, !- X,Y,Z ==> Vertex 2 {m}",
" 19.8,0.0,2.2, !- X,Y,Z ==> Vertex 3 {m}",
" 19.8,-1.3,2.2; !- X,Y,Z ==> Vertex 4 {m}",
" Shading:Zone:Detailed,",
" South Door Overhang, !- Name",
" FRONT-1, !- Base Surface Name",
" ShadeTransSch, !- Transmittance Schedule Name",
" 4, !- Number of Vertices",
" 21.0,-2.0,2.6, !- X,Y,Z ==> Vertex 1 {m}",
" 21.0,0.0,2.6, !- X,Y,Z ==> Vertex 2 {m}",
" 24.1,0.0,2.6, !- X,Y,Z ==> Vertex 3 {m}",
" 24.1,-2.0,2.6; !- X,Y,Z ==> Vertex 4 {m}",
" ZoneHVAC:VentilatedSlab,",
" Zone1VentSlab, !- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" SPACE1-1, !- Zone Name",
" Z125, !- Surface Name or Radiant Surface Group Name",
" 0.84, !- Maximum Air Flow Rate {m3/s}",
" VariablePercent, !- Outdoor Air Control Type",
" 0.168, !- Minimum Outdoor Air Flow Rate {m3/s}",
" FanAndCoilAvailSched, !- Minimum Outdoor Air Schedule Name",
" 0.84, !- Maximum Outdoor Air Flow Rate {m3/s}",
" VentSlabMaxOA, !- Maximum Outdoor Air Fraction or Temperature Schedule Name",
" SeriesSlabs, !- System Configuration Type",
" 0, !- Hollow Core Inside Diameter {m}",
" 0, !- Hollow Core Length {m}",
" 0, !- Number of Cores",
" MeanAirTemperature, !- Temperature Control Type",
" VentSlabHotHighAir, !- Heating High Air Temperature Schedule Name",
" VentSlabHotLowAir, !- Heating Low Air Temperature Schedule Name",
" VentSlabHotHighControl, !- Heating High Control Temperature Schedule Name",
" VentSlabHotLowControl, !- Heating Low Control Temperature Schedule Name",
" VentSlabCoolHighAir, !- Cooling High Air Temperature Schedule Name",
" VentSlabCoolLowAir, !- Cooling Low Air Temperature Schedule Name",
" VentSlabCoolHighControl, !- Cooling High Control Temperature Schedule Name",
" VentSlabCoolLowControl, !- Cooling Low Control Temperature Schedule Name",
" Zone1VentSlabReturnAirNode, !- Return Air Node Name",
" Zone1VentslabSlabInNode, !- Slab In Node Name",
" , !- Zone Supply Air Node Name",
" Zone1VentSlabOAInNode, !- Outdoor Air Node Name",
" Zone1VentSlabExhNode, !- Relief Air Node Name",
" Zone1VentSlabOAMixerOutletNode, !- Outdoor Air Mixer Outlet Node Name",
" Zone1VentSlabFanOutletNode, !- Fan Outlet Node Name",
" Zone1VentSlabFan, !- Fan Name",
" HeatingAndCooling, !- Coil Option Type",
" Coil:Heating:Water, !- Heating Coil Object Type",
" Zone1VentSlabHeatingCoil,!- Heating Coil Name",
" Zone1VentSlabHwInLetNode,!- Hot Water or Steam Inlet Node Name",
" Coil:Cooling:Water, !- Cooling Coil Object Type",
" Zone1VentSlabCoolingCoil,!- Cooling Coil Name",
" Zone1VentSlabChWInletNode; !- Cold Water Inlet Node Name",
" ZoneHVAC:VentilatedSlab,",
" Zone4VentSlab, !- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" SPACE4-1, !- Zone Name",
" Z43, !- Surface Name or Radiant Surface Group Name",
" 0.84, !- Maximum Air Flow Rate {m3/s}",
" VariablePercent, !- Outdoor Air Control Type",
" 0.168, !- Minimum Outdoor Air Flow Rate {m3/s}",
" FanAndCoilAvailSched, !- Minimum Outdoor Air Schedule Name",
" 0.84, !- Maximum Outdoor Air Flow Rate {m3/s}",
" VentSlabMaxOA, !- Maximum Outdoor Air Fraction or Temperature Schedule Name",
" SeriesSlabs, !- System Configuration Type",
" 0, !- Hollow Core Inside Diameter {m}",
" 0, !- Hollow Core Length {m}",
" 0, !- Number of Cores",
" OutdoorDryBulbTemperature, !- Temperature Control Type",
" VentSlabHotHighAir, !- Heating High Air Temperature Schedule Name",
" VentSlabHotLowAir, !- Heating Low Air Temperature Schedule Name",
" VentSlabHotHighControl, !- Heating High Control Temperature Schedule Name",
" VentSlabHotLowControl, !- Heating Low Control Temperature Schedule Name",
" VentSlabCoolHighAir, !- Cooling High Air Temperature Schedule Name",
" VentSlabCoolLowAir, !- Cooling Low Air Temperature Schedule Name",
" VentSlabCoolHighControl, !- Cooling High Control Temperature Schedule Name",
" VentSlabCoolLowControl2, !- Cooling Low Control Temperature Schedule Name",
" Zone4VentSlabReturnAirNode, !- Return Air Node Name",
" Zone4VentslabSlabInNode, !- Slab In Node Name",
" , !- Zone Supply Air Node Name",
" Zone4VentSlabOAInNode, !- Outdoor Air Node Name",
" Zone4VentSlabExhNode, !- Relief Air Node Name",
" Zone4VentSlabOAMixerOutletNode, !- Outdoor Air Mixer Outlet Node Name",
" Zone4VentSlabFanOutletNode, !- Fan Outlet Node Name",
" Zone4VentSlabFan, !- Fan Name",
" HeatingAndCooling, !- Coil Option Type",
" Coil:Heating:Electric, !- Heating Coil Object Type",
" Zone4VentSlabHeatingCoil,!- Heating Coil Name",
" , !- Hot Water or Steam Inlet Node Name",
" Coil:Cooling:Water, !- Cooling Coil Object Type",
" Zone4VentSlabCoolingCoil,!- Cooling Coil Name",
" Zone4VentSlabChWInletNode; !- Cold Water Inlet Node Name",
" ZoneHVAC:VentilatedSlab:SlabGroup,",
" Z125, !- Name",
" SPACE1-1, !- Zone 1 Name",
" C1-1, !- Surface 1 Name",
" 0.05, !- Core Diameter for Surface 1 {m}",
" 30, !- Core Length for Surface 1 {m}",
" 20, !- Core Numbers for Surface 1",
" Z1VentslabIn, !- Slab Inlet Node Name for Surface 1",
" Z1VentSlabout, !- Slab Outlet Node Name for Surface 1",
" SPACE2-1, !- Zone 2 Name",
" C2-1, !- Surface 2 Name",
" 0.05, !- Core Diameter for Surface 2 {m}",
" 15, !- Core Length for Surface 2 {m}",
" 20, !- Core Numbers for Surface 2",
" Z2VentSlabIn, !- Slab Inlet Node Name for Surface 2",
" Z2VentSlabOut, !- Slab Outlet Node Name for Surface 2",
" SPACE5-1, !- Zone 3 Name",
" C5-1, !- Surface 3 Name",
" 0.05, !- Core Diameter for Surface 3 {m}",
" 30, !- Core Length for Surface 3 {m}",
" 20, !- Core Numbers for Surface 3",
" Z5VentSlabIn, !- Slab Inlet Node Name for Surface 3",
" Z5VentSlabOut; !- Slab Outlet Node Name for Surface 3",
" ZoneHVAC:VentilatedSlab:SlabGroup,",
" Z43, !- Name",
" SPACE4-1, !- Zone 1 Name",
" C4-1, !- Surface 1 Name",
" 0.05, !- Core Diameter for Surface 1 {m}",
" 30, !- Core Length for Surface 1 {m}",
" 20, !- Core Numbers for Surface 1",
" Z4VentSlabIn, !- Slab Inlet Node Name for Surface 1",
" Z4VentSlabOut, !- Slab Outlet Node Name for Surface 1",
" SPACE3-1, !- Zone 2 Name",
" C3-1, !- Surface 2 Name",
" 0.05, !- Core Diameter for Surface 2 {m}",
" 30, !- Core Length for Surface 2 {m}",
" 20, !- Core Numbers for Surface 2",
" Z3VentSlabIn, !- Slab Inlet Node Name for Surface 2",
" Z3VentSlabOut; !- Slab Outlet Node Name for Surface 2",
" ZoneHVAC:EquipmentList,",
" Zone1Equipment, !- Name",
" SequentialLoad, !- Load Distribution Scheme",
" ZoneHVAC:VentilatedSlab, !- Zone Equipment 1 Object Type",
" Zone1VentSlab, !- Zone Equipment 1 Name",
" 1, !- Zone Equipment 1 Cooling Sequence",
" 1; !- Zone Equipment 1 Heating or No-Load Sequence",
" ZoneHVAC:EquipmentList,",
" Zone4Equipment, !- Name",
" SequentialLoad, !- Load Distribution Scheme",
" ZoneHVAC:VentilatedSlab, !- Zone Equipment 1 Object Type",
" Zone4VentSlab, !- Zone Equipment 1 Name",
" 1, !- Zone Equipment 1 Cooling Sequence",
" 1; !- Zone Equipment 1 Heating or No-Load Sequence",
" ZoneHVAC:EquipmentConnections,",
" SPACE1-1, !- Zone Name",
" Zone1Equipment, !- Zone Conditioning Equipment List Name",
" , !- Zone Air Inlet Node or NodeList Name",
" , !- Zone Air Exhaust Node or NodeList Name",
" Zone 1 Node, !- Zone Air Node Name",
" Zone 1 Outlet Node; !- Zone Return Air Node Name",
" ZoneHVAC:EquipmentConnections,",
" SPACE4-1, !- Zone Name",
" Zone4Equipment, !- Zone Conditioning Equipment List Name",
" , !- Zone Air Inlet Node or NodeList Name",
" , !- Zone Air Exhaust Node or NodeList Name",
" Zone 4 Node, !- Zone Air Node Name",
" Zone 4 Outlet Node; !- Zone Return Air Node Name",
" Fan:ConstantVolume,",
" Zone1VentSlabFan, !- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" 0.5, !- Fan Total Efficiency",
" 75.0, !- Pressure Rise {Pa}",
" 0.84, !- Maximum Flow Rate {m3/s}",
" 0.9, !- Motor Efficiency",
" 1.0, !- Motor In Airstream Fraction",
" Zone1VentSlabOAMixerOutletNode, !- Air Inlet Node Name",
" Zone1VentSlabFanOutletNode; !- Air Outlet Node Name",
" Fan:ConstantVolume,",
" Zone4VentSlabFan, !- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" 0.5, !- Fan Total Efficiency",
" 75.0, !- Pressure Rise {Pa}",
" 0.84, !- Maximum Flow Rate {m3/s}",
" 0.9, !- Motor Efficiency",
" 1.0, !- Motor In Airstream Fraction",
" Zone4VentSlabOAMixerOutletNode, !- Air Inlet Node Name",
" Zone4VentSlabFanOutletNode; !- Air Outlet Node Name",
" Coil:Cooling:Water,",
" Zone1VentSlabCoolingCoil,!- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" 0.0010, !- Design Water Flow Rate {m3/s}",
" 0.84, !- Design Air Flow Rate {m3/s}",
" 6.67, !- Design Inlet Water Temperature {C}",
" 35, !- Design Inlet Air Temperature {C}",
" 13.23, !- Design Outlet Air Temperature {C}",
" 0.013, !- Design Inlet Air Humidity Ratio {kgWater/kgDryAir}",
" 0.0087138, !- Design Outlet Air Humidity Ratio {kgWater/kgDryAir}",
" Zone1VentSlabChWInletNode, !- Water Inlet Node Name",
" Zone1VentSlabChWOutletNode, !- Water Outlet Node Name",
" Zone1VentSlabFanOutletNode, !- Air Inlet Node Name",
" Zone1VentSlabCCoutletNode, !- Air Outlet Node Name",
" SimpleAnalysis, !- Type of Analysis",
" CrossFlow; !- Heat Exchanger Configuration",
" Coil:Cooling:Water,",
" Zone4VentSlabCoolingCoil,!- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" 0.0010, !- Design Water Flow Rate {m3/s}",
" 0.84, !- Design Air Flow Rate {m3/s}",
" 6.67, !- Design Inlet Water Temperature {C}",
" 35, !- Design Inlet Air Temperature {C}",
" 13.23, !- Design Outlet Air Temperature {C}",
" 0.013, !- Design Inlet Air Humidity Ratio {kgWater/kgDryAir}",
" 0.0087138, !- Design Outlet Air Humidity Ratio {kgWater/kgDryAir}",
" Zone4VentSlabChWInletNode, !- Water Inlet Node Name",
" Zone4VentSlabChWOutletNode, !- Water Outlet Node Name",
" Zone4VentSlabFanOutletNode, !- Air Inlet Node Name",
" Zone4VentSlabCCoutletNode, !- Air Outlet Node Name",
" SimpleAnalysis, !- Type of Analysis",
" CrossFlow; !- Heat Exchanger Configuration",
" Coil:Heating:Water,",
" Zone1VentSlabHeatingCoil,!- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" 400., !- U-Factor Times Area Value {W/K}",
" 0.8, !- Maximum Water Flow Rate {m3/s}",
" Zone1VentSlabHWInletNode,!- Water Inlet Node Name",
" Zone1VentSlabHWOutletNode, !- Water Outlet Node Name",
" Zone1VentSlabCCOutletNode, !- Air Inlet Node Name",
" Zone1VentslabSlabInNode, !- Air Outlet Node Name",
" NominalCapacity, !- Performance Input Method",
" 40000, !- Rated Capacity {W}",
" , !- Rated Inlet Water Temperature {C}",
" , !- Rated Inlet Air Temperature {C}",
" , !- Rated Outlet Water Temperature {C}",
" , !- Rated Outlet Air Temperature {C}",
" ; !- Rated Ratio for Air and Water Convection",
" Coil:Heating:Electric,",
" Zone4VentSlabHeatingCoil,!- Name",
" FanAndCoilAvailSched, !- Availability Schedule Name",
" 0.99, !- Efficiency",
" 40000, !- Nominal Capacity {W}",
" Zone4VentSlabCCOutletNode, !- Air Inlet Node Name",
" Zone4VentSlabSlabInNode; !- Air Outlet Node Name",
" Branch,",
" Cooling Supply Inlet Branch, !- Name",
" , !- Pressure Drop Curve Name",
" Pump:VariableSpeed, !- Component 1 Object Type",
" ChW Circ Pump, !- Component 1 Name",
" ChW Supply Inlet Node, !- Component 1 Inlet Node Name",
" ChW Pump Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Cooling Purchased Chilled Water Branch, !- Name",
" , !- Pressure Drop Curve Name",
" DistrictCooling, !- Component 1 Object Type",
" Purchased Cooling, !- Component 1 Name",
" Purchased Cooling Inlet Node, !- Component 1 Inlet Node Name",
" Purchased Cooling Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Cooling Supply Bypass Branch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" Cooling Supply Side Bypass, !- Component 1 Name",
" Cooling Supply Bypass Inlet Node, !- Component 1 Inlet Node Name",
" Cooling Supply Bypass Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Cooling Supply Outlet Branch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" Cooling Supply Outlet, !- Component 1 Name",
" Cooling Supply Exit Pipe Inlet Node, !- Component 1 Inlet Node Name",
" ChW Supply Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" ZonesChWInletBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" ZonesChWInletPipe, !- Component 1 Name",
" ChW Demand Inlet Node, !- Component 1 Inlet Node Name",
" ChW Demand Entrance Pipe Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" ZonesChWOutletBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" ZonesChWOutletPipe, !- Component 1 Name",
" ChW Demand Exit Pipe Inlet Node, !- Component 1 Inlet Node Name",
" ChW Demand Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Zone1ChWBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Coil:Cooling:Water, !- Component 1 Object Type",
" Zone1VentSlabCoolingCoil,!- Component 1 Name",
" Zone1VentSlabChWInletNode, !- Component 1 Inlet Node Name",
" Zone1VentSlabChWOutletNode; !- Component 1 Outlet Node Name",
" Branch,",
" ZonesChWBypassBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" ZonesChWBypassPipe, !- Component 1 Name",
" ZonesChWBypassInletNode, !- Component 1 Inlet Node Name",
" ZonesChWBypassOutletNode;!- Component 1 Outlet Node Name",
" Branch,",
" Heating Supply Inlet Branch, !- Name",
" , !- Pressure Drop Curve Name",
" Pump:VariableSpeed, !- Component 1 Object Type",
" HW Circ Pump, !- Component 1 Name",
" HW Supply Inlet Node, !- Component 1 Inlet Node Name",
" HW Pump Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Heating Purchased Hot Water Branch, !- Name",
" , !- Pressure Drop Curve Name",
" DistrictHeating, !- Component 1 Object Type",
" Purchased Heating, !- Component 1 Name",
" Purchased Heat Inlet Node, !- Component 1 Inlet Node Name",
" Purchased Heat Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Heating Supply Bypass Branch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" Heating Supply Side Bypass, !- Component 1 Name",
" Heating Supply Bypass Inlet Node, !- Component 1 Inlet Node Name",
" Heating Supply Bypass Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Heating Supply Outlet Branch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" Heating Supply Outlet, !- Component 1 Name",
" Heating Supply Exit Pipe Inlet Node, !- Component 1 Inlet Node Name",
" HW Supply Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" ZonesHWInletBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" ZonesHWInletPipe, !- Component 1 Name",
" HW Demand Inlet Node, !- Component 1 Inlet Node Name",
" HW Demand Entrance Pipe Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" ZonesHWOutletBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" ZonesHWOutletPipe, !- Component 1 Name",
" HW Demand Exit Pipe Inlet Node, !- Component 1 Inlet Node Name",
" HW Demand Outlet Node; !- Component 1 Outlet Node Name",
" Branch,",
" Zone1HWBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Coil:Heating:Water, !- Component 1 Object Type",
" Zone1VentSlabHeatingCoil,!- Component 1 Name",
" Zone1VentSlabHWInletNode,!- Component 1 Inlet Node Name",
" Zone1VentSlabHWOutletNode; !- Component 1 Outlet Node Name",
" Branch,",
" ZonesHWBypassBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Pipe:Adiabatic, !- Component 1 Object Type",
" ZonesHWBypassPipe, !- Component 1 Name",
" ZonesHWBypassInletNode, !- Component 1 Inlet Node Name",
" ZonesHWBypassOutletNode; !- Component 1 Outlet Node Name",
" Branch,",
" Zone4ChWBranch, !- Name",
" , !- Pressure Drop Curve Name",
" Coil:Cooling:Water, !- Component 1 Object Type",
" Zone4VentSlabCoolingCoil,!- Component 1 Name",
" Zone4VentSlabChWInletNode, !- Component 1 Inlet Node Name",
" Zone4VentSlabChWOutletNode; !- Component 1 Outlet Node Name",
" BranchList,",
" Cooling Supply Side Branches, !- Name",
" Cooling Supply Inlet Branch, !- Branch 1 Name",
" Cooling Purchased Chilled Water Branch, !- Branch 2 Name",
" Cooling Supply Bypass Branch, !- Branch 3 Name",
" Cooling Supply Outlet Branch; !- Branch 4 Name",
" BranchList,",
" Cooling Demand Side Branches, !- Name",
" ZonesChWInletBranch, !- Branch 1 Name",
" Zone1ChWBranch, !- Branch 2 Name",
" Zone4ChWBranch, !- Branch 3 Name",
" ZonesChWBypassBranch, !- Branch 4 Name",
" ZonesChWOutletBranch; !- Branch 5 Name",
" BranchList,",
" Heating Supply Side Branches, !- Name",
" Heating Supply Inlet Branch, !- Branch 1 Name",
" Heating Purchased Hot Water Branch, !- Branch 2 Name",
" Heating Supply Bypass Branch, !- Branch 3 Name",
" Heating Supply Outlet Branch; !- Branch 4 Name",
" BranchList,",
" Heating Demand Side Branches, !- Name",
" ZonesHWInletBranch, !- Branch 1 Name",
" Zone1HWBranch, !- Branch 2 Name",
" ZonesHWBypassBranch, !- Branch 3 Name",
" ZonesHWOutletBranch; !- Branch 4 Name",
" Connector:Splitter,",
" Cooling Supply Splitter, !- Name",
" Cooling Supply Inlet Branch, !- Inlet Branch Name",
" Cooling Purchased Chilled Water Branch, !- Outlet Branch 1 Name",
" Cooling Supply Bypass Branch; !- Outlet Branch 2 Name",
" Connector:Splitter,",
" Zones ChW Splitter, !- Name",
" ZonesChWInletBranch, !- Inlet Branch Name",
" Zone1ChWBranch, !- Outlet Branch 1 Name",
" Zone4ChWBranch, !- Outlet Branch 2 Name",
" ZonesChWBypassBranch; !- Outlet Branch 3 Name",
" Connector:Splitter,",
" Heating Supply Splitter, !- Name",
" Heating Supply Inlet Branch, !- Inlet Branch Name",
" Heating Purchased Hot Water Branch, !- Outlet Branch 1 Name",
" Heating Supply Bypass Branch; !- Outlet Branch 2 Name",
" Connector:Splitter,",
" Zones HW Splitter, !- Name",
" ZonesHWInletBranch, !- Inlet Branch Name",
" Zone1HWBranch, !- Outlet Branch 1 Name",
" ZonesHWBypassBranch; !- Outlet Branch 2 Name",
" Connector:Mixer,",
" Cooling Supply Mixer, !- Name",
" Cooling Supply Outlet Branch, !- Outlet Branch Name",
" Cooling Purchased Chilled Water Branch, !- Inlet Branch 1 Name",
" Cooling Supply Bypass Branch; !- Inlet Branch 2 Name",
" Connector:Mixer,",
" Zones ChW Mixer, !- Name",
" ZonesChWOutletBranch, !- Outlet Branch Name",
" Zone1ChWBranch, !- Inlet Branch 1 Name",
" Zone4ChWBranch, !- Inlet Branch 2 Name",
" ZonesChWBypassBranch; !- Inlet Branch 3 Name",
" Connector:Mixer,",
" Heating Supply Mixer, !- Name",
" Heating Supply Outlet Branch, !- Outlet Branch Name",
" Heating Purchased Hot Water Branch, !- Inlet Branch 1 Name",
" Heating Supply Bypass Branch; !- Inlet Branch 2 Name",
" Connector:Mixer,",
" Zones HW Mixer, !- Name",
" ZonesHWOutletBranch, !- Outlet Branch Name",
" Zone1HWBranch, !- Inlet Branch 1 Name",
" ZonesHWBypassBranch; !- Inlet Branch 2 Name",
" ConnectorList,",
" Cooling Supply Side Connectors, !- Name",
" Connector:Splitter, !- Connector 1 Object Type",
" Cooling Supply Splitter, !- Connector 1 Name",
" Connector:Mixer, !- Connector 2 Object Type",
" Cooling Supply Mixer; !- Connector 2 Name",
" ConnectorList,",
" Cooling Demand Side Connectors, !- Name",
" Connector:Splitter, !- Connector 1 Object Type",
" Zones ChW Splitter, !- Connector 1 Name",
" Connector:Mixer, !- Connector 2 Object Type",
" Zones ChW Mixer; !- Connector 2 Name",
" ConnectorList,",
" Heating Supply Side Connectors, !- Name",
" Connector:Splitter, !- Connector 1 Object Type",
" Heating Supply Splitter, !- Connector 1 Name",
" Connector:Mixer, !- Connector 2 Object Type",
" Heating Supply Mixer; !- Connector 2 Name",
" ConnectorList,",
" Heating Demand Side Connectors, !- Name",
" Connector:Splitter, !- Connector 1 Object Type",
" Zones HW Splitter, !- Connector 1 Name",
" Connector:Mixer, !- Connector 2 Object Type",
" Zones HW Mixer; !- Connector 2 Name",
" NodeList,",
" Chilled Water Loop Setpoint Node List, !- Name",
" ChW Supply Outlet Node; !- Node 1 Name",
" NodeList,",
" Hot Water Loop Setpoint Node List, !- Name",
" HW Supply Outlet Node; !- Node 1 Name",
" OutdoorAir:Node,",
" Zone1VentSlabOAInNode, !- Name",
" -1.0; !- Height Above Ground {m}",
" OutdoorAir:Node,",
" Zone4VentSlabOAInNode, !- Name",
" -1.0; !- Height Above Ground {m}",
" Pump:VariableSpeed,",
" ChW Circ Pump, !- Name",
" ChW Supply Inlet Node, !- Inlet Node Name",
" ChW Pump Outlet Node, !- Outlet Node Name",
" 0.004, !- Rated Flow Rate {m3/s}",
" 300000, !- Rated Pump Head {Pa}",
" 1800, !- Rated Power Consumption {W}",
" 0.87, !- Motor Efficiency",
" 0.0, !- Fraction of Motor Inefficiencies to Fluid Stream",
" 0, !- Coefficient 1 of the Part Load Performance Curve",
" 1, !- Coefficient 2 of the Part Load Performance Curve",
" 0, !- Coefficient 3 of the Part Load Performance Curve",
" 0, !- Coefficient 4 of the Part Load Performance Curve",
" 0, !- Minimum Flow Rate {m3/s}",
" INTERMITTENT; !- Pump Control Type",
" Pump:VariableSpeed,",
" HW Circ Pump, !- Name",
" HW Supply Inlet Node, !- Inlet Node Name",
" HW Pump Outlet Node, !- Outlet Node Name",
" 0.002, !- Rated Flow Rate {m3/s}",
" 300000, !- Rated Pump Head {Pa}",
" 900, !- Rated Power Consumption {W}",
" 0.87, !- Motor Efficiency",
" 0.0, !- Fraction of Motor Inefficiencies to Fluid Stream",
" 0, !- Coefficient 1 of the Part Load Performance Curve",
" 1, !- Coefficient 2 of the Part Load Performance Curve",
" 0, !- Coefficient 3 of the Part Load Performance Curve",
" 0, !- Coefficient 4 of the Part Load Performance Curve",
" 0, !- Minimum Flow Rate {m3/s}",
" INTERMITTENT; !- Pump Control Type",
" DistrictCooling,",
" Purchased Cooling, !- Name",
" Purchased Cooling Inlet Node, !- Chilled Water Inlet Node Name",
" Purchased Cooling Outlet Node, !- Chilled Water Outlet Node Name",
" 1000000; !- Nominal Capacity {W}",
" DistrictHeating,",
" Purchased Heating, !- Name",
" Purchased Heat Inlet Node, !- Hot Water Inlet Node Name",
" Purchased Heat Outlet Node, !- Hot Water Outlet Node Name",
" 1000000; !- Nominal Capacity {W}",
" PlantLoop,",
" Chilled Water Loop, !- Name",
" Water, !- Fluid Type",
" , !- User Defined Fluid Type",
" Chilled Loop Operation, !- Plant Equipment Operation Scheme Name",
" ChW Supply Outlet Node, !- Loop Temperature Setpoint Node Name",
" 100, !- Maximum Loop Temperature {C}",
" 1, !- Minimum Loop Temperature {C}",
" 0.004, !- Maximum Loop Flow Rate {m3/s}",
" 0.0, !- Minimum Loop Flow Rate {m3/s}",
" autocalculate, !- Plant Loop Volume {m3}",
" ChW Supply Inlet Node, !- Plant Side Inlet Node Name",
" ChW Supply Outlet Node, !- Plant Side Outlet Node Name",
" Cooling Supply Side Branches, !- Plant Side Branch List Name",
" Cooling Supply Side Connectors, !- Plant Side Connector List Name",
" ChW Demand Inlet Node, !- Demand Side Inlet Node Name",
" ChW Demand Outlet Node, !- Demand Side Outlet Node Name",
" Cooling Demand Side Branches, !- Demand Side Branch List Name",
" Cooling Demand Side Connectors, !- Demand Side Connector List Name",
" Optimal, !- Load Distribution Scheme",
" , !- Availability Manager List Name",
" , !- Plant Loop Demand Calculation Scheme",
" , !- Common Pipe Simulation",
" , !- Pressure Simulation Type",
" 2.0; !- Loop Circulation Time {minutes}",
" PlantLoop,",
" Hot Water Loop, !- Name",
" Water, !- Fluid Type",
" , !- User Defined Fluid Type",
" Hot Loop Operation, !- Plant Equipment Operation Scheme Name",
" HW Supply Outlet Node, !- Loop Temperature Setpoint Node Name",
" 100, !- Maximum Loop Temperature {C}",
" 10, !- Minimum Loop Temperature {C}",
" 0.002, !- Maximum Loop Flow Rate {m3/s}",
" 0.0, !- Minimum Loop Flow Rate {m3/s}",
" autocalculate, !- Plant Loop Volume {m3}",
" HW Supply Inlet Node, !- Plant Side Inlet Node Name",
" HW Supply Outlet Node, !- Plant Side Outlet Node Name",
" Heating Supply Side Branches, !- Plant Side Branch List Name",
" Heating Supply Side Connectors, !- Plant Side Connector List Name",
" HW Demand Inlet Node, !- Demand Side Inlet Node Name",
" HW Demand Outlet Node, !- Demand Side Outlet Node Name",
" Heating Demand Side Branches, !- Demand Side Branch List Name",
" Heating Demand Side Connectors, !- Demand Side Connector List Name",
" Optimal, !- Load Distribution Scheme",
" , !- Availability Manager List Name",
" , !- Plant Loop Demand Calculation Scheme",
" , !- Common Pipe Simulation",
" , !- Pressure Simulation Type",
" 2.0; !- Loop Circulation Time {minutes}",
" Pipe:Adiabatic,",
" Cooling Supply Side Bypass, !- Name",
" Cooling Supply Bypass Inlet Node, !- Inlet Node Name",
" Cooling Supply Bypass Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" Cooling Supply Outlet, !- Name",
" Cooling Supply Exit Pipe Inlet Node, !- Inlet Node Name",
" ChW Supply Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" ZonesChWInletPipe, !- Name",
" ChW Demand Inlet Node, !- Inlet Node Name",
" ChW Demand Entrance Pipe Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" ZonesChWOutletPipe, !- Name",
" ChW Demand Exit Pipe Inlet Node, !- Inlet Node Name",
" ChW Demand Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" ZonesChWBypassPipe, !- Name",
" ZonesChWBypassInletNode, !- Inlet Node Name",
" ZonesChWBypassOutletNode;!- Outlet Node Name",
" Pipe:Adiabatic,",
" Heating Supply Side Bypass, !- Name",
" Heating Supply Bypass Inlet Node, !- Inlet Node Name",
" Heating Supply Bypass Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" Heating Supply Outlet, !- Name",
" Heating Supply Exit Pipe Inlet Node, !- Inlet Node Name",
" HW Supply Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" ZonesHWInletPipe, !- Name",
" HW Demand Inlet Node, !- Inlet Node Name",
" HW Demand Entrance Pipe Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" ZonesHWOutletPipe, !- Name",
" HW Demand Exit Pipe Inlet Node, !- Inlet Node Name",
" HW Demand Outlet Node; !- Outlet Node Name",
" Pipe:Adiabatic,",
" ZonesHWBypassPipe, !- Name",
" ZonesHWBypassInletNode, !- Inlet Node Name",
" ZonesHWBypassOutletNode; !- Outlet Node Name",
" PlantEquipmentList,",
" cooling plant, !- Name",
" DistrictCooling, !- Equipment 1 Object Type",
" Purchased Cooling; !- Equipment 1 Name",
" PlantEquipmentList,",
" heating plant, !- Name",
" DistrictHeating, !- Equipment 1 Object Type",
" Purchased Heating; !- Equipment 1 Name",
" PlantEquipmentOperation:CoolingLoad,",
" Purchased Cooling Only, !- Name",
" 0, !- Load Range 1 Lower Limit {W}",
" 1000000, !- Load Range 1 Upper Limit {W}",
" cooling plant; !- Range 1 Equipment List Name",
" PlantEquipmentOperation:HeatingLoad,",
" Purchased Heating Only, !- Name",
" 0, !- Load Range 1 Lower Limit {W}",
" 1000000, !- Load Range 1 Upper Limit {W}",
" heating plant; !- Range 1 Equipment List Name",
" PlantEquipmentOperationSchemes,",
" Chilled Loop Operation, !- Name",
" PlantEquipmentOperation:CoolingLoad, !- Control Scheme 1 Object Type",
" Purchased Cooling Only, !- Control Scheme 1 Name",
" ON; !- Control Scheme 1 Schedule Name",
" PlantEquipmentOperationSchemes,",
" Hot Loop Operation, !- Name",
" PlantEquipmentOperation:HeatingLoad, !- Control Scheme 1 Object Type",
" Purchased Heating Only, !- Control Scheme 1 Name",
" ON; !- Control Scheme 1 Schedule Name",
" SetpointManager:Scheduled,",
" Chilled Water Loop Setpoint Manager, !- Name",
" Temperature, !- Control Variable",
" CW Loop Temp Schedule, !- Schedule Name",
" Chilled Water Loop Setpoint Node List; !- Setpoint Node or NodeList Name",
" SetpointManager:Scheduled,",
" Hot Water Loop Setpoint Manager, !- Name",
" Temperature, !- Control Variable",
" HW Loop Temp Schedule, !- Schedule Name",
" Hot Water Loop Setpoint Node List; !- Setpoint Node or NodeList Name",
});
ASSERT_TRUE(process_idf(idf_objects));
NumOfTimeStepInHour = 1; // must initialize this to get schedules initialized
MinutesPerTimeStep = 60; // must initialize this to get schedules initialized
ProcessScheduleInput(OutputFiles::getSingleton()); // read schedule data
ErrorsFound = false;
HeatBalanceManager::GetProjectControlData(OutputFiles::getSingleton(), ErrorsFound); // read project control data
EXPECT_FALSE(ErrorsFound);
ErrorsFound = false;
HeatBalanceManager::GetZoneData(ErrorsFound); // read zone data
EXPECT_FALSE(ErrorsFound);
ErrorsFound = false;
GetMaterialData(OutputFiles::getSingleton(), ErrorsFound); // read construction material data
EXPECT_FALSE(ErrorsFound);
ErrorsFound = false;
HeatBalanceManager::GetConstructData(ErrorsFound); // read construction data
EXPECT_FALSE(ErrorsFound);
ErrorsFound = false;
SetupZoneGeometry(OutputFiles::getSingleton(), ErrorsFound); // read zone geometry data
EXPECT_FALSE(ErrorsFound);
ErrorsFound = false;
GetSurfaceListsInputs(); // read surface data
EXPECT_FALSE(ErrorsFound);
GetVentilatedSlabInput(); // read ventilated slab data
EXPECT_EQ(2, NumOfVentSlabs);
EXPECT_EQ("ZONE1VENTSLAB", VentSlab(1).Name);
EXPECT_EQ("ZONE4VENTSLAB", VentSlab(2).Name);
InitVentilatedSlab(Item, VentSlabZoneNum, FirstHVACIteration);
EXPECT_EQ(324.38499999999999, VentSlab(1).TotalSurfaceArea);
EXPECT_EQ(139.21499999999997, VentSlab(2).TotalSurfaceArea);
}
| [
"[email protected]"
] | |
a472f1c05a9c7702a86150e6941aba6afdf739dc | 5fb40740c24d4f301422da450b953de040dadb8d | /7.30/F.cpp | cf1f096970f08ca34b41c7af6dca34e49679aeb0 | [] | no_license | Hibari233/OI-Codes | 33110db22bfb9ce56c06a26512dbfe704852db75 | 6b026f98d007afeff480ab6b0d022b75572c19b9 | refs/heads/master | 2023-08-20T13:40:53.368218 | 2021-10-31T12:28:09 | 2021-10-31T12:28:09 | 263,259,957 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 970 | cpp | #include<iostream>
#include<string>
#include<algorithm>
#include<cstdio>
#include<cstring>
using namespace std;
const int MAXN=10000;
string num;
int sorted_num[MAXN];
int times=1;
int cnt=0;
int main(){
while(cin>>num){
num[num.length()]='5';
cnt=0;
memset(sorted_num,0,sizeof(sorted_num));
for(int i=0;i<=num.length();i++){
if(num[i]=='5'){
times=1;
for(int j=i-1;j>=0&&num[j]!='5';j--){
sorted_num[cnt]+=(num[j]-'0')*times;
times*=10;
}
if(num[i]=='5'&&num[i-1]=='5')
cnt--;
if(num[i]=='5'&&i==1)
cnt--;
cnt++;
}
}
sort(sorted_num,sorted_num+cnt);
for(int i=0;i<cnt;i++){
cout<<sorted_num[i];
if(i<cnt-1)
cout<<" ";
}
cout<<endl;
}
return 0;
} | [
"[email protected]"
] | |
3364c6b2c37bac6f7165243855ba91996e666509 | 04b1803adb6653ecb7cb827c4f4aa616afacf629 | /components/download/public/common/download_path_reservation_tracker.h | 6c0b83a12cb91f5eb33389082afc6d3de23fd78b | [
"BSD-3-Clause"
] | permissive | Samsung/Castanets | 240d9338e097b75b3f669604315b06f7cf129d64 | 4896f732fc747dfdcfcbac3d442f2d2d42df264a | refs/heads/castanets_76_dev | 2023-08-31T09:01:04.744346 | 2021-07-30T04:56:25 | 2021-08-11T05:45:21 | 125,484,161 | 58 | 49 | BSD-3-Clause | 2022-10-16T19:31:26 | 2018-03-16T08:07:37 | null | UTF-8 | C++ | false | false | 5,712 | h | // Copyright (c) 2012 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef COMPONENTS_DOWNLOAD_PUBLIC_COMMON_DOWNLOAD_PATH_RESERVATION_TRACKER_H_
#define COMPONENTS_DOWNLOAD_PUBLIC_COMMON_DOWNLOAD_PATH_RESERVATION_TRACKER_H_
#include "base/callback_forward.h"
#include "base/memory/ref_counted.h"
#include "components/download/public/common/download_export.h"
namespace base {
class FilePath;
class SequencedTaskRunner;
} // namespace base
namespace download {
class DownloadItem;
// Used in UMA, do not remove, change or reuse existing entries.
// Update histograms.xml and enums.xml when adding entries.
enum class PathValidationResult {
SUCCESS = 0,
PATH_NOT_WRITABLE,
NAME_TOO_LONG,
CONFLICT,
SAME_AS_SOURCE,
COUNT,
};
// Chrome attempts to uniquify filenames that are assigned to downloads in order
// to avoid overwriting files that already exist on the file system. Downloads
// that are considered potentially dangerous use random intermediate filenames.
// Therefore only considering files that exist on the filesystem is
// insufficient. This class tracks files that are assigned to active downloads
// so that uniquification can take those into account as well.
class COMPONENTS_DOWNLOAD_EXPORT DownloadPathReservationTracker {
public:
// Callback used with |GetReservedPath|. |target_path| specifies the target
// path for the download. If |result| is SUCCESS then:
// - |requested_target_path| (passed into GetReservedPath()) was writeable.
// - |target_path| was verified as being unique if uniqueness was
// required.
//
// If |requested_target_path| was not writeable, then the parent directory of
// |target_path| may be different from that of |requested_target_path|.
using ReservedPathCallback =
base::Callback<void(PathValidationResult result,
const base::FilePath& target_path)>;
// The largest index for the uniquification suffix that we will try while
// attempting to come up with a unique path.
static const int kMaxUniqueFiles = 100;
enum FilenameConflictAction {
UNIQUIFY,
OVERWRITE,
PROMPT,
};
// When a path needs to be assigned to a download, this method is called on
// the UI thread along with a reference to the download item that will
// eventually receive the reserved path. This method creates a path
// reservation that will live until |download_item| is interrupted, cancelled,
// completes or is removed. This method will not modify |download_item|.
//
// The process of issuing a reservation happens on the task runner returned by
// DownloadPathReservationTracker::GetTaskRunner(), and involves:
//
// - Creating |requested_target_path.DirName()| if it doesn't already exist
// and either |create_directory| or |requested_target_path.DirName() ==
// default_download_path|.
//
// - Verifying that |requested_target_path| is writeable. If not,
// |fallback_directory| is used instead.
//
// - Uniquifying |requested_target_path| by suffixing the filename with a
// uniquifier (e.g. "foo.txt" -> "foo (1).txt") in order to avoid conflicts
// with files that already exist on the file system or other download path
// reservations. Uniquifying is only done if |conflict_action| is UNIQUIFY.
//
// - Posting a task back to the UI thread to invoke |completion_callback| with
// the reserved path and a bool indicating whether the returned path was
// verified as being writeable and unique.
//
// In addition, if the target path of |download_item| is changed to a path
// other than the reserved path, then the reservation will be updated to
// match. Such changes can happen if a "Save As" dialog was displayed and the
// user chose a different path. The new target path is not checked against
// active paths to enforce uniqueness. It is only used for uniquifying new
// reservations.
//
// Once |completion_callback| is invoked, it is the caller's responsibility to
// handle cases where the target path could not be verified and set the target
// path of the |download_item| appropriately.
//
// The current implementation doesn't look at symlinks/mount points. E.g.: It
// considers 'foo/bar/x.pdf' and 'foo/baz/x.pdf' to be two different paths,
// even though 'bar' might be a symlink to 'baz'.
static void GetReservedPath(DownloadItem* download_item,
const base::FilePath& requested_target_path,
const base::FilePath& default_download_path,
const base::FilePath& fallback_directory,
bool create_directory,
FilenameConflictAction conflict_action,
const ReservedPathCallback& callback);
// Returns true if |path| is in use by an existing path reservation. Should
// only be called on the task runner returned by
// DownloadPathReservationTracker::GetTaskRunner(). Currently only used by
// tests.
static bool IsPathInUseForTesting(const base::FilePath& path);
// Returns true if there is an existing path reservation, separate from the
// download_item. Called by
// ChromeDownloadManagerDelegate::OnDownloadTargetDetermined to see if there
// is a target collision.
static bool CheckDownloadPathForExistingDownload(
const base::FilePath& target_path,
DownloadItem* download_item);
static scoped_refptr<base::SequencedTaskRunner> GetTaskRunner();
};
} // namespace download
#endif // COMPONENTS_DOWNLOAD_PUBLIC_COMMON_DOWNLOAD_PATH_RESERVATION_TRACKER_H_
| [
"[email protected]"
] | |
fdf1e935dd2af3f2898ca7f0fbcb4917f1ab5101 | a2dba8ca15b44c432ce2a7ae5888e41de0185bb4 | /linkedlist.h | 0bef50b66dabc6dcf8290ad0739cd749d262c3a4 | [] | no_license | Datos2Sem22018/Proyecto3 | 771dedd3d05cbc0814350daa7f83da34097543ad | 6f1d9862bafa793a94f766bd265e8866c9169e71 | refs/heads/master | 2020-04-08T01:25:04.553625 | 2018-11-26T12:52:00 | 2018-11-26T12:52:00 | 157,491,378 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,729 | h | #ifndef MPOINTER_LINKEDLIST_H
#define MPOINTER_LINKEDLIST_H
#include "node.h"
/**
* Clase Linked List, estructura de enlace sencillo de clases tipo Nodo
* @tparam T
*/
template <class T>
class LinkedList {
public:
//Declaracion de atributos de la clase
int size;
Node<T>* head;
//Declaracion de metodos de la clase
bool isEmpty();
void addInPos(T var, int pos);
void add(T var);
void remove(T value);
Node<T>* getNode(int pos);
Node<T>* getLastNode();
Node<T>* search(T var);
bool searchB(T var);
T get(int i);
Node<T>* deleteNode(T var);
void printList();
//Constructor de la clase
LinkedList();
//Destructor de la clase
~LinkedList() = default;
};
/**
* Construcor de la clase
* Se inicialilza vacio para poder agregar mas nodos posteriormente
* @tparam T
*/
template <class T>
LinkedList<T>::LinkedList() {
head = NULL;
size = 0;
}
/**
* Inserta un valor en una posicion dada
* @tparam T
* @param var : valor a insertar
* @param pos : posicion en la cual se incertara el valor
*/
template <class T>
void LinkedList<T>::addInPos(T var, int pos) {
getNode(pos)->data = var;
}
/**
* Verifica si la lista esta vacia, retorna verdadero en caso de que no contenga elementos
* @tparam T
* @return : booleano
*/
template <class T>
bool LinkedList<T>::isEmpty() {
if (head == NULL) {
return true;
} else {
return false;
}
}
/**
* Obtiene el valor del nodo en el indice especificado
* @tparam T
* @param i : numero de indice de la lista
* @return : valor que contiene el NODO
*/
template <class T>
T LinkedList<T>::get(int i){
Node<T>* ptr = head;
int x = 0;
while(x != i){
ptr = ptr->next;
x++;
}if(ptr == nullptr){
return NULL;
}
return ptr->data;
}
/**
* retorna el NODO en el indice especificado
* @tparam T
* @param pos : posicion en la lista
* @return : NODO solicitado
*/
template <class T>
Node<T>* LinkedList<T>::getNode(int pos)
{
Node<T>* aux = head;
int x = 0;
while (x != pos) {
aux = aux->next;
x++;
}
if (aux == NULL) {
return NULL;
}
return aux;
}
/**
* Agrega un Nodo al final de la lista
* @tparam T
* @param var : Valor a agregar
*/
template<class T>
void LinkedList<T>::add(T var) {
if (size == 0) {
auto* aux = new Node<T>(var);
head = aux;
head->next = NULL;
size++;
} else {
Node<T>* current = head;
while (current->next != NULL) {
current = current->next;
}
auto* aux = new Node<T>(var);
aux->next = NULL;
current->next = aux;
size++;
}
}
/**
* remueve el nodo de la posicion solicitada
* @tparam T
* @param pos : indice a eliminar
*/
template <class T>
void LinkedList<T>::remove(T value) {
Node<T>* n = search(value);
Node<T>* ptr = head;
if (ptr == n) {
head = n->next;
} else {
while (ptr->next != NULL) {
ptr = ptr->next;
}
ptr->next = n->next;
}
}
/**
* retorna el ultimo valor de la lista
* @tparam T
* @return : ultimo NODO enlistado
*/
template <class T>
Node<T>* LinkedList<T>::getLastNode() {
Node<T>* ptr = head;
while (ptr->next != NULL) {
ptr = ptr->next;
}
return ptr;
}
/**
* Busca un valor dado
* @tparam T
* @param var : Valor a buscar
* @return : valor encontrado
*/
template <class T>
Node<T>* LinkedList<T>::search(T var) {
Node<T>* ptr = head;
while (ptr != NULL && ptr->data != var) {
ptr = ptr->next;
}
return ptr;
}
template <class T>
bool LinkedList<T>::searchB(T var) {
if(this->isEmpty()){
return false;
}else{
Node<T>* ptr = head;
while (ptr != NULL && ptr->data != var) {
ptr = ptr->next;
}
return true;
}
}
/**
* Busca un NODO por su valor, y si lo encuentra lo elimina de la lista
* @tparam T
* @param var : Valor a eliminar
* @return : Nodo eliminado
*/
template <class T>
Node<T>* LinkedList<T>::deleteNode(T var) {
Node<T>* n = search(var);
Node<T>* ptr = head;
if (ptr == n) {
head = n->next;
return n;
} else {
while (ptr->next != n) {
ptr = ptr->next;
}
ptr->next = n->next;
return n;
}
}
/**
* imprime los valores contenidos dentro de los Nodos de las Listas
* @tparam T
*/
template <class T>
void LinkedList<T>::printList() {
Node<T>* ptr = head;
while (ptr != NULL) {
std::cout << ptr->data << "; " << std::flush;
ptr = ptr->next;
}std::cout<<std::endl;
}
#endif //MPOINTER_LINKEDLIST_H
| [
"[email protected]"
] | |
5db63a6b0fe2013a7a15acb4f841f3e0f00f0b56 | 2869112fdc836e565f9fe68e290affc1e223c1d8 | /pythran/pythonic/bisect/bisect_right.hpp | d82839f963f4eab6dae88bac1d38bf56435a46b8 | [
"LicenseRef-scancode-unknown-license-reference",
"BSD-3-Clause"
] | permissive | coyotte508/pythran | ab26e9ddb9a9e00e77b457df316aa33dc8435914 | a5da78f2aebae712a2c6260ab691dab7d09e307c | refs/heads/master | 2021-01-15T10:07:09.597297 | 2015-05-01T07:00:42 | 2015-05-01T07:00:42 | 35,020,532 | 0 | 0 | null | 2015-05-04T07:27:29 | 2015-05-04T07:27:29 | null | UTF-8 | C++ | false | false | 509 | hpp | #ifndef PYTHONIC_BISECT_BISECTRIGHT_HPP
#define PYTHONIC_BISECT_BISECTRIGHT_HPP
#include "pythonic/utils/proxy.hpp"
#include "pythonic/include/bisect/bisect_right.hpp"
#include "pythonic/bisect/bisect.hpp"
namespace pythonic {
namespace bisect {
template<class X, class A>
size_t bisect_right(X const& x, A const& a, long lo, long hi)
{
return bisect(x, a, lo, hi);
}
PROXY_IMPL(pythonic::bisect, bisect_right);
}
}
#endif
| [
"[email protected]"
] | |
2eb42786ddb914e3932a2372406e159808a8ae6b | a0574382f4113f9074aa8c66e2c92149b19b622e | /linux/my_application.cc | bfd0836526c88ec563fb5d3a2f26ee12371afbba | [] | no_license | akshaykoni174285/Flutter-testing | d90a69d90bdf5185e067caec932f9fbf0ae067ed | f7b2f2c943caf396fd7599f89eb3b596a51861b1 | refs/heads/main | 2023-08-21T18:44:10.583595 | 2021-09-21T12:45:10 | 2021-09-21T12:45:10 | 408,797,656 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,728 | cc | #include "my_application.h"
#include <flutter_linux/flutter_linux.h>
#ifdef GDK_WINDOWING_X11
#include <gdk/gdkx.h>
#endif
#include "flutter/generated_plugin_registrant.h"
struct _MyApplication {
GtkApplication parent_instance;
char** dart_entrypoint_arguments;
};
G_DEFINE_TYPE(MyApplication, my_application, GTK_TYPE_APPLICATION)
// Implements GApplication::activate.
static void my_application_activate(GApplication* application) {
MyApplication* self = MY_APPLICATION(application);
GtkWindow* window =
GTK_WINDOW(gtk_application_window_new(GTK_APPLICATION(application)));
// Use a header bar when running in GNOME as this is the common style used
// by applications and is the setup most users will be using (e.g. Ubuntu
// desktop).
// If running on X and not using GNOME then just use a traditional title bar
// in case the window manager does more exotic layout, e.g. tiling.
// If running on Wayland assume the header bar will work (may need changing
// if future cases occur).
gboolean use_header_bar = TRUE;
#ifdef GDK_WINDOWING_X11
GdkScreen* screen = gtk_window_get_screen(window);
if (GDK_IS_X11_SCREEN(screen)) {
const gchar* wm_name = gdk_x11_screen_get_window_manager_name(screen);
if (g_strcmp0(wm_name, "GNOME Shell") != 0) {
use_header_bar = FALSE;
}
}
#endif
if (use_header_bar) {
GtkHeaderBar* header_bar = GTK_HEADER_BAR(gtk_header_bar_new());
gtk_widget_show(GTK_WIDGET(header_bar));
gtk_header_bar_set_title(header_bar, "flutter_testing");
gtk_header_bar_set_show_close_button(header_bar, TRUE);
gtk_window_set_titlebar(window, GTK_WIDGET(header_bar));
} else {
gtk_window_set_title(window, "flutter_testing");
}
gtk_window_set_default_size(window, 1280, 720);
gtk_widget_show(GTK_WIDGET(window));
g_autoptr(FlDartProject) project = fl_dart_project_new();
fl_dart_project_set_dart_entrypoint_arguments(project, self->dart_entrypoint_arguments);
FlView* view = fl_view_new(project);
gtk_widget_show(GTK_WIDGET(view));
gtk_container_add(GTK_CONTAINER(window), GTK_WIDGET(view));
fl_register_plugins(FL_PLUGIN_REGISTRY(view));
gtk_widget_grab_focus(GTK_WIDGET(view));
}
// Implements GApplication::local_command_line.
static gboolean my_application_local_command_line(GApplication* application, gchar*** arguments, int* exit_status) {
MyApplication* self = MY_APPLICATION(application);
// Strip out the first argument as it is the binary name.
self->dart_entrypoint_arguments = g_strdupv(*arguments + 1);
g_autoptr(GError) error = nullptr;
if (!g_application_register(application, nullptr, &error)) {
g_warning("Failed to register: %s", error->message);
*exit_status = 1;
return TRUE;
}
g_application_activate(application);
*exit_status = 0;
return TRUE;
}
// Implements GObject::dispose.
static void my_application_dispose(GObject* object) {
MyApplication* self = MY_APPLICATION(object);
g_clear_pointer(&self->dart_entrypoint_arguments, g_strfreev);
G_OBJECT_CLASS(my_application_parent_class)->dispose(object);
}
static void my_application_class_init(MyApplicationClass* klass) {
G_APPLICATION_CLASS(klass)->activate = my_application_activate;
G_APPLICATION_CLASS(klass)->local_command_line = my_application_local_command_line;
G_OBJECT_CLASS(klass)->dispose = my_application_dispose;
}
static void my_application_init(MyApplication* self) {}
MyApplication* my_application_new() {
return MY_APPLICATION(g_object_new(my_application_get_type(),
"application-id", APPLICATION_ID,
"flags", G_APPLICATION_NON_UNIQUE,
nullptr));
}
| [
"[email protected]"
] | |
7e986b508c8b8be22b54ee9ee559b3de63e495f7 | b7c278d85d6421d40ce4b7f5f270c653fa280225 | /Module3/TO3-1/src/distance.h | cfc6a423a2264ef570e0d60550692f54fca7cf33 | [] | no_license | jibbyjay/hafb-cpp-fundamentals | d2dc9f9f1e969190c6734961fa63c1c51b89771a | bd22bde2b9c0685d759927ee6dc17d85005a0564 | refs/heads/master | 2020-11-25T01:14:08.249338 | 2019-12-19T23:24:05 | 2019-12-19T23:24:05 | 228,425,107 | 0 | 0 | null | 2019-12-16T16:10:24 | 2019-12-16T16:10:23 | null | UTF-8 | C++ | false | false | 850 | h | #pragma once
#include <iostream>
class Distance
{
private:
int feet_;
float inches_;
public:
Distance() : feet_(0), inches_(0) {}
Distance(int feet, float inches) : feet_(feet), inches_(inches) {}
~Distance(){}
// Getter & Setters
int feet() const {return feet_;}
void set_feet(int feet) {feet_ = feet;}
float inches() const {return inches_;}
void set_inches(float inches) {inches_ = inches;}
//Other Methods
void ShowDist() const;
Distance operator + (Distance rhs) const;
friend std::ostream& operator << (std::ostream& os, const Distance& distance);
Distance operator - (Distance rhs) const;
//Task 2: create a update_distance(feet, inches) function to update fields using setters
void update_distance(int ft, float in);
// Distance operator * (Distance rhs) const;
};
| [
"[email protected]"
] | |
1c4b8bbb51e728d80d751253bf4a35c64ded0ecf | 367d2670c75d385d122bca60b9f550ca5b3888c1 | /gem5/src/arch/gcn3/gpu_decoder.hh | b561263ed14b766d5496726361f6769a643cd4e1 | [
"BSD-3-Clause",
"LicenseRef-scancode-proprietary-license",
"LGPL-2.0-or-later",
"MIT"
] | permissive | Anish-Saxena/aqua_rowhammer_mitigation | 4f060037d50fb17707338a6edcaa0ac33c39d559 | 3fef5b6aa80c006a4bd6ed4bedd726016142a81c | refs/heads/main | 2023-04-13T05:35:20.872581 | 2023-01-05T21:10:39 | 2023-01-05T21:10:39 | 519,395,072 | 4 | 3 | Unlicense | 2023-01-05T21:10:40 | 2022-07-30T02:03:02 | C++ | UTF-8 | C++ | false | false | 93,602 | hh | /*
* Copyright (c) 2015-2017 Advanced Micro Devices, Inc.
* All rights reserved.
*
* For use for simulation and test purposes only
*
* 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 name of the copyright holder 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.
*
* Authors: John Slice
* Anthony Gutierrez
*/
#ifndef __ARCH_GCN3_DECODER_HH__
#define __ARCH_GCN3_DECODER_HH__
#include <string>
#include <vector>
#include "arch/gcn3/gpu_types.hh"
class GPUStaticInst;
namespace Gcn3ISA
{
class Decoder;
union InstFormat;
using IsaDecodeMethod = GPUStaticInst*(Decoder::*)(MachInst);
class Decoder
{
public:
Decoder();
~Decoder();
GPUStaticInst* decode(MachInst mach_inst);
private:
static IsaDecodeMethod tableDecodePrimary[512];
static IsaDecodeMethod tableSubDecode_OPU_VOP3[768];
static IsaDecodeMethod tableSubDecode_OP_DS[256];
static IsaDecodeMethod tableSubDecode_OP_FLAT[128];
static IsaDecodeMethod tableSubDecode_OP_MIMG[128];
static IsaDecodeMethod tableSubDecode_OP_MTBUF[16];
static IsaDecodeMethod tableSubDecode_OP_MUBUF[128];
static IsaDecodeMethod tableSubDecode_OP_SMEM[64];
static IsaDecodeMethod tableSubDecode_OP_SOP1[256];
static IsaDecodeMethod tableSubDecode_OP_SOPC[128];
static IsaDecodeMethod tableSubDecode_OP_SOPP[128];
static IsaDecodeMethod tableSubDecode_OP_VINTRP[4];
static IsaDecodeMethod tableSubDecode_OP_VOP1[256];
static IsaDecodeMethod tableSubDecode_OP_VOPC[256];
GPUStaticInst* decode_OPU_VOP3__V_ADDC_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ADD_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ADD_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ADD_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ADD_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ADD_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ALIGNBIT_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ALIGNBYTE_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_AND_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ASHRREV_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ASHRREV_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_ASHRREV_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_BCNT_U32_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_BFE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_BFE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_BFI_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_BFM_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_BFREV_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CEIL_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CEIL_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CEIL_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CLREXCP(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_CLASS_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_CLASS_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_CLASS_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_EQ_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_F_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GE_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_GT_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LE_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LG_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LG_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LG_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_LT_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NEQ_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NEQ_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NEQ_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NE_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NE_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NE_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NE_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NGE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NGE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NGE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NGT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NGT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NGT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLG_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLG_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLG_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_NLT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_O_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_O_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_O_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_TRU_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_TRU_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_TRU_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_T_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_T_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_T_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_T_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_T_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_T_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_U_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_U_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMPX_U_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_CLASS_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_CLASS_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_CLASS_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_EQ_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_F_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GE_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_GT_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LE_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LG_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LG_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LG_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_LT_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NEQ_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NEQ_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NEQ_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NE_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NE_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NE_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NE_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NE_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NE_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NGE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NGE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NGE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NGT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NGT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NGT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLG_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLG_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLG_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_NLT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_O_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_O_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_O_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_TRU_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_TRU_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_TRU_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_T_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_T_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_T_I64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_T_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_T_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_T_U64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_U_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_U_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CMP_U_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CNDMASK_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_COS_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_COS_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CUBEID_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CUBEMA_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CUBESC_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CUBETC_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F16_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F16_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F16_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_UBYTE0(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_UBYTE1(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_UBYTE2(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F32_UBYTE3(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F64_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F64_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_F64_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_FLR_I32_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_I16_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_I32_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_I32_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_OFF_F32_I4(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PKACCUM_U8_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PKNORM_I16_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PKNORM_U16_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PKRTZ_F16_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PK_I16_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PK_U16_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_PK_U8_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_RPI_I32_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_U16_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_U32_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_CVT_U32_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_FIXUP_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_FIXUP_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_FIXUP_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_FMAS_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_FMAS_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_SCALE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_DIV_SCALE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_EXP_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_EXP_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_EXP_LEGACY_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FFBH_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FFBH_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FFBL_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FLOOR_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FLOOR_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FLOOR_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FMA_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FMA_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FMA_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FRACT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FRACT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FRACT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FREXP_EXP_I16_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FREXP_EXP_I32_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FREXP_EXP_I32_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FREXP_MANT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FREXP_MANT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_FREXP_MANT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_INTERP_MOV_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_INTERP_P1LL_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_INTERP_P1LV_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_INTERP_P1_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_INTERP_P2_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_INTERP_P2_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LDEXP_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LDEXP_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LDEXP_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LERP_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LOG_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LOG_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LOG_LEGACY_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LSHLREV_B16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LSHLREV_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LSHLREV_B64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LSHRREV_B16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LSHRREV_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_LSHRREV_B64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAC_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAC_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_I32_I24(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_I64_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_LEGACY_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_U32_U24(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAD_U64_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX3_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX3_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX3_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MAX_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MBCNT_HI_U32_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MBCNT_LO_U32_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MED3_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MED3_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MED3_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN3_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN3_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN3_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_I16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MIN_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MOV_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MOV_FED_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MQSAD_PK_U16_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MQSAD_U32_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MSAD_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_HI_I32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_HI_I32_I24(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_HI_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_HI_U32_U24(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_I32_I24(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_LEGACY_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_LO_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_LO_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_MUL_U32_U24(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_NOP(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_NOT_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_OR_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_PERM_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_QSAD_PK_U16_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RCP_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RCP_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RCP_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RCP_IFLAG_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_READLANE_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RNDNE_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RNDNE_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RNDNE_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RSQ_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RSQ_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_RSQ_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SAD_HI_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SAD_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SAD_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SAD_U8(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SIN_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SIN_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SQRT_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SQRT_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SQRT_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUBBREV_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUBB_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUBREV_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUBREV_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUBREV_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUBREV_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUB_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUB_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUB_U16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_SUB_U32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_TRIG_PREOP_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_TRUNC_F16(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_TRUNC_F32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_TRUNC_F64(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_WRITELANE_B32(MachInst);
GPUStaticInst* decode_OPU_VOP3__V_XOR_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_RTN_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_SRC2_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_ADD_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_AND_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_AND_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_AND_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_AND_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_AND_SRC2_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_AND_SRC2_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_APPEND(MachInst);
GPUStaticInst* decode_OP_DS__DS_BPERMUTE_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_RTN_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_CMPST_RTN_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_CONDXCHG32_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_CONSUME(MachInst);
GPUStaticInst* decode_OP_DS__DS_DEC_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_DEC_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_DEC_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_DEC_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_DEC_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_DEC_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_GWS_BARRIER(MachInst);
GPUStaticInst* decode_OP_DS__DS_GWS_INIT(MachInst);
GPUStaticInst* decode_OP_DS__DS_GWS_SEMA_BR(MachInst);
GPUStaticInst* decode_OP_DS__DS_GWS_SEMA_P(MachInst);
GPUStaticInst* decode_OP_DS__DS_GWS_SEMA_RELEASE_ALL(MachInst);
GPUStaticInst* decode_OP_DS__DS_GWS_SEMA_V(MachInst);
GPUStaticInst* decode_OP_DS__DS_INC_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_INC_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_INC_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_INC_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_INC_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_INC_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_I32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_I64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_RTN_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_RTN_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_RTN_I32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_RTN_I64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_SRC2_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_SRC2_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_SRC2_I32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_SRC2_I64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MAX_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_I32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_I64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_RTN_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_RTN_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_RTN_I32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_RTN_I64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_SRC2_F32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_SRC2_F64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_SRC2_I32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_SRC2_I64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MIN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MSKOR_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MSKOR_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_MSKOR_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_MSKOR_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_NOP(MachInst);
GPUStaticInst* decode_OP_DS__DS_ORDERED_COUNT(MachInst);
GPUStaticInst* decode_OP_DS__DS_OR_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_OR_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_OR_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_OR_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_OR_SRC2_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_OR_SRC2_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_PERMUTE_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ2ST64_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ2ST64_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ2_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ2_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_B128(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_B96(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_I16(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_I8(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_U16(MachInst);
GPUStaticInst* decode_OP_DS__DS_READ_U8(MachInst);
GPUStaticInst* decode_OP_DS__DS_RSUB_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_RSUB_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_RSUB_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_RSUB_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_RSUB_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_RSUB_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_SUB_RTN_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_SUB_RTN_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_SUB_SRC2_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_SUB_SRC2_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_SUB_U32(MachInst);
GPUStaticInst* decode_OP_DS__DS_SUB_U64(MachInst);
GPUStaticInst* decode_OP_DS__DS_SWIZZLE_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRAP_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE2ST64_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE2ST64_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE2_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE2_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_B128(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_B16(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_B8(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_B96(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_SRC2_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRITE_SRC2_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRXCHG2ST64_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRXCHG2ST64_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRXCHG2_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRXCHG2_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRXCHG_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_WRXCHG_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_XOR_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_XOR_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_XOR_RTN_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_XOR_RTN_B64(MachInst);
GPUStaticInst* decode_OP_DS__DS_XOR_SRC2_B32(MachInst);
GPUStaticInst* decode_OP_DS__DS_XOR_SRC2_B64(MachInst);
GPUStaticInst* decode_OP_EXP(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_ADD(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_ADD_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_AND(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_AND_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_CMPSWAP(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_CMPSWAP_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_DEC(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_DEC_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_INC(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_INC_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_OR(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_OR_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SMAX(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SMAX_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SMIN(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SMIN_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SUB(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SUB_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SWAP(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_SWAP_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_UMAX(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_UMAX_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_UMIN(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_UMIN_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_XOR(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_ATOMIC_XOR_X2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_DWORD(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_DWORDX2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_DWORDX3(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_DWORDX4(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_SBYTE(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_SSHORT(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_UBYTE(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_LOAD_USHORT(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_STORE_BYTE(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_STORE_DWORD(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_STORE_DWORDX2(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_STORE_DWORDX3(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_STORE_DWORDX4(MachInst);
GPUStaticInst* decode_OP_FLAT__FLAT_STORE_SHORT(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_ADD(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_AND(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_CMPSWAP(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_DEC(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_INC(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_OR(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_SMAX(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_SMIN(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_SUB(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_SWAP(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_UMAX(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_UMIN(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_ATOMIC_XOR(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_B(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_B_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_B_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_B_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_B(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_B_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_B_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_B_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_L(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_LZ(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_LZ_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_L_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_C_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_L(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_LZ(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_LZ_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_L_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GATHER4_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GET_LOD(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_GET_RESINFO(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_LOAD(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_LOAD_MIP(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_LOAD_MIP_PCK(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_LOAD_MIP_PCK_SGN(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_LOAD_PCK(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_LOAD_PCK_SGN(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_B(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_B_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_B_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_B_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_CD(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_CD_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_CD_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_CD_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_B(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_B_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_B_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_B_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_CD(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_CD_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_CD_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_CD_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_D(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_D_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_D_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_D_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_L(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_LZ(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_LZ_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_L_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_C_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_D(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_D_CL(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_D_CL_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_D_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_L(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_LZ(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_LZ_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_L_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_SAMPLE_O(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_STORE(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_STORE_MIP(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_STORE_MIP_PCK(MachInst);
GPUStaticInst* decode_OP_MIMG__IMAGE_STORE_PCK(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_D16_X(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_D16_XY(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_D16_XYZ(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_D16_XYZW(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_X(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_XY(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_XYZ(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_LOAD_FORMAT_XYZW(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_D16_X(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_D16_XY(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_D16_XYZ(MachInst);
GPUStaticInst*
decode_OP_MTBUF__TBUFFER_STORE_FORMAT_D16_XYZW(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_X(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_XY(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_XYZ(MachInst);
GPUStaticInst* decode_OP_MTBUF__TBUFFER_STORE_FORMAT_XYZW(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_ADD(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_ADD_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_AND(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_AND_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_CMPSWAP(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_CMPSWAP_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_DEC(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_DEC_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_INC(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_INC_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_OR(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_OR_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SMAX(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SMAX_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SMIN(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SMIN_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SUB(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SUB_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SWAP(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_SWAP_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_UMAX(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_UMAX_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_UMIN(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_UMIN_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_XOR(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_ATOMIC_XOR_X2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_DWORD(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_DWORDX2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_DWORDX3(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_DWORDX4(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_D16_X(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_D16_XY(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_D16_XYZ(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_D16_XYZW(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_X(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_XY(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_XYZ(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_FORMAT_XYZW(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_SBYTE(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_SSHORT(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_UBYTE(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_LOAD_USHORT(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_BYTE(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_DWORD(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_DWORDX2(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_DWORDX3(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_DWORDX4(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_D16_X(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_D16_XY(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_D16_XYZ(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_D16_XYZW(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_X(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_XY(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_XYZ(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_FORMAT_XYZW(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_LDS_DWORD(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_STORE_SHORT(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_WBINVL1(MachInst);
GPUStaticInst* decode_OP_MUBUF__BUFFER_WBINVL1_VOL(MachInst);
GPUStaticInst* decode_OP_SMEM__S_ATC_PROBE(MachInst);
GPUStaticInst* decode_OP_SMEM__S_ATC_PROBE_BUFFER(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_LOAD_DWORD(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_LOAD_DWORDX16(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_LOAD_DWORDX2(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_LOAD_DWORDX4(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_LOAD_DWORDX8(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_STORE_DWORD(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_STORE_DWORDX2(MachInst);
GPUStaticInst* decode_OP_SMEM__S_BUFFER_STORE_DWORDX4(MachInst);
GPUStaticInst* decode_OP_SMEM__S_DCACHE_INV(MachInst);
GPUStaticInst* decode_OP_SMEM__S_DCACHE_INV_VOL(MachInst);
GPUStaticInst* decode_OP_SMEM__S_DCACHE_WB(MachInst);
GPUStaticInst* decode_OP_SMEM__S_DCACHE_WB_VOL(MachInst);
GPUStaticInst* decode_OP_SMEM__S_LOAD_DWORD(MachInst);
GPUStaticInst* decode_OP_SMEM__S_LOAD_DWORDX16(MachInst);
GPUStaticInst* decode_OP_SMEM__S_LOAD_DWORDX2(MachInst);
GPUStaticInst* decode_OP_SMEM__S_LOAD_DWORDX4(MachInst);
GPUStaticInst* decode_OP_SMEM__S_LOAD_DWORDX8(MachInst);
GPUStaticInst* decode_OP_SMEM__S_MEMREALTIME(MachInst);
GPUStaticInst* decode_OP_SMEM__S_MEMTIME(MachInst);
GPUStaticInst* decode_OP_SMEM__S_STORE_DWORD(MachInst);
GPUStaticInst* decode_OP_SMEM__S_STORE_DWORDX2(MachInst);
GPUStaticInst* decode_OP_SMEM__S_STORE_DWORDX4(MachInst);
GPUStaticInst* decode_OP_SOP1__S_ABS_I32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_ANDN2_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_AND_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BCNT0_I32_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BCNT0_I32_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BCNT1_I32_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BCNT1_I32_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BITSET0_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BITSET0_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BITSET1_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BITSET1_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BREV_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_BREV_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_CBRANCH_JOIN(MachInst);
GPUStaticInst* decode_OP_SOP1__S_CMOV_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_CMOV_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FF0_I32_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FF0_I32_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FF1_I32_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FF1_I32_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FLBIT_I32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FLBIT_I32_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FLBIT_I32_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_FLBIT_I32_I64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_GETPC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOVRELD_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOVRELD_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOVRELS_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOVRELS_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOV_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOV_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_MOV_FED_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_NAND_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_NOR_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_NOT_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_NOT_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_ORN2_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_OR_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_QUADMASK_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_QUADMASK_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_RFE_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_SETPC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_SET_GPR_IDX_IDX(MachInst);
GPUStaticInst* decode_OP_SOP1__S_SEXT_I32_I16(MachInst);
GPUStaticInst* decode_OP_SOP1__S_SEXT_I32_I8(MachInst);
GPUStaticInst* decode_OP_SOP1__S_SWAPPC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_WQM_B32(MachInst);
GPUStaticInst* decode_OP_SOP1__S_WQM_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_XNOR_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP1__S_XOR_SAVEEXEC_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ABSDIFF_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ADDC_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ADD_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ADD_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ANDN2_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ANDN2_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_AND_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_AND_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ASHR_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ASHR_I64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_BFE_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_BFE_I64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_BFE_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_BFE_U64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_BFM_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_BFM_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_CBRANCH_G_FORK(MachInst);
GPUStaticInst* decode_OP_SOP2__S_CSELECT_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_CSELECT_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_LSHL_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_LSHL_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_LSHR_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_LSHR_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_MAX_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_MAX_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_MIN_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_MIN_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_MUL_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_NAND_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_NAND_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_NOR_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_NOR_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ORN2_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_ORN2_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_OR_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_OR_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_RFE_RESTORE_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_SUBB_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_SUB_I32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_SUB_U32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_XNOR_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_XNOR_B64(MachInst);
GPUStaticInst* decode_OP_SOP2__S_XOR_B32(MachInst);
GPUStaticInst* decode_OP_SOP2__S_XOR_B64(MachInst);
GPUStaticInst* decode_OP_SOPC__S_BITCMP0_B32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_BITCMP0_B64(MachInst);
GPUStaticInst* decode_OP_SOPC__S_BITCMP1_B32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_BITCMP1_B64(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_EQ_I32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_EQ_U32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_EQ_U64(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_GE_I32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_GE_U32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_GT_I32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_GT_U32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LE_I32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LE_U32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LG_I32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LG_U32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LG_U64(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LT_I32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_CMP_LT_U32(MachInst);
GPUStaticInst* decode_OP_SOPC__S_SETVSKIP(MachInst);
GPUStaticInst* decode_OP_SOPC__S_SET_GPR_IDX_ON(MachInst);
GPUStaticInst* decode_OP_SOPK__S_ADDK_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CBRANCH_I_FORK(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMOVK_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_EQ_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_EQ_U32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_GE_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_GE_U32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_GT_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_GT_U32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_LE_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_LE_U32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_LG_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_LG_U32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_LT_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_CMPK_LT_U32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_GETREG_B32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_MOVK_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_MULK_I32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_SETREG_B32(MachInst);
GPUStaticInst* decode_OP_SOPK__S_SETREG_IMM32_B32(MachInst);
GPUStaticInst* decode_OP_SOPP__S_BARRIER(MachInst);
GPUStaticInst* decode_OP_SOPP__S_BRANCH(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_CDBGSYS(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_CDBGSYS_AND_USER(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_CDBGSYS_OR_USER(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_CDBGUSER(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_EXECNZ(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_EXECZ(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_SCC0(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_SCC1(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_VCCNZ(MachInst);
GPUStaticInst* decode_OP_SOPP__S_CBRANCH_VCCZ(MachInst);
GPUStaticInst* decode_OP_SOPP__S_DECPERFLEVEL(MachInst);
GPUStaticInst* decode_OP_SOPP__S_ENDPGM(MachInst);
GPUStaticInst* decode_OP_SOPP__S_ENDPGM_SAVED(MachInst);
GPUStaticInst* decode_OP_SOPP__S_ICACHE_INV(MachInst);
GPUStaticInst* decode_OP_SOPP__S_INCPERFLEVEL(MachInst);
GPUStaticInst* decode_OP_SOPP__S_NOP(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SENDMSG(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SENDMSGHALT(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SETHALT(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SETKILL(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SETPRIO(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SET_GPR_IDX_MODE(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SET_GPR_IDX_OFF(MachInst);
GPUStaticInst* decode_OP_SOPP__S_SLEEP(MachInst);
GPUStaticInst* decode_OP_SOPP__S_TRAP(MachInst);
GPUStaticInst* decode_OP_SOPP__S_TTRACEDATA(MachInst);
GPUStaticInst* decode_OP_SOPP__S_WAITCNT(MachInst);
GPUStaticInst* decode_OP_SOPP__S_WAKEUP(MachInst);
GPUStaticInst* decode_OP_VINTRP__V_INTERP_MOV_F32(MachInst);
GPUStaticInst* decode_OP_VINTRP__V_INTERP_P1_F32(MachInst);
GPUStaticInst* decode_OP_VINTRP__V_INTERP_P2_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_BFREV_B32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CEIL_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CEIL_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CEIL_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CLREXCP(MachInst);
GPUStaticInst* decode_OP_VOP1__V_COS_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_COS_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F16_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F16_I16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F16_U16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_I32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_U32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_UBYTE0(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_UBYTE1(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_UBYTE2(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F32_UBYTE3(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F64_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F64_I32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_F64_U32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_FLR_I32_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_I16_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_I32_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_I32_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_OFF_F32_I4(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_RPI_I32_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_U16_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_U32_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_CVT_U32_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_EXP_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_EXP_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_EXP_LEGACY_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FFBH_I32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FFBH_U32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FFBL_B32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FLOOR_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FLOOR_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FLOOR_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FRACT_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FRACT_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FRACT_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FREXP_EXP_I16_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FREXP_EXP_I32_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FREXP_EXP_I32_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FREXP_MANT_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FREXP_MANT_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_FREXP_MANT_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_LOG_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_LOG_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_LOG_LEGACY_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_MOV_B32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_MOV_FED_B32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_NOP(MachInst);
GPUStaticInst* decode_OP_VOP1__V_NOT_B32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RCP_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RCP_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RCP_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RCP_IFLAG_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_READFIRSTLANE_B32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RNDNE_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RNDNE_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RNDNE_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RSQ_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RSQ_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_RSQ_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_SIN_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_SIN_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_SQRT_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_SQRT_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_SQRT_F64(MachInst);
GPUStaticInst* decode_OP_VOP1__V_TRUNC_F16(MachInst);
GPUStaticInst* decode_OP_VOP1__V_TRUNC_F32(MachInst);
GPUStaticInst* decode_OP_VOP1__V_TRUNC_F64(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ADDC_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ADD_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ADD_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ADD_U16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ADD_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_AND_B32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ASHRREV_I16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_ASHRREV_I32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_CNDMASK_B32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_LDEXP_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_LSHLREV_B16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_LSHLREV_B32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_LSHRREV_B16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_LSHRREV_B32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAC_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAC_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MADAK_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MADAK_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MADMK_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MADMK_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAX_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAX_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAX_I16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAX_I32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAX_U16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MAX_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MIN_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MIN_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MIN_I16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MIN_I32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MIN_U16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MIN_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_HI_I32_I24(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_HI_U32_U24(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_I32_I24(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_LEGACY_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_LO_U16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_MUL_U32_U24(MachInst);
GPUStaticInst* decode_OP_VOP2__V_OR_B32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUBBREV_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUBB_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUBREV_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUBREV_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUBREV_U16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUBREV_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUB_F16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUB_F32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUB_U16(MachInst);
GPUStaticInst* decode_OP_VOP2__V_SUB_U32(MachInst);
GPUStaticInst* decode_OP_VOP2__V_XOR_B32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_CLASS_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_CLASS_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_CLASS_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_EQ_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_F_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GE_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_GT_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LE_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LG_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LG_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LG_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_LT_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NEQ_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NEQ_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NEQ_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NE_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NE_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NE_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NE_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NE_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NE_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NGE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NGE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NGE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NGT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NGT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NGT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLG_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLG_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLG_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_NLT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_O_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_O_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_O_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_TRU_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_TRU_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_TRU_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_T_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_T_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_T_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_T_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_T_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_T_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_U_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_U_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMPX_U_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_CLASS_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_CLASS_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_CLASS_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_EQ_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_F_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GE_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_GT_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LE_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LG_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LG_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LG_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_LT_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NEQ_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NEQ_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NEQ_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NE_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NE_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NE_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NE_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NE_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NE_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NGE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NGE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NGE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NGT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NGT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NGT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLE_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLE_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLE_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLG_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLG_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLG_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLT_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLT_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_NLT_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_O_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_O_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_O_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_TRU_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_TRU_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_TRU_F64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_T_I16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_T_I32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_T_I64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_T_U16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_T_U32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_T_U64(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_U_F16(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_U_F32(MachInst);
GPUStaticInst* decode_OP_VOPC__V_CMP_U_F64(MachInst);
GPUStaticInst* subDecode_OPU_VOP3(MachInst);
GPUStaticInst* subDecode_OP_DS(MachInst);
GPUStaticInst* subDecode_OP_FLAT(MachInst);
GPUStaticInst* subDecode_OP_MIMG(MachInst);
GPUStaticInst* subDecode_OP_MTBUF(MachInst);
GPUStaticInst* subDecode_OP_MUBUF(MachInst);
GPUStaticInst* subDecode_OP_SMEM(MachInst);
GPUStaticInst* subDecode_OP_SOP1(MachInst);
GPUStaticInst* subDecode_OP_SOPC(MachInst);
GPUStaticInst* subDecode_OP_SOPP(MachInst);
GPUStaticInst* subDecode_OP_VINTRP(MachInst);
GPUStaticInst* subDecode_OP_VOP1(MachInst);
GPUStaticInst* subDecode_OP_VOPC(MachInst);
GPUStaticInst* decode_invalid(MachInst);
};
struct InFmt_DS {
unsigned int OFFSET0 : 8;
unsigned int OFFSET1 : 8;
unsigned int GDS : 1;
unsigned int OP : 8;
unsigned int pad_25 : 1;
unsigned int ENCODING : 6;
};
struct InFmt_DS_1 {
unsigned int ADDR : 8;
unsigned int DATA0 : 8;
unsigned int DATA1 : 8;
unsigned int VDST : 8;
};
struct InFmt_EXP {
unsigned int EN : 4;
unsigned int TGT : 6;
unsigned int COMPR : 1;
unsigned int DONE : 1;
unsigned int VM : 1;
unsigned int pad_13_25 : 13;
unsigned int ENCODING : 6;
};
struct InFmt_EXP_1 {
unsigned int VSRC0 : 8;
unsigned int VSRC1 : 8;
unsigned int VSRC2 : 8;
unsigned int VSRC3 : 8;
};
struct InFmt_FLAT {
unsigned int pad_0_15 : 16;
unsigned int GLC : 1;
unsigned int SLC : 1;
unsigned int OP : 7;
unsigned int pad_25 : 1;
unsigned int ENCODING : 6;
};
struct InFmt_FLAT_1 {
unsigned int ADDR : 8;
unsigned int DATA : 8;
unsigned int pad_16_22 : 7;
unsigned int TFE : 1;
unsigned int VDST : 8;
};
struct InFmt_INST {
unsigned int ENCODING : 32;
};
struct InFmt_MIMG {
unsigned int pad_0_7 : 8;
unsigned int DMASK : 4;
unsigned int UNORM : 1;
unsigned int GLC : 1;
unsigned int DA : 1;
unsigned int R128 : 1;
unsigned int TFE : 1;
unsigned int LWE : 1;
unsigned int OP : 7;
unsigned int SLC : 1;
unsigned int ENCODING : 6;
};
struct InFmt_MIMG_1 {
unsigned int VADDR : 8;
unsigned int VDATA : 8;
unsigned int SRSRC : 5;
unsigned int SSAMP : 5;
unsigned int pad_26_30 : 5;
unsigned int D16 : 1;
};
struct InFmt_MTBUF {
unsigned int OFFSET : 12;
unsigned int OFFEN : 1;
unsigned int IDXEN : 1;
unsigned int GLC : 1;
unsigned int OP : 4;
unsigned int DFMT : 4;
unsigned int NFMT : 3;
unsigned int ENCODING : 6;
};
struct InFmt_MTBUF_1 {
unsigned int VADDR : 8;
unsigned int VDATA : 8;
unsigned int SRSRC : 5;
unsigned int pad_21 : 1;
unsigned int SLC : 1;
unsigned int TFE : 1;
unsigned int SOFFSET : 8;
};
struct InFmt_MUBUF {
unsigned int OFFSET : 12;
unsigned int OFFEN : 1;
unsigned int IDXEN : 1;
unsigned int GLC : 1;
unsigned int pad_15 : 1;
unsigned int LDS : 1;
unsigned int SLC : 1;
unsigned int OP : 7;
unsigned int pad_25 : 1;
unsigned int ENCODING : 6;
};
struct InFmt_MUBUF_1 {
unsigned int VADDR : 8;
unsigned int VDATA : 8;
unsigned int SRSRC : 5;
unsigned int pad_21_22 : 2;
unsigned int TFE : 1;
unsigned int SOFFSET : 8;
};
struct InFmt_SMEM {
unsigned int SBASE : 6;
unsigned int SDATA : 7;
unsigned int pad_13_15 : 3;
unsigned int GLC : 1;
unsigned int IMM : 1;
unsigned int OP : 8;
unsigned int ENCODING : 6;
};
struct InFmt_SMEM_1 {
unsigned int OFFSET : 20;
};
struct InFmt_SOP1 {
unsigned int SSRC0 : 8;
unsigned int OP : 8;
unsigned int SDST : 7;
unsigned int ENCODING : 9;
};
struct InFmt_SOP2 {
unsigned int SSRC0 : 8;
unsigned int SSRC1 : 8;
unsigned int SDST : 7;
unsigned int OP : 7;
unsigned int ENCODING : 2;
};
struct InFmt_SOPC {
unsigned int SSRC0 : 8;
unsigned int SSRC1 : 8;
unsigned int OP : 7;
unsigned int ENCODING : 9;
};
struct InFmt_SOPK {
unsigned int SIMM16 : 16;
unsigned int SDST : 7;
unsigned int OP : 5;
unsigned int ENCODING : 4;
};
struct InFmt_SOPP {
unsigned int SIMM16 : 16;
unsigned int OP : 7;
unsigned int ENCODING : 9;
};
struct InFmt_VINTRP {
unsigned int VSRC : 8;
unsigned int ATTRCHAN : 2;
unsigned int ATTR : 6;
unsigned int OP : 2;
unsigned int VDST : 8;
unsigned int ENCODING : 6;
};
struct InFmt_VOP1 {
unsigned int SRC0 : 9;
unsigned int OP : 8;
unsigned int VDST : 8;
unsigned int ENCODING : 7;
};
struct InFmt_VOP2 {
unsigned int SRC0 : 9;
unsigned int VSRC1 : 8;
unsigned int VDST : 8;
unsigned int OP : 6;
unsigned int ENCODING : 1;
};
struct InFmt_VOP3 {
unsigned int VDST : 8;
unsigned int ABS : 3;
unsigned int pad_11_14 : 4;
unsigned int CLAMP : 1;
unsigned int OP : 10;
unsigned int ENCODING : 6;
};
struct InFmt_VOP3_1 {
unsigned int SRC0 : 9;
unsigned int SRC1 : 9;
unsigned int SRC2 : 9;
unsigned int OMOD : 2;
unsigned int NEG : 3;
};
struct InFmt_VOP3_SDST_ENC {
unsigned int VDST : 8;
unsigned int SDST : 7;
unsigned int CLAMP : 1;
unsigned int OP : 10;
unsigned int ENCODING : 6;
};
struct InFmt_VOPC {
unsigned int SRC0 : 9;
unsigned int VSRC1 : 8;
unsigned int OP : 8;
unsigned int ENCODING : 7;
};
struct InFmt_VOP_DPP {
unsigned int SRC0 : 8;
unsigned int DPP_CTRL : 9;
unsigned int pad_17_18 : 2;
unsigned int BOUND_CTRL : 1;
unsigned int SRC0_NEG : 1;
unsigned int SRC0_ABS : 1;
unsigned int SRC1_NEG : 1;
unsigned int SRC1_ABS : 1;
unsigned int BANK_MASK : 4;
unsigned int ROW_MASK : 4;
};
struct InFmt_VOP_SDWA {
unsigned int SRC0 : 8;
unsigned int DST_SEL : 3;
unsigned int DST_UNUSED : 2;
unsigned int CLAMP : 1;
unsigned int pad_14_15 : 2;
unsigned int SRC0_SEL : 3;
unsigned int SRC0_SEXT : 1;
unsigned int SRC0_NEG : 1;
unsigned int SRC0_ABS : 1;
unsigned int pad_22_23 : 2;
unsigned int SRC1_SEL : 3;
unsigned int SRC1_SEXT : 1;
unsigned int SRC1_NEG : 1;
unsigned int SRC1_ABS : 1;
};
union InstFormat {
InFmt_DS iFmt_DS;
InFmt_DS_1 iFmt_DS_1;
InFmt_EXP iFmt_EXP;
InFmt_EXP_1 iFmt_EXP_1;
InFmt_FLAT iFmt_FLAT;
InFmt_FLAT_1 iFmt_FLAT_1;
InFmt_INST iFmt_INST;
InFmt_MIMG iFmt_MIMG;
InFmt_MIMG_1 iFmt_MIMG_1;
InFmt_MTBUF iFmt_MTBUF;
InFmt_MTBUF_1 iFmt_MTBUF_1;
InFmt_MUBUF iFmt_MUBUF;
InFmt_MUBUF_1 iFmt_MUBUF_1;
InFmt_SMEM iFmt_SMEM;
InFmt_SMEM_1 iFmt_SMEM_1;
InFmt_SOP1 iFmt_SOP1;
InFmt_SOP2 iFmt_SOP2;
InFmt_SOPC iFmt_SOPC;
InFmt_SOPK iFmt_SOPK;
InFmt_SOPP iFmt_SOPP;
InFmt_VINTRP iFmt_VINTRP;
InFmt_VOP1 iFmt_VOP1;
InFmt_VOP2 iFmt_VOP2;
InFmt_VOP3 iFmt_VOP3;
InFmt_VOP3_1 iFmt_VOP3_1;
InFmt_VOP3_SDST_ENC iFmt_VOP3_SDST_ENC;
InFmt_VOPC iFmt_VOPC;
InFmt_VOP_DPP iFmt_VOP_DPP;
InFmt_VOP_SDWA iFmt_VOP_SDWA;
uint32_t imm_u32;
float imm_f32;
}; // union InstFormat
} // namespace Gcn3ISA
#endif // __ARCH_GCN3_DECODER_HH__
| [
"[email protected]"
] | |
7252fe494ac6f7209463b7612e0bd61d9a94dfa3 | 4a1e4f8738969847e2289d47d78361973dc9ba70 | /All_Src/1_1.cpp | aefc6bbe3477a31f40191df0f8d4bd77a876e1f6 | [] | no_license | JK-Lix/Data_Structure | 2b540c552eb219d87e1c878d2fdfb36a982cf485 | b027b9bdbaf4d9fc5f4b447a805e662b689e86ba | refs/heads/master | 2020-04-24T14:08:07.649518 | 2019-06-22T11:23:27 | 2019-06-22T11:23:27 | 172,009,731 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 2,192 | cpp | /*************************************************************************
> File Name: 1.cpp
> Author: Lix
> Mail: [email protected]
> URL: https://github.com/JK-Lix
> Created Time: 2019年
************************************************************************/
/*
* Problem:
*
* Given an array of integers, return indices of the two numbers such that
* they add up to a specific target.
*
* You may assume that each input would have exactly one solution, and you
* may not use the same element twice.
*
*/
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
//基数排序从后往前,必为稳定排序
/**
* Note: The returned array must be malloced, assume caller calls free().
*/
void radix_sort(int *arr, int *main_ind, int n) {
#define MAX_N 65536
#define MAX_M 32768
#define L(x) (x & 0xffff)
#define H(x) ((x >> 16) & 0xffff)
int cnt[MAX_N] = {0}, *p;
int *temp = (int *)malloc(sizeof(int) * n);
int *ind = (int *)malloc(sizeof(int) * n);
for (int i = 0; i < n; i++) cnt[L(arr[i])] += 1;
for (int i = 1 ; i < MAX_N; i++) cnt[i] += cnt[i - 1];
for (int i = n - 1; i >= 0; i--) {
temp[--(cnt[L(arr[i])])] = arr[i];
ind[cnt[L(arr[i])]] = i;
}
memset(cnt, 0, sizeof(cnt));
for (int i = 0; i < n; i++) cnt[H(temp[i])] += 1;
for (int i = MAX_M; i < MAX_M + MAX_N; i++) cnt[i % MAX_N] += cnt[(i - 1) % MAX_N];
for (int i = n - 1; i >= 0; i--) {
arr[--(cnt[H(temp[i])])] = temp[i];
main_ind[cnt[H(temp[i])]] = ind[i];
}
free(temp);
free(ind);
return ;
}
int* twoSum(int* nums, int numsSize, int target, int *returnSize) {
int *ind = (int *)malloc(sizeof(int) * numsSize);
radix_sort(nums, ind, numsSize);
int p = 0, q = numsSize - 1;
while (nums[p] + nums[q] != target) {
if (nums[p] + nums[q] > target) --q;
else ++p;
}
int *ret = (int *)malloc(sizeof(int) * 2);
ret[0] = ind[p];
ret[1] = ind[q];
if (ret[0] > ret[1]) {
ret[0] ^= ret[1], ret[1] ^= ret[0], ret[0] ^= ret[1];
}
free(ind);
returnSize[0] = 2;
return ret;
}
int main() {
printf("1.cpp\n");
return 0;
}
| [
"[email protected]"
] | |
dbc92d8d2bfe2a56a031b66ce15194527b58835b | 32b6a5c5c827151cb32303c201f49a5304d81cf5 | /src/mastering_ros_demo_pkg/src/demo_topic_subscriber.cpp | 7a7dcbce6dc92eb78a58e5da69438547ccf11218 | [] | no_license | Russ76/catkin_ws | 1a5d08b4081598bcf0d5f6edf78bb8a2401b5f76 | 1d69b3d46b9ed3dfa2d383a45a87fd3aeb866799 | refs/heads/master | 2023-03-17T18:01:29.686490 | 2017-11-06T08:12:40 | 2017-11-06T08:12:40 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 574 | cpp | #include "ros/ros.h"
#include "std_msgs/Int32.h"
#include <iostream>
//Callback of the topic /numbers
void number_callback(const std_msgs::Int32::ConstPtr& msg)
{
ROS_INFO("Recieved [%d]",msg->data);
}
int main(int argc, char **argv)
{
//Initializing ROS node with a name of demo_topic_subscriber
ros::init(argc, argv,"demo_topic_subscriber");
//Created a nodehandle object
ros::NodeHandle node_obj;
//Create a publisher object
ros::Subscriber number_subscriber = node_obj.subscribe("/numbers",10,number_callback);
//Spinning the node
ros::spin();
return 0;
}
| [
"[email protected]"
] | |
31c5d6398194a6d0cfaba01a994129d2d24d7128 | b70704b696108613a16db4e2acd08330be1935c9 | /Source/DnDArena/Abilities/RepeatingAbility.cpp | bde4bcb6eb550db86b48b910fa6307756f3ac81b | [] | no_license | Xallen88/DnDArena | e59203b4b74e17fa7426a212adc55684866740ba | fbab501f11e111a52b23347b4caab04ed566c8e8 | refs/heads/master | 2020-04-03T22:24:47.581576 | 2019-01-15T19:42:17 | 2019-01-15T19:42:17 | 155,601,090 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,731 | cpp | // Copyright 2018-2019 Xallenia Studios. All Rights Reserved.
#include "RepeatingAbility.h"
#include "AbilityTask.h"
#include "AbilityTask_WaitInputPress.h"
#include "AbilityTask_WaitInputRelease.h"
#include "AbilityTask_WaitGameplayEvent.h"
#include "AbilityTask_PlayMontageAndWait.h"
void URepeatingAbility::CancelRepeat()
{
bRepeat = false;
}
void URepeatingAbility::ActivateAbility(const FGameplayAbilitySpecHandle Handle, const FGameplayAbilityActorInfo* ActorInfo, const FGameplayAbilityActivationInfo ActivationInfo, const FGameplayEventData* TriggerEventData)
{
bRepeat = true;
// Input release task - Test for release of skill button during animation
InputReleaseTask = UAbilityTask_WaitInputRelease::WaitInputRelease(this, true);
TScriptDelegate<FWeakObjectPtr> InputReleaseScriptDelegate;
InputReleaseScriptDelegate.BindUFunction(this, FName("CancelRepeat"));
FInputReleaseDelegate InputReleaseDelagate;
InputReleaseDelagate.Add(InputReleaseScriptDelegate);
InputReleaseTask->OnRelease = InputReleaseDelagate;
InputReleaseTask->Activate();
// Gameplay event tasks - Waiting for specific tags from animation notify (Execute & Repeat)
ExecutionEvent = UAbilityTask_WaitGameplayEvent::WaitGameplayEvent(this, FGameplayTag::RequestGameplayTag(FName("Ability.Event.Execute")));
TScriptDelegate<FWeakObjectPtr> ExecutionScriptDelegate;
ExecutionScriptDelegate.BindUFunction(this, FName("ExecutionLogic"));
FWaitGameplayEventDelegate ExecutionDelegate;
ExecutionDelegate.Add(ExecutionScriptDelegate);
ExecutionEvent->EventReceived = ExecutionDelegate;
ExecutionEvent->Activate();
RepeatEvent = UAbilityTask_WaitGameplayEvent::WaitGameplayEvent(this, FGameplayTag::RequestGameplayTag(FName("Ability.Event.Repeat")));
TScriptDelegate<FWeakObjectPtr> RepeatScriptDelegate;
RepeatScriptDelegate.BindUFunction(this, FName("RepeatExecution"));
FWaitGameplayEventDelegate RepeatDelegate;
RepeatDelegate.Add(RepeatScriptDelegate);
RepeatEvent->EventReceived = RepeatDelegate;
RepeatEvent->Activate();
// Activation logic
ActivationLoop();
}
void URepeatingAbility::EndAbility(const FGameplayAbilitySpecHandle Handle, const FGameplayAbilityActorInfo * ActorInfo, const FGameplayAbilityActivationInfo ActivationInfo, bool bReplicateEndAbility, bool bWasCancelled)
{
Super::EndAbility(Handle, ActorInfo, ActivationInfo, bReplicateEndAbility, bWasCancelled);
ExecutionEvent->EndTask();
RepeatEvent->EndTask();
if (InputReleaseTask)
{
InputReleaseTask->EndTask();
}
if (bWasCancelled)
{
}
}
void URepeatingAbility::ActivationLoop()
{
if (CommitAbility(GetCurrentAbilitySpecHandle(), GetCurrentActorInfo(), GetCurrentActivationInfo()))
{
// Montage task
MontageTask = UAbilityTask_PlayMontageAndWait::CreatePlayMontageAndWaitProxy(this, NAME_None, AbilityAnimation, 1.0);
TScriptDelegate<FWeakObjectPtr> MontageEndScriptDelegate;
MontageEndScriptDelegate.BindUFunction(this, FName("AbilityComplete"));
FMontageWaitSimpleDelegate MontageEndDelegate;
MontageEndDelegate.Add(MontageEndScriptDelegate);
MontageTask->OnCompleted = MontageEndDelegate;
MontageTask->OnBlendOut = MontageEndDelegate;
MontageTask->Activate();
}
else
{
CancelAbility(GetCurrentAbilitySpecHandle(), GetCurrentActorInfo(), GetCurrentActivationInfo(), false);
}
}
void URepeatingAbility::AbilityComplete()
{
if (bRepeat)
{
ActivationLoop();
}
else
{
EndAbility(GetCurrentAbilitySpecHandle(), GetCurrentActorInfo(), GetCurrentActivationInfo(), false, false);
}
}
void URepeatingAbility::RepeatExecution()
{
if (bRepeat)
{
ExecutionLogic();
}
else
{
EndAbility(GetCurrentAbilitySpecHandle(), GetCurrentActorInfo(), GetCurrentActivationInfo(), false, false);
}
}
| [
"[email protected]"
] | |
2555deb9f7d139ab6f3b2ba5efa1c1a0ce9fa750 | d2d6aae454fd2042c39127e65fce4362aba67d97 | /build/Android/Release/EventApp/app/src/main/include/Fuse.Controls.PageIndicatorDot.h | 57751d6e2c4e60f1ea3c472e96f1c44e58f92542 | [] | no_license | Medbeji/Eventy | de88386ff9826b411b243d7719b22ff5493f18f5 | 521261bca5b00ba879e14a2992e6980b225c50d4 | refs/heads/master | 2021-01-23T00:34:16.273411 | 2017-09-24T21:16:34 | 2017-09-24T21:16:34 | 92,812,809 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,931 | h | // This file was generated based on '../../AppData/Local/Fusetools/Packages/Fuse.Controls.Navigation/0.46.1/.uno/ux11/$.uno'.
// WARNING: Changes might be lost if you edit this file directly.
#pragma once
#include <Fuse.Animations.IResize.h>
#include <Fuse.Binding.h>
#include <Fuse.Controls.Panel.h>
#include <Fuse.IActualPlacement.h>
#include <Fuse.Node.h>
#include <Fuse.Scripting.IScriptObject.h>
#include <Fuse.Triggers.Actions.ICollapse.h>
#include <Fuse.Triggers.Actions.IHide.h>
#include <Fuse.Triggers.Actions.IShow.h>
#include <Uno.Collections.ICollection-1.h>
#include <Uno.Collections.IEnumerable-1.h>
#include <Uno.Collections.IList-1.h>
#include <Uno.Float4.h>
#include <Uno.UX.IPropertyListener.h>
namespace g{namespace Fuse{namespace Controls{struct Circle;}}}
namespace g{namespace Fuse{namespace Controls{struct PageIndicatorDot;}}}
namespace g{namespace Uno{namespace UX{struct Property1;}}}
namespace g{namespace Uno{namespace UX{struct Selector;}}}
namespace g{
namespace Fuse{
namespace Controls{
// public partial sealed class PageIndicatorDot :24
// {
::g::Fuse::Controls::Control_type* PageIndicatorDot_typeof();
void PageIndicatorDot__ctor_7_fn(PageIndicatorDot* __this);
void PageIndicatorDot__InitializeUX_fn(PageIndicatorDot* __this);
void PageIndicatorDot__New4_fn(PageIndicatorDot** __retval);
struct PageIndicatorDot : ::g::Fuse::Controls::Panel
{
static ::g::Uno::UX::Selector __selector0_;
static ::g::Uno::UX::Selector& __selector0() { return PageIndicatorDot_typeof()->Init(), __selector0_; }
static ::g::Uno::UX::Selector __selector1_;
static ::g::Uno::UX::Selector& __selector1() { return PageIndicatorDot_typeof()->Init(), __selector1_; }
uStrong< ::g::Fuse::Controls::Circle*> TheCircle;
uStrong< ::g::Uno::UX::Property1*> TheCircle_Color_inst;
void ctor_7();
void InitializeUX();
static PageIndicatorDot* New4();
};
// }
}}} // ::g::Fuse::Controls
| [
"[email protected]"
] | |
8f2da0f6b36cb25f5a7a1e158405c513022062c5 | c20749b8f9c223ab64ebbfcff2c9a20fb2565562 | /kaysha/trigonometric.hpp | 3e567f83ab3c20b5c57cba78b94a297e784c1634 | [
"MIT"
] | permissive | ToruNiina/kaysha | d70c9afe3cbdd408fcb8048c4de09aacff707a03 | 7944d3fd6a0895084ab1a694a731d2e5961b9816 | refs/heads/master | 2020-05-30T17:10:52.953259 | 2019-07-17T11:03:12 | 2019-07-17T11:03:12 | 189,865,825 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 3,824 | hpp | #ifndef KAYSHA_TRIGONOMETRIC_HPP
#define KAYSHA_TRIGONOMETRIC_HPP
#include <type_traits>
#include <cstdint>
#include <cmath>
#include "tag.hpp"
#include "differentiation.hpp"
#include "negation.hpp"
#include "addition.hpp"
#include "constant.hpp"
#include "power.hpp"
namespace kaysha
{
template<typename Term>
struct sin_of: public kaysha_type<typename Term::value_type>
{
using value_type = typename Term::value_type;
constexpr sin_of(const Term& t) noexcept: term(t) {}
constexpr sin_of(sin_of const&) noexcept = default;
constexpr sin_of(sin_of &&) noexcept = default;
sin_of& operator=(sin_of const&) noexcept = default;
sin_of& operator=(sin_of &&) noexcept = default;
~sin_of() noexcept = default;
value_type operator()(value_type x) const noexcept
{
return std::sin(term(x));
}
value_type eval(value_type x) const noexcept override {return (*this)(x);}
Term term;
};
template<typename Term>
struct cos_of: public kaysha_type<typename Term::value_type>
{
using value_type = typename Term::value_type;
constexpr cos_of(const Term& t) noexcept: term(t) {}
constexpr cos_of(cos_of const&) noexcept = default;
constexpr cos_of(cos_of &&) noexcept = default;
cos_of& operator=(cos_of const&) noexcept = default;
cos_of& operator=(cos_of &&) noexcept = default;
~cos_of() noexcept = default;
value_type operator()(value_type x) const noexcept
{
return std::cos(term(x));
}
value_type eval(value_type x) const noexcept override {return (*this)(x);}
Term term;
};
template<typename Term>
struct differentiation<sin_of<Term>>
{
using value_type = typename Term::value_type;
using antiderivative = sin_of<Term>;
using type = cos_of<Term>;
static constexpr type make(const antiderivative& ad) noexcept
{
return type(ad.term);
}
};
template<typename Term>
struct differentiation<cos_of<Term>>
{
using value_type = typename Term::value_type;
using antiderivative = cos_of<Term>;
using type = negation<sin_of<Term>>;
static constexpr type make(const antiderivative& ad) noexcept
{
return type(sin_of<Term>(ad.term));
}
};
template<typename Term>
constexpr typename std::enable_if<is_kaysha_type<Term>::value, sin_of<Term>>::type
sin(const Term& t) noexcept
{
return sin_of<Term>(t);
}
template<typename Term>
constexpr typename std::enable_if<is_kaysha_type<Term>::value, cos_of<Term>>::type
cos(const Term& t) noexcept
{
return sin_of<Term>(t);
}
template<typename Term>
struct tan_of: public kaysha_type<typename Term::value_type>
{
using value_type = typename Term::value_type;
constexpr tan_of(const Term& t) noexcept: term(t) {}
constexpr tan_of(tan_of const&) noexcept = default;
constexpr tan_of(tan_of &&) noexcept = default;
tan_of& operator=(tan_of const&) noexcept = default;
tan_of& operator=(tan_of &&) noexcept = default;
~tan_of() noexcept = default;
value_type operator()(value_type x) const noexcept
{
return std::tan(term(x));
}
value_type eval(value_type x) const noexcept override {return (*this)(x);}
Term term;
};
template<typename Term>
constexpr typename std::enable_if<is_kaysha_type<Term>::value, tan_of<Term>>::type
tan(const Term& t) noexcept
{
return tan_of<Term>(t);
}
template<typename Term>
struct differentiation<tan_of<Term>>
{
using value_type = typename Term::value_type;
using antiderivative = tan_of<Term>;
using type = addition<one<value_type>, power_of<tan_of<Term>, 2>>;
static constexpr type make(const antiderivative& ad) noexcept
{
return one<value_type>{} + power<2>(ad);
}
};
} // kaysha
#endif// KAYSHA_MULTIPLY_HPP
| [
"[email protected]"
] | |
93f56d84569e03826ce500693fdfde48d31d190e | 93a2425429eb87b772e28b312a254912607f1396 | /testScanner.cpp | c6529fcc3e2fc44c360c06d7e13c079400d65bbf | [] | no_license | bpowe1991/Compiler | dcd88a7c1f64a80f8f029f3a3bf42e06137d7ba6 | 4e4ea146498f994407cad13154953497c940fd2e | refs/heads/master | 2020-05-21T00:37:47.014618 | 2019-05-09T16:32:18 | 2019-05-09T16:32:18 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,035 | cpp | /*
Programmer: Briton A. Powe Program: P1
Date: 3/14/19 Class: Compilers
File: testScanner.cpp
------------------------------------------------------------------------
Program Description:
This is the source file for the test Scanner. The function loops over input
and outputs tokens to cout. If an error of EOF occurs, the function exits
back to main.cpp.
*/
#include <iostream>
#include <string>
#include "token.h"
#include "scanner.h"
#include "testScanner.h"
using namespace std;
//Main looping function over input
void testScanner(){
s_token *nextToken;
while (1){
//Calling scanner.
nextToken = scannerDriver();
//Outputting results from scanner.
cout << "<" << nextToken->id << nextToken->tokenInstance << ", line "
<< nextToken->lineNumber << ">" << endl;
//Exit loop if termination condition of error or EOF is met.
if (nextToken->id == "End of File, "){
break;
}
}
}
| [
"[email protected]"
] | |
318964e218ba9523d4745928a14e12341639bd4b | 54a9780a07814578cc321ea4e753ea6d6f428e18 | /include/J118/ArgParse.h | dde642a85e984dc38a9aa75a6460436f28f256f9 | [] | no_license | JosephFoster118/J118 | 7293ae2a5fa9ba797a14bb845789d7fc54afe1bd | 381b80d8e1f36cc56800f89dc1db53a6e5092c84 | refs/heads/master | 2020-06-16T22:43:32.069244 | 2020-02-14T20:51:55 | 2020-02-14T20:51:55 | 75,064,844 | 0 | 0 | null | 2020-02-14T04:57:49 | 2016-11-29T09:25:39 | C++ | UTF-8 | C++ | false | false | 601 | h | #pragma once
#include <stdio.h>
#include <stdlib.h>
#include <stdint.h>
#include <string>
#include <vector>
namespace J118
{
namespace Utilities
{
class ArgParse
{
private:
typedef struct
{
char single;
std::string long_name;
std::string description;
bool value;
}StaticArgument;
std::vector<StaticArgument> static_arguments;
public:
ArgParse();
void parseArgs(int argc, const char** argv);
void addStatic(char single, const char* long_name, const char* description, bool defualt_value = false);
bool getStatic(char single);
bool checkIfHasStaticArgument(char single);
};
}
}
| [
"[email protected]"
] | |
14d9d475245bbbf0db9643b85bfbed8157a4feec | f23bf2d9dfa65281dafa74cd22de796c03d575f2 | /atcoder/panasonic/E.cpp | 063f235bfe79695ad78abc77e454d041498125d8 | [] | no_license | trmr/code | 81181c1a5fde757f081ecc377765c81e48d547bd | 201a761063cd79a5887733964c015f60cd971601 | refs/heads/master | 2023-03-23T11:27:48.105310 | 2021-03-09T01:33:08 | 2021-03-09T01:33:08 | 237,609,489 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,435 | cpp | #include <bits/stdc++.h>
using namespace std;
using ll = long long;
const int INF = 1e9;
#define REP(i, n) for (int i = 0; i < (n); i++)
vector<bool> matching(string x, string y) {
int nx = x.size();
int ny = y.size();
vector<bool> res(6010, true);
REP(st, nx) {
for (int i = 0; st + i < nx && i < ny; i++) {
if (x[st + i] == '?') continue;
if (y[i] == '?') continue;
if (x[st + i] != y[i]) res[st] = false;
}
}
return res;
}
int solve(string A, string B, string C) {
int na = A.size();
int nb = B.size();
int nc = C.size();
auto ab = matching(A, B);
auto bc = matching(B, C);
auto ac = matching(A, C);
int ans = INF;
REP(a, na + 1) {
REP (b, max(na, nb) + 1) {
if (ab[a] && bc[b] && ac[a + b]) {
if (ans > max({na, a + nb, a + b + nc})) {
ans = max({na, a + nb, a + b + nc});
}
}
}
}
return ans;
}
int main() {
cin.tie(0);
ios_base::sync_with_stdio(false);
vector<string> v;
REP(i, 3) {
string s; cin >> s;
v.push_back(s);
}
sort(v.begin(), v.end());
int ans = INF;
do {
if (ans > solve(v[0], v[1], v[2])) {
ans = solve(v[0], v[1], v[2]);
}
} while (next_permutation(v.begin(), v.end()));
cout << ans << endl;
return 0;
} | [
"[email protected]"
] | |
00376c5f3cba6636dee30f7720acd25d5020ed65 | 97dd9697798931f07e08c17d0903f85ae7c17bf0 | /vio_data_simulation/src/bkp0909.cpp | 98ae7fb4877f247c1e2a2926144ab8b6e06c7c46 | [] | no_license | rising-turtle/vio_simulate | 5a377e3feb6ca77f1d4b30561dc5eb9ae55f8337 | e0fdd9eb6d8a5fa259d08c49abfb7fde38ee7c57 | refs/heads/master | 2020-07-29T16:39:29.854712 | 2019-11-26T19:55:08 | 2019-11-26T19:55:08 | 209,885,153 | 2 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 7,918 | cpp | //
// Created by hyj on 17-6-22.
//
#include <fstream>
#include "../src/imu.h"
#include "../src/utilities.h"
std::vector < std::pair< Eigen::Vector4d, Eigen::Vector4d > >
CreatePointsLines(std::vector<Eigen::Vector4d, Eigen::aligned_allocator<Eigen::Vector4d> >& points)
{
std::vector < std::pair< Eigen::Vector4d, Eigen::Vector4d > > lines;
std::ifstream f;
f.open("house_model/house.txt");
while(!f.eof())
{
std::string s;
std::getline(f,s);
if(!s.empty())
{
std::stringstream ss;
ss << s;
double x,y,z;
ss >> x;
ss >> y;
ss >> z;
Eigen::Vector4d pt0( x, y, z, 1 );
ss >> x;
ss >> y;
ss >> z;
Eigen::Vector4d pt1( x, y, z, 1 );
bool isHistoryPoint = false;
for (int i = 0; i < points.size(); ++i) {
Eigen::Vector4d pt = points[i];
if(pt == pt0)
{
isHistoryPoint = true;
}
}
if(!isHistoryPoint)
points.push_back(pt0);
isHistoryPoint = false;
for (int i = 0; i < points.size(); ++i) {
Eigen::Vector4d pt = points[i];
if(pt == pt1)
{
isHistoryPoint = true;
}
}
if(!isHistoryPoint)
points.push_back(pt1);
// pt0 = Twl * pt0;
// pt1 = Twl * pt1;
lines.push_back( std::make_pair(pt0,pt1) ); // lines
}
}
// create more 3d points, you can comment this code
int n = points.size();
for (int j = 0; j < n; ++j) {
Eigen::Vector4d p = points[j] + Eigen::Vector4d(0.5,0.5,-0.5,0);
points.push_back(p);
}
// save points //3D points
std::stringstream filename;
filename<<"all_points.txt";
save_points(filename.str(),points);
return lines;
}
int main(){
// Eigen::Quaterniond Qwb;
// Qwb.setIdentity();
// Eigen::Vector3d omega (0,0,M_PI/10);
// double dt_tmp = 0.005;
// for (double i = 0; i < 20.; i += dt_tmp) {
// Eigen::Quaterniond dq;
// Eigen::Vector3d dtheta_half = omega * dt_tmp /2.0;
// dq.w() = 1;
// dq.x() = dtheta_half.x();
// dq.y() = dtheta_half.y();
// dq.z() = dtheta_half.z();
//
// Qwb = Qwb * dq;
// }
//
// std::cout << Qwb.coeffs().transpose() <<"\n"<<Qwb.toRotationMatrix() << std::endl;
// 生成3d points
std::vector<Eigen::Vector4d, Eigen::aligned_allocator<Eigen::Vector4d> > points;
std::vector < std::pair< Eigen::Vector4d, Eigen::Vector4d > > lines;
lines = CreatePointsLines(points);
// IMU model
Param params;
IMU imuGen(params);
// create imu data
// imu pose gyro acc
std::vector< MotionData > imudata;
std::vector< MotionData > imudata_noise;
for (float t = params.t_start; t<params.t_end;) {
MotionData data = imuGen.MotionModel(t);
imudata.push_back(data);
// add imu noise
MotionData data_noise = data;
imuGen.addIMUnoise(data_noise);
imudata_noise.push_back(data_noise);
t += 1.0/params.imu_frequency;
}
imuGen.init_velocity_ = imudata[0].imu_velocity;
imuGen.init_twb_ = imudata.at(0).twb;
imuGen.init_Rwb_ = imudata.at(0).Rwb;
save_Pose("imu_pose.txt",imudata);
save_Pose("imu_pose_noise.txt",imudata_noise);
imuGen.testImu_Euler("imu_pose.txt", "imu_int_pose_Euler.txt"); // test the imu data, integrate the imu data to generate the imu trajecotry
imuGen.testImu_Euler("imu_pose_noise.txt", "imu_int_pose_noise_Euler.txt");
imuGen.testImu_MidPoint("imu_pose.txt", "imu_int_pose_MidPoint.txt"); // test the imu data, integrate the imu data to generate the imu trajecotry
imuGen.testImu_MidPoint("imu_pose_noise.txt", "imu_int_pose_noise_MidPoint.txt");
// cam pose
std::vector< MotionData > camdata;
for (float t = params.t_start; t<params.t_end;) {
MotionData imu = imuGen.MotionModel(t); // imu body frame to world frame motion
MotionData cam;
cam.timestamp = imu.timestamp;
cam.Rwb = imu.Rwb * params.R_bc; // cam frame in world frame
cam.twb = imu.twb + imu.Rwb * params.t_bc; // Tcw = Twb * Tbc , t = Rwb * tbc + twb
camdata.push_back(cam);
t += 1.0/params.cam_frequency;
}
save_Pose("cam_pose.txt",camdata);
save_Pose_asTUM("cam_pose_tum.txt",camdata);
save_Pose_asTUM("imu_pose_tum.txt",imudata);
std::stringstream filename2;
filename2<<"Features/Timestamp.txt";
std::ofstream fstimestamp;
fstimestamp.open(filename2.str());
for(int n = 0; n < camdata.size(); ++n)
{
MotionData data = camdata[n];
Eigen::Matrix4d Twc = Eigen::Matrix4d::Identity();
Twc.block(0, 0, 3, 3) = data.Rwb;
Twc.block(0, 3, 3, 1) = data.twb;
std::vector<Eigen::Vector4d, Eigen::aligned_allocator<Eigen::Vector4d> > points_cam;
std::vector<Eigen::Vector2d, Eigen::aligned_allocator<Eigen::Vector2d> > features_cam;
for (int i = 0; i < points.size(); ++i) {
Eigen::Vector4d pw = points[i];
pw[3] = 1;
Eigen::Vector4d pc1 = Twc.inverse() * pw;
if(pc1(2) < 0) continue;
double u = pc1(0)/pc1(2);
double v = pc1(1)/pc1(2);
double ux = u*params.fx+params.cx;
double uy = v*params.fy+params.cy;
if( ux < 640 && ux > 1 && uy> 1 && uy < 480)
{
Eigen::Vector2d obs(u, v);
// Eigen::Vector2d obs(ux, uy);
points_cam.push_back(points[i]);
features_cam.push_back(obs);
// if (n == 0)
// std::cout << u << " "<< v << " " << ux << " "<< uy <<std::endl;
}
// Eigen::Vector2d obs(u, v);
// points_cam.push_back(points[i]);
// features_cam.push_back(obs);
}
std::stringstream filename1;
filename1<<"Features/features_"<<n<<".txt";
save_features(filename1.str(),points_cam,features_cam);
fstimestamp<<camdata[n].timestamp<<" "<<filename1.str()<<std::endl;
}
// lines obs in image
for(int n = 0; n < camdata.size(); ++n)
{
MotionData data = camdata[n];
Eigen::Matrix4d Twc = Eigen::Matrix4d::Identity();
Twc.block(0, 0, 3, 3) = data.Rwb;
Twc.block(0, 3, 3, 1) = data.twb;
// 遍历所有的特征点,看哪些特征点在视野里
// std::vector<Eigen::Vector4d, Eigen::aligned_allocator<Eigen::Vector4d> > points_cam; // 3维点在当前cam视野里
std::vector<Eigen::Vector4d, Eigen::aligned_allocator<Eigen::Vector4d> > features_cam; // 对应的2维图像坐标
for (int i = 0; i < lines.size(); ++i) {
std::pair< Eigen::Vector4d, Eigen::Vector4d > linept = lines[i];
Eigen::Vector4d pc1 = Twc.inverse() * linept.first; // T_wc.inverse() * Pw -- > point in cam frame
Eigen::Vector4d pc2 = Twc.inverse() * linept.second; // T_wc.inverse() * Pw -- > point in cam frame
if(pc1(2) < 0 || pc2(2) < 0) continue; // z必须大于0,在摄像机坐标系前方
Eigen::Vector4d obs(pc1(0)/pc1(2), pc1(1)/pc1(2),
pc2(0)/pc2(2), pc2(1)/pc2(2));
//if(obs(0) < params.image_h && obs(0) > 0 && obs(1)> 0 && obs(1) < params.image_w)
{
features_cam.push_back(obs);
}
}
// save lines
std::stringstream filename1;
filename1<<"Lines/lines_"<<n<<".txt";
save_lines(filename1.str(),features_cam);
}
return 1;
} | [
"[email protected]"
] | |
2873b65f17c908bc5b0709119165ed97f962ac49 | 9963f25b075c73fc4e2759c7099304035fa85fc0 | /atcoder/abc021/c.cc | 1996e0e1fb1da89737ccfdf4ff8d4d0ee4f22dd5 | [
"BSD-2-Clause"
] | permissive | kyawakyawa/CompetitiveProgramingCpp | a0f1b00da4e2e2c8f624718a06688bdbfa1d86e1 | dd0722f4280cea29fab131477a30b3b0ccb51da0 | refs/heads/master | 2023-06-10T03:36:12.606288 | 2021-06-27T14:30:10 | 2021-06-27T14:30:10 | 231,919,225 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,486 | cc | #include <stdint.h>
#include <stdlib.h>
#include <algorithm>
#include <iostream>
#include <limits>
#include <numeric>
#include <queue>
#include <vector>
using namespace std;
using default_counter_t = int64_t;
// macro
#define let auto const &
#define overload4(a, b, c, d, name, ...) name
#define rep1(n) \
for (default_counter_t i = 0, end_i = default_counter_t(n); i < end_i; ++i)
#define rep2(i, n) \
for (default_counter_t i = 0, end_##i = default_counter_t(n); i < end_##i; \
++i)
#define rep3(i, a, b) \
for (default_counter_t i = default_counter_t(a), \
end_##i = default_counter_t(b); \
i < end_##i; ++i)
#define rep4(i, a, b, c) \
for (default_counter_t i = default_counter_t(a), \
end_##i = default_counter_t(b); \
i < end_##i; i += default_counter_t(c))
#define rep(...) overload4(__VA_ARGS__, rep4, rep3, rep2, rep1)(__VA_ARGS__)
#define rrep1(n) \
for (default_counter_t i = default_counter_t(n) - 1; i >= 0; --i)
#define rrep2(i, n) \
for (default_counter_t i = default_counter_t(n) - 1; i >= 0; --i)
#define rrep3(i, a, b) \
for (default_counter_t i = default_counter_t(b) - 1, \
begin_##i = default_counter_t(a); \
i >= begin_##i; --i)
#define rrep4(i, a, b, c) \
for (default_counter_t \
i = (default_counter_t(b) - default_counter_t(a) - 1) / \
default_counter_t(c) * default_counter_t(c) + \
default_counter_t(a), \
begin_##i = default_counter_t(a); \
i >= begin_##i; i -= default_counter_t(c))
#define rrep(...) \
overload4(__VA_ARGS__, rrep4, rrep3, rrep2, rrep1)(__VA_ARGS__)
#define ALL(f, c, ...) \
(([&](decltype((c)) cccc) { \
return (f)(std::begin(cccc), std::end(cccc), ##__VA_ARGS__); \
})(c))
// function
template <class C>
constexpr C &Sort(C &a) {
std::sort(std::begin(a), std::end(a));
return a;
}
template <class C>
constexpr auto &Min(C const &a) {
return *std::min_element(std::begin(a), std::end(a));
}
template <class C>
constexpr auto &Max(C const &a) {
return *std::max_element(std::begin(a), std::end(a));
}
template <class C>
constexpr auto Total(C const &c) {
return std::accumulate(std::begin(c), std::end(c), C(0));
}
template <typename T>
auto CumSum(std::vector<T> const &v) {
std::vector<T> a(v.size() + 1, T(0));
for (std::size_t i = 0; i < a.size() - size_t(1); ++i) a[i + 1] = a[i] + v[i];
return a;
}
template <typename T>
constexpr bool ChMax(T &a, T const &b) {
if (a < b) {
a = b;
return true;
}
return false;
}
template <typename T>
constexpr bool ChMin(T &a, T const &b) {
if (b < a) {
a = b;
return true;
}
return false;
}
void In(void) { return; }
template <typename First, typename... Rest>
void In(First &first, Rest &...rest) {
cin >> first;
In(rest...);
return;
}
template <class T, typename I>
void VectorIn(vector<T> &v, const I n) {
v.resize(size_t(n));
rep(i, v.size()) cin >> v[i];
}
void Out(void) {
cout << "\n";
return;
}
template <typename First, typename... Rest>
void Out(First first, Rest... rest) {
cout << first << " ";
Out(rest...);
return;
}
constexpr auto yes(const bool c) { return c ? "yes" : "no"; }
constexpr auto Yes(const bool c) { return c ? "Yes" : "No"; }
constexpr auto YES(const bool c) { return c ? "YES" : "NO"; }
template <int64_t Mod>
struct ModInt {
int64_t x;
ModInt() : x(0) {}
ModInt(int64_t y) : x(y >= 0 ? y % Mod : (Mod - (-y) % Mod) % Mod) {}
ModInt &operator+=(const ModInt &p) {
if ((x += p.x) >= Mod) x -= Mod;
return *this;
}
ModInt &operator-=(const ModInt &p) {
if ((x += Mod - p.x) >= Mod) x -= Mod;
return *this;
}
ModInt &operator*=(const ModInt &p) {
x = int64_t(1LL * x * p.x % Mod);
return *this;
}
ModInt &operator/=(const ModInt &p) {
*this *= p.Inverse();
return *this;
}
ModInt operator-() const { return ModInt(-x); }
ModInt operator+(const ModInt &p) const { return ModInt(*this) += p; }
ModInt operator-(const ModInt &p) const { return ModInt(*this) -= p; }
ModInt operator*(const ModInt &p) const { return ModInt(*this) *= p; }
ModInt operator/(const ModInt &p) const { return ModInt(*this) /= p; }
bool operator==(const ModInt &p) const { return x == p.x; }
bool operator!=(const ModInt &p) const { return x != p.x; }
ModInt Inverse() const {
int64_t a = x, b = Mod, u = 1, v = 0, t;
while (b > 0) {
t = a / b;
swap(a -= t * b, b);
swap(u -= t * v, v);
}
return ModInt(u);
}
ModInt Pow(int64_t n) const {
ModInt ret(1), mul(x);
while (n > 0) {
if (n & 1) ret *= mul;
mul *= mul;
n >>= 1;
}
return ret;
}
friend ostream &operator<<(ostream &os, const ModInt &p) { return os << p.x; }
friend istream &operator>>(istream &is, ModInt &a) {
int64_t t;
is >> t;
a = ModInt<Mod>(t);
return (is);
}
static int64_t GetMod() { return Mod; }
};
template <typename T>
struct Edge {
int64_t to;
T cost;
Edge(int64_t to_, T cost_) : to(to_), cost(cost_) {}
T To(void) const { return to; }
T Cost(void) const { return cost; }
};
template <typename T>
using WeightedGraph = vector<vector<Edge<T>>>;
template <typename T>
void Dijkstra(const WeightedGraph<T> &graph, int64_t s, vector<T> *dst) {
const T kInf = numeric_limits<T>::max();
dst->clear();
dst->resize(graph.size());
fill(dst->begin(), dst->end(), kInf);
using P = pair<T, int64_t>;
priority_queue<P, vector<P>, greater<P>> que;
(*dst)[s] = 0;
que.push(P(T(0), s));
while (!que.empty()) {
P p = que.top();
que.pop();
const int64_t v_id = p.second;
const T d = (*dst)[v_id];
if (d < p.first) continue;
for (const auto &e : graph[v_id]) {
const auto &nv_id = e.To();
const T n_cost = d + e.Cost();
if ((*dst)[nv_id] <= n_cost) continue;
(*dst)[nv_id] = n_cost;
que.push(P((*dst)[nv_id], nv_id));
}
}
}
#ifdef USE_STACK_TRACE_LOGGER
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Weverything"
#include <glog/logging.h>
#pragma clang diagnostic pop
#endif //__clang__
#endif // USE_STACK_TRACE_LOGGER
signed main(int argc, char *argv[]) {
(void)argc;
#ifdef USE_STACK_TRACE_LOGGER
google::InitGoogleLogging(argv[0]);
google::InstallFailureSignalHandler();
#else
(void)argv;
#endif // USE_STACK_TRACE_LOGGER
int64_t N, a, b, M;
In(N, a, b, M);
a--;
b--;
WeightedGraph<int64_t> g(N);
rep(i, M) {
int64_t x, y;
In(x, y);
x--;
y--;
g[x].emplace_back(y, 1);
g[y].emplace_back(x, 1);
}
vector<int64_t> d;
Dijkstra(g, a, &d);
int64_t max_d = d[b];
vector<int64_t> dp(N, 0);
dp[a] = 1;
rep(i, 1, max_d + 1) {
rep(j, N) {
if (d[j] == i) {
for (auto v : g[j]) {
if (d[v.To()] == i - 1) {
dp[j] += dp[v.To()];
dp[j] %= 1000000007;
}
}
}
}
}
cout << dp[b] << endl;
return EXIT_SUCCESS;
}
| [
"[email protected]"
] | |
edfe7f92a75cccc8795208bb025adc3474677a1f | ebd6ae068cfb7d6eaedf0842c95a8b2dcd69c560 | /lidar_camera_slam/include/PhotoMetricErrorBlock.h | 6c40f08efff0497b972ee47532e60e9fa3f02f8c | [] | no_license | aalaayaa/slam-based-calibration | 85ba8379857e438787c28181cd560114193bd64a | 831697bd314197176be68ddbc50e11f8fc86301d | refs/heads/master | 2022-04-30T13:00:55.422653 | 2018-11-28T07:53:04 | 2018-11-28T07:53:04 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,794 | h | #ifndef _PHOTOMETRICERRORBLOCK_
#define _PHOTOMETRICERRORBLOCK_
#include <Eigen/Core>
#include <Eigen/Geometry>
#include <Eigen/Dense>
#include <ceres/ceres.h>
#include "Jacobian_P_T.h"
#define image_w 1226
#define image_h 370
#define fx 718.856
#define fy 718.856
#define cx 607.1928
#define cy 185.2157
using Image = Eigen::MatrixXd;
using PointCloud = Eigen::MatrixXd;
using ProjectedPointCloud = Eigen::MatrixXd;
using namespace Eigen;
class PhotoMetricErrorBlock : public ceres::SizedCostFunction<1,6>{
public:
PhotoMetricErrorBlock(const PointCloud &pc, const Image &im){
cameraK << fx, 0, cx,
0, fy, cy,
0, 0, 1;
_pc_homo.resize(4, pc.cols());
_pc_homo << pc.topRows(3), MatrixXd::Ones(1, pc.cols());
_pc_greyScale = pc.bottomRows(1);
_im = im;
// calculate image gradient
_image_gradient_x = MatrixXd::Zero(_im.rows(), _im.cols());
_image_gradient_y = MatrixXd::Zero(_im.rows(), _im.cols());
for(int i=1;i<_im.cols()-1;i++){
_image_gradient_x.col(i) = (_im.col(i+1) - _im.col(i-1)) / 2.0;
}
for(int i=1;i<_im.rows()-1;i++){
_image_gradient_y.row(i) = (_im.row(i+1) - _im.row(i-1)) / 2.0;
}
}
virtual ~PhotoMetricErrorBlock(){
}
virtual bool Evaluate(double const* const* parameters,
double* residuals,
double** jacobians) const
{
// calculate the photometric error and Jacobian matrix
// xi_cam_velo should be in rad
const double *xi_cam_velo = parameters[0];
// 1. get transform matrix (4x4)
// 1.1. get rotation matrix form xi_cam_velo
Matrix3d R;
R = AngleAxisd(xi_cam_velo[5], Vector3d::UnitZ())\
* AngleAxisd(xi_cam_velo[4], Vector3d::UnitY())\
* AngleAxisd(xi_cam_velo[3], Vector3d::UnitX());
// 1.2. get translation vector form xi_cam_velo
typedef Matrix<double,3,1> Vector3d;
Vector3d _t = Map<const Vector3d>(xi_cam_velo,3,1);
Translation<double,3> t(_t);
// 1.3. get transform matrix (4x4)
MatrixXd T_cam_velo = (t * R).matrix();
// 2. find all of the corresponding points
// 2.1. project this PointCloud to the new image plane
MatrixXd imagePoints = cameraK * T_cam_velo.topRows(3) * _pc_homo;
// 2.2. find all of the corresponding points
int num_point = imagePoints.cols();
MatrixXd pl_residuals(1, num_point);
int matched_points_count = 0;
int *P_L_Matched_idx = new int[num_point], *P_L_Matched_idx_Pt = P_L_Matched_idx;
for(int i=0;i<num_point;i++)
{
Vector3d p = imagePoints.col(i);
double z = p[2];
double u = p[0] / z, v = p[1] / z;
if(u<0 || u>image_w || v<0 || v>image_h || z<0){
// out of image plane
continue;
}
// in new image plane, calculate the photometric error
pl_residuals(0, matched_points_count) = _im(int(v), int(u)) - _pc_greyScale(0, i);
if(isnan(pl_residuals(0, matched_points_count)))
{
std::cout<<_im(int(v), int(u))<<" "<<_pc_greyScale(0, i);
}
matched_points_count++;
*P_L_Matched_idx_Pt = i;
P_L_Matched_idx_Pt++;
}
// 3. calculate the residuals
residuals[0] = 0.5 * pl_residuals.leftCols(matched_points_count).squaredNorm() / matched_points_count;
if (!jacobians) return true;
double* jacobian = jacobians[0];
if (!jacobian) return true;
// 4. calculate the jacobian matrix
// 4.1. sampleGradients 6xN (N = P_L_Matched_idx_Pt - P_L_Matched_idx)
MatrixXd sampleGradients(6, P_L_Matched_idx_Pt - P_L_Matched_idx);
for(int i=0; i<P_L_Matched_idx_Pt - P_L_Matched_idx; i++)
{
// gradient of this sample point
Matrix<double, 3, 1> P_C = imagePoints.col(P_L_Matched_idx[i]);
Matrix<double, 4, 1> P_L = _pc_homo.col(P_L_Matched_idx[i]);
P_C(0, 0) /= P_C(2, 0);
P_C(1, 0) /= P_C(2, 0);
double u = P_C(0,0), v = P_C(1,0);
// Jacobian_I_xi
Matrix<double, 6, 1> Jacobian_I_xi;
Matrix<double, 6, 2> Jacobian_uv_xi = getJacobian_uv_xi(P_L, xi_cam_velo); // 6x2
Matrix<double, 2, 1> Jacobian_D_uv; Jacobian_D_uv << _image_gradient_x(int(v), int(u)), _image_gradient_y(int(v), int(u));
Jacobian_I_xi = Jacobian_uv_xi * Jacobian_D_uv;
sampleGradients.col(i) = pl_residuals(0,i) * Jacobian_I_xi;
}
// 4.2. J = E(sampleGradients)
Matrix<double, 6, 1> J = sampleGradients.rowwise().mean();
for(int i=0; i<6; i++){
jacobian[i] = J(i,0);
}
}
MatrixXd getJacobian_uv_xi(const MatrixXd &P_L, const double *xi_cam_velo) const
{
Matrix<double, 6, 2> Jacobian;
Jacobian_P_T(P_L.data(), xi_cam_velo, Jacobian.data());
return Jacobian;
}
private:
Image _im;
Image _image_gradient_x;
Image _image_gradient_y;
PointCloud _pc_homo;
MatrixXd _pc_greyScale;
Matrix<double, 3, 3> cameraK;
};
#endif
| [
"[email protected]"
] | |
42eb85f7ecb4f9915a77d9d8160546931c70b99b | 7cc5183d0b36133330b6cd428435e6b64a46e051 | /tensorflow/compiler/xla/service/hlo_pass_fix.h | ad89e5a68c9f52be145d5edab4b03d168ec598eb | [
"Apache-2.0",
"LicenseRef-scancode-generic-cla",
"BSD-2-Clause"
] | permissive | shizukanaskytree/tensorflow | cfd0f3c583d362c62111a56eec9da6f9e3e0ddf9 | 7356ce170e2b12961309f0bf163d4f0fcf230b74 | refs/heads/master | 2022-11-19T04:46:43.708649 | 2022-11-12T09:03:54 | 2022-11-12T09:10:12 | 177,024,714 | 2 | 1 | Apache-2.0 | 2021-11-10T19:53:04 | 2019-03-21T21:13:38 | C++ | UTF-8 | C++ | false | false | 5,592 | h | /* Copyright 2017 The TensorFlow Authors. All Rights Reserved.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
==============================================================================*/
#ifndef TENSORFLOW_COMPILER_XLA_SERVICE_HLO_PASS_FIX_H_
#define TENSORFLOW_COMPILER_XLA_SERVICE_HLO_PASS_FIX_H_
#include <algorithm>
#include <type_traits>
#include "tensorflow/compiler/xla/hlo/ir/hlo_module.h"
#include "tensorflow/compiler/xla/service/hlo_module_group.h"
#include "tensorflow/compiler/xla/service/hlo_pass_interface.h"
#include "tensorflow/compiler/xla/status_macros.h"
#include "tensorflow/compiler/xla/statusor.h"
#include "tensorflow/compiler/xla/types.h"
namespace xla {
// Do an HLO pass to a fix point.
template <typename Pass, int kIterationLimit = 25>
class HloPassFix : public Pass {
public:
static_assert(std::is_base_of<HloPassInterface, Pass>::value,
"Pass must be a subclass of HloPassInterface");
using RunState = HloPassInterface::RunState;
template <typename... Args>
explicit HloPassFix(Args&&... args) : Pass(args...) {}
Status RunOnChangedComputations(HloModule* module, RunState* outer_run_state,
const absl::flat_hash_set<absl::string_view>&
execution_threads) override {
RunState run_state;
run_state.changed_last_iteration = outer_run_state->changed_last_iteration;
TF_RETURN_IF_ERROR(RunToFixPoint(module, &run_state, execution_threads));
outer_run_state->changed_this_iteration.insert(run_state.changed.begin(),
run_state.changed.end());
return OkStatus();
}
using HloPassInterface::Run;
StatusOr<bool> Run(HloModule* module,
const absl::flat_hash_set<absl::string_view>&
execution_threads) override {
RunState run_state(module);
TF_RETURN_IF_ERROR(RunToFixPoint(module, &run_state, execution_threads));
return !run_state.changed.empty();
}
using HloPassInterface::RunOnModuleGroup;
StatusOr<bool> RunOnModuleGroup(HloModuleGroup* module_group,
const absl::flat_hash_set<absl::string_view>&
execution_threads) override {
bool changed = false;
bool changed_this_iteration = true;
int64_t iteration_count = 0;
VLOG(3) << "Running HloPassFix.";
while (changed_this_iteration) {
TF_ASSIGN_OR_RETURN(
changed_this_iteration,
Pass::RunOnModuleGroup(module_group, execution_threads));
changed |= changed_this_iteration;
VLOG(3) << "changed_this_iteration: " << changed_this_iteration;
++iteration_count;
if (iteration_count == kIterationLimit) {
VLOG(1) << "Unexpectedly high number of iterations in HLO passes, "
"exiting fixed point loop.";
// Return false in case this is fixed point is nested.
return false;
}
}
return changed;
}
private:
Status RunToFixPoint(
HloModule* module, RunState* run_state,
const absl::flat_hash_set<absl::string_view>& execution_threads) {
VLOG(3) << "Running HloPassFix on " << Pass::name();
while (!run_state->changed_last_iteration.empty()) {
TF_RETURN_IF_ERROR(
RunOnChangedComputationsOnce(module, run_state, execution_threads));
VLOG(3) << Pass::name() << " iteration " << run_state->iteration
<< " changed_this_iteration: "
<< !run_state->changed_last_iteration.empty();
run_state->IncrementIteration();
if (run_state->iteration == kIterationLimit) {
VLOG(1) << "Unexpectedly high number of iterations in HLO passes '"
<< Pass::name() << "' for module '" << module->name()
<< "'. Exiting fixed point loop.";
// Clear changed and abort in case this is fixed point is nested.
run_state->changed.clear();
break;
}
}
return OkStatus();
}
Status RunOnChangedComputationsOnce(
HloModule* module, RunState* run_state,
const absl::flat_hash_set<absl::string_view>& execution_threads) {
// If Pass overrides RunOnChangedComputations, just forward to it.
if (!std::is_same<decltype(&HloPassInterface::RunOnChangedComputations),
decltype(&Pass::RunOnChangedComputations)>::value) {
return Pass::RunOnChangedComputations(module, run_state,
execution_threads);
}
// If Pass does not override the default
// HloPassInterface::RunOnChangedComputations that calls into
// HloPassFix<Pass>::Run, avoid infinite recursion.
TF_ASSIGN_OR_RETURN(bool changed, Pass::Run(module, execution_threads));
if (changed) {
auto computations = module->computations(execution_threads);
run_state->changed_this_iteration.insert(computations.begin(),
computations.end());
}
return OkStatus();
}
};
} // namespace xla
#endif // TENSORFLOW_COMPILER_XLA_SERVICE_HLO_PASS_FIX_H_
| [
"[email protected]"
] | |
48bcbd66ca0bab4f1cc5d76a4afb16fc0da824a3 | 4bc7006d1f72205132f7cfc783c2379f79ccce81 | /OOP/Queue/main.cpp | 76d6fd69d2de1e536c582e4894431f62741a657a | [] | no_license | georgian13/group-2 | f8e1f39392ea724867d3204f2456e6662781cdab | 15739437426a18d46d8fcb2b4ec69ceb0a763213 | refs/heads/master | 2021-04-26T22:34:15.316648 | 2018-07-03T04:46:51 | 2018-07-03T04:46:51 | 124,113,637 | 0 | 1 | null | 2018-03-06T17:26:52 | 2018-03-06T17:26:52 | null | UTF-8 | C++ | false | false | 316 | cpp | #include <iostream>
#include "queue.h"
#include "queue.cpp"
int main() {
Queue Q;
for(int i = 0;i<5;++i){
int count;
std::cin >> count;
Q.enqueue(count);
}
Q.print();
Q.dequeue();
Q.dequeue();
Q.dequeue();
Q.dequeue();
Q.print();
}
| [
"[email protected]"
] | |
7355c527e038ef3f68d5d1ea5f4e81e58bbbaf37 | faddb0eb72fa949cd3ee7990b744072fa56fb258 | /Timus/1851. GOV-internship.cpp | f67f26e8f6c66b0c59aa002603deb0af8faaf277 | [] | no_license | mbfilho/icpc | 7d30e9513d8d929275a6112c29726eb472884f86 | 98e51ed48748fb09bd1c0259d38d4041aacde6ca | refs/heads/master | 2021-01-10T07:32:15.916576 | 2016-03-01T00:20:06 | 2016-03-01T00:20:06 | 52,644,713 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,797 | cpp | #include <cstdio>
#include <cstring>
#include <algorithm>
#include <queue>
using namespace std;
#define M 2000000
#define N 3000
int pred[ M ], res[ M ], ft[ M ], sd[ M ];
int atual[ N ], last[ N ], dist[ N ];
int cont;
char text[ N ], pat[ N ];
int n;
void add( int u, int v, int cap, bool b = true ){
pred[ cont ] = last[ u ];
last[ u ] = cont;
res[ cont ] = cap;
ft[ cont ] = u;
sd[ cont ] = v;
++cont;
if( b ) add( v, u, cap, false );
}
queue<int> fila;
bool bfs( int source, int sink ){
while( !fila.empty() ) fila.pop();
memset( dist, -1, sizeof( dist ) );
for( int i = 0; i < n; ++i ) atual[ i ] = last[ i ];
dist[ source ] = 0;
fila.push( source );
while( !fila.empty() ){
int at = fila.front();
fila.pop();
for( int ed = atual[ at ]; ed != -1; ed = pred[ ed ] ){
if( dist[ sd[ed] ] == -1 && res[ ed ] ){
dist[ sd[ed] ] = dist[ at ] + 1;
if( sd[ed] == sink ) return true;
fila.push( sd[ed] );
}
}
}
return false;
}
int dfs( int no, int sink, int menor ){
if( no == sink ) return menor;
for( int& i = atual[ no ]; i != -1; i = pred[ i ] ){
if( !res[ i ] || dist[ no ] + 1 != dist[ sd[i] ] ) continue;
int temp = dfs( sd[i], sink, min( menor, res[i] ) );
if( temp ){
res[ i ] -= temp;
res[ i xor 1 ] += temp;
return temp;
}
}
return 0;
}
int dinic( int source, int sink ){
int maxflow = 0, flow;
while( bfs( source, sink ) ){
while( (flow = dfs( source, sink, 20000000 ) ) )
maxflow += flow;
}
return maxflow;
}
void busca( int no ){
dist[ no ] = 1;
for( int i = last[ no ]; i != -1; i = pred[i] ){
if( dist[ sd[i] ] || !res[ i ] ) continue;
busca( sd[i] );
}
}
int main(){
scanf( "%s%s", text, pat );
memset( last, -1, sizeof( last ) );
cont = 0;
int tt = strlen( text ), tp = strlen( pat );
int source = tt + tp, sink = source + 1;
n = sink + 1;
for( int i = 0; i + tp <= tt; ++i ){
for( int j = 0; j < tp; ++j ){
if( text[ i + j ] != '?' && pat[ j ] != '?' ){
if( text[ i + j ] != pat[ j ] ) add( source, sink, 1 );
}else if( text[ i + j ] == '?' ){
if( pat[ j ] == '0' ) add( source, i + j, 1 );
else if( pat[ j ] == '1' ) add( sink, i + j, 1 );
else add( i + j, tt + j, 1 );
}else if( pat[ j ] == '?' ){
if( text[ i + j ] == '0' ) add( source, tt + j, 1 );
else if( text[ i + j ] == '1' ) add( sink, tt + j, 1 );
}
}
}
int qtd = dinic( source, sink );
printf( "%d\n", qtd );
memset( dist, 0, sizeof( dist ) );
busca( source );
for( int i = 0; i < tt; ++i ){
if( text[ i ] == '?' ){
if( dist[ i ] ) text[ i ] = '0';
else text[ i ] = '1';
}
}
for( int i = 0; i < tp; ++i ){
if( pat[ i ] == '?' ){
if( dist[ tt + i ] ) pat[ i ] = '0';
else pat[ i ] = '1';
}
}
printf( "%s\n%s\n", text, pat );
}
| [
"[email protected]"
] | |
140a2e69f14ad58e424b7436b5d13c94aab5024b | 9f520bcbde8a70e14d5870fd9a88c0989a8fcd61 | /pitzDaily/999/phia | 04dceca91b1d30d4a0095866be209a7554a6200e | [] | no_license | asAmrita/adjoinShapOptimization | 6d47c89fb14d090941da706bd7c39004f515cfea | 079cbec87529be37f81cca3ea8b28c50b9ceb8c5 | refs/heads/master | 2020-08-06T21:32:45.429939 | 2019-10-06T09:58:20 | 2019-10-06T09:58:20 | 213,144,901 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 235,103 | /*--------------------------------*- C++ -*----------------------------------*\
| ========= | |
| \\ / F ield | OpenFOAM: The Open Source CFD Toolbox |
| \\ / O peration | Version: v1806 |
| \\ / A nd | Web: www.OpenFOAM.com |
| \\/ M anipulation | |
\*---------------------------------------------------------------------------*/
FoamFile
{
version 2.0;
format ascii;
class surfaceScalarField;
location "999";
object phia;
}
// * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * //
dimensions [0 3 -1 0 0 0 0];
oriented oriented;
internalField nonuniform List<scalar>
12640
(
6.51508260227e-08
-6.29226158893e-08
1.2205872164e-07
-5.49902292114e-08
1.70486108873e-07
-4.69707667102e-08
2.11571199888e-07
-3.98404834941e-08
2.43865743002e-07
-3.12125613955e-08
2.67485918852e-07
-2.27232665602e-08
2.87870001634e-07
-1.95951086578e-08
3.15556607819e-07
-2.69719873339e-08
3.50839121634e-07
-3.46039564898e-08
3.86110677492e-07
-3.46529149656e-08
4.20487173122e-07
-3.38074099623e-08
4.56508207079e-07
-3.55030677477e-08
4.92081905362e-07
-3.50877395178e-08
5.26422054917e-07
-3.3898720088e-08
5.61601971833e-07
-3.47736703412e-08
6.00783659094e-07
-3.88302233706e-08
6.42289661806e-07
-4.11714096686e-08
6.82988849074e-07
-4.0386303426e-08
7.22742815385e-07
-3.94230178167e-08
7.64436941326e-07
-4.13605553125e-08
8.1222542256e-07
-4.74464327036e-08
8.65304556624e-07
-5.27581878969e-08
9.19643525346e-07
-5.40290840549e-08
9.73365724037e-07
-5.34449493253e-08
1.02616252451e-06
-5.25319809291e-08
1.07844286839e-06
-5.204282449e-08
1.13094229218e-06
-5.22680120147e-08
1.18333647512e-06
-5.21871447427e-08
1.23520315075e-06
-5.16635749069e-08
1.28676680725e-06
-5.13830045187e-08
1.3387383748e-06
-5.1792102332e-08
1.39070367662e-06
-5.18056679644e-08
1.44228061277e-06
-5.14185775442e-08
1.49480165022e-06
-5.23757372524e-08
1.54812720413e-06
-5.3173437597e-08
1.60144978987e-06
-5.31846428527e-08
1.6545651365e-06
-5.2972329436e-08
1.70624210388e-06
-5.15447152204e-08
1.75546938587e-06
-4.90906177739e-08
1.80213319959e-06
-4.65415425711e-08
1.84689277164e-06
-4.46364129488e-08
1.88817352804e-06
-4.11733032746e-08
1.92390225505e-06
-3.56189890873e-08
1.9553773878e-06
-3.13751144246e-08
1.98388574156e-06
-2.84019157698e-08
2.00911751516e-06
-2.51329832558e-08
2.03069207844e-06
-2.14678233637e-08
2.04799257163e-06
-1.71989826874e-08
2.0609394792e-06
-1.28355951945e-08
2.07108169485e-06
-1.00329195513e-08
2.0803578774e-06
-9.15236852017e-09
2.08656045403e-06
-6.07591788667e-09
2.0846593539e-06
2.04501887621e-09
2.07599387578e-06
8.82004698033e-09
2.06015279137e-06
1.60191264928e-08
2.03585154419e-06
2.44981884488e-08
2.01116954836e-06
2.49198189682e-08
1.98943348613e-06
2.20179845221e-08
1.96428181942e-06
2.54961665617e-08
1.93625953104e-06
2.84399455614e-08
1.91228816595e-06
2.44897328022e-08
1.88399048905e-06
2.8935192848e-08
1.82896851259e-06
5.57754197329e-08
1.7279064589e-06
1.0180466271e-07
1.61084975929e-06
1.17650859588e-07
1.51341387415e-06
9.78751913559e-08
1.42020603334e-06
9.36046600776e-08
1.32391974556e-06
9.67219053978e-08
1.21849415773e-06
1.05930638682e-07
1.09733131454e-06
1.21732243711e-07
9.66134702794e-07
1.31795776289e-07
8.34489833642e-07
1.32224425235e-07
7.06657602298e-07
1.28378510326e-07
5.69424597458e-07
1.3775824029e-07
4.50608443204e-07
1.19294182584e-07
3.46882122236e-07
1.0418486684e-07
2.73030580801e-07
7.43344755737e-08
1.9027281012e-07
8.32609323203e-08
1.15475533561e-07
7.54178207272e-08
1.16027352823e-07
3.52000890634e-08
-9.66161294171e-08
8.1079522017e-08
-9.93594937703e-08
1.25011098278e-07
-8.96155837066e-08
1.69098047123e-07
-8.28579667277e-08
2.21521340882e-07
-8.26814073024e-08
2.61775428152e-07
-6.20485456574e-08
2.8919357166e-07
-4.61825107759e-08
3.18420767705e-07
-5.53921378888e-08
3.51119008407e-07
-6.65874644579e-08
3.8636920479e-07
-6.92280198853e-08
4.21658350575e-07
-6.8516186451e-08
4.54912435084e-07
-6.82021415334e-08
4.8793211325e-07
-6.76351735864e-08
5.22039102656e-07
-6.75610454513e-08
5.57940130442e-07
-7.03055590062e-08
5.97941448419e-07
-7.84574116982e-08
6.38420035694e-07
-8.13310055285e-08
6.74298759384e-07
-7.59141036782e-08
7.11224486575e-07
-7.60217417588e-08
7.55240956557e-07
-8.50103859091e-08
8.06396236393e-07
-9.82618027837e-08
8.62295810739e-07
-1.08303514364e-07
9.17830987198e-07
-1.09267865103e-07
9.70365412683e-07
-1.05675910145e-07
1.02235542969e-06
-1.04271747437e-07
1.07560854716e-06
-1.05033500216e-07
1.12840390883e-06
-1.04847720499e-07
1.18049809418e-06
-1.04050379756e-07
1.23248365899e-06
-1.03461826298e-07
1.28449246653e-06
-1.0318874322e-07
1.33623315004e-06
-1.03371236404e-07
1.38769921665e-06
-1.03095051445e-07
1.43880898261e-06
-1.0238381026e-07
1.49131164231e-06
-1.04713519064e-07
1.54592215798e-06
-1.0765091855e-07
1.59985781608e-06
-1.06961264696e-07
1.65277393867e-06
-1.05758451576e-07
1.70570947125e-06
-1.04331520842e-07
1.75775886318e-06
-1.01020267903e-07
1.80582158375e-06
-9.44661578821e-08
1.84433256829e-06
-8.30412815608e-08
1.87577724437e-06
-7.24978351794e-08
1.907952264e-06
-6.77005635991e-08
1.94082318836e-06
-6.41341177187e-08
1.9715708609e-06
-5.90588943748e-08
1.99949796292e-06
-5.29505889945e-08
2.02379284005e-06
-4.56712989111e-08
2.04446926889e-06
-3.77648340128e-08
2.06111745042e-06
-2.93865744594e-08
2.07121331439e-06
-2.00110007735e-08
2.07267380896e-06
-1.05039159971e-08
2.07077246194e-06
-4.04324738917e-09
2.07422592114e-06
-1.27633503815e-09
2.0733276283e-06
9.87876021786e-09
2.06065734655e-06
2.88597570041e-08
2.04574476158e-06
3.9618760752e-08
2.0286189473e-06
4.22833038877e-08
2.00586258001e-06
4.50685883366e-08
1.98156794239e-06
5.01413677494e-08
1.95470236608e-06
5.57401189588e-08
1.91640815136e-06
6.33003402634e-08
1.87341286507e-06
7.25622899457e-08
1.81172103789e-06
1.18200493242e-07
1.70775918246e-06
2.06488474373e-07
1.56620352609e-06
2.59754497181e-07
1.42367085547e-06
2.40825108192e-07
1.33449709574e-06
1.83161575029e-07
1.27008769313e-06
1.61557699071e-07
1.18535690775e-06
1.91154953709e-07
1.06955688994e-06
2.38090997146e-07
9.3040975206e-07
2.71517516266e-07
7.86991532066e-07
2.76189419045e-07
6.66141074041e-07
2.49759006393e-07
5.74514398393e-07
2.29929008943e-07
4.83567953464e-07
2.10775787223e-07
3.98142796396e-07
1.90150538553e-07
3.07768822491e-07
1.6526351346e-07
2.26405628797e-07
1.65234947418e-07
1.18817334699e-07
1.83808894989e-07
2.35324768221e-07
4.24912891102e-08
-1.38126441225e-07
6.66925115366e-08
-1.22313434944e-07
1.16531355693e-07
-1.38227134599e-07
1.72439844379e-07
-1.37687145669e-07
2.24856446266e-07
-1.34158237965e-07
2.54673326406e-07
-9.10819242774e-08
2.7414489365e-07
-6.48292824235e-08
3.05697502298e-07
-8.60656244178e-08
3.4179209241e-07
-1.01874497345e-07
3.78057814242e-07
-1.04792013525e-07
4.13706266111e-07
-1.03541456957e-07
4.47346017214e-07
-1.0131869254e-07
4.80101953986e-07
-9.99389376908e-08
5.14553254722e-07
-1.01613057627e-07
5.48504490574e-07
-1.03879448202e-07
5.70907721833e-07
-1.00513051017e-07
5.85800358242e-07
-9.58790986944e-08
6.14554915445e-07
-1.04333732503e-07
6.64902530399e-07
-1.26009890033e-07
7.32700003959e-07
-1.52446717892e-07
8.01414040509e-07
-1.66612491781e-07
8.58021852831e-07
-1.64579954031e-07
9.09637817898e-07
-1.60566065991e-07
9.63196412071e-07
-1.58951288641e-07
1.01699720864e-06
-1.57799503299e-07
1.06934046951e-06
-1.57132913841e-07
1.12142789588e-06
-1.5669663905e-07
1.17383559379e-06
-1.56245215217e-07
1.2262187595e-06
-1.55636400144e-07
1.27870443017e-06
-1.55490572309e-07
1.33040130634e-06
-1.54887692248e-07
1.38209099867e-06
-1.54621570769e-07
1.43469828372e-06
-1.54830179278e-07
1.48582981782e-06
-1.55695786619e-07
1.53926339107e-06
-1.60925865414e-07
1.59688951516e-06
-1.64442583185e-07
1.6513536419e-06
-1.60074004236e-07
1.7032321443e-06
-1.56074435611e-07
1.75593746189e-06
-1.5358784993e-07
1.80561425125e-06
-1.4402141989e-07
1.85047764797e-06
-1.27782953464e-07
1.89086425116e-06
-1.12776923467e-07
1.92649172663e-06
-1.03217985216e-07
1.95834652019e-06
-9.58898454378e-08
1.98703965115e-06
-8.76484018501e-08
2.01226562958e-06
-7.80807847625e-08
2.03404452054e-06
-6.73478657261e-08
2.05219300155e-06
-5.581542153e-08
2.06645854787e-06
-4.35455332298e-08
2.07707454266e-06
-3.05218931368e-08
2.08450890353e-06
-1.78218077343e-08
2.08751170244e-06
-6.92496287079e-09
2.08202676348e-06
4.34619819281e-09
2.07086299481e-06
2.11930190566e-08
2.06074085755e-06
3.91594936946e-08
2.04878739519e-06
5.17778228919e-08
2.03029817418e-06
6.10217186629e-08
2.00620552777e-06
6.9458583226e-08
1.97874724294e-06
7.79603759421e-08
1.94787978228e-06
8.70380690738e-08
1.91253541293e-06
9.91645910097e-08
1.85331297631e-06
1.32403770887e-07
1.73821527474e-06
2.33975172563e-07
1.57282337236e-06
3.72501335108e-07
1.43637563456e-06
3.96712031254e-07
1.3678044376e-06
3.09805182798e-07
1.29129339086e-06
2.60054662996e-07
1.19254707976e-06
2.60707239266e-07
1.08281181696e-06
3.01344220958e-07
9.59600673543e-07
3.61806723525e-07
8.40454007696e-07
3.911941448e-07
7.47612735506e-07
3.69574386798e-07
6.6551954736e-07
3.32410273211e-07
5.78460328911e-07
3.17534088358e-07
4.74460411298e-07
3.15305762836e-07
3.69089567958e-07
2.96059724975e-07
2.79587812036e-07
2.55321289979e-07
2.12176562171e-07
2.33209793892e-07
9.17004135166e-08
3.04942843503e-07
3.2731779452e-07
2.97789579186e-08
-1.66651675434e-07
4.22167311387e-08
-1.33881947707e-07
9.56049561594e-08
-1.90535759037e-07
1.41501258371e-07
-1.82596270148e-07
1.51051290856e-07
-1.42941923667e-07
1.40959751396e-07
-8.05310964603e-08
1.93070278371e-07
-1.16263254994e-07
2.69852620222e-07
-1.61917965668e-07
3.22728911565e-07
-1.53907174209e-07
3.63427151974e-07
-1.4476085734e-07
4.01295295209e-07
-1.40812505094e-07
4.36603485116e-07
-1.36134329608e-07
4.67915790306e-07
-1.30826031744e-07
4.87420163139e-07
-1.20741078683e-07
4.97684024832e-07
-1.13783160133e-07
5.16455031615e-07
-1.18911626279e-07
5.57159248578e-07
-1.36210462989e-07
6.18676948237e-07
-1.65466549908e-07
6.87970229164e-07
-1.94920853016e-07
7.46548418243e-07
-2.1065152167e-07
7.95628903212e-07
-2.15341883988e-07
8.47229401416e-07
-2.15842051138e-07
9.00788356921e-07
-2.13814726265e-07
9.5353288963e-07
-2.1140300973e-07
1.00584902088e-06
-2.0985035517e-07
1.05810323845e-06
-2.09134298957e-07
1.11090744758e-06
-2.09270562824e-07
1.16386183706e-06
-2.08976831063e-07
1.21699039825e-06
-2.08562866219e-07
1.26945600183e-06
-2.07764072128e-07
1.32251242453e-06
-2.0776931813e-07
1.37392531621e-06
-2.0586758085e-07
1.42474983318e-06
-2.05493146867e-07
1.48184665195e-06
-2.12628129189e-07
1.53887789884e-06
-2.17801959632e-07
1.59471931048e-06
-2.20127917781e-07
1.65448959363e-06
-2.19697757983e-07
1.71142033754e-06
-2.12862068453e-07
1.76101044347e-06
-2.03047360965e-07
1.80666319492e-06
-1.8954562565e-07
1.85077799819e-06
-1.71779542437e-07
1.89225178193e-06
-1.5413532447e-07
1.92926030307e-06
-1.4012166023e-07
1.96182217958e-06
-1.28348152218e-07
1.99058786363e-06
-1.16317454118e-07
2.01574628944e-06
-1.03140792878e-07
2.03733084438e-06
-8.88373238455e-08
2.0552484711e-06
-7.36332358859e-08
2.06942549046e-06
-5.76231001937e-08
2.07997354475e-06
-4.09638970613e-08
2.0866075545e-06
-2.43472392893e-08
2.08793963798e-06
-8.13840630309e-09
2.08306937246e-06
9.34597695618e-09
2.07466571725e-06
2.97477175448e-08
2.06405072049e-06
4.99500786786e-08
2.04912358066e-06
6.69171883913e-08
2.02860554538e-06
8.17927259014e-08
2.00233786087e-06
9.60315255076e-08
1.97006922835e-06
1.1059224608e-07
1.92933172585e-06
1.28205575453e-07
1.87041905878e-06
1.58580023088e-07
1.775586416e-06
2.27806524981e-07
1.65287086669e-06
3.57295748301e-07
1.53538767652e-06
4.90571885079e-07
1.4074953923e-06
5.25104610047e-07
1.28273669331e-06
4.34968715019e-07
1.18289723726e-06
3.60257791566e-07
1.09620884819e-06
3.47773911325e-07
1.01236091214e-06
3.85617547668e-07
9.22095560164e-07
4.52561915005e-07
8.21697390712e-07
4.92134464769e-07
7.16515819574e-07
4.75314231546e-07
6.04462835279e-07
4.44975111943e-07
4.91689753174e-07
4.30775342939e-07
3.8678702965e-07
4.20681981841e-07
2.78665381055e-07
4.04673135173e-07
1.84495117062e-07
3.49910206213e-07
1.23951272269e-07
2.94115701845e-07
6.38891306135e-08
3.65416727773e-07
3.91429861985e-07
6.59891425056e-09
-1.72810514695e-07
3.52429398676e-08
-1.61854573065e-07
7.66863220177e-08
-2.31129292095e-07
1.11147712522e-07
-2.16324086827e-07
1.10224564341e-07
-1.41435595289e-07
1.41160955295e-07
-1.10905196233e-07
2.0379089928e-07
-1.7809043965e-07
2.5160786033e-07
-2.08880043587e-07
2.96361519977e-07
-1.97843482087e-07
3.39809453125e-07
-1.8752147525e-07
3.81854565324e-07
-1.82305644265e-07
4.11960092399e-07
-1.65780005527e-07
4.23184248728e-07
-1.41669074248e-07
4.34497874476e-07
-1.31674223306e-07
4.66015218179e-07
-1.44886991436e-07
5.17545018366e-07
-1.70013248227e-07
5.80498093721e-07
-1.98732839109e-07
6.39941637559e-07
-2.24495443783e-07
6.87194418662e-07
-2.41783991597e-07
7.31419570586e-07
-2.54509924488e-07
7.80999995957e-07
-2.64569609798e-07
8.33408768579e-07
-2.67918197507e-07
8.86172501823e-07
-2.66265141471e-07
9.3854497855e-07
-2.63487807439e-07
9.90816673343e-07
-2.61852214245e-07
1.04373936652e-06
-2.61809232857e-07
1.09663419783e-06
-2.61926991861e-07
1.15050709328e-06
-2.62630624001e-07
1.20353707231e-06
-2.61389046876e-07
1.25675819304e-06
-2.6079738697e-07
1.30784584302e-06
-2.58678727184e-07
1.36229173605e-06
-2.60141050985e-07
1.4218082856e-06
-2.64838968986e-07
1.47899370418e-06
-2.69644995463e-07
1.53876534019e-06
-2.77406370746e-07
1.60078227677e-06
-2.8198711156e-07
1.65825358891e-06
-2.77018697288e-07
1.71171592736e-06
-2.6618462709e-07
1.76136137372e-06
-2.52558077959e-07
1.80797486019e-06
-2.36032790356e-07
1.85270425878e-06
-2.16387482646e-07
1.89485438747e-06
-1.96172919388e-07
1.93284990183e-06
-1.78009758986e-07
1.96622285712e-06
-1.61621392386e-07
1.99536611643e-06
-1.45363755444e-07
2.02060315671e-06
-1.28284846412e-07
2.04205732274e-06
-1.10197418811e-07
2.05971361953e-06
-9.11960433159e-08
2.07354600395e-06
-7.13588759682e-08
2.08350769451e-06
-5.08277354498e-08
2.0891686194e-06
-2.99051898723e-08
2.0896561314e-06
-8.5158235305e-09
2.08490525512e-06
1.42220297153e-08
2.07635313345e-06
3.84460911071e-08
2.06425821311e-06
6.2222476483e-08
2.04693993412e-06
8.44488130441e-08
2.02267282108e-06
1.06318097608e-07
1.98969197351e-06
1.29320581757e-07
1.9451174065e-06
1.55529809009e-07
1.88321519028e-06
1.90528427694e-07
1.79499510936e-06
2.47277657958e-07
1.68127023072e-06
3.42058890825e-07
1.57150821981e-06
4.67598407214e-07
1.47828313376e-06
5.84331378473e-07
1.38593114742e-06
6.1795748266e-07
1.26585502421e-06
5.55454184815e-07
1.13227333798e-06
4.94206054631e-07
1.01705839341e-06
4.63357345787e-07
9.2527266457e-07
4.77807915091e-07
8.39793979057e-07
5.38511922502e-07
7.39173404335e-07
5.93286713999e-07
6.29223411287e-07
5.85761361336e-07
5.21197072941e-07
5.53434435375e-07
4.12610217947e-07
5.39782300079e-07
3.03678156231e-07
5.30051350026e-07
2.04356963415e-07
5.04412812308e-07
1.45338461944e-07
4.09264176618e-07
8.97375812918e-08
3.5000449557e-07
3.52053314497e-08
4.20306347633e-07
4.26797623123e-07
2.79544441932e-09
-1.74914151255e-07
3.94506379218e-08
-1.97903258172e-07
6.19902956903e-08
-2.5297499324e-07
7.88997496825e-08
-2.32562772313e-07
8.02110517691e-08
-1.42279449919e-07
1.43890504841e-07
-1.73930243602e-07
2.01811161072e-07
-2.35194090261e-07
2.33289580822e-07
-2.39542974376e-07
2.70899393566e-07
-2.34737375647e-07
3.09737475238e-07
-2.25732221145e-07
3.38471517766e-07
-2.10508997219e-07
3.40624826388e-07
-1.67550951766e-07
3.52875867013e-07
-1.53537872643e-07
3.9010845609e-07
-1.68482577077e-07
4.45869839673e-07
-2.00183472209e-07
5.1343264886e-07
-2.37093440281e-07
5.75285397265e-07
-2.60129636079e-07
6.21418541902e-07
-2.70217478336e-07
6.63756122574e-07
-2.83737549663e-07
7.13095693989e-07
-3.0347990905e-07
7.64236799026e-07
-3.15358267143e-07
8.15047340078e-07
-3.18395408164e-07
8.66897208502e-07
-3.17804100841e-07
9.19822245214e-07
-3.16120839746e-07
9.7263768132e-07
-3.14398240819e-07
1.02379049907e-06
-3.12709131866e-07
1.07799929242e-06
-3.15901830189e-07
1.13179427011e-06
-3.16206764909e-07
1.18607261538e-06
-3.15461235445e-07
1.23629580173e-06
-3.10828080695e-07
1.28989964231e-06
-3.12099566664e-07
1.34708306777e-06
-3.17145375488e-07
1.40610010959e-06
-3.23677610491e-07
1.47440623403e-06
-3.37772895916e-07
1.54188640348e-06
-3.44714429864e-07
1.60234852633e-06
-3.4228767399e-07
1.65827365029e-06
-3.32793700516e-07
1.71141596678e-06
-3.19185211912e-07
1.76189641642e-06
-3.02904770149e-07
1.80983275388e-06
-2.83841056005e-07
1.85554260633e-06
-2.61976410195e-07
1.89845350954e-06
-2.38969855583e-07
1.93734364139e-06
-2.16794541677e-07
1.97158269989e-06
-1.95761640136e-07
2.00128428868e-06
-1.74972282403e-07
2.0267276113e-06
-1.53637520128e-07
2.04807377016e-06
-1.31455009988e-07
2.06535312644e-06
-1.08386832208e-07
2.07854144904e-06
-8.44589555982e-08
2.08754368125e-06
-5.97405328073e-08
2.09203494563e-06
-3.43039533996e-08
2.0916026787e-06
-7.98207645651e-09
2.08636490712e-06
1.95779007409e-08
2.07678935148e-06
4.81656586331e-08
2.06212842893e-06
7.70615426515e-08
2.04009766078e-06
1.06695056092e-07
2.00778456124e-06
1.38890688898e-07
1.96161720796e-06
1.75794062278e-07
1.8969829638e-06
2.20519330658e-07
1.80944182283e-06
2.78473530559e-07
1.69861328713e-06
3.58555689727e-07
1.57794591946e-06
4.63198963989e-07
1.47825969975e-06
5.67778285623e-07
1.37955796193e-06
6.83556757698e-07
1.26872619399e-06
7.29234016907e-07
1.16604949163e-06
6.58521281497e-07
1.0484030795e-06
6.1221118321e-07
9.33434796838e-07
5.78677870078e-07
8.4043933014e-07
5.7118827432e-07
7.51459608859e-07
6.27944689459e-07
6.48752112854e-07
6.96465173175e-07
5.53011551391e-07
6.81916959488e-07
4.46948122609e-07
6.59879290155e-07
3.35402708367e-07
6.5171726348e-07
2.30896189586e-07
6.34953768423e-07
1.61198363144e-07
5.74468119667e-07
1.05859356701e-07
4.64884540474e-07
5.66903261766e-08
3.99454498792e-07
2.428598734e-08
4.53000056461e-07
4.51255583577e-07
1.42149442586e-08
-1.88835048387e-07
5.29766080852e-08
-2.36121595615e-07
7.05001041202e-08
-2.69920297374e-07
6.22443753716e-08
-2.23743414136e-07
8.8975966791e-08
-1.68453726258e-07
1.53432463766e-07
-2.37636162597e-07
1.85151546178e-07
-2.66125567906e-07
2.1210197769e-07
-2.65796562385e-07
2.4062193684e-07
-2.62584600989e-07
2.78939869945e-07
-2.634994723e-07
2.85598864998e-07
-2.16722335837e-07
2.92922208991e-07
-1.74481536194e-07
3.27837587058e-07
-1.8801779412e-07
3.74742231523e-07
-2.14901513056e-07
4.39132295502e-07
-2.64054102462e-07
5.01873526098e-07
-2.99339749895e-07
5.46881678354e-07
-3.04693507099e-07
5.87781869953e-07
-3.10707192645e-07
6.38931519316e-07
-3.3449134269e-07
6.91369634806e-07
-3.55540943953e-07
7.41477175935e-07
-3.65111266932e-07
7.92259512009e-07
-3.68845864388e-07
8.4459083841e-07
-3.69819480636e-07
8.96208696142e-07
-3.674471162e-07
9.47189421095e-07
-3.65109893105e-07
9.99566414235e-07
-3.64832112428e-07
1.05227899472e-06
-3.68375936006e-07
1.10743250358e-06
-3.71137091043e-07
1.15999388998e-06
-3.67815254881e-07
1.21192520965e-06
-3.62562422294e-07
1.27167829444e-06
-3.71657793688e-07
1.33404054246e-06
-3.79319304886e-07
1.40285569042e-06
-3.92304860291e-07
1.4721347826e-06
-4.06867624901e-07
1.53942557794e-06
-4.11830289308e-07
1.60018270625e-06
-4.02881680374e-07
1.65666415295e-06
-3.89122460429e-07
1.71081815811e-06
-3.73195887694e-07
1.76278612889e-06
-3.54736780315e-07
1.81230955161e-06
-3.33235977467e-07
1.85927806545e-06
-3.08823809051e-07
1.90316297291e-06
-2.82742422551e-07
1.94300696764e-06
-2.56534492501e-07
1.97815344899e-06
-2.3081206185e-07
2.00850638739e-06
-2.05234659161e-07
2.03421440333e-06
-1.79259709888e-07
2.05539719399e-06
-1.52554978348e-07
2.07208647237e-06
-1.24996371941e-07
2.08428039736e-06
-9.65754350954e-08
2.09194552988e-06
-6.73290121761e-08
2.09495940752e-06
-3.7237506247e-08
2.09318959643e-06
-6.12067608493e-09
2.0865997131e-06
2.62790017874e-08
2.07471303934e-06
6.01950721711e-08
2.05556868588e-06
9.6381453342e-08
2.0255733488e-06
1.36901365625e-07
1.98034887079e-06
1.84363013229e-07
1.9157752514e-06
2.40662408351e-07
1.82964187807e-06
3.06994446763e-07
1.72538935494e-06
3.8311137617e-07
1.61464533052e-06
4.69716883471e-07
1.51328571807e-06
5.65005107005e-07
1.41187646936e-06
6.69670148443e-07
1.30583945732e-06
7.90032710661e-07
1.17021274313e-06
8.65304161503e-07
1.05965499631e-06
7.6943531891e-07
9.71091394394e-07
7.01098158787e-07
8.70855042517e-07
6.79246839816e-07
7.68582794945e-07
6.73825116376e-07
6.69692261301e-07
7.27233053137e-07
5.8441944965e-07
7.8212601094e-07
4.93096749785e-07
7.73591398287e-07
3.77825638914e-07
7.75500560629e-07
2.63360043857e-07
7.66541577102e-07
1.70041428923e-07
7.28623288788e-07
1.20809801265e-07
6.24011198559e-07
6.24121889443e-08
5.23566005485e-07
1.72410939576e-08
4.44878414444e-07
8.73595918672e-09
4.61830191539e-07
4.6013627199e-07
2.45105683468e-08
-2.12626727343e-07
5.45970743602e-08
-2.65633839789e-07
6.33164153699e-08
-2.7804158264e-07
4.48472313251e-08
-2.04817070016e-07
9.19222183048e-08
-2.14945587521e-07
1.39279592858e-07
-2.8424180175e-07
1.64300466802e-07
-2.90470700681e-07
1.90831371666e-07
-2.91676292982e-07
2.04298178267e-07
-2.75514533096e-07
2.26442815514e-07
-2.85103966985e-07
2.271169681e-07
-2.16998785677e-07
2.63907837029e-07
-2.10829399619e-07
3.04098823456e-07
-2.27723950863e-07
3.61436692598e-07
-2.71717468395e-07
4.23604867079e-07
-3.25680087729e-07
4.68755123129e-07
-3.43992297989e-07
5.06313193758e-07
-3.41813672019e-07
5.57118681809e-07
-3.61093631154e-07
6.12116612051e-07
-3.89082857457e-07
6.62967320644e-07
-4.06009209665e-07
7.12571508287e-07
-4.14356935816e-07
7.63124857117e-07
-4.19056769582e-07
8.16595773206e-07
-4.22975321447e-07
8.70167048927e-07
-4.20730402014e-07
9.19631193125e-07
-4.14296966429e-07
9.74975994875e-07
-4.19920916302e-07
1.02739895665e-06
-4.20557470648e-07
1.07844991212e-06
-4.21960763572e-07
1.13126453616e-06
-4.20416072313e-07
1.19919808546e-06
-4.30285329402e-07
1.26214850645e-06
-4.34403914419e-07
1.324372289e-06
-4.41340411766e-07
1.39604264326e-06
-4.63779048298e-07
1.46944517575e-06
-4.8008081596e-07
1.53430673769e-06
-4.76513267523e-07
1.5952690605e-06
-4.63677393437e-07
1.65379397084e-06
-4.47491746713e-07
1.71005005476e-06
-4.29306025355e-07
1.76399584614e-06
-4.08545103902e-07
1.81538735992e-06
-3.84498073026e-07
1.86391854441e-06
-3.57234074087e-07
1.90905804723e-06
-3.27770216413e-07
1.95002577036e-06
-2.97399997157e-07
1.98617753219e-06
-2.66869901018e-07
2.01724984327e-06
-2.36220526929e-07
2.04322195626e-06
-2.05151575199e-07
2.0641082477e-06
-1.73367093022e-07
2.07991036198e-06
-1.40730418097e-07
2.09067295292e-06
-1.07274769765e-07
2.0964954395e-06
-7.30901741951e-08
2.0974729447e-06
-3.81478674127e-08
2.09360870216e-06
-2.17621593516e-09
2.08454116717e-06
3.54535337183e-08
2.06879126002e-06
7.60905598615e-08
2.04294608501e-06
1.22386661716e-07
2.0018490827e-06
1.78195795318e-07
1.94070134038e-06
2.45749109392e-07
1.8578103671e-06
3.23814375898e-07
1.75556476536e-06
4.09546423319e-07
1.64518946733e-06
4.93839216416e-07
1.54148229732e-06
5.73822345608e-07
1.44810598309e-06
6.58809018263e-07
1.36128720802e-06
7.56910197576e-07
1.28693030618e-06
8.64852949185e-07
1.16958004907e-06
9.83059612765e-07
9.87465026387e-07
9.51894968276e-07
8.62896704144e-07
8.25978938264e-07
7.62775385113e-07
7.79652394827e-07
6.70311915086e-07
7.66574778391e-07
6.02136362979e-07
7.95735402297e-07
5.39128638241e-07
8.45461853232e-07
4.37202151936e-07
8.75844418727e-07
3.11651731627e-07
9.01381415575e-07
1.9416888171e-07
8.84359760875e-07
1.13004129619e-07
8.10108798465e-07
5.69540774156e-08
6.80360421487e-07
4.73041449268e-09
5.76065701828e-07
-3.42287506896e-08
4.84135172868e-07
-2.38252674455e-08
4.51689656624e-07
4.36488976193e-07
2.87871978064e-08
-2.41105125299e-07
4.81446749891e-08
-2.84446561873e-07
4.57287532761e-08
-2.75157767625e-07
5.10185675012e-08
-2.09630501485e-07
9.90452126554e-08
-2.62365684061e-07
1.1921283957e-07
-3.03765593008e-07
1.41150732593e-07
-3.11817976761e-07
1.66150372921e-07
-3.16134742285e-07
1.76274516598e-07
-2.85113464044e-07
1.91422745292e-07
-2.99759913046e-07
2.07823806691e-07
-2.32954800188e-07
2.41524777257e-07
-2.44057761341e-07
2.83981964818e-07
-2.69653269904e-07
3.44215512818e-07
-3.31382766523e-07
3.96605642893e-07
-3.77536311107e-07
4.3146299035e-07
-3.78371738145e-07
4.72375946484e-07
-3.82279293846e-07
5.24940684942e-07
-4.1322251447e-07
5.78158279253e-07
-4.41885018347e-07
6.29346363775e-07
-4.56802514566e-07
6.79794803945e-07
-4.64427630827e-07
7.29175266932e-07
-4.68092848823e-07
7.79665188094e-07
-4.73154495549e-07
8.32269876548e-07
-4.73040564523e-07
8.82156272865e-07
-4.63913068828e-07
9.35889403676e-07
-4.73392497084e-07
9.92927598451e-07
-4.77347050984e-07
1.05303637887e-06
-4.81837370527e-07
1.11524363056e-06
-4.8240161109e-07
1.17676216613e-06
-4.91583108359e-07
1.24278377056e-06
-5.00205438147e-07
1.32073792223e-06
-5.19079035361e-07
1.3944097072e-06
-5.37242633363e-07
1.46136132249e-06
-5.46836517704e-07
1.52606894388e-06
-5.41038861126e-07
1.5891051071e-06
-5.26543357524e-07
1.65023369991e-06
-5.08460846248e-07
1.70907710033e-06
-4.87999762611e-07
1.76541777552e-06
-4.64745671352e-07
1.81901735435e-06
-4.37966900697e-07
1.86948244247e-06
-4.07578361769e-07
1.916236426e-06
-3.74413713293e-07
1.95858332889e-06
-3.39646372499e-07
1.99590014925e-06
-3.04096017215e-07
2.02777781961e-06
-2.68016663636e-07
2.05398535829e-06
-2.3128696434e-07
2.07438104634e-06
-1.93700594248e-07
2.08891012693e-06
-1.55206444773e-07
2.09767004122e-06
-1.15989054161e-07
2.10092520327e-06
-7.62993392603e-08
2.09899071307e-06
-3.61604761055e-08
2.091960278e-06
4.92851093935e-09
2.07913682889e-06
4.83935153471e-08
2.05807915364e-06
9.72681183841e-08
2.02400480143e-06
1.566249344e-07
1.97032373633e-06
2.32052511026e-07
1.89361067327e-06
3.22623277391e-07
1.79664715889e-06
4.21003371748e-07
1.68088376298e-06
5.2558092991e-07
1.5617077286e-06
6.13347961713e-07
1.45917209351e-06
6.76724129898e-07
1.3751184701e-06
7.43255873899e-07
1.3096337844e-06
8.22813708099e-07
1.25491416221e-06
9.19963271273e-07
1.19964512641e-06
1.03870766852e-06
1.01624558484e-06
1.13565715395e-06
7.7151299172e-07
1.07092639855e-06
6.56114504622e-07
8.95194786747e-07
5.92657489474e-07
8.30214842311e-07
5.64283435536e-07
8.24336156565e-07
5.06474548689e-07
9.03544820632e-07
3.90447601638e-07
9.9216550545e-07
2.49850645276e-07
1.04229288494e-06
1.22329006618e-07
1.01219019786e-06
3.21285078716e-08
9.00606650982e-07
-3.70321914752e-08
7.49809918808e-07
-8.26565873241e-08
6.21985946062e-07
-9.89484862713e-08
5.00677640037e-07
-6.42366207103e-08
4.17299911106e-07
3.7236407652e-07
2.97919175566e-08
-2.70078444701e-07
4.59396829475e-08
-2.99966387736e-07
3.50360688505e-08
-2.63726546988e-07
5.39651005827e-08
-2.28089478954e-07
9.10116378527e-08
-2.98827185321e-07
9.94830215917e-08
-3.11701982108e-07
1.15883276168e-07
-3.2764516459e-07
1.30114991418e-07
-3.29887134549e-07
1.50642157575e-07
-3.05180635515e-07
1.50032047724e-07
-2.98668309452e-07
1.79297141952e-07
-2.61765639907e-07
2.16959238592e-07
-2.81211691677e-07
2.59687734372e-07
-3.11856869944e-07
3.12167229726e-07
-3.83296197113e-07
3.52622727655e-07
-4.17456269634e-07
3.82271430512e-07
-4.07550361459e-07
4.30394825572e-07
-4.29943249148e-07
4.84877246115e-07
-4.67254050584e-07
5.37423288356e-07
-4.94000119943e-07
5.8991132632e-07
-5.08884088933e-07
6.4267292719e-07
-5.16817739062e-07
6.94022408917e-07
-5.19096096502e-07
7.41504337343e-07
-5.20301547242e-07
7.91983327663e-07
-5.2322137208e-07
8.47883839283e-07
-5.19538279278e-07
8.99873747055e-07
-5.25108914418e-07
9.54473222695e-07
-5.31698176823e-07
1.00863209723e-06
-5.3575963047e-07
1.07840585006e-06
-5.51938315623e-07
1.15080603055e-06
-5.63752354145e-07
1.22678488548e-06
-5.75951395547e-07
1.30245513182e-06
-5.94519955326e-07
1.38057153529e-06
-6.15139924741e-07
1.45057753168e-06
-6.16640750093e-07
1.51677080925e-06
-6.07044337453e-07
1.58207370633e-06
-5.91670363472e-07
1.6460816394e-06
-5.7230388509e-07
1.70790331131e-06
-5.49667772888e-07
1.76704918671e-06
-5.2374853502e-07
1.82322694129e-06
-4.94012617456e-07
1.87601261843e-06
-4.60242853721e-07
1.92478795909e-06
-4.23078875818e-07
1.96885814649e-06
-3.83617887e-07
2.00757780314e-06
-3.42728852704e-07
2.04039646539e-06
-3.00761025425e-07
2.06683963756e-06
-2.57669299282e-07
2.08653243219e-06
-2.13345707691e-07
2.09930932726e-06
-1.67948434269e-07
2.10531689512e-06
-1.21966866557e-07
2.10499674074e-06
-7.59500909033e-08
2.09891927289e-06
-3.00379113948e-08
2.08735255375e-06
1.65751801068e-08
2.06949260487e-06
6.63678867437e-08
2.04243167534e-06
1.24464587699e-07
2.00051434715e-06
1.98643798885e-07
1.93545235767e-06
2.97214998701e-07
1.84655677561e-06
4.11729668318e-07
1.74109147709e-06
5.26568331812e-07
1.60210572426e-06
6.64775271777e-07
1.45576561765e-06
7.60098177772e-07
1.34977834838e-06
7.83205633023e-07
1.27812754611e-06
8.15407091231e-07
1.23460953699e-06
8.6679074413e-07
1.20681350768e-06
9.48202607138e-07
1.18757103448e-06
1.05836402775e-06
1.11888483545e-06
1.20461317882e-06
8.4689959435e-07
1.34305618833e-06
5.45933269205e-07
1.19622301306e-06
4.99943361001e-07
8.76291414332e-07
5.44732048653e-07
7.79741174317e-07
4.9421780123e-07
9.54319204612e-07
3.60121506915e-07
1.12656643062e-06
1.94517044169e-07
1.20820623667e-06
4.08731477761e-08
1.16613629095e-06
-8.48245762943e-08
1.02660055706e-06
-1.57797366444e-07
8.23059652833e-07
-1.94676929074e-07
6.59129883683e-07
-1.70874736171e-07
4.77163107476e-07
-1.00763578429e-07
3.47378989873e-07
2.71746640154e-07
2.44485642164e-08
-2.94285876622e-07
3.75178540745e-08
-3.12641547556e-07
3.13792191839e-08
-2.57210295762e-07
5.7609629328e-08
-2.53864922941e-07
6.68388115257e-08
-3.07522699403e-07
7.834455705e-08
-3.22652935908e-07
9.21003057158e-08
-3.40939415243e-07
9.53066712944e-08
-3.32538136197e-07
1.27467674384e-07
-3.36904402069e-07
1.24092058437e-07
-2.94865387016e-07
1.5344828319e-07
-2.9066237338e-07
1.89816840095e-07
-3.17094640308e-07
2.32078528221e-07
-3.53566493597e-07
2.75528125194e-07
-4.26185339682e-07
3.07525855726e-07
-4.48934896771e-07
3.39047561298e-07
-4.38587718453e-07
3.86539348464e-07
-4.76955102065e-07
4.38399460183e-07
-5.18646701498e-07
4.89792463881e-07
-5.44955410545e-07
5.42668228181e-07
-5.61358401888e-07
5.97916088329e-07
-5.71681193926e-07
6.55381371869e-07
-5.76190359744e-07
7.01540455642e-07
-5.6612302568e-07
7.49322425286e-07
-5.70687395377e-07
8.01418023611e-07
-5.71338719928e-07
8.5281414344e-07
-5.76238383614e-07
9.22036241879e-07
-6.00658921475e-07
9.90450045622e-07
-6.03922146176e-07
1.05507166499e-06
-6.163152542e-07
1.11861705994e-06
-6.2704795685e-07
1.19404760184e-06
-6.51134018439e-07
1.28215630684e-06
-6.82388341819e-07
1.36280453104e-06
-6.95562288919e-07
1.4354885768e-06
-6.89114501937e-07
1.50515083927e-06
-6.76510890624e-07
1.57380543084e-06
-6.60141872629e-07
1.64120055577e-06
-6.39528319316e-07
1.70645689541e-06
-6.14765144645e-07
1.76888015967e-06
-5.86025168521e-07
1.82806490667e-06
-5.5306270042e-07
1.88359404526e-06
-5.15649558986e-07
1.93483155893e-06
-4.74206753691e-07
1.98103746438e-06
-4.29727938766e-07
2.02149920718e-06
-3.83109626741e-07
2.05549137533e-06
-3.34688666656e-07
2.08223859274e-06
-2.84368936494e-07
2.10104586954e-06
-2.32123097935e-07
2.11154926975e-06
-1.78432331307e-07
2.11387962959e-06
-1.24286211769e-07
2.108662094e-06
-7.07096831972e-08
2.09679558937e-06
-1.81240095705e-08
2.07895926589e-06
3.45296976115e-08
2.0548715274e-06
9.05722767531e-08
2.02242390775e-06
1.56973777994e-07
1.97703878357e-06
2.441322264e-07
1.90462950784e-06
3.69812517214e-07
1.80553581152e-06
5.10677858573e-07
1.70111675445e-06
6.30939269793e-07
1.51387784155e-06
8.52280293032e-07
1.30218210941e-06
9.72345139845e-07
1.19471117605e-06
8.91304877027e-07
1.13973678293e-06
8.70974549626e-07
1.11995061884e-06
8.87142252027e-07
1.11422961937e-06
9.54415801875e-07
1.10213476641e-06
1.07085464974e-06
1.06432262527e-06
1.24275275472e-06
9.48754405168e-07
1.45882841512e-06
5.56379620669e-07
1.58882290006e-06
4.23237517893e-07
1.0097247595e-06
5.71609593262e-07
6.31646294964e-07
5.18402658447e-07
1.00783514449e-06
3.51433603012e-07
1.29385125637e-06
1.42287358128e-07
1.41766022795e-06
-6.07465720118e-08
1.36945916944e-06
-2.45939333634e-07
1.2120312958e-06
-2.9634215941e-07
8.73740459825e-07
-3.27263687517e-07
6.90309933579e-07
-2.58639219246e-07
4.08725672902e-07
-1.47429517842e-07
2.36442048357e-07
1.24377813105e-07
1.46245286613e-08
-3.08076328462e-07
2.20339045547e-08
-3.19461725893e-07
3.40073720052e-08
-2.68758311424e-07
5.3862424899e-08
-2.73273174605e-07
4.61204333159e-08
-2.99317103893e-07
5.94604386732e-08
-3.35543538599e-07
7.35587492395e-08
-3.54451715978e-07
6.80656364818e-08
-3.26652611041e-07
9.82712853253e-08
-3.66580619453e-07
1.06681411224e-07
-3.02867702462e-07
1.29870218331e-07
-3.13404461233e-07
1.61259622294e-07
-3.47971995031e-07
2.01184145955e-07
-3.92994949641e-07
2.39494589899e-07
-4.63946128e-07
2.57639009733e-07
-4.66563582667e-07
2.9056046255e-07
-4.71024553792e-07
3.38402758681e-07
-5.24302441983e-07
3.87476723762e-07
-5.67241873318e-07
4.37041627915e-07
-5.94072057549e-07
4.89355903855e-07
-6.13250710535e-07
5.4541217636e-07
-6.27345880533e-07
6.04834123103e-07
-6.35250498287e-07
6.53549656768e-07
-6.14489906474e-07
6.98866468509e-07
-6.15656412473e-07
7.59711345321e-07
-6.31876688735e-07
8.20503344609e-07
-6.36754155797e-07
8.76860092103e-07
-6.56742266219e-07
9.41869831248e-07
-6.68668089575e-07
1.01528063392e-06
-6.89458219816e-07
1.0999003881e-06
-7.11403996768e-07
1.18253447494e-06
-7.33511350827e-07
1.26476228423e-06
-7.64365287812e-07
1.34089302967e-06
-7.71457359205e-07
1.41633771124e-06
-7.6433970656e-07
1.49078694696e-06
-7.50755160315e-07
1.56378335641e-06
-7.32947262129e-07
1.6352407227e-06
-7.10807532928e-07
1.70456383876e-06
-6.83923721675e-07
1.77090949011e-06
-6.52219459508e-07
1.83363664677e-06
-6.15652025044e-07
1.89232065485e-06
-5.74209500624e-07
1.94645505324e-06
-5.28232280347e-07
1.9952985019e-06
-4.78479091448e-07
2.03798130299e-06
-4.25719524474e-07
2.07353210048e-06
-3.7018713415e-07
2.10080463924e-06
-3.11610203001e-07
2.11866471888e-06
-2.4996696688e-07
2.12639769326e-06
-1.86163345194e-07
2.12402086971e-06
-1.21901130327e-07
2.11229111067e-06
-5.89563353713e-08
2.09252490665e-06
1.74300438651e-09
2.06598998247e-06
6.11878259098e-08
2.03420450245e-06
1.2244685857e-07
1.99907986618e-06
1.92257915316e-07
1.96272435366e-06
2.80450920934e-07
1.88537074452e-06
4.46974435991e-07
1.76357746077e-06
6.32294120847e-07
1.70259530103e-06
6.91770937434e-07
1.4142488978e-06
1.14086768892e-06
1.06330473058e-06
1.32373727206e-06
9.64407298901e-07
9.90672681396e-07
9.41687501664e-07
8.94160283515e-07
9.55381881053e-07
8.73891002335e-07
9.79005650007e-07
9.31228770246e-07
9.97232056583e-07
1.05310150592e-06
9.51004731102e-07
1.2895472057e-06
1.02363328528e-06
1.38679905424e-06
4.8316472606e-07
2.13178845804e-06
2.12692889619e-07
1.2827225641e-06
7.6932110548e-07
7.54157858944e-08
6.18984068723e-07
1.15848297379e-06
3.82747983942e-07
1.53040086319e-06
9.74848692291e-08
1.70322352759e-06
-1.78909166657e-07
1.64611669381e-06
-4.69101725196e-07
1.5025349811e-06
-4.32062461231e-07
8.36970421317e-07
-5.11272013026e-07
7.69759797044e-07
-3.83769215409e-07
2.81485305801e-07
-2.26324482314e-07
7.91056655538e-08
-1.01790896642e-07
6.09574354298e-09
-3.14003680467e-07
6.37796177379e-09
-3.19388425926e-07
3.15986458666e-08
-2.93555437296e-07
4.07585106876e-08
-2.82034124643e-07
3.82143133563e-08
-2.9633993558e-07
4.68745189594e-08
-3.43670960258e-07
5.46195119442e-08
-3.61811174299e-07
5.05242745555e-08
-3.22045947464e-07
7.01833054729e-08
-3.85834226292e-07
8.21272493295e-08
-3.14396771258e-07
1.03462715889e-07
-3.34292242844e-07
1.29868397395e-07
-3.739111097e-07
1.63075573345e-07
-4.25667984185e-07
1.93528333905e-07
-4.93909047574e-07
2.03278557911e-07
-4.75848713343e-07
2.39255329293e-07
-5.06512249095e-07
2.85704162366e-07
-5.70245951896e-07
3.31887622749e-07
-6.12933122976e-07
3.79616536335e-07
-6.41339086239e-07
4.30673720575e-07
-6.63881172806e-07
4.87013093634e-07
-6.83285001393e-07
5.46629914747e-07
-6.94482065751e-07
5.93459324266e-07
-6.60953847292e-07
6.37127208225e-07
-6.58988358749e-07
7.04536751764e-07
-6.98964179433e-07
7.65961443867e-07
-6.97876146263e-07
8.20614108999e-07
-7.11102469076e-07
8.96973872444e-07
-7.44735586054e-07
9.71232125604e-07
-7.63439324114e-07
1.05174593275e-06
-7.91643434322e-07
1.1477510322e-06
-8.29247030281e-07
1.23639543139e-06
-8.52752243764e-07
1.31666490243e-06
-8.51483740957e-07
1.39536418438e-06
-8.42809869089e-07
1.47420037809e-06
-8.293769486e-07
1.55205110407e-06
-8.10597627008e-07
1.62810227352e-06
-7.86672938992e-07
1.70186774972e-06
-7.57517584285e-07
1.77272607329e-06
-7.22920833613e-07
1.8398204499e-06
-6.82604090853e-07
1.90237413481e-06
-6.36637525568e-07
1.95989332648e-06
-5.85644078879e-07
2.0118389566e-06
-5.30339345688e-07
2.05732729881e-06
-4.71145871797e-07
2.09506131654e-06
-4.07882475097e-07
2.12336403629e-06
-3.39894029589e-07
2.14046939574e-06
-2.67071429619e-07
2.14512626616e-06
-1.90820200909e-07
2.13705638503e-06
-1.13823810723e-07
2.11705123544e-06
-3.8871549725e-08
2.0867109032e-06
3.22130788575e-08
2.0477931218e-06
1.00238883346e-07
2.00531441894e-06
1.65158960345e-07
1.97095897193e-06
2.26283354097e-07
1.97567548435e-06
2.75550832796e-07
1.88335091043e-06
5.39126749905e-07
1.67207545506e-06
8.43348025196e-07
1.84455727435e-06
5.19466305817e-07
1.60305576779e-06
1.38265835752e-06
7.89268083894e-07
2.13978148597e-06
9.34394190512e-07
8.4712954229e-07
1.09291993182e-06
7.36908452595e-07
1.30172408145e-06
6.6624186703e-07
1.55679335923e-06
6.77302113033e-07
2.01924349799e-06
5.91969984124e-07
3.38691900984e-06
-7.66135392898e-08
4.283558675e-06
4.93571331267e-07
1.05015997776e-05
-4.07910626906e-06
1.0513041848e-05
1.27665762006e-06
3.36627624373e-06
7.22296570599e-06
1.44549036979e-06
3.0799797473e-06
6.22350264961e-07
2.35424906054e-06
9.26024064488e-08
2.23370629133e-06
-3.58750212459e-07
2.09825753584e-06
-1.24906895955e-06
2.3937110338e-06
-6.05389249302e-07
1.93610278856e-07
-8.09363658127e-07
9.74011982769e-07
-5.38200260266e-07
1.04644833365e-08
-3.49919780336e-07
-1.08902565101e-07
-4.51629823526e-07
4.93265346059e-09
-3.18102505137e-07
6.96816646102e-09
-3.20809298224e-07
1.43971003343e-08
-3.00553756252e-07
2.24206053074e-08
-2.89629619207e-07
2.93616911964e-08
-3.02854447111e-07
3.50123697606e-08
-3.48899505225e-07
3.70436233582e-08
-3.63335531748e-07
4.15588814433e-08
-3.2622343413e-07
4.56789483761e-08
-3.89458898002e-07
5.65499189545e-08
-3.24884510683e-07
7.55545744692e-08
-3.5286074082e-07
9.71998349476e-08
-3.95070756279e-07
1.2290578414e-07
-4.50906700629e-07
1.46391254762e-07
-5.16874213408e-07
1.6334166894e-07
-4.92339688758e-07
1.95903739803e-07
-5.38590155563e-07
2.33168667066e-07
-6.06997825601e-07
2.73646631348e-07
-6.52910038557e-07
3.18381403729e-07
-6.85600421522e-07
3.67598504603e-07
-7.12656250316e-07
4.22331939321e-07
-7.37595054871e-07
4.8162738049e-07
-7.53374108636e-07
5.40737646395e-07
-7.19713086422e-07
5.92202004511e-07
-7.10105665489e-07
6.38971974296e-07
-7.4537344678e-07
7.10666273381e-07
-7.69239166068e-07
7.8358375818e-07
-7.83713174624e-07
8.50968213025e-07
-8.11813522234e-07
9.31513801613e-07
-8.43679100218e-07
1.02669048203e-06
-8.86530065063e-07
1.12110502505e-06
-9.23382074071e-07
1.20365540885e-06
-9.35036371934e-07
1.28693321167e-06
-9.34508102405e-07
1.37108286802e-06
-9.26720348555e-07
1.45503281897e-06
-9.13101945874e-07
1.53809691756e-06
-8.93452373394e-07
1.61963053999e-06
-8.6801226446e-07
1.69865142346e-06
-8.36359692339e-07
1.77438856436e-06
-7.98494705222e-07
1.8462715227e-06
-7.54341367053e-07
1.9135001277e-06
-7.03739667826e-07
1.97524520341e-06
-6.47285764053e-07
2.0309457096e-06
-5.85961832191e-07
2.07989963459e-06
-5.20048324586e-07
2.12067242479e-06
-4.48629298855e-07
2.15094060816e-06
-3.70155883195e-07
2.16800317363e-06
-2.84135807282e-07
2.16970739377e-06
-1.92525926132e-07
2.15527691973e-06
-9.93219639434e-08
2.1253260864e-06
-8.80048901934e-09
2.08155620933e-06
7.6127513139e-08
2.02424257742e-06
1.57814829301e-07
1.96084619079e-06
2.28179277338e-07
1.92230340276e-06
2.64563245266e-07
2.06461143889e-06
1.32911587955e-07
1.9243766397e-06
6.79282734919e-07
1.50349051414e-06
1.26459208874e-06
3.41788778428e-06
-1.39211525e-06
1.81797754278e-05
-1.33755777643e-05
3.56484385835e-05
-1.53223543702e-05
3.95632060231e-05
-3.06314764777e-06
4.07431826892e-05
-4.39574976935e-07
4.11589719991e-05
2.53409480636e-07
4.12383079591e-05
6.00665658955e-07
4.10446368088e-05
7.88162556413e-07
4.02363243417e-05
7.34108909425e-07
3.98495305778e-05
8.82520601005e-07
3.58606638003e-05
-8.82171463663e-08
3.46940604165e-05
2.44500733057e-06
3.64148456276e-05
5.50386116469e-06
3.36555708669e-05
5.84093634735e-06
2.94216722854e-05
6.58984974776e-06
2.42658988794e-05
7.39121137533e-06
1.77731015692e-05
8.59294751779e-06
1.07650734317e-05
9.40336860636e-06
1.98086572506e-06
8.97840137902e-06
-1.44537060938e-06
4.40083267279e-06
-7.64014343115e-07
-6.70638754692e-07
-5.74150307344e-07
-2.98611950197e-07
-1.02563544925e-06
4.69791414883e-09
-3.2270853304e-07
9.10923353467e-09
-3.25009973951e-07
-5.01205365235e-09
-2.86051958349e-07
5.0778778776e-09
-2.99342857555e-07
1.68616088871e-08
-3.14211685767e-07
2.18284075628e-08
-3.53398610467e-07
2.26075819663e-08
-3.63727814335e-07
3.25592225208e-08
-3.35736390625e-07
1.90359296046e-08
-3.75559860093e-07
3.03477804988e-08
-3.35788998038e-07
4.73222030034e-08
-3.69392578415e-07
6.48064663096e-08
-4.1208074381e-07
8.45044274476e-08
-4.70083192768e-07
1.0096061693e-07
-5.32858367569e-07
1.21671853493e-07
-5.12578172001e-07
1.51092903865e-07
-5.67512410036e-07
1.80592132395e-07
-6.35988256112e-07
2.14418768144e-07
-6.86234062897e-07
2.54859858113e-07
-7.2556151894e-07
3.01665008537e-07
-7.59003109855e-07
3.54139398833e-07
-7.89633478378e-07
4.12900829848e-07
-8.11728334405e-07
4.82009973763e-07
-7.88435865691e-07
5.32051240065e-07
-7.59774733041e-07
5.68345951788e-07
-7.81314772476e-07
6.45512045637e-07
-8.46058076981e-07
7.21405005091e-07
-8.59276739593e-07
7.98793119528e-07
-8.88881238516e-07
8.95278662033e-07
-9.39848348246e-07
9.93006485957e-07
-9.83944899651e-07
1.0811604671e-06
-1.01123894647e-06
1.16791130765e-06
-1.02150849443e-06
1.25548157581e-06
-1.02181570305e-06
1.34405936623e-06
-1.01504925942e-06
1.43325392797e-06
-1.00206310838e-06
1.52210176912e-06
-9.82081891714e-07
1.60943835508e-06
-9.55146547628e-07
1.69432188536e-06
-9.21057014775e-07
1.77586616275e-06
-8.79870568953e-07
1.85315731289e-06
-8.31483444647e-07
1.92557476324e-06
-7.76031510685e-07
1.99234214225e-06
-7.13955086346e-07
2.0526875566e-06
-6.46239035218e-07
2.10599950354e-06
-5.73322802502e-07
2.15101339708e-06
-4.93626235801e-07
2.18480202352e-06
-4.03944448237e-07
2.20322187013e-06
-3.02558991126e-07
2.20282348632e-06
-1.92066452251e-07
2.18218268079e-06
-7.85821008236e-08
2.14148020547e-06
3.20267266386e-08
2.08326580928e-06
1.34595326507e-07
1.99987392112e-06
2.40923777416e-07
1.89204897869e-06
3.35802243221e-07
1.80283921355e-06
3.53447739204e-07
2.47028213988e-06
-5.34410491927e-07
3.30177228045e-06
-1.51824942625e-07
2.23957228443e-05
-1.78246927689e-05
5.01243535296e-05
-2.91127225236e-05
5.07437249048e-05
-1.39906136648e-05
4.69057198618e-05
-1.14813130235e-05
4.92785239205e-05
-5.43353087566e-06
5.27540752378e-05
-3.91305363622e-06
5.61999630607e-05
-3.1906071598e-06
5.96614542349e-05
-2.85903885107e-06
6.29697025065e-05
-2.5183205299e-06
6.57873685261e-05
-2.0818610693e-06
6.80681032294e-05
-1.39664137589e-06
6.81883739528e-05
-2.07056876757e-07
6.83956817836e-05
2.23904592659e-06
6.89622989755e-05
4.93855740882e-06
6.7292190422e-05
7.51232036029e-06
6.34907919662e-05
1.03924785897e-05
5.75680293056e-05
1.33151310323e-05
4.97439386926e-05
1.6418183291e-05
3.98259412144e-05
1.93224871506e-05
2.79882889862e-05
2.08173502302e-05
1.38079107677e-05
1.85822985129e-05
1.84783763535e-06
1.12898470024e-05
-1.03260012574e-06
2.58254945873e-06
-2.05823556103e-06
1.13546347593e-09
-3.2312587804e-07
1.48161470866e-09
-3.24774697571e-07
-1.12519363339e-08
-2.7300641067e-07
-6.34371150339e-09
-3.03834657754e-07
4.96075219666e-09
-3.2509859111e-07
6.39563391535e-09
-3.5439867508e-07
5.41077448662e-09
-3.62333118212e-07
1.75026539507e-08
-3.47463539344e-07
-1.45258551675e-09
-3.56193000927e-07
6.54113447499e-09
-3.43394403576e-07
2.01545702352e-08
-3.82549999707e-07
3.37774145697e-08
-4.25237539092e-07
4.78872390822e-08
-4.83720028587e-07
5.63103661102e-08
-5.40762436298e-07
7.50517463501e-08
-5.30852111906e-07
1.01169024641e-07
-5.93137466192e-07
1.25215366124e-07
-6.59522418291e-07
1.53102380243e-07
-7.1361413104e-07
1.8869081693e-07
-7.60653855635e-07
2.31945358714e-07
-8.01783343089e-07
2.820996667e-07
-8.39332713242e-07
3.39531004024e-07
-8.68721489644e-07
4.11499092152e-07
-8.59997282389e-07
4.71240865247e-07
-8.19160843988e-07
5.19041094311e-07
-8.28749272338e-07
5.72535101207e-07
-8.99164854613e-07
6.53773921557e-07
-9.40160175674e-07
7.3793923253e-07
-9.72718264852e-07
8.25751486795e-07
-1.02733017927e-06
9.31934372746e-07
-1.08979969451e-06
1.0315659556e-06
-1.11056477721e-06
1.1257450408e-06
-1.11540172592e-06
1.21911673791e-06
-1.11491669189e-06
1.31377831795e-06
-1.10945484707e-06
1.40907283343e-06
-1.09711483815e-06
1.50409312103e-06
-1.07687569288e-06
1.59776715459e-06
-1.04861075068e-06
1.68899148906e-06
-1.01208965633e-06
1.77676371121e-06
-9.67470349547e-07
1.86020216673e-06
-9.14772834211e-07
1.93852770417e-06
-8.54236156557e-07
2.01112141046e-06
-7.86456909646e-07
2.07713018428e-06
-7.12188832273e-07
2.13589257822e-06
-6.32049684e-07
2.18640332652e-06
-5.44129410582e-07
2.22554747923e-06
-4.43087762919e-07
2.24788043089e-06
-3.24865842521e-07
2.24810861899e-06
-1.92219833791e-07
2.22287107642e-06
-5.32113902886e-08
2.17079532385e-06
8.43729117959e-08
2.10219052493e-06
2.02892555482e-07
1.98343357333e-06
3.59528847619e-07
1.72919228605e-06
5.89912627119e-07
1.24828897085e-06
8.34646133672e-07
7.08348652832e-06
-6.36641818255e-06
3.54264350101e-05
-2.84910570682e-05
6.04042149374e-05
-4.27966044049e-05
5.70685592665e-05
-2.57734954575e-05
5.89572425436e-05
-1.58767105634e-05
5.94845370767e-05
-1.20065811296e-05
6.31782004355e-05
-9.12550724514e-06
6.82051128818e-05
-8.93848736657e-06
7.38070779889e-05
-8.7912189842e-06
7.96526590569e-05
-8.70332743033e-06
8.54568524799e-05
-8.32123321707e-06
9.09262602855e-05
-7.55000028874e-06
9.5721326245e-05
-6.19049535464e-06
9.94578645621e-05
-3.94247064985e-06
0.000102429301857
-7.31323687432e-07
0.000104294296861
3.0746117866e-06
0.000104328976371
7.4786988678e-06
0.000102224227604
1.24982192336e-05
9.7438505008e-05
1.81017800494e-05
8.97559620857e-05
2.41015587035e-05
7.8900161494e-05
3.01791086839e-05
6.4839596188e-05
3.48787036295e-05
4.76880114233e-05
3.57345973173e-05
2.84997669496e-05
3.04791765648e-05
8.80262166726e-06
2.22797920449e-05
6.74515805941e-06
-2.39019309949e-09
-3.20700149711e-07
-4.15926422385e-09
-3.22916842451e-07
-1.79200163325e-08
-2.58888769022e-07
-1.49262760201e-08
-3.06454659214e-07
-7.91258182167e-09
-3.31679818442e-07
-1.0381458274e-08
-3.51537789386e-07
-1.58855873923e-08
-3.56392819085e-07
-4.25718546305e-09
-3.58710640992e-07
-1.5223689289e-08
-3.448772193e-07
-1.37279105712e-08
-3.44487031037e-07
-5.53959716712e-09
-3.90316613185e-07
4.42221455061e-09
-4.34721449037e-07
1.40353236808e-08
-4.92844689026e-07
1.03751150048e-08
-5.36633706894e-07
2.61269749047e-08
-5.46118992223e-07
4.77273996071e-08
-6.14225303852e-07
6.69262040952e-08
-6.78204956332e-07
8.86406530774e-08
-7.34808688746e-07
1.18972871436e-07
-7.90478856588e-07
1.57615784318e-07
-8.39933491018e-07
2.04946683274e-07
-8.86188092728e-07
2.6092487115e-07
-9.24248888662e-07
3.30986909813e-07
-9.29653745482e-07
3.98473052311e-07
-8.86258604382e-07
4.52707829027e-07
-8.82598659486e-07
4.90991482041e-07
-9.37066909691e-07
5.78016233161e-07
-1.02680345207e-06
6.72548958172e-07
-1.06688244451e-06
7.73493929771e-07
-1.12792416744e-06
8.74027771599e-07
-1.19000574963e-06
9.73910988245e-07
-1.21013967912e-06
1.0739781674e-06
-1.21517842466e-06
1.17549945713e-06
-1.21616327883e-06
1.27833595936e-06
-1.21202813957e-06
1.38102744253e-06
-1.19955883927e-06
1.48315774426e-06
-1.1787736686e-06
1.58407498861e-06
-1.14931344408e-06
1.68247526337e-06
-1.11029426606e-06
1.77706075765e-06
-1.06188236312e-06
1.86728981021e-06
-1.00485480912e-06
1.95228899566e-06
-9.3911464513e-07
2.0311612267e-06
-8.65242655093e-07
2.10327970169e-06
-7.84247743852e-07
2.16840797627e-06
-6.97157197694e-07
2.22656186043e-06
-6.02273354332e-07
2.27478022019e-06
-4.91317882351e-07
2.30544829945e-06
-3.55488789842e-07
2.3102041602e-06
-1.96835871784e-07
2.28252016837e-06
-2.52602501698e-08
2.21724810141e-06
1.49269197562e-07
2.17760092699e-06
2.42337174672e-07
2.13764720853e-06
3.99382992827e-07
2.3458159088e-06
3.82013488819e-07
3.22744339852e-05
-2.90882098015e-05
7.07806720706e-05
-4.48629024806e-05
7.55337541112e-05
-3.323947764e-05
6.90228330146e-05
-3.62825381144e-05
6.6497731985e-05
-2.32460183388e-05
6.88566661146e-05
-1.82337811442e-05
7.30301136071e-05
-1.61784973641e-05
7.93969411775e-05
-1.54910235371e-05
8.6632742879e-05
-1.61731289483e-05
9.44460342364e-05
-1.66034465349e-05
0.000102473497617
-1.6729778083e-05
0.000110402651635
-1.62493912936e-05
0.000117913009026
-1.5059383589e-05
0.000124694626386
-1.29711789301e-05
0.000130560616867
-9.80758618784e-06
0.000135378065424
-5.54794253222e-06
0.000138756797179
-3.03282165756e-07
0.000140268391584
5.96793446269e-06
0.000139498719796
1.32686544875e-05
0.000135949369701
2.1651814112e-05
0.000129282832228
3.07687164137e-05
0.000119051689706
4.04108112933e-05
0.000104608401224
4.932248111e-05
8.52881244342e-05
5.50552032733e-05
6.10474595567e-05
5.47200589044e-05
3.096247085e-05
5.2366321673e-05
3.77076899429e-05
-6.79446375625e-09
-3.13250325828e-07
-1.30977025103e-08
-3.16017897883e-07
-2.18053087861e-08
-2.4989936533e-07
-1.99126509433e-08
-3.07924322938e-07
-2.05130611052e-08
-3.30693913561e-07
-2.59610199582e-08
-3.45642616856e-07
-3.56325851073e-08
-3.46376190993e-07
-2.77140316553e-08
-3.66222979954e-07
-3.51594936057e-08
-3.37047759628e-07
-3.62085092401e-08
-3.43072278023e-07
-3.24297634708e-08
-3.93647526157e-07
-2.61720195541e-08
-4.4055146134e-07
-1.90119426238e-08
-4.99527569282e-07
-3.28631005333e-08
-5.22302193648e-07
-2.21265326967e-08
-5.56373664281e-07
-6.55550383161e-09
-6.29287571908e-07
7.98446689186e-09
-6.92219310059e-07
2.2066195802e-08
-7.48373212658e-07
4.60608795924e-08
-8.13952546029e-07
7.86196147867e-08
-8.71979471626e-07
1.21638230477e-07
-9.28713005925e-07
1.75275084069e-07
-9.77421161509e-07
2.41765154826e-07
-9.95699664299e-07
3.13405630893e-07
-9.57501746682e-07
3.80722924158e-07
-9.49540055068e-07
4.34145629642e-07
-9.90095615753e-07
5.05564879853e-07
-1.09780036349e-06
6.02795381296e-07
-1.16371668805e-06
7.06544909195e-07
-1.23131063236e-06
8.06429690343e-07
-1.28955305703e-06
9.11352702221e-07
-1.31475319655e-06
1.01669516224e-06
-1.32023305032e-06
1.1268059283e-06
-1.3259991175e-06
1.23842561579e-06
-1.32338885856e-06
1.34794221379e-06
-1.3088264894e-06
1.45798446616e-06
-1.28858112648e-06
1.56770667735e-06
-1.2588178441e-06
1.67435190747e-06
-1.21674373081e-06
1.77675250369e-06
-1.16411136202e-06
1.87396598874e-06
-1.10192223193e-06
1.96569121747e-06
-1.03072573862e-06
2.05179949113e-06
-9.51259943838e-07
2.13213615774e-06
-8.64535152649e-07
2.20510848216e-06
-7.70087121496e-07
2.26671787396e-06
-6.63889019059e-07
2.31372253751e-06
-5.38305474145e-07
2.34961274537e-06
-3.91305042593e-07
2.37349758426e-06
-2.2055814096e-07
2.35546918045e-06
-7.45903935116e-09
2.24319912444e-06
2.61333969023e-07
2.26546153916e-06
2.19941577291e-07
2.71111825798e-06
-4.60298274098e-08
4.41268192599e-05
-4.10284950479e-05
8.01083294761e-05
-6.5061322684e-05
7.64553624083e-05
-4.12058101938e-05
7.93770612469e-05
-3.61582831419e-05
7.55667259873e-05
-3.24699652364e-05
7.69228762645e-05
-2.46003886268e-05
8.18919665877e-05
-2.32014094721e-05
8.89837755768e-05
-2.3269067469e-05
9.78025993238e-05
-2.4308770517e-05
0.000107300247597
-2.56698125816e-05
0.000117211193864
-2.65135083645e-05
0.000127183317865
-2.67010665935e-05
0.00013692319851
-2.59884667964e-05
0.000146127676596
-2.42630785842e-05
0.000154532158999
-2.13749167757e-05
0.000161942791188
-1.7217521408e-05
0.000168151936838
-1.17564283424e-05
0.000172829793894
-4.98050327289e-06
0.000175593470933
3.20487373635e-06
0.000175933827189
1.29288746002e-05
0.000173397387544
2.41887613063e-05
0.000167226621502
3.69399242959e-05
0.000156566939783
5.10708824217e-05
0.00014009472791
6.57949850018e-05
0.000116157513854
7.89926289938e-05
8.41155581253e-05
8.67625076596e-05
5.19470107679e-05
8.45344968864e-05
8.96549019679e-05
-1.1308816047e-08
-3.0197879651e-07
-2.28692027591e-08
-3.04386288895e-07
-2.62751447033e-08
-2.46117778125e-07
-2.68881044393e-08
-3.0694711237e-07
-3.3915892679e-08
-3.2324980461e-07
-4.16664296435e-08
-3.37557779754e-07
-5.22638568288e-08
-3.35354301688e-07
-5.29849454125e-08
-3.65128072361e-07
-5.86450891773e-08
-3.31052958607e-07
-6.17277340967e-08
-3.39589098646e-07
-6.20065870789e-08
-3.9296665098e-07
-6.07088182132e-08
-4.41367492194e-07
-5.75452560292e-08
-5.02245926627e-07
-6.87813944324e-08
-5.10621208046e-07
-6.69377867046e-08
-5.57733397665e-07
-5.99602988985e-08
-6.35752843773e-07
-5.10990756111e-08
-7.00570604895e-07
-4.3180475326e-08
-7.55764997266e-07
-2.73671871021e-08
-8.29237110656e-07
-3.40029429614e-09
-8.95426178093e-07
3.24342798524e-08
-9.64037466578e-07
8.2856939798e-08
-1.02734749994e-06
1.44435793195e-07
-1.05683106459e-06
2.16761974169e-07
-1.02941741574e-06
2.93018066067e-07
-1.02539797969e-06
3.55263149411e-07
-1.0519373004e-06
4.09728986979e-07
-1.15185567957e-06
4.99336818678e-07
-1.25291798575e-06
6.12444828395e-07
-1.34403864682e-06
7.23865290503e-07
-1.40062998065e-06
8.36100392723e-07
-1.4266800258e-06
9.51806299483e-07
-1.43565648782e-06
1.0716747048e-06
-1.44560604069e-06
1.19145617306e-06
-1.4429149507e-06
1.3096480129e-06
-1.42677417543e-06
1.42974890078e-06
-1.40844946364e-06
1.54817793069e-06
-1.37703269541e-06
1.6634294659e-06
-1.33180095007e-06
1.77440396506e-06
-1.27491517779e-06
1.88009626053e-06
-1.20746826122e-06
1.97990303418e-06
-1.1304015913e-06
2.07269046869e-06
-1.04395617822e-06
2.15647568019e-06
-9.48229846419e-07
2.22850582995e-06
-8.42081233515e-07
2.29217716298e-06
-7.27529903031e-07
2.35758854607e-06
-6.03701118368e-07
2.427670662e-06
-4.61341147585e-07
2.48128296583e-06
-2.74139843225e-07
2.46923905712e-06
4.59189455161e-09
2.15514180744e-06
5.75303016489e-07
2.52129636542e-06
-1.46027515838e-07
5.06666335512e-05
-4.81867021634e-05
9.09658052192e-05
-8.13197327347e-05
8.2920214955e-05
-5.70114853858e-05
8.19484065007e-05
-4.02310978466e-05
8.27752149482e-05
-3.69829119535e-05
8.37068872627e-05
-3.33998960777e-05
8.92832963476e-05
-3.01753644947e-05
9.7362162832e-05
-3.127906594e-05
0.000107182073757
-3.30879348563e-05
0.000118211451007
-3.53372247896e-05
0.000129778461862
-3.72359924741e-05
0.000141607226053
-3.83415073927e-05
0.000153384201555
-3.8477326343e-05
0.000164858182194
-3.74617656622e-05
0.000175783702501
-3.51879529319e-05
0.000185951010618
-3.15416183239e-05
0.000195174427933
-2.64403832817e-05
0.000203242555217
-1.98240514559e-05
0.000209881048218
-1.16185317622e-05
0.000214769913326
-1.68354259313e-06
0.000217358132567
1.0341049624e-05
0.000216948346095
2.45988870312e-05
0.000212366295657
4.15222499965e-05
0.00020228348004
6.11539501837e-05
0.000184407944396
8.36706543043e-05
0.000155526163653
0.000107874510752
0.000113266439184
0.000129021791847
5.695871805e-05
0.000140842515389
0.000146613391482
-1.43481726585e-08
-2.86934236848e-07
-2.89054700282e-08
-2.89229504028e-07
-3.16564796289e-08
-2.43068505894e-07
-3.83131382016e-08
-2.99875658638e-07
-4.99618644499e-08
-3.11263195042e-07
-6.02518520132e-08
-3.26871930938e-07
-6.8572213157e-08
-3.26703747217e-07
-7.80682280649e-08
-3.55252269493e-07
-8.30437076054e-08
-3.25679661474e-07
-8.84377857362e-08
-3.33831379947e-07
-9.28918003252e-08
-3.88069831331e-07
-9.7081110303e-08
-4.36774536305e-07
-1.00691102884e-07
-4.98157416495e-07
-1.06608587625e-07
-5.04249515567e-07
-1.11028756392e-07
-5.52846355525e-07
-1.13214833424e-07
-6.33065237425e-07
-1.11831181709e-07
-7.01427222256e-07
-1.0828972229e-07
-7.58791468081e-07
-9.98412689671e-08
-8.37156765569e-07
-8.59163795565e-08
-9.08816371024e-07
-6.10654601856e-08
-9.88360911181e-07
-1.5995243393e-08
-1.07191044008e-06
3.98435895932e-08
-1.11219100979e-06
1.09777581378e-07
-1.09891697603e-06
1.89766208502e-07
-1.10497915225e-06
2.62043469267e-07
-1.12381612761e-06
3.27694390519e-07
-1.2170933332e-06
4.13443968235e-07
-1.33825018161e-06
5.21898163008e-07
-1.45209015954e-06
6.32226266724e-07
-1.51060420509e-06
7.47520788508e-07
-1.54166616318e-06
8.73494227441e-07
-1.56136236534e-06
1.00209570852e-06
-1.57395852888e-06
1.13544435173e-06
-1.57602921037e-06
1.26735880015e-06
-1.55845890488e-06
1.39765267074e-06
-1.53852093288e-06
1.52549704817e-06
-1.50466541065e-06
1.64997924115e-06
-1.45609112936e-06
1.77000892336e-06
-1.39476996535e-06
1.88414007193e-06
-1.32143856999e-06
1.99094920416e-06
-1.23708425693e-06
2.08817072322e-06
-1.14104202369e-06
2.1713553611e-06
-1.03132767318e-06
2.24741685249e-06
-9.18047588033e-07
2.33465617672e-06
-8.14724406527e-07
2.43687632176e-06
-7.05877252638e-07
2.54352496439e-06
-5.6790510485e-07
2.63494158629e-06
-3.65363368781e-07
2.68518211886e-06
-4.55939537057e-08
1.83209787096e-06
1.42847188592e-06
5.32559259487e-05
-5.15654845388e-05
9.74284971037e-05
-9.23513349267e-05
9.05238691365e-05
-7.44106439412e-05
8.50962054407e-05
-5.15807497136e-05
8.67271185104e-05
-4.18597499065e-05
8.96702558939e-05
-3.99242757859e-05
9.49450061451e-05
-3.86732010632e-05
0.000103963210155
-3.91923539265e-05
0.000114884041145
-4.21988550585e-05
0.000127196953157
-4.53999329066e-05
0.000140377427618
-4.85168852185e-05
0.000154019389745
-5.08772153722e-05
0.000167892178088
-5.22136166476e-05
0.000181763188397
-5.23477039742e-05
0.000195443279075
-5.11412656955e-05
0.000208746296962
-4.84904195811e-05
0.000221493331139
-4.42881481784e-05
0.000233486640009
-3.84332393812e-05
0.000244480420743
-3.08174356638e-05
0.000254174773269
-2.13125297192e-05
0.000262243327818
-9.75179273028e-06
0.000268435609969
4.14904333975e-06
0.000272006568834
2.10281502931e-05
0.000272005567151
4.15234435726e-05
0.000267281830974
6.58778211628e-05
0.000255945068563
9.50074745918e-05
0.000234670580951
0.000129148869834
0.000195846602917
0.000167845617077
0.000124373365927
0.000212315293351
0.000270986638854
-1.66276093084e-08
-2.70433804074e-07
-3.30068323938e-08
-2.72752559039e-07
-3.72318288156e-08
-2.38472905076e-07
-5.05297814551e-08
-2.86248332545e-07
-6.66557483993e-08
-2.94766397823e-07
-8.0290490942e-08
-3.12894941021e-07
-8.76494022906e-08
-3.18978710659e-07
-1.04217142473e-07
-3.38270330225e-07
-1.0763945207e-07
-3.21921341487e-07
-1.15081936283e-07
-3.2598108549e-07
-1.23803448991e-07
-3.78952104788e-07
-1.32491417243e-07
-4.27605661358e-07
-1.4161988939e-07
-4.88594810195e-07
-1.49169045842e-07
-4.96255413177e-07
-1.56872612652e-07
-5.44657403748e-07
-1.66668314132e-07
-6.2276473204e-07
-1.73915856498e-07
-6.9367711466e-07
-1.76776402848e-07
-7.55402074796e-07
-1.73574349018e-07
-8.39824459356e-07
-1.68529235228e-07
-9.13332616695e-07
-1.57238933598e-07
-9.99117151606e-07
-1.21391272382e-07
-1.10722998077e-06
-7.07323567569e-08
-1.1623543154e-06
-5.61118726312e-09
-1.16358596238e-06
7.37752409808e-08
-1.18394218112e-06
1.56105800774e-07
-1.20573863565e-06
2.36100484891e-07
-1.29667404858e-06
3.26145182769e-07
-1.42786983929e-06
4.14197101204e-07
-1.53974031078e-06
5.27220370545e-07
-1.6232667617e-06
6.52336701044e-07
-1.66647980217e-06
7.9276677343e-07
-1.7015350344e-06
9.31292009327e-07
-1.71225649046e-06
1.07470285096e-06
-1.71922081693e-06
1.21913103568e-06
-1.70267338688e-06
1.35947461307e-06
-1.67865149892e-06
1.49903403708e-06
-1.64402151425e-06
1.63463714766e-06
-1.59149610066e-06
1.76400622686e-06
-1.52395237457e-06
1.88600096122e-06
-1.44326983281e-06
1.99892440831e-06
-1.34982046764e-06
2.09577306979e-06
-1.23775896662e-06
2.17672044536e-06
-1.11208968664e-06
2.26473075404e-06
-1.00593448325e-06
2.37198400528e-06
-9.21841576353e-07
2.49005325127e-06
-8.23904970631e-07
2.61512637853e-06
-6.92926029412e-07
2.84561197413e-06
-5.95552451754e-07
4.16033122502e-06
-1.36022410906e-06
1.20242293482e-05
-6.43298030393e-06
8.54964048552e-05
-0.000125028161309
9.6602799747e-05
-0.000103452866193
8.91648079345e-05
-6.69693598554e-05
8.90123760188e-05
-5.14258744072e-05
9.33494508853e-05
-4.61949379677e-05
9.97094594799e-05
-4.62827769484e-05
0.000108826892007
-4.77893792994e-05
0.000120750823148
-5.11152152064e-05
0.00013422961547
-5.56767135408e-05
0.000148871652755
-6.00411435202e-05
0.000164243042941
-6.38875312028e-05
0.000180078591054
-6.67120859396e-05
0.000196185894799
-6.83202962724e-05
0.000212380138087
-6.85413689767e-05
0.00022848945929
-6.7250049766e-05
0.00024433204233
-6.43325063854e-05
0.000259717285387
-5.96729378056e-05
0.000274435965424
-5.31515144639e-05
0.000288257267613
-4.46383821485e-05
0.000300938374187
-3.39933353224e-05
0.000312239192187
-2.10523429668e-05
0.000321944875565
-5.55640497955e-06
0.000330073584664
1.28996383799e-05
0.000336674632924
3.49225574471e-05
0.000341139820329
6.14127664006e-05
0.000343178706491
9.29686301558e-05
0.000341901708817
0.000130425688722
0.000333696257323
0.000176050640335
0.000308483119415
0.00023752811055
0.000324883778131
-1.8079279248e-08
-2.51598065685e-07
-3.48661894921e-08
-2.55416761406e-07
-4.20247074894e-08
-2.31014931839e-07
-6.09660976001e-08
-2.66943226264e-07
-8.07811107147e-08
-2.74635731544e-07
-9.69107578276e-08
-2.96444549584e-07
-1.07688168899e-07
-3.07810525541e-07
-1.29316154214e-07
-3.16314789737e-07
-1.32554020793e-07
-3.18241447722e-07
-1.42015971346e-07
-3.16146097112e-07
-1.5466949794e-07
-3.65862510141e-07
-1.67532667654e-07
-4.14348586236e-07
-1.81364347871e-07
-4.7428155127e-07
-1.92297114229e-07
-4.84862741524e-07
-2.02991601707e-07
-5.33508444445e-07
-2.18539340353e-07
-6.06728327525e-07
-2.36312665075e-07
-6.75386305297e-07
-2.47356046278e-07
-7.43852868867e-07
-2.49758585179e-07
-8.36890084279e-07
-2.52255663565e-07
-9.10303448883e-07
-2.54524123475e-07
-9.96314683167e-07
-2.33294057054e-07
-1.12791006498e-06
-1.8656594045e-07
-1.20855445684e-06
-1.27683112861e-07
-1.22199021e-06
-5.36082925017e-08
-1.25757794363e-06
3.44176199501e-08
-1.29335428716e-06
1.22330855806e-07
-1.38417762892e-06
2.22082044064e-07
-1.52721553292e-06
3.04137549522e-07
-1.62140506645e-06
4.08705588803e-07
-1.72747535547e-06
5.34206161782e-07
-1.7916739562e-06
6.85560286169e-07
-1.85263622099e-06
8.44423101937e-07
-1.87090543079e-06
1.00347711547e-06
-1.87808167686e-06
1.1647355638e-06
-1.86373874994e-06
1.31831314473e-06
-1.83203193938e-06
1.46890445961e-06
-1.79440262354e-06
1.61568671932e-06
-1.73806510709e-06
1.75605762436e-06
-1.66412406135e-06
1.88663727755e-06
-1.57362200822e-06
1.99957786409e-06
-1.46261964711e-06
2.08759705427e-06
-1.32550581667e-06
2.17248979078e-06
-1.19684522475e-06
2.27504002732e-06
-1.1082498521e-06
2.38032772935e-06
-1.02702319133e-06
2.44543494101e-06
-8.88982030114e-07
2.38285283503e-06
-6.30263198465e-07
2.03366257895e-06
-2.46277532265e-07
3.7192675166e-06
-3.04515049636e-06
6.7576275264e-05
-7.02855975336e-05
9.96583435848e-05
-0.000157104397912
9.3092801708e-05
-9.68836456468e-05
9.11319895126e-05
-6.50058515656e-05
9.51556332435e-05
-5.54474562869e-05
0.000102493982875
-5.35316648263e-05
0.000112265520803
-5.60529840035e-05
0.000124602333677
-6.01250686777e-05
0.000139061633744
-6.55735409281e-05
0.000154815723435
-7.14299457582e-05
0.000171531878651
-7.675653207e-05
0.000188854991169
-8.12099513309e-05
0.000206554663648
-8.44111259712e-05
0.000224420938666
-8.61859889e-05
0.000242251069532
-8.63709611742e-05
0.00025984869008
-8.48471711621e-05
0.000277026591621
-8.1509947602e-05
0.000293623082038
-7.62690066345e-05
0.000309515150201
-6.90432018086e-05
0.000324630191714
-5.97530884669e-05
0.00033895050807
-4.83133602409e-05
0.000352519547289
-3.46211330797e-05
0.000365483577532
-1.8520218941e-05
0.000378103832595
2.7957569719e-07
0.000390667490784
2.23590693341e-05
0.000403566373581
4.85140207454e-05
0.000417639115987
7.88959254038e-05
0.000433779808458
0.000114284835977
0.000452428979962
0.000157401096836
0.00047659103955
0.000213365738739
0.000281493950613
-1.92818654737e-08
-2.3254219099e-07
-3.62803865766e-08
-2.38324220504e-07
-4.58313397864e-08
-2.21162558911e-07
-6.88396586277e-08
-2.43662079512e-07
-8.98792638589e-08
-2.53301431614e-07
-1.09483768914e-07
-2.76475201322e-07
-1.25475293479e-07
-2.91529398888e-07
-1.48554970868e-07
-2.92791718254e-07
-1.54575414943e-07
-3.11875912193e-07
-1.67902228162e-07
-3.02417494795e-07
-1.84964859944e-07
-3.48410585339e-07
-2.02058748801e-07
-3.96782544481e-07
-2.20663113945e-07
-4.55249560547e-07
-2.35566317065e-07
-4.69524604777e-07
-2.49337174406e-07
-5.19264293165e-07
-2.67330505591e-07
-5.88258458027e-07
-2.95788318677e-07
-6.46451554391e-07
-3.15934867964e-07
-7.23182084933e-07
-3.26785279953e-07
-8.25519400102e-07
-3.37924134746e-07
-8.98627862131e-07
-3.49350677093e-07
-9.84336504208e-07
-3.49547683234e-07
-1.12714269725e-06
-3.11467319895e-07
-1.24609037269e-06
-2.55526250441e-07
-1.27744317809e-06
-1.90065796418e-07
-1.32259165802e-06
-1.03637524938e-07
-1.37936511146e-06
-1.35903959089e-08
-1.47382470061e-06
9.35412691249e-08
-1.63394906177e-06
1.92688263608e-07
-1.72017197754e-06
2.90762376576e-07
-1.82519906391e-06
4.1003682167e-07
-1.91064244108e-06
5.68650522341e-07
-2.0109956328e-06
7.4619371499e-07
-2.04823984016e-06
9.21516005005e-07
-2.05321549809e-06
1.09890499023e-06
-2.0409376039e-06
1.27311584854e-06
-2.0060316617e-06
1.43790786983e-06
-1.95896329076e-06
1.59658286938e-06
-1.89651150193e-06
1.74697337722e-06
-1.81425594839e-06
1.88166540136e-06
-1.70817091056e-06
1.98517390792e-06
-1.56578383593e-06
2.06778448221e-06
-1.40804645821e-06
2.16073326452e-06
-1.28947478421e-06
2.26289032455e-06
-1.21025741006e-06
2.35478004053e-06
-1.11867646424e-06
2.42303887984e-06
-9.57496751989e-07
2.47272987593e-06
-6.7992103584e-07
1.58766093285e-06
6.39416728143e-07
6.25186789761e-05
-6.3969977448e-05
0.00012429446226
-0.000132053775107
0.000104825034462
-0.00013763065209
9.45741068767e-05
-8.66296562731e-05
9.66850664541e-05
-6.71145086008e-05
0.000103641127492
-6.2401727271e-05
0.000113902362666
-6.37914537429e-05
0.000126633279374
-6.87826964012e-05
0.0001415854237
-7.50761780686e-05
0.000158182102107
-8.21693142128e-05
0.000175824721572
-8.9071759771e-05
0.000194191907751
-9.51229950737e-05
0.000212963214853
-9.99806022119e-05
0.000231899290186
-0.000103346601402
0.000250773583648
-0.0001050597307
0.000269387024643
-0.000104983892107
0.000287575921754
-0.00010303559689
0.000305227944372
-9.91615335525e-05
0.000322297191787
-9.3337851971e-05
0.000338811125666
-8.55567673832e-05
0.000354868976788
-7.5810608817e-05
0.000370630778701
-6.40748718971e-05
0.0003863015067
-5.02916087488e-05
0.000402120013939
-3.43385017384e-05
0.000418376291396
-1.59764948775e-05
0.000435682874243
5.05267518194e-06
0.000454995002591
2.92020493489e-05
0.000477195268577
5.66957249746e-05
0.000503485243634
8.79947355734e-05
0.000535667399781
0.000125218688404
0.000579434009088
0.000169598908781
0.000214567529934
-1.94898711464e-08
-2.12273063281e-07
-3.82482732184e-08
-2.19087809436e-07
-5.1222554727e-08
-2.0790651055e-07
-7.39519674574e-08
-2.20620544036e-07
-9.55952663509e-08
-2.31352363457e-07
-1.19552934708e-07
-2.5225945149e-07
-1.41605776549e-07
-2.69065259271e-07
-1.6685643298e-07
-2.67253527604e-07
-1.80751195913e-07
-2.97532047246e-07
-1.94733217814e-07
-2.8806708653e-07
-2.14637942115e-07
-3.28094451656e-07
-2.35824245993e-07
-3.75215207034e-07
-2.59413878683e-07
-4.31193795592e-07
-2.79253120247e-07
-4.49238893117e-07
-2.98076600758e-07
-5.00004642389e-07
-3.18158332329e-07
-5.67704440042e-07
-3.48815059203e-07
-6.15299313523e-07
-3.78503660121e-07
-6.93005913198e-07
-4.02649156799e-07
-8.00819090791e-07
-4.26205418108e-07
-8.74527111055e-07
-4.41771701786e-07
-9.68209257046e-07
-4.62108466224e-07
-1.10622606821e-06
-4.56298880603e-07
-1.25132707797e-06
-3.98655757394e-07
-1.3345531527e-06
-3.39464453056e-07
-1.38130503067e-06
-2.57620638479e-07
-1.46077009445e-06
-1.68356201158e-07
-1.56267732334e-06
-6.03605024134e-08
-1.7415560215e-06
5.62755480966e-08
-1.83644611538e-06
1.67609894486e-07
-1.93619277562e-06
2.89568448892e-07
-2.03229087752e-06
4.31426839658e-07
-2.15257455811e-06
6.20543801505e-07
-2.23711672128e-06
8.25568371304e-07
-2.25802757121e-06
1.0237465359e-06
-2.23889933194e-06
1.21813048156e-06
-2.20017786746e-06
1.40352061958e-06
-2.14410251105e-06
1.57739919156e-06
-2.07009988318e-06
1.73838558751e-06
-1.97505113279e-06
1.86630455981e-06
-1.83571496347e-06
1.95708578392e-06
-1.65653429921e-06
2.03917536667e-06
-1.48974897047e-06
2.12397292142e-06
-1.37420148011e-06
2.20197984922e-06
-1.28796731037e-06
2.30615511338e-06
-1.22291139855e-06
2.77441523271e-06
-1.42561291753e-06
5.12841193968e-06
-3.03366934723e-06
1.80638186254e-05
-1.22921427206e-05
9.86542691519e-05
-0.000144550929028
0.000120210725029
-0.000153605224291
0.000103480310758
-0.000120896784372
9.92980132365e-05
-8.24447756227e-05
0.000104543833038
-7.23583341276e-05
0.000114068828856
-7.19251303497e-05
0.000126912711566
-7.6634028346e-05
0.00014205484457
-8.39237186706e-05
0.000159055316693
-9.20756876529e-05
0.000177309116455
-0.000100422262426
0.000196327056921
-0.000108088939729
0.000215779290139
-0.000114574541558
0.000235362386129
-0.000119563074396
0.000254841232452
-0.000122824877312
0.000274017579496
-0.000124235552925
0.000292753075316
-0.000123718903811
0.000310977454711
-0.000121259527287
0.000328697466116
-0.00011688112919
0.000345995825077
-0.00011063582442
0.000363021989928
-0.000102582575656
0.000379978741614
-9.27670340962e-05
0.00039710859044
-8.12044291406e-05
0.0004146841623
-6.7866924129e-05
0.000433017397548
-5.26715114749e-05
0.000452520118677
-3.54790122977e-05
0.000473716130853
-1.614314349e-05
0.000497623429585
5.29492265919e-06
0.000525355533607
2.89637249212e-05
0.000558099065771
5.52511776623e-05
0.000598191727535
8.5125855452e-05
0.000650323090258
0.000117467451413
0.000145995689888
-2.02638524615e-08
-1.92325558168e-07
-4.19172515812e-08
-1.97361578946e-07
-5.93025879802e-08
-1.90245353808e-07
-7.94966581557e-08
-2.0018076375e-07
-1.01916070317e-07
-2.0867389654e-07
-1.27467268436e-07
-2.26356903604e-07
-1.52279914457e-07
-2.44013955186e-07
-1.77551814258e-07
-2.41566720085e-07
-2.02198509834e-07
-2.7255021428e-07
-2.19795084957e-07
-2.7010169887e-07
-2.42844471767e-07
-3.04666776708e-07
-2.6803115134e-07
-3.49577084538e-07
-2.96768603381e-07
-4.02041924901e-07
-3.22236240166e-07
-4.23343769057e-07
-3.4824891386e-07
-4.73524098239e-07
-3.76823601132e-07
-5.38649557695e-07
-4.07569201373e-07
-5.84077033574e-07
-4.42999987939e-07
-6.57028177329e-07
-4.80439596297e-07
-7.6284304553e-07
-5.17694486527e-07
-8.36702850601e-07
-5.3802484591e-07
-9.47292895947e-07
-5.71552415335e-07
-1.07209861131e-06
-6.03094250929e-07
-1.21918243799e-06
-5.82454044404e-07
-1.35460840817e-06
-5.24408571049e-07
-1.43880730145e-06
-4.40589283105e-07
-1.54410834365e-06
-3.4939164583e-07
-1.65346266332e-06
-2.42722325246e-07
-1.84783864854e-06
-1.13162603922e-07
-1.96564460935e-06
1.66652827457e-08
-2.06568178721e-06
1.54724492164e-07
-2.1700258834e-06
2.94472366931e-07
-2.29201672766e-06
4.81590910478e-07
-2.42394389568e-06
7.02393107215e-07
-2.47854052018e-06
9.31355965496e-07
-2.4675640173e-06
1.15601347232e-06
-2.42452851975e-06
1.36609254166e-06
-2.35384420061e-06
1.55678914042e-06
-2.26051583609e-06
1.72179199786e-06
-2.13966810166e-06
1.83994233957e-06
-1.95378444997e-06
1.9294166487e-06
-1.74558728318e-06
2.00816499125e-06
-1.5685119976e-06
2.06073924253e-06
-1.4265393079e-06
2.04925865812e-06
-1.27624039629e-06
2.02823725254e-06
-1.20148992106e-06
2.32976240059e-06
-1.72692905767e-06
4.22489250529e-06
-4.92810153066e-06
7.48340556129e-05
-8.28971078215e-05
0.000118979547886
-0.000188690780995
0.000114063721524
-0.000148685675276
0.000103195917683
-0.000110026162628
0.000105163807843
-8.44104655288e-05
0.00011351401404
-8.07067801403e-05
0.000125663631297
-8.40733115078e-05
0.000140733079301
-9.17022697385e-05
0.000157776412918
-0.000100966018296
0.000176285823073
-0.000110584190802
0.00019567589635
-0.000119811531108
0.000215516347882
-0.000127928667977
0.000235482255582
-0.000134539795569
0.000255303931247
-0.000139384154953
0.00027478838197
-0.000142308783787
0.000293808158835
-0.000143254830014
0.000312315894236
-0.000142226177898
0.000330341643889
-0.000139284850642
0.000347986812444
-0.00013452590164
0.000365410252902
-0.000128058897603
0.000382814046087
-0.000119986027321
0.000400434214504
-0.000110386889387
0.000418539644106
-9.93095751586e-05
0.00043744050466
-8.67675345617e-05
0.000457511917677
-7.27427032081e-05
0.000479237336638
-5.72042316203e-05
0.000503238456377
-4.01440719546e-05
0.000530201258843
-2.16677052238e-05
0.000561151612619
-1.98651286612e-06
0.000597392102603
1.90107051969e-05
0.000641140921963
4.13769988277e-05
0.000695467934296
6.31403691672e-05
8.00327102283e-05
-2.2264329e-08
-1.69251629363e-07
-4.63830757726e-08
-1.72809214765e-07
-6.76764801899e-08
-1.68707164121e-07
-8.69871096618e-08
-1.80566000023e-07
-1.10781204066e-07
-1.84593794747e-07
-1.36928548544e-07
-1.99985468481e-07
-1.63141168478e-07
-2.17417818962e-07
-1.88050011452e-07
-2.16388535399e-07
-2.17200715245e-07
-2.43008737943e-07
-2.41187075676e-07
-2.45741306082e-07
-2.68672750809e-07
-2.76794728585e-07
-2.98115436765e-07
-3.1976323439e-07
-3.31763619333e-07
-3.67947619463e-07
-3.62389635954e-07
-3.92279341969e-07
-3.94571174875e-07
-4.40895869304e-07
-4.31002652443e-07
-5.01739881629e-07
-4.66553663707e-07
-5.48005713091e-07
-5.08152077022e-07
-6.14928296321e-07
-5.56538879204e-07
-7.13882074666e-07
-6.08491873028e-07
-7.84191056166e-07
-6.45157782099e-07
-9.10034688555e-07
-6.89389595707e-07
-1.0272696588e-06
-7.2773450794e-07
-1.18021030566e-06
-7.53472852152e-07
-1.32822960212e-06
-7.40784293547e-07
-1.45089943649e-06
-6.83227109542e-07
-1.60112359191e-06
-5.81632597826e-07
-1.75457686565e-06
-4.65625951652e-07
-1.96341429006e-06
-3.22386201448e-07
-2.10851256363e-06
-1.79319917335e-07
-2.20839584486e-06
-2.0971753245e-08
-2.32801478982e-06
1.45963756304e-07
-2.45859008797e-06
3.29376268978e-07
-2.60697425031e-06
5.63887694679e-07
-2.71266630578e-06
8.17942964075e-07
-2.72124693803e-06
1.08014637691e-06
-2.68636402859e-06
1.32475582014e-06
-2.59812582913e-06
1.53623099165e-06
-2.47161604418e-06
1.70107958938e-06
-2.30433909012e-06
1.82165833264e-06
-2.07392384864e-06
1.92455335336e-06
-1.84850112858e-06
2.01390041889e-06
-1.65757035067e-06
2.07445472838e-06
-1.48686864223e-06
2.13489857658e-06
-1.33609569349e-06
2.09643138367e-06
-1.1623942836e-06
8.08533193922e-07
-4.38374408585e-07
7.53048256692e-05
-7.94171590893e-05
0.00013549851394
-0.000143083030948
0.000124783449123
-0.000177971566562
0.000111157875641
-0.000135057028233
0.00010625160153
-0.000105117478272
0.000112232417142
-9.03893426263e-05
0.000123303408184
-9.17761971796e-05
0.000137788599369
-9.85571926274e-05
0.000154665965726
-0.000108578527897
0.000173122606237
-0.000119421697248
0.000192627460356
-0.00013008819952
0.000212644745312
-0.000139828060141
0.000232792654498
-0.000148075896836
0.00025277856393
-0.000154525087248
0.00027238969192
-0.000158994720039
0.000291500223721
-0.000161418800233
0.000310064489081
-0.000161818621718
0.000328117089888
-0.000160278342384
0.000345759911554
-0.000156927268482
0.000363148130572
-0.00015191374703
0.000380475660328
-0.000145386079906
0.000397966745304
-0.000137476790891
0.000415875370433
-0.000128295216927
0.00043449164126
-0.000117925576091
0.000454154122888
-0.000106429772797
0.000475271767576
-9.38601329894e-05
0.000498356648595
-8.02889165185e-05
0.000524042497963
-6.58297393056e-05
0.000552985650084
-5.06106884532e-05
0.000585739042827
-3.47397738407e-05
0.000623283218752
-1.85334065999e-05
0.000667603723176
-2.94352052916e-06
0.000720756459923
9.98764895897e-06
1.75419613932e-05
-2.53467705112e-08
-1.44335897413e-07
-5.16048363406e-08
-1.46511293353e-07
-7.5671271743e-08
-1.44374028283e-07
-9.83696343803e-08
-1.57628320235e-07
-1.2271301976e-07
-1.60000267283e-07
-1.49275822866e-07
-1.73081677377e-07
-1.77518366261e-07
-1.88930014191e-07
-2.03420824616e-07
-1.9011573371e-07
-2.33496161585e-07
-2.12588359125e-07
-2.6122768013e-07
-2.1767829672e-07
-2.92865075204e-07
-2.44793267314e-07
-3.26137620526e-07
-2.86072263761e-07
-3.64239009179e-07
-3.29440987903e-07
-3.99575146162e-07
-3.56523058728e-07
-4.3687765779e-07
-4.0314005245e-07
-4.78769000125e-07
-4.59355661224e-07
-5.19603388364e-07
-5.06694149577e-07
-5.67322287374e-07
-5.6666721545e-07
-6.20838593414e-07
-6.59843329899e-07
-6.76762141024e-07
-7.27710079673e-07
-7.34294406704e-07
-8.51931617699e-07
-7.95519038173e-07
-9.65438638261e-07
-8.53420633309e-07
-1.12165933846e-06
-8.83545075077e-07
-1.29743844157e-06
-9.016269438e-07
-1.43215593569e-06
-9.0652604788e-07
-1.59561183358e-06
-8.52684180382e-07
-1.80786651922e-06
-7.30527478266e-07
-2.08511413151e-06
-5.75220816413e-07
-2.26339982189e-06
-4.2089978824e-07
-2.36233915349e-06
-2.53097184283e-07
-2.49544620653e-06
-5.56203426341e-08
-2.65566844163e-06
1.52621392974e-07
-2.81480601584e-06
4.03710724181e-07
-2.96334407064e-06
6.83764859993e-07
-3.00091674661e-06
9.82920240781e-07
-2.98516294944e-06
1.2713482076e-06
-2.88619317635e-06
1.51346440665e-06
-2.71345494194e-06
1.68778104693e-06
-2.47820596763e-06
1.82437370215e-06
-2.21044112401e-06
1.95580038249e-06
-1.97948300582e-06
2.09481714541e-06
-1.79647363731e-06
2.24908694806e-06
-1.64049049663e-06
2.4700481564e-06
-1.5561270306e-06
3.44173130916e-06
-2.13283859212e-06
9.9985433693e-06
-6.98983446212e-06
9.61523175358e-05
-0.000165555219436
0.000133487727706
-0.000180412670821
0.000120633566874
-0.000165113680125
0.000111072330895
-0.000125492992671
0.000111413482254
-0.000105456409959
0.000120322282785
-9.92963672277e-05
0.000133651694614
-0.000105104152622
0.000149959754943
-0.000114864043863
0.000168168940389
-0.000126786681761
0.000187553117335
-0.000138804980962
0.000207576461615
-0.000150110753479
0.000227766246808
-0.0001600171394
0.000247794680776
-0.000168103692369
0.00026742593531
-0.000174155761894
0.000286518919314
-0.000178087174135
0.000305022462108
-0.000179921857517
0.000322964923277
-0.000179760636824
0.00034044292671
-0.000177755934781
0.000357603858551
-0.000174087821401
0.000374631184608
-0.000168940722397
0.000391733851949
-0.000162488423403
0.00040914289182
-0.000154885530221
0.000427113900688
-0.00014626594921
0.000445933312508
-0.000136744732798
0.000465928054512
-0.000126424284332
0.000487481389705
-0.000115413257064
0.000511052969529
-0.000103860304793
0.000537185337275
-9.19619250964e-05
0.000566477810433
-7.99029970983e-05
0.00059956728121
-6.7829114895e-05
0.000637119572917
-5.6085612343e-05
0.00068013622032
-4.59601015383e-05
0.000729962769457
-3.98388993925e-05
-3.94966018224e-05
-2.68345338645e-08
-1.16626518136e-07
-5.5650610799e-08
-1.17294196384e-07
-8.07180868526e-08
-1.19073310788e-07
-1.08307131224e-07
-1.29747125966e-07
-1.3465171659e-07
-1.33380933567e-07
-1.62589461063e-07
-1.44916505883e-07
-1.92617724861e-07
-1.5855266437e-07
-2.2034167411e-07
-1.6209937888e-07
-2.51678531133e-07
-1.80922644611e-07
-2.81260344153e-07
-1.87720871104e-07
-3.16304387917e-07
-2.09398301912e-07
-3.52870914978e-07
-2.49143737963e-07
-3.94380982886e-07
-2.8751939952e-07
-4.346296626e-07
-3.15844637315e-07
-4.77635123834e-07
-3.59679973703e-07
-5.23672558978e-07
-4.12858321978e-07
-5.6845683279e-07
-4.61391568455e-07
-6.23037230642e-07
-5.11604176266e-07
-6.83114442939e-07
-5.99232535084e-07
-7.42429046031e-07
-6.67875840493e-07
-8.12835318923e-07
-7.8095934265e-07
-8.81675296087e-07
-8.95999444861e-07
-9.66742098057e-07
-1.03592688396e-06
-1.04373291391e-06
-1.21973362323e-06
-1.07858689503e-06
-1.39658754853e-06
-1.10921094381e-06
-1.56430282469e-06
-1.1284783573e-06
-1.78796221701e-06
-1.03604736596e-06
-2.17687525198e-06
-8.78931094752e-07
-2.42005089637e-06
-7.02386669323e-07
-2.53846231401e-06
-5.26833549355e-07
-2.67065175306e-06
-3.2056650918e-07
-2.86157530003e-06
-8.58443667886e-08
-3.04915448996e-06
1.987894372e-07
-3.24764430272e-06
5.26915203916e-07
-3.32871416668e-06
8.68613696617e-07
-3.32660116574e-06
1.20569417174e-06
-3.22303813933e-06
1.48816910746e-06
-2.99562437804e-06
1.68452717845e-06
-2.67442669711e-06
1.84681814805e-06
-2.37227140913e-06
2.0141908076e-06
-2.14678872557e-06
2.21746396859e-06
-1.99911695362e-06
2.410451799e-06
-1.83258854314e-06
2.49328042653e-06
-1.6374692908e-06
7.61592638009e-07
-4.00111472807e-07
8.88505386307e-05
-9.50666223057e-05
0.000127273250412
-0.000203968690745
0.000128339556444
-0.000181474544474
0.000115779404399
-0.000152550378605
0.000112343978332
-0.000122055099828
0.000117275768018
-0.000110386234287
0.000128843153303
-0.000110862158101
0.000144071088721
-0.000120330785423
0.000161723929555
-0.000132515793249
0.000180808120131
-0.00014586994325
0.000200668178775
-0.000158664228189
0.000220793407238
-0.000170235263574
0.000240782302302
-0.000180005387662
0.000260370233188
-0.00018769103688
0.000279391454229
-0.000193176446999
0.000297778511077
-0.000196473739897
0.000315548017242
-0.00019769091232
0.000332785260885
-0.000196997465022
0.000349627111134
-0.000194597402575
0.000366244803371
-0.000190705160812
0.000382831922277
-0.00018552751642
0.000399597924039
-0.000179254124506
0.00041676752538
-0.000172054854318
0.000434583877009
-0.000164082042524
0.000453313950132
-0.000155474567492
0.000473256033363
-0.000146366143845
0.000494749428476
-0.000136906444851
0.000518181822133
-0.000127292499389
0.000543987460706
-0.000117767375562
0.000572639823032
-0.00010855518403
0.000604661614519
-9.98507546812e-05
0.000640693746035
-9.21176249431e-05
0.000681420951091
-8.66872372756e-05
0.000727249775849
-8.56676467427e-05
-8.99616384269e-05
-2.80464607879e-08
-8.91050558612e-08
-5.73496823089e-08
-8.79791107176e-08
-8.47402412853e-08
-9.14601599091e-08
-1.14853389413e-07
-9.94353344565e-08
-1.44151729365e-07
-1.03857219069e-07
-1.74473229202e-07
-1.14285036584e-07
-2.06569309223e-07
-1.26194276301e-07
-2.36868464818e-07
-1.31493213249e-07
-2.70106981078e-07
-1.47313523304e-07
-3.01543208211e-07
-1.55991205249e-07
-3.39360365509e-07
-1.7123446442e-07
-3.79465920018e-07
-2.08657046365e-07
-4.23415014277e-07
-2.43162144352e-07
-4.68943341341e-07
-2.69907149486e-07
-5.19215490568e-07
-3.08969408714e-07
-5.71517710995e-07
-3.60059475688e-07
-6.20987448602e-07
-4.11464675708e-07
-6.78809411515e-07
-4.53287307393e-07
-7.46166102407e-07
-5.31384305209e-07
-8.11525242318e-07
-6.01996426524e-07
-8.94275099444e-07
-6.97650163016e-07
-9.81994229101e-07
-8.07648052451e-07
-1.07130192096e-06
-9.45932655222e-07
-1.18867555995e-06
-1.10160111659e-06
-1.28346753373e-06
-1.30099315543e-06
-1.35770434552e-06
-1.48923164583e-06
-1.43123717327e-06
-1.71352279337e-06
-1.42666807243e-06
-2.18077354375e-06
-1.26949480531e-06
-2.57659721994e-06
-1.05946295423e-06
-2.74819321725e-06
-8.4674610581e-07
-2.8831957382e-06
-6.31144928479e-07
-3.07710455967e-06
-3.82002428438e-07
-3.29830996921e-06
-7.68877117479e-08
-3.55275702402e-06
3.078539505e-07
-3.71355100509e-06
7.16175056313e-07
-3.7350082478e-06
1.12369855525e-06
-3.63062930671e-06
1.46261684821e-06
-3.33455491636e-06
1.69224686642e-06
-2.90381600207e-06
1.89287737593e-06
-2.57288854205e-06
2.14401680004e-06
-2.39734797096e-06
2.42228901294e-06
-2.27669698947e-06
2.60619760584e-06
-2.01566746078e-06
3.58765657711e-06
-2.61753739535e-06
6.08263654444e-06
-2.88564944383e-06
0.000108821274044
-0.000197789288186
0.000128820675936
-0.000223962636602
0.000121362101102
-0.000174012579151
0.000113619933056
-0.0001448056218
0.000115038494294
-0.000123471575326
0.00012355178035
-0.000118897823891
0.000137373784271
-0.000124682782075
0.000154105762881
-0.000137061622905
0.000172688120389
-0.000151097194488
0.00019224555785
-0.000165426557838
0.000212197096147
-0.00017861504633
0.000232087883385
-0.000190125406922
0.000251594691518
-0.000199511613918
0.000270522940198
-0.000206618753708
0.000288779073587
-0.000211432092236
0.000306361690803
-0.00021405590725
0.000323341370958
-0.000214670177517
0.000339842192452
-0.000213497903794
0.000356023616163
-0.000210778473113
0.000372066141149
-0.000206747360689
0.000388162861137
-0.000201623936035
0.000404516259205
-0.000195607245801
0.000421339250402
-0.0001888775872
0.000438858663616
-0.000181601215013
0.000457320223764
-0.000173935897513
0.000476994475216
-0.000166040175599
0.000498181644591
-0.000158093396567
0.000521210719437
-0.000150321359258
0.000546432626933
-0.000142989066598
0.000574218348347
-0.00013634070055
0.000604972052859
-0.000130604280262
0.000639129371299
-0.000126274789907
0.000677016775872
-0.000124574500675
0.000718562062352
-0.000127212886806
-0.000134565210533
-2.94683497144e-08
-5.87612200698e-08
-5.86826702286e-08
-5.8407398813e-08
-8.83036117044e-08
-6.16431995843e-08
-1.19766599287e-07
-6.77290433873e-08
-1.51340153994e-07
-7.20427212184e-08
-1.84213398052e-07
-8.11957537422e-08
-2.18541290513e-07
-9.15824870923e-08
-2.51944714976e-07
-9.77642509181e-08
-2.87586252984e-07
-1.11409460588e-07
-3.21460128072e-07
-1.21739111486e-07
-3.61713092599e-07
-1.30653893077e-07
-4.06285283569e-07
-1.63719772901e-07
-4.52455923548e-07
-1.96615084321e-07
-5.01223555011e-07
-2.20702383257e-07
-5.58724671057e-07
-2.51021821711e-07
-6.18519701775e-07
-2.99833648006e-07
-6.76414457628e-07
-3.53072395089e-07
-7.36346288038e-07
-3.92892967924e-07
-8.07229099411e-07
-4.60013836486e-07
-8.82634489524e-07
-5.26060300788e-07
-9.69941813557e-07
-6.09766750573e-07
-1.07605146444e-06
-7.00907800355e-07
-1.19600717673e-06
-8.25263345014e-07
-1.32363372666e-06
-9.73213344775e-07
-1.45553780552e-06
-1.16822801537e-06
-1.57391425838e-06
-1.36991926246e-06
-1.70528223208e-06
-1.58129935101e-06
-1.84301166274e-06
-2.04209431558e-06
-1.77267525525e-06
-2.64616835398e-06
-1.56106964921e-06
-2.95939012597e-06
-1.28609805009e-06
-3.15810869277e-06
-1.01654061324e-06
-3.34694575021e-06
-7.27226381527e-07
-3.58807487538e-06
-4.17467912039e-07
-3.86294023156e-06
-4.24261221005e-09
-4.12733388821e-06
4.89941086592e-07
-4.22955595481e-06
9.99739089353e-07
-4.1407601589e-06
1.43315571767e-06
-3.76802306765e-06
1.69629790523e-06
-3.1670577175e-06
1.94508049429e-06
-2.82135803603e-06
2.32254500937e-06
-2.77449543353e-06
2.85109825595e-06
-2.80475035787e-06
3.74967390631e-06
-2.91226666185e-06
4.87437191819e-06
-3.74110419556e-06
6.4303241508e-05
-6.23108066037e-05
0.000121638587526
-0.000255117064039
0.000124882045653
-0.000227202882051
0.000115995316087
-0.000165123520572
0.000113600307974
-0.000142408661486
0.000118795328766
-0.000128664954342
0.000130109109804
-0.000130210241215
0.000145650108971
-0.000140222652726
0.000163447280199
-0.000154857854785
0.000182572519996
-0.000170221635428
0.000202254749514
-0.000185108094418
0.000221989089902
-0.000198348770664
0.000241393683745
-0.000209529444367
0.000260226029713
-0.000218343450003
0.000278362731623
-0.00022475498515
0.000295776581527
-0.000228845505854
0.000312520080096
-0.000230799000757
0.000328702812772
-0.000230852534335
0.000344472487657
-0.000229267230215
0.00035999868203
-0.00022630434556
0.000375462047798
-0.000222210428674
0.00039104894432
-0.000217210558038
0.000406950263123
-0.000211508308697
0.000423363012352
-0.00020529009746
0.000440493358799
-0.000198731331606
0.000458560496896
-0.000192002812556
0.000477800531641
-0.000185279984219
0.000498467846768
-0.00017876048058
0.000520831144843
-0.000172684413464
0.000545168099429
-0.000167325772593
0.000571768247906
-0.00016294060651
0.000600935072484
-0.000159770881166
0.000632936084784
-0.000158275605579
0.000667853389102
-0.000159491660199
0.000705426162864
-0.000164785525503
-0.000174288625846
-3.10087089258e-08
-2.83255497825e-08
-6.10240442543e-08
-2.84045844408e-08
-9.18383556664e-08
-3.06549392981e-08
-1.24356202415e-07
-3.50531512305e-08
-1.57275103254e-07
-3.89460158151e-08
-1.91860755526e-07
-4.63622779726e-08
-2.28082093518e-07
-5.50883980472e-08
-2.64793408818e-07
-6.08215753659e-08
-3.0393739822e-07
-7.18877475952e-08
-3.41617607597e-07
-8.3762316469e-08
-3.83254649839e-07
-8.86819709521e-08
-4.31862947093e-07
-1.14749891903e-07
-4.82790377053e-07
-1.45257755561e-07
-5.34320923986e-07
-1.68779570635e-07
-5.94916590607e-07
-1.90008695259e-07
-6.60610648458e-07
-2.3365899617e-07
-7.28801679534e-07
-2.84435186119e-07
-7.96587380705e-07
-3.24636551067e-07
-8.70250684336e-07
-3.85837866552e-07
-9.50861466153e-07
-4.44932357536e-07
-1.0413306786e-06
-5.18722790683e-07
-1.13276608176e-06
-6.08853046217e-07
-1.2559529097e-06
-7.01415777571e-07
-1.39831982724e-06
-8.3009213442e-07
-1.57721362219e-06
-9.8849638461e-07
-1.76322875176e-06
-1.18290561696e-06
-1.96320871866e-06
-1.38017734789e-06
-2.25414505614e-06
-1.74978155631e-06
-2.41663531779e-06
-2.48246514961e-06
-2.2835314239e-06
-3.09161277715e-06
-1.99527600867e-06
-3.44633211583e-06
-1.61066200274e-06
-3.73207942978e-06
-1.21837957539e-06
-3.98092278195e-06
-8.08406724992e-07
-4.27394289132e-06
-3.98687542563e-07
-4.53774801741e-06
1.44798337843e-07
-4.7740436176e-06
7.70826930853e-07
-4.76738684474e-06
1.39976836426e-06
-4.39751913155e-06
1.68911551826e-06
-3.45687523037e-06
1.93922164744e-06
-3.07198698292e-06
2.20769758181e-06
-3.04317564521e-06
2.57843761271e-06
-3.17429317527e-06
3.3795137043e-06
-3.71308694721e-06
4.69419077249e-08
-4.0718148469e-07
9.77368669998e-05
-0.000159997572913
0.000128755708449
-0.00028613431126
0.000118799878836
-0.000217246092018
0.000113198048898
-0.000159520635396
0.000114981714871
-0.000144191230112
0.000123184680454
-0.000136866874625
0.000136664776575
-0.000143689412
0.000153423516485
-0.000156980591365
0.000171878334234
-0.000173311980265
0.000191199732997
-0.000189542426178
0.000210715222315
-0.000204623038513
0.000229996627973
-0.000217629678026
0.000248740577223
-0.000228272931544
0.000266781942444
-0.000236384383024
0.000284063478712
-0.000242036115457
0.000300613851588
-0.000245395496997
0.000316526147149
-0.000246710938071
0.000331935456554
-0.00024626150825
0.000347001336408
-0.000244332797505
0.000361894531115
-0.000241197249442
0.00037678929031
-0.000237104918645
0.000391860129016
-0.00023228114561
0.000407281631642
-0.000226929576615
0.000423229993652
-0.000221238233693
0.000439885458031
-0.000215386575435
0.000457435310107
-0.000209552437956
0.000476076519352
-0.000203920956195
0.000496015813118
-0.00019869951481
0.00051746585139
-0.000194134171355
0.000540642664316
-0.000190502284454
0.000565770068266
-0.000188067712275
0.000593072984255
-0.000187073526163
0.00062271288773
-0.000187915260498
0.00065465916752
-0.000191437704499
0.000688615789529
-0.000198742054468
-0.000209844667728
-3.18004769253e-08
4.35435629023e-09
-6.30428051379e-08
3.16889670188e-09
-9.50705669028e-08
1.5422539537e-09
-1.28668427638e-07
-1.27185467639e-09
-1.6222475923e-07
-5.1997602896e-09
-1.9763520412e-07
-1.07538603898e-08
-2.35089781708e-07
-1.74253056846e-08
-2.74278830009e-07
-2.13056805091e-08
-3.17915591917e-07
-2.8005912056e-08
-3.60455773916e-07
-4.08721755394e-08
-4.01893523573e-07
-4.68998816858e-08
-4.53058498621e-07
-6.32277019092e-08
-5.10583960232e-07
-8.73948554832e-08
-5.67788778895e-07
-1.1114673168e-07
-6.27339931274e-07
-1.30036795146e-07
-6.96585271024e-07
-1.64004019653e-07
-7.72952027843e-07
-2.07601302913e-07
-8.50929462493e-07
-2.46181609891e-07
-9.34328412455e-07
-3.01956268784e-07
-1.02104895619e-06
-3.57662563518e-07
-1.12588048091e-06
-4.13330538758e-07
-1.22608638344e-06
-5.08024836412e-07
-1.3346448522e-06
-5.92187455584e-07
-1.4672996731e-06
-6.96702620461e-07
-1.63461816288e-06
-8.20286439727e-07
-1.8474047229e-06
-9.69090385858e-07
-2.09497574231e-06
-1.13131959687e-06
-2.48222224108e-06
-1.36121515209e-06
-3.01055402078e-06
-1.95253266217e-06
-3.22428172851e-06
-2.8767232988e-06
-3.10255794038e-06
-3.56727483056e-06
-2.67291168831e-06
-4.16151092574e-06
-2.1122693626e-06
-4.54172390234e-06
-1.46019049212e-06
-4.9263653302e-06
-8.80153614784e-07
-5.11888383727e-06
-3.36867008222e-07
-5.31846391267e-06
3.019501729e-07
-5.40736870149e-06
1.30952574188e-06
-5.4064037461e-06
1.70143572729e-06
-3.84993530051e-06
2.06053377515e-06
-3.43201085709e-06
2.17118424388e-06
-3.15355369427e-06
2.19262797911e-06
-3.19602457628e-06
5.91780686473e-06
-7.43767923634e-06
1.81563252545e-05
-1.2645431049e-05
0.000123063654998
-0.000264904869953
0.000129459471232
-0.000292530475635
0.000113838544212
-0.000201625203791
0.0001124629816
-0.000158144735464
0.000117198960917
-0.000148926659225
0.000127844857652
-0.000147512172916
0.000142913932192
-0.000158757910372
0.000160469300048
-0.00017453543777
0.000179237231151
-0.000192079438345
0.000198468130301
-0.000208772891884
0.000217589729829
-0.000223744231294
0.000236250818352
-0.000236290379888
0.000254225832847
-0.000246247574426
0.000271419672665
-0.000253577865391
0.000287832106695
-0.000258448205647
0.000303535363896
-0.000261098425291
0.000318650420385
-0.00026182568123
0.000333326393512
-0.000260937185252
0.000347725344462
-0.000258731469769
0.000362011980528
-0.000255483625238
0.000376348334653
-0.000251441029047
0.000390891893756
-0.000246824476569
0.000405795947528
-0.000241833411706
0.000421211150315
-0.000236653223246
0.000437287856796
-0.000231463062708
0.000454178978036
-0.000226443327897
0.000472042511361
-0.000221784231669
0.000491041865324
-0.000217698582138
0.000511343456678
-0.000214435437912
0.000533115922356
-0.000212274402035
0.000556533797728
-0.000211485243104
0.000581767569033
-0.000212306970812
0.000608924020435
-0.000215071416781
0.000637944447106
-0.000220457902495
0.000668564170099
-0.000229361549423
-0.000241722207317
-3.29315557525e-08
3.6688271009e-08
-6.5391185416e-08
3.55972113016e-08
-9.87381606345e-08
3.5010836749e-08
-1.32765093679e-07
3.28816961905e-08
-1.66456667758e-07
2.86367454469e-08
-2.02323619793e-07
2.52934291058e-08
-2.40996045595e-07
2.15081116795e-08
-2.80828262462e-07
1.87167669245e-08
-3.22866713733e-07
1.43275511905e-08
-3.68228465096e-07
4.81223782668e-09
-4.1374979802e-07
-1.09177727837e-09
-4.66527101865e-07
-1.01343347311e-08
-5.25768048627e-07
-2.7772091278e-08
-5.88084489074e-07
-4.84604742393e-08
-6.50969825207e-07
-6.67688288379e-08
-7.23299332775e-07
-9.12360616696e-08
-8.04537636288e-07
-1.25913642739e-07
-8.91384557719e-07
-1.58880793361e-07
-9.8970225497e-07
-2.03113217654e-07
-1.08594131618e-06
-2.60880301214e-07
-1.18651544208e-06
-3.12171380236e-07
-1.30000348238e-06
-3.93894544964e-07
-1.41640346984e-06
-4.75098418094e-07
-1.54526832626e-06
-5.6706744373e-07
-1.69455467013e-06
-6.70167596042e-07
-1.87359545686e-06
-7.89098941766e-07
-2.09900894264e-06
-9.04853062173e-07
-2.42103704742e-06
-1.03778441331e-06
-3.08783007625e-06
-1.28402988737e-06
-3.93758310916e-06
-2.02446053856e-06
-4.47966823071e-06
-3.02258381009e-06
-4.54713748012e-06
-4.09065972855e-06
-3.71767348736e-06
-5.36805109813e-06
-2.75780419662e-06
-5.88468327959e-06
-1.76737672828e-06
-6.10878632901e-06
-9.6315190203e-07
-6.12247207707e-06
-7.72002572105e-07
-5.5990473179e-06
1.04517528548e-06
-7.2243248353e-06
1.68018031984e-06
-4.48545726597e-06
2.23921935602e-06
-3.99075588755e-06
2.2635745532e-06
-3.1780689829e-06
1.85229480599e-06
-2.78412411176e-06
-1.92556538063e-06
-3.66013769936e-06
0.000107647258064
-0.00012221701634
0.000137725679346
-0.000294983090916
0.000123809665437
-0.000278614767481
0.000110713691242
-0.000188529320662
0.000112872915513
-0.000160303832109
0.000119856567583
-0.000155910059857
0.000132458804501
-0.000160114114496
0.000148612253272
-0.000174911073064
0.000166620695263
-0.000192543605168
0.000185419744699
-0.000210878225212
0.000204338254616
-0.000227691137946
0.00022290258603
-0.000242308295072
0.000240836655394
-0.000254224173561
0.000257988032356
-0.000263398670862
0.000274322019053
-0.000269911568469
0.000289884404791
-0.000274010309499
0.000304778666956
-0.000275992410179
0.000319142308418
-0.000276189054024
0.000333128846312
-0.000274923465215
0.000346895213583
-0.000272497592433
0.000360594069882
-0.000269182250384
0.000374370255738
-0.000265216997469
0.000388359938546
-0.00026081395163
0.000402691445967
-0.000256164717686
0.000417487101707
-0.000251448673544
0.000432865797084
-0.000246841542032
0.000448946113903
-0.000242523401627
0.000465849207294
-0.000238687050179
0.000483700188821
-0.000235549240616
0.000502627882128
-0.00023336276219
0.000522766000165
-0.00023241211514
0.00054425646761
-0.000232975299775
0.000567241070153
-0.000235291200778
0.000591815951927
-0.00023964594157
0.000617951875873
-0.000246593438967
0.000645450068128
-0.0002568595705
-0.000270297843684
-3.3383971873e-08
7.09290788962e-08
-6.76126049491e-08
7.01222988395e-08
-1.01975848068e-07
6.95185599298e-08
-1.3546894581e-07
6.64990128315e-08
-1.69577253479e-07
6.28768689398e-08
-2.06264349252e-07
6.21458172102e-08
-2.46008217494e-07
6.139022301e-08
-2.86696982276e-07
5.9646038116e-08
-3.27774159046e-07
5.56611390451e-08
-3.73656610603e-07
5.09417201988e-08
-4.22446429911e-07
4.80306016808e-08
-4.75105253038e-07
4.28337854706e-08
-5.33975827527e-07
3.14106768358e-08
-5.98055894237e-07
1.59843189563e-08
-6.6670511342e-07
2.29324265254e-09
-7.42054737388e-07
-1.54657835786e-08
-8.25206896707e-07
-4.23248709105e-08
-9.17971087589e-07
-6.56200856628e-08
-1.02133415452e-06
-9.92330062223e-08
-1.12821075018e-06
-1.53429520914e-07
-1.23496810207e-06
-2.04778645533e-07
-1.35487193472e-06
-2.73316474996e-07
-1.48374873425e-06
-3.45477959048e-07
-1.61696829428e-06
-4.3306130607e-07
-1.7506322955e-06
-5.35674421472e-07
-1.89414198605e-06
-6.44676238573e-07
-2.05703351525e-06
-7.4089057127e-07
-2.25485100932e-06
-8.38619657313e-07
-2.61730806851e-06
-9.19694015452e-07
-3.50526414848e-06
-1.13384262699e-06
-4.78481138931e-06
-1.73862715725e-06
-6.50381914461e-06
-2.36607467602e-06
-7.81581927033e-06
-4.05046991313e-06
-7.33361421406e-06
-6.36158152354e-06
-4.67742625495e-06
-8.75746146961e-06
-2.87848598094e-06
-7.91595217316e-06
-1.80430498703e-06
-6.66924423631e-06
-1.50663502738e-06
-7.51868153059e-06
2.67660105951e-07
-6.25582713627e-06
2.660112458e-06
-6.38156724985e-06
2.53252292794e-06
-3.05012442641e-06
2.47051191051e-06
-2.72200346592e-06
-3.63482323415e-06
2.44654118337e-06
0.000109218901706
-0.000235066546866
0.00013455837029
-0.000320322050646
0.000116515972462
-0.000260572264158
0.000108951697127
-0.000180965015049
0.000113673974539
-0.000165026031877
0.000122628994936
-0.000164864974928
0.00013674712366
-0.000174232142353
0.000153585507269
-0.000191749356206
0.000171772602033
-0.000210730601381
0.000190379572707
-0.000229485080111
0.00020882361563
-0.000246135044405
0.000226723258262
-0.000260207773002
0.000243873521667
-0.000271374248552
0.000260187338007
-0.000279712277493
0.000275679696986
-0.000285403704245
0.000290431161327
-0.000288761542098
0.000304565254899
-0.000290126270144
0.000318226399661
-0.000289849967415
0.000331564725796
-0.000288261566717
0.00034472598096
-0.000285658631804
0.000357845980505
-0.0002823020448
0.000371048414831
-0.000278419235696
0.000384444785347
-0.000274210132955
0.000398135713093
-0.000269855455211
0.000412213158851
-0.000265525921641
0.000426763467774
-0.000261391630266
0.000441871066769
-0.000257630749751
0.000457622241879
-0.000254437924877
0.000474108196102
-0.000252034841862
0.00049142790633
-0.000250682058713
0.000509692513556
-0.000250676273255
0.000529029487759
-0.000252311831723
0.00054957688041
-0.000255838173736
0.000571455948719
-0.000261524618645
0.000594715695006
-0.000269852816699
0.000619261175273
-0.000281404609194
-0.000295900712684
-3.41817210361e-08
1.04455686702e-07
-6.91913780455e-08
1.05042656022e-07
-1.01871350766e-07
1.02229976146e-07
-1.34804917378e-07
9.94961496188e-08
-1.70199891227e-07
9.83590452422e-08
-2.07785136279e-07
9.98208305291e-08
-2.47550729688e-07
1.01335642354e-07
-2.89640725921e-07
1.01923108594e-07
-3.32904644635e-07
9.911678277e-08
-3.78069246629e-07
9.64179126016e-08
-4.28594915731e-07
9.88289953713e-08
-4.81788996684e-07
9.63045364703e-08
-5.41228772187e-07
9.11787944131e-08
-6.06431794904e-07
8.15714160496e-08
-6.81325806618e-07
7.75670160093e-08
-7.62869164281e-07
6.64995817032e-08
-8.49041123719e-07
4.43267822739e-08
-9.44278508615e-07
3.01036385985e-08
-1.04857479473e-06
5.60982280374e-09
-1.16127580866e-06
-4.00987703806e-08
-1.28204048625e-06
-8.33596585216e-08
-1.40956795294e-06
-1.45039148365e-07
-1.53767088741e-06
-2.16579416784e-07
-1.67640353661e-06
-2.93494340634e-07
-1.81878536388e-06
-3.92407076515e-07
-1.9543897229e-06
-5.08164520671e-07
-2.07003846362e-06
-6.24238592561e-07
-2.18357483257e-06
-7.23924951884e-07
-2.30202529723e-06
-7.99730427922e-07
-2.58559407428e-06
-8.48225782703e-07
-3.34900464846e-06
-9.72472669563e-07
-4.53725260115e-06
-1.17459347818e-06
-7.3082834997e-06
-1.27481267553e-06
-1.24024630636e-05
-1.25852974301e-06
-1.88355423676e-05
-2.31056871488e-06
-2.37109027126e-05
-3.02904252135e-06
-2.69741791826e-05
-3.39700007171e-06
-3.00410567324e-05
-4.44270524042e-06
-2.9481609937e-05
-6.80969053692e-06
-1.6261683025e-05
-1.95945692261e-05
2.43760597444e-06
-2.17457793129e-05
6.07822403539e-06
-6.36244905309e-06
1.85021338014e-05
-9.97596660518e-06
0.000108185097316
-0.000324743478098
0.000126732900061
-0.000338868259738
0.000109390590075
-0.000243229399541
0.000107639530605
-0.000179213707715
0.000114439569099
-0.000171825955379
0.000125254245811
-0.000175679604974
0.0001404952125
-0.000189473100191
0.000157721971856
-0.000208976132919
0.000175872354928
-0.00022888099644
0.000194119465432
-0.000247732184806
0.000211978786886
-0.00026399432355
0.000229152067782
-0.000277380974837
0.000245499881138
-0.000287721944411
0.000260990758086
-0.000295203006969
0.000275678459509
-0.000300091233957
0.000289667601008
-0.000302750496959
0.000303091940471
-0.000303550414233
0.000316094754041
-0.000302852583745
0.000328816387207
-0.000300983005083
0.000341386440039
-0.000298228496002
0.000353919997525
-0.000294835420787
0.00036651657684
-0.000291015640226
0.000379260838841
-0.00028695422208
0.00039222447175
-0.000282818911671
0.000405468958755
-0.000278770215841
0.000419049184061
-0.000274971637935
0.000433017786864
-0.000271599090155
0.000447429660549
-0.000268849485631
0.00046234617532
-0.000266950972343
0.000477840466067
-0.000266175908252
0.000494006301231
-0.000266841616042
0.000510966119686
-0.00026927115862
0.000528867297574
-0.000273738932866
0.000547874096519
-0.000280530879396
0.000568164109043
-0.000290142024812
0.000589836837979
-0.000303076826558
-0.000318795763762
-3.36388176977e-08
1.38914402462e-07
-6.68448578474e-08
1.38474406471e-07
-9.99492143495e-08
1.35430287774e-07
-1.34009993059e-07
1.33614363034e-07
-1.69928897464e-07
1.34332511898e-07
-2.0726816979e-07
1.3726328555e-07
-2.45983567768e-07
1.40147146736e-07
-2.88271500995e-07
1.44352341093e-07
-3.33503829163e-07
1.44594111124e-07
-3.81589554186e-07
1.44718337964e-07
-4.33875662069e-07
1.51379801578e-07
-4.88212203251e-07
1.50938101444e-07
-5.50190632254e-07
1.5346892091e-07
-6.19839541238e-07
1.51545530229e-07
-6.98982835204e-07
1.57120325691e-07
-7.84097241558e-07
1.52045089018e-07
-8.81775422072e-07
1.42461758514e-07
-9.82666206506e-07
1.3153320313e-07
-1.08655414899e-06
1.10093445375e-07
-1.20471853614e-06
7.8715376098e-08
-1.33417909457e-06
4.68699533881e-08
-1.47727183724e-06
-1.13916699142e-09
-1.61139951105e-06
-8.15584040323e-08
-1.73840162553e-06
-1.65564923549e-07
-1.86847651811e-06
-2.61375693791e-07
-1.99682278096e-06
-3.78833775968e-07
-2.10732554938e-06
-5.12762361684e-07
-2.18700250423e-06
-6.43185206428e-07
-2.22354941455e-06
-7.62045176664e-07
-2.20998342335e-06
-8.60473589877e-07
-2.23060627702e-06
-9.5036537415e-07
-2.28692582478e-06
-1.11661245812e-06
-2.14662201206e-06
-1.41369244139e-06
-1.5715596492e-06
-1.831944528e-06
-1.32158722691e-06
-2.55884531324e-06
-1.15345025241e-06
-3.19576688142e-06
-9.06284909744e-07
-3.6430501422e-06
-1.54503404671e-06
-3.80309347713e-06
-4.08307924307e-06
-4.27013003328e-06
-1.60843689283e-05
-7.58735374708e-06
-2.3177514386e-05
-1.46513261641e-05
1.42518444671e-06
-3.09601991663e-05
9.98524411063e-05
-0.000108397440898
0.00012136936616
-0.000346256050452
0.000119628184705
-0.000337125480676
0.000104105001652
-0.000227705484393
0.000106696712326
-0.000181805085041
0.000115124290315
-0.000180253383411
0.000127571779141
-0.000188127053045
0.0001435755229
-0.000205476875225
0.000160966281403
-0.000226366952544
0.000178911411325
-0.000246826194124
0.000196679763631
-0.000265500580438
0.000213886712533
-0.000281201281306
0.000230307629997
-0.000293801856653
0.000245861718945
-0.000303275957679
0.000260562579116
-0.000309903755083
0.000274492396403
-0.000314020912619
0.000287770276641
-0.000316028219245
0.000300532111782
-0.000316312080761
0.000312913779578
-0.000315234078384
0.000325041244086
-0.000313110297394
0.000337024791023
-0.000310211874912
0.000348956741728
-0.000306767208988
0.000360911320887
-0.000302970060635
0.000372945905217
-0.000298988647377
0.000385103161671
-0.000294975999608
0.000397413850068
-0.000291080717228
0.000409900370066
-0.000287457935041
0.000422581158073
-0.000284279609153
0.000435475704692
-0.000281743693831
0.000448609894836
-0.000280084759036
0.000462024249788
-0.000279589777799
0.000475791028044
-0.000280607878698
0.000490037048756
-0.000283516678297
0.00050494774037
-0.00028864914509
0.000520758668912
-0.000296341045006
0.000537820770451
-0.000307203354937
0.000556598685542
-0.0003218536979
-0.000339276274418
-3.39732533342e-08
1.72184838152e-07
-6.73041215041e-08
1.71688597023e-07
-1.02818570886e-07
1.70925794101e-07
-1.35760730517e-07
1.66576874899e-07
-1.69683765732e-07
1.68298502659e-07
-2.05177727549e-07
1.72784125025e-07
-2.42331315892e-07
1.77381025544e-07
-2.83477182121e-07
1.8565350638e-07
-3.29541137964e-07
1.90786646634e-07
-3.7785614307e-07
1.93232858345e-07
-4.29346795117e-07
2.03135306892e-07
-4.89269886623e-07
2.11111169231e-07
-5.53092719314e-07
2.17571000347e-07
-6.29256860855e-07
2.28079527172e-07
-7.09205275935e-07
2.37461540925e-07
-7.93489906774e-07
2.36747333444e-07
-8.93410592791e-07
2.42896455537e-07
-9.99738427058e-07
2.38445883187e-07
-1.11761740035e-06
2.28614838452e-07
-1.25295492538e-06
2.14834876527e-07
-1.38866484531e-06
1.83428257461e-07
-1.52478049173e-06
1.3590009831e-07
-1.67302742934e-06
6.76894582091e-08
-1.82045325865e-06
-1.70980208841e-08
-1.95694691247e-06
-1.23807359093e-07
-2.08039825566e-06
-2.5434550129e-07
-2.19100258342e-06
-4.01115811646e-07
-2.26135434836e-06
-5.71861652259e-07
-2.27923627912e-06
-7.43205213193e-07
-2.22669130551e-06
-9.12091409399e-07
-2.08114625254e-06
-1.09506906127e-06
-1.90118550766e-06
-1.295968814e-06
-1.69607336494e-06
-1.61822920638e-06
-1.4438979633e-06
-2.08353382998e-06
-1.26564595184e-06
-2.73650279003e-06
-1.05604974576e-06
-3.40480727966e-06
-6.51570438376e-07
-4.04729948413e-06
1.58588350059e-07
-4.61339105535e-06
1.02796383598e-06
-5.13954638491e-06
-1.18223619075e-06
-5.37800677567e-06
-1.10716321834e-05
-4.75825622996e-06
-4.73348964099e-05
5.31014911121e-06
7.57090188946e-05
-0.000231441638724
0.000123447654723
-0.000393994345032
0.000111971640826
-0.000325648996602
0.000100769115245
-0.000216502602378
0.000106154276569
-0.000187189998262
0.000115799201759
-0.000189898169388
0.000129505722519
-0.000201833520321
0.00014593972231
-0.000221910884789
0.000163310294025
-0.000243737576175
0.000180917378995
-0.0002644333401
0.000198127729215
-0.000282710981012
0.000214647774649
-0.000297721345471
0.000230316712024
-0.00030947077615
0.000245104050221
-0.000318063238128
0.000259058016495
-0.000323857630081
0.000272279871791
-0.000327242648838
0.000284894998274
-0.000328643207828
0.000297034879046
-0.000328451811921
0.000308823112386
-0.000327022157329
0.000320367755253
-0.00032465478624
0.000331757250219
-0.000321601219278
0.000343059221909
-0.000318069034633
0.000354320902956
-0.000314231597788
0.000365570604253
-0.000310238201816
0.000376819900543
-0.000306225137261
0.000388066495038
-0.000302327128787
0.000399298042087
-0.000298689261326
0.000410497442052
-0.000295478729455
0.000421649737661
-0.00029289564832
0.000432750017348
-0.000291184608415
0.000443813549232
-0.000290652835493
0.000454897498976
-0.000291691267643
0.000466140805119
-0.000294759560248
0.000477786278384
-0.000300293967292
0.000490124531257
-0.000308678462047
0.000503535349258
-0.00032061213921
0.000518909607133
-0.000337225754526
-0.000357453500057
-3.42025167238e-08
2.07160040312e-07
-6.90920086744e-08
2.06752983105e-07
-1.02925286081e-07
2.04802315441e-07
-1.34530454659e-07
1.98181939965e-07
-1.66699487865e-07
2.00450267022e-07
-2.01261639625e-07
2.07356176369e-07
-2.3822518775e-07
2.14377091847e-07
-2.79069107315e-07
2.26530251318e-07
-3.25073884034e-07
2.36913831716e-07
-3.72477335292e-07
2.40810127581e-07
-4.21463641613e-07
2.52312308548e-07
-4.82465341742e-07
2.72372743818e-07
-5.46009122009e-07
2.81419993216e-07
-6.17353512255e-07
2.99744592877e-07
-6.94428507314e-07
3.14921761e-07
-7.88814238005e-07
3.31610261713e-07
-8.89139891809e-07
3.43761184126e-07
-9.99626405361e-07
3.49577681129e-07
-1.1303357322e-06
3.60093878767e-07
-1.27034666151e-06
3.55704622038e-07
-1.41899914757e-06
3.33062175109e-07
-1.57750542329e-06
2.95457703792e-07
-1.74258005717e-06
2.33877585571e-07
-1.90830769623e-06
1.4979019756e-07
-2.06659835871e-06
3.56192769734e-08
-2.20931826808e-06
-1.1048664407e-07
-2.32488910581e-06
-2.84504937172e-07
-2.40176095408e-06
-4.94019238987e-07
-2.43281293904e-06
-7.11320702707e-07
-2.40634283474e-06
-9.37889646653e-07
-2.30179047395e-06
-1.19915049993e-06
-2.12093403975e-06
-1.47659823391e-06
-1.91974944014e-06
-1.81935532747e-06
-1.75319476029e-06
-2.25005953473e-06
-1.65067580705e-06
-2.8388904514e-06
-1.52484340686e-06
-3.53073134222e-06
-1.25417446181e-06
-4.31813837594e-06
-7.05436562502e-07
-5.1623737516e-06
8.97246163686e-08
-5.93586019315e-06
8.1367995539e-07
-6.10324408073e-06
1.42435855379e-06
-5.36933869605e-06
6.92810302992e-06
-1.96344514637e-07
0.000105440352417
-0.000329962233531
0.000123504278391
-0.000412059163978
0.000104310275941
-0.000306454864288
9.83670295995e-05
-0.0002105590363
0.00010563471627
-0.000194457410427
0.000116367329487
-0.000200630572133
0.000130973987129
-0.000216440051705
0.000147573562518
-0.000238510404369
0.000164774169954
-0.000260938176734
0.000181942803178
-0.000281601991145
0.000198547568163
-0.000299315761308
0.000214371063898
-0.00031354483823
0.000229306848775
-0.000324406527875
0.000243365400528
-0.000332121725604
0.000256619884485
-0.000337112020273
0.000269182512402
-0.000339805160156
0.000281178247378
-0.000340638809988
0.000292729223693
-0.000340002646352
0.000303943414144
-0.000338236203067
0.000314908962496
-0.000335620191288
0.000325691566698
-0.00033238368477
0.00033633417241
-0.000328711505538
0.000346857866859
-0.000324755159279
0.000357263556446
-0.000320643753004
0.000367534208214
-0.000316495636314
0.000377637642902
-0.000312430382548
0.000387529994279
-0.000308581385618
0.000397160168653
-0.000305108618464
0.000406475564126
-0.000302210676104
0.000415427944913
-0.000300136554125
0.000423978325832
-0.000299202675428
0.00043210921221
-0.000299821640924
0.000439874809622
-0.000302524551819
0.000447494891179
-0.000307913335875
0.000455354903799
-0.000316536686597
0.000463840416013
-0.000329095045345
0.000474129629264
-0.000347513193214
-0.000374415778833
-3.4069120715e-08
2.40459726528e-07
-6.8836646536e-08
2.41284173934e-07
-9.90722332084e-08
2.34931923531e-07
-1.2874536643e-07
2.27778592585e-07
-1.61597845917e-07
2.33248522144e-07
-1.96456579504e-07
2.42152557323e-07
-2.33447635246e-07
2.51310109113e-07
-2.72883100718e-07
2.65987686731e-07
-3.17354139895e-07
2.81443148418e-07
-3.65160075122e-07
2.88714282735e-07
-4.16512454603e-07
3.0385271233e-07
-4.73543696473e-07
3.2966709393e-07
-5.38102858906e-07
3.46225377526e-07
-6.04803319993e-07
3.66774642969e-07
-6.86013602897e-07
3.96557163139e-07
-7.84223247751e-07
4.30304634345e-07
-8.86404613968e-07
4.46548511851e-07
-1.01045923712e-06
4.74376718848e-07
-1.14709104391e-06
4.97610019351e-07
-1.28988272032e-06
4.99494181146e-07
-1.45287071652e-06
4.971714243e-07
-1.63811429186e-06
4.81895443672e-07
-1.838894233e-06
4.3586735923e-07
-2.0367277978e-06
3.48875165138e-07
-2.22382843993e-06
2.23915960837e-07
-2.3920336154e-06
5.88619884677e-08
-2.52380220343e-06
-1.51673845539e-07
-2.63272295639e-06
-3.84141863729e-07
-2.69074749499e-06
-6.52506385727e-07
-2.69582428296e-06
-9.32210562454e-07
-2.66550468564e-06
-1.22911274501e-06
-2.58656679344e-06
-1.5553747561e-06
-2.48732624887e-06
-1.91863742431e-06
-2.40296238977e-06
-2.33436267881e-06
-2.38726801633e-06
-2.85471718723e-06
-2.40106921952e-06
-3.51689440129e-06
-2.33546104101e-06
-4.38370290082e-06
-1.90139628787e-06
-5.59674631599e-06
-6.83030333242e-07
-7.15501365749e-06
1.44989230415e-06
-8.23634545506e-06
6.02304070917e-06
-9.94304365717e-06
2.07345776652e-05
-1.49103459468e-05
0.000101645679582
-0.000410870834173
0.00011640870213
-0.000426820660046
9.73313512361e-05
-0.000287376390658
9.64164772994e-05
-0.000209643384449
0.000104907240668
-0.000202947587362
0.000116672985043
-0.00021239589774
0.000131882370597
-0.000231649135697
0.000148468866673
-0.000255096701179
0.000165389791335
-0.000277858974413
0.000182053606617
-0.000298265725256
0.000198031627265
-0.000315293720557
0.000213167681665
-0.000328680830553
0.000227401330014
-0.000338640101293
0.000240774644075
-0.000345494945927
0.000253377265622
-0.00034971452959
0.000265325581396
-0.000351753348566
0.000276738916645
-0.000352052007891
0.000287726506791
-0.000350990095061
0.000298378516079
-0.00034888807127
0.00030876202354
-0.000346003562387
0.000318919466303
-0.000342540996538
0.000328868749912
-0.00033866066378
0.000338604023586
-0.000334490307732
0.000348096775779
-0.000330136374506
0.000357297124489
-0.000325695835696
0.000366135300648
-0.00032126837814
0.000374523435807
-0.000316969288113
0.000382358165282
-0.000312943051606
0.000389525466962
-0.000309377597219
0.000395909098795
-0.000306519731072
0.000401402524671
-0.000304695561353
0.000405929571361
-0.000304348154155
0.000409516613733
-0.000306111009256
0.000412511675322
-0.000310907496138
0.000415899239325
-0.000319922748827
0.000421044102096
-0.000334237377073
0.000428559777754
-0.000355024087128
-0.000386919318079
-3.22127199247e-08
2.73272831913e-07
-6.47414117322e-08
2.73894371505e-07
-9.34121733199e-08
2.6352479232e-07
-1.25433363303e-07
2.59718669092e-07
-1.58961134127e-07
2.66680255654e-07
-1.92365043477e-07
2.75448211638e-07
-2.27213764963e-07
2.86069661798e-07
-2.6252225317e-07
3.01211117992e-07
-3.02435861647e-07
3.21339050051e-07
-3.49538272566e-07
3.35890753889e-07
-3.98684222064e-07
3.53150498723e-07
-4.47749503378e-07
3.78917453638e-07
-5.16886984164e-07
4.15636084034e-07
-5.85322360918e-07
4.35523351126e-07
-6.67243365291e-07
4.78865855011e-07
-7.59373903568e-07
5.22993803278e-07
-8.70018536888e-07
5.57854180918e-07
-9.94188059376e-07
5.9937794543e-07
-1.13067366178e-06
6.35070988328e-07
-1.29900753183e-06
6.68935013229e-07
-1.48896367807e-06
6.88363778944e-07
-1.69773399798e-06
6.91916570134e-07
-1.91753053132e-06
6.56963815352e-07
-2.14839095885e-06
5.80998753852e-07
-2.38301459913e-06
4.59838427749e-07
-2.60429431158e-06
2.81349103938e-07
-2.79465786362e-06
3.97867409542e-08
-2.93736912649e-06
-2.40481383288e-07
-3.03521867537e-06
-5.53872407516e-07
-3.09388693822e-06
-8.72958836442e-07
-3.121610008e-06
-1.2009942845e-06
-3.12437318871e-06
-1.55246322452e-06
-3.12844573153e-06
-1.91447052815e-06
-3.16436339326e-06
-2.29851724825e-06
-3.29051229851e-06
-2.72847230564e-06
-3.57429313033e-06
-3.23294844851e-06
-4.03120560471e-06
-3.9266691161e-06
-4.37360005304e-06
-5.25402375626e-06
-2.83892111263e-06
-8.68851741474e-06
-2.80946244405e-06
-8.26580612534e-06
2.04205873785e-07
-1.29393708804e-05
0.000124007239671
-0.000138694906718
0.000124427891388
-0.000411284160694
0.000110715164228
-0.000413104848219
9.18616151237e-05
-0.000268521102641
9.45817523894e-05
-0.000212362357393
0.00010389951048
-0.000212264516172
0.000116607486486
-0.000225103237909
0.000132171730749
-0.000247212903656
0.000148630949104
-0.000271555562704
0.000165198401375
-0.000294426166805
0.000181322839958
-0.000314389969478
0.000196674584169
-0.000330645310629
0.000211146230548
-0.000343152340475
0.000224716179755
-0.000352209917699
0.000237449546061
-0.000358228174832
0.00024944549876
-0.000361710338481
0.000260819201067
-0.000363126901554
0.000271680503479
-0.000362913159525
0.000282123401231
-0.000361432843788
0.000292219077788
-0.00035898360509
0.000302013247162
-0.000355797596419
0.000311525351736
-0.000352052974881
0.000320748879776
-0.000347884070766
0.000329651978681
-0.000343393287499
0.000338178293228
-0.000338662560633
0.000346248183808
-0.000333765578948
0.000353760668242
-0.000328780675367
0.000360596329269
-0.000323804710999
0.000366621680293
-0.000318968085615
0.000371696033105
-0.000314451563137
0.000375682015916
-0.000310505222719
0.00037845627526
-0.000307469299445
0.000379911505537
-0.000305802778882
0.000379955588726
-0.000306154516844
0.000378575116101
-0.000309526239437
0.000376036064744
-0.000317381835107
0.000372765472942
-0.00033096161959
0.000365724197011
-0.000347982249796
-0.000360557307664
-3.12620925322e-08
3.03715014026e-07
-6.23553287093e-08
3.04649465506e-07
-9.0029452588e-08
2.9103991018e-07
-1.27868324541e-07
2.97426106634e-07
-1.58863190941e-07
2.97529845184e-07
-1.88785190108e-07
3.05208422319e-07
-2.19750307453e-07
3.16834031446e-07
-2.50442715777e-07
3.31741767538e-07
-2.87028783764e-07
3.5784185378e-07
-3.32632838741e-07
3.8148500167e-07
-3.80568390909e-07
4.01170120474e-07
-4.32011118873e-07
4.30527690679e-07
-4.92001494657e-07
4.75860052218e-07
-5.63576773051e-07
5.07402950263e-07
-6.37516204968e-07
5.53266830401e-07
-7.29610341307e-07
6.15657946861e-07
-8.47115102451e-07
6.76111263075e-07
-9.69997648444e-07
7.23104252446e-07
-1.1159564151e-06
7.82077476923e-07
-1.29711974772e-06
8.5134862322e-07
-1.49777145739e-06
8.90238870814e-07
-1.73034279861e-06
9.25924651386e-07
-2.0076249397e-06
9.35605769866e-07
-2.31942203931e-06
8.94291962472e-07
-2.62628701644e-06
7.68114161109e-07
-2.88974175305e-06
5.46087550179e-07
-3.11915512207e-06
2.70330473901e-07
-3.30039388298e-06
-5.82946886182e-08
-3.44232699047e-06
-4.11153851484e-07
-3.52790829154e-06
-7.86785725541e-07
-3.58088052845e-06
-1.14762909413e-06
-3.62767873545e-06
-1.50542437199e-06
-3.68728790075e-06
-1.85475327371e-06
-3.80205326198e-06
-2.18364270359e-06
-4.04290988495e-06
-2.48750158477e-06
-4.57123565959e-06
-2.7045365666e-06
-5.71328442658e-06
-2.78418168182e-06
-8.77598833468e-06
-2.19019358524e-06
-1.30081862847e-05
-4.45603778193e-06
-1.88198576757e-05
-2.43563914274e-06
-7.01477952701e-05
3.8460781692e-05
6.08657246664e-05
-0.000269666964354
0.000118465027034
-0.000468875565856
0.000100964453174
-0.000395600451609
8.73537144709e-05
-0.000254908096419
9.26689544164e-05
-0.000217676090136
0.000102616440808
-0.000222210884885
0.000116109178391
-0.000238595116871
0.000131827313998
-0.000262930358051
0.000148085876507
-0.000287813593695
0.000164253483099
-0.000310593355493
0.000179829082083
-0.000329965239743
0.000194570895567
-0.000345386854927
0.000208410554265
-0.000356991769656
0.000221358832708
-0.00036515798844
0.000233496576915
-0.000370365724729
0.00024492703789
-0.000373140612583
0.000255760071483
-0.000373959755912
0.000266093441153
-0.000373246357569
0.000276004562123
-0.000371343804
0.000285545261975
-0.000368524155405
0.000294740167901
-0.00036499236614
0.000303586337781
-0.00036089901889
0.000312053429148
-0.000356351044709
0.000320083733719
-0.000351423474063
0.000327592011866
-0.000346170712288
0.000334465096919
-0.000340638510842
0.000340560816282
-0.000334876202527
0.000345704838482
-0.00032894847688
0.000349682554007
-0.000322945477324
0.000352221441289
-0.000316990035377
0.000352955740589
-0.000311239043579
0.000351356154471
-0.000305869141688
0.000346591108366
-0.000301037191369
0.000337276495898
-0.000296839331904
0.000321023575261
-0.000293272513074
0.00029329464517
-0.000289650803092
0.000244000868624
-0.000281667120642
0.000152447492766
-0.000256420973452
-0.000208108928211
-3.15654270101e-08
3.35750905677e-07
-6.48253213721e-08
3.37912829539e-07
-9.40950192164e-08
3.20195245562e-07
-1.28435384549e-07
3.31569152525e-07
-1.57748061873e-07
3.26658547872e-07
-1.84822230967e-07
3.32035996066e-07
-2.11796112697e-07
3.43537227868e-07
-2.39233537916e-07
3.58925226478e-07
-2.69973121812e-07
3.88368693167e-07
-3.07235832953e-07
4.1865938516e-07
-3.51785802407e-07
4.45738076284e-07
-3.99889941361e-07
4.78736032818e-07
-4.4719090322e-07
5.23414130526e-07
-5.1743104714e-07
5.77945631984e-07
-5.97304772611e-07
6.33548782614e-07
-6.83252558965e-07
7.02307420603e-07
-7.83469006307e-07
7.77097679551e-07
-9.2376543241e-07
8.64321074538e-07
-1.06664983472e-06
9.2605745873e-07
-1.24081694873e-06
1.0265584699e-06
-1.48402239398e-06
1.13486879626e-06
-1.77072593111e-06
1.21385585698e-06
-2.12550618596e-06
1.2919485644e-06
-2.5007462796e-06
1.27110837024e-06
-2.87857296953e-06
1.14767782601e-06
-3.22647500727e-06
8.95574503177e-07
-3.51171146872e-06
5.56842726193e-07
-3.72826991782e-06
1.59294872856e-07
-3.86899560213e-06
-2.69647938682e-07
-3.96505093944e-06
-6.90138927143e-07
-4.02932604662e-06
-1.0829358408e-06
-4.06403726728e-06
-1.47042548591e-06
-4.0851380357e-06
-1.83344813238e-06
-4.119163241e-06
-2.14944299094e-06
-4.20684528881e-06
-2.39963163384e-06
-4.35192715627e-06
-2.5592505447e-06
-4.57012551465e-06
-2.56574869368e-06
-4.61136918101e-06
-2.14869343008e-06
-6.88366249882e-06
-2.18191981071e-06
-1.05713018399e-05
1.27288350551e-06
-2.52897496228e-05
5.32293957943e-05
0.000102572291949
-0.000397505998016
0.00011264767116
-0.000478945415905
8.95657030321e-05
-0.000372515417506
8.27578796982e-05
-0.000248098196462
9.0166263624e-05
-0.000225082898958
0.000100946197204
-0.000232989555906
0.000115112339191
-0.000252760212344
0.000130859159638
-0.000278676319258
0.000146876426554
-0.000303830156037
0.000162620239402
-0.000326336599658
0.000177655446104
-0.000344999982717
0.000191813786868
-0.000359544814249
0.000205058928097
-0.000370236586195
0.000217427955936
-0.00037752673337
0.000229011471137
-0.000381948985154
0.000239912644008
-0.000384041553946
0.000250233064851
-0.000384279963785
0.000260056742147
-0.000383069841215
0.000269443835313
-0.0003807307212
0.000278426772452
-0.000377506935823
0.000287009279588
-0.000373574732695
0.000295165902164
-0.000369055515961
0.000302841334237
-0.000364026358573
0.000309948854297
-0.000358530877078
0.000316367661777
-0.000352589388016
0.000321938538656
-0.000346209229822
0.000326456526713
-0.000339393983795
0.000329657913595
-0.000332149601162
0.000331197279965
-0.000324484505706
0.000330608616714
-0.000316400974635
0.000327243196179
-0.000307873147791
0.000320174897064
-0.000298800360028
0.000308062842076
-0.000288924641225
0.00028894728344
-0.000277723366132
0.000259868093206
-0.000264192814573
0.000216199855439
-0.00024598168397
0.000152301036002
-0.000217763547678
7.0845814126e-05
-0.00017496509971
-0.000137260924968
-3.19382124077e-08
3.66789217598e-07
-6.60976052365e-08
3.71704772068e-07
-9.93721266051e-08
3.53159627844e-07
-1.20608264548e-07
3.52580381191e-07
-1.55017119391e-07
3.60751818094e-07
-1.81521304125e-07
3.58191250148e-07
-2.05121188787e-07
3.66761302362e-07
-2.28755490481e-07
3.82169128123e-07
-2.49569709394e-07
4.0886205275e-07
-2.77094555724e-07
4.45974397382e-07
-3.15650105089e-07
4.84185526244e-07
-3.57110490385e-07
5.20310795752e-07
-4.01012314393e-07
5.67405146579e-07
-4.5527815038e-07
6.32534625141e-07
-5.45728577466e-07
7.24693567623e-07
-6.34519179496e-07
7.91703406718e-07
-7.39725321859e-07
8.83125099035e-07
-8.81816872696e-07
1.00734730661e-06
-1.01650855105e-06
1.06153090305e-06
-1.20443427257e-06
1.21581671719e-06
-1.47392372773e-06
1.40544636525e-06
-1.78502056343e-06
1.52655572851e-06
-2.19923481002e-06
1.70806950905e-06
-2.70360664452e-06
1.7779369129e-06
-3.22812046052e-06
1.67456347143e-06
-3.6834494763e-06
1.35293171344e-06
-4.02478815542e-06
8.99796014777e-07
-4.25146658298e-06
3.87148799211e-07
-4.38814643281e-06
-1.32110973441e-07
-4.46624357071e-06
-6.11435637473e-07
-4.47131928455e-06
-1.07744165307e-06
-4.42248995219e-06
-1.51897129577e-06
-4.35306039663e-06
-1.90265986106e-06
-4.26081620961e-06
-2.24146215946e-06
-4.13975339116e-06
-2.52060399156e-06
-3.95208986433e-06
-2.74686917482e-06
-3.61211892218e-06
-2.90585459546e-06
-2.74665554341e-06
-3.01444778613e-06
-1.68684350309e-06
-3.24181950093e-06
3.15003308727e-06
-3.5632392523e-06
6.42379740046e-05
-7.85490868291e-06
8.75918501651e-05
-0.000420857777561
9.61644989239e-05
-0.000487517095186
7.9670622315e-05
-0.000356020358264
7.84021951884e-05
-0.000246828476441
8.7159362473e-05
-0.000233838761225
9.88831099999e-05
-0.000244712064594
0.000113592439962
-0.000267468420888
0.000129301523638
-0.000294384418464
0.00014505937805
-0.000319587173997
0.000160373332839
-0.000341649851355
0.000174888000062
-0.000359514065558
0.000188494454515
-0.000373150777127
0.000201183799188
-0.000382925514567
0.000213013810839
-0.000389356384204
0.000224080123711
-0.000393014982992
0.000234482667784
-0.000394443818506
0.000244312654618
-0.000394109703959
0.000253639281837
-0.000392396249796
0.000262505034411
-0.000389596283148
0.000270922751527
-0.000385924486074
0.000278874742098
-0.000381526579051
0.000286311526377
-0.000376492171358
0.000293149486481
-0.000370864200068
0.000299266825837
-0.000364648094233
0.000304497610078
-0.000357820035514
0.000308623333481
-0.000350334782181
0.000311360841334
-0.000342131276456
0.000312344927344
-0.000333133413102
0.000311103493304
-0.000323242743489
0.000307023445545
-0.000312320544372
0.000299307819726
-0.000300157111769
0.000286931815409
-0.000286423930764
0.000268612813632
-0.000270605299774
0.000242793245026
-0.000251903455902
0.000207601529047
-0.000229000383738
0.000161074762045
-0.000199453417113
0.000103317843507
-0.000160006206809
4.30832627204e-05
-0.000114726997268
-9.41786338975e-05
-3.03963937137e-08
3.97521561898e-07
-6.30747227333e-08
4.04164766267e-07
-1.05925387893e-07
3.95797759328e-07
-1.24995553101e-07
3.71285204432e-07
-1.57365186401e-07
3.92717252733e-07
-1.80467936111e-07
3.80865141801e-07
-1.98923004273e-07
3.84703103122e-07
-2.1571539253e-07
3.98466479449e-07
-2.27477190581e-07
4.20166342764e-07
-2.44725208379e-07
4.62846437235e-07
-2.67421364182e-07
5.06711698606e-07
-3.05677840655e-07
5.58491719493e-07
-3.46947048932e-07
6.08833307016e-07
-3.91857300496e-07
6.77876557826e-07
-4.61243301438e-07
7.94273971944e-07
-5.78006307365e-07
9.0971151271e-07
-6.76737312543e-07
9.82668733029e-07
-7.76094311343e-07
1.10748079433e-06
-9.26497478584e-07
1.21281165711e-06
-1.0988913222e-06
1.38893066591e-06
-1.32939707876e-06
1.63727149165e-06
-1.69830193821e-06
1.89717426612e-06
-2.20462814736e-06
2.21685352867e-06
-2.92013304528e-06
2.49576250777e-06
-3.63402814846e-06
2.39135270355e-06
-4.22503653441e-06
1.94650181501e-06
-4.62776418288e-06
1.30424607687e-06
-4.86573452063e-06
6.26223085122e-07
-5.00143561529e-06
4.32641452732e-09
-4.99856211922e-06
-6.13819152526e-07
-4.90808582584e-06
-1.16759329349e-06
-4.78244769096e-06
-1.64436750334e-06
-4.61828071533e-06
-2.06662173729e-06
-4.41160069461e-06
-2.44803410743e-06
-4.16083156172e-06
-2.77125531724e-06
-3.85532485317e-06
-3.05264746456e-06
-3.46182236574e-06
-3.30012231379e-06
-2.91437708549e-06
-3.56249517271e-06
-2.19029890299e-06
-3.96633238697e-06
4.25938773716e-07
-6.18129599726e-06
8.74151815338e-05
-9.485838984e-05
7.30797367505e-05
-0.000406531070647
8.51505840412e-05
-0.000499589462638
7.19819990225e-05
-0.000342851668834
7.40973652632e-05
-0.000248942965829
8.38874279632e-05
-0.000243627630549
9.65190692783e-05
-0.000257342420399
0.000111601759509
-0.000282549871218
0.000127224566431
-0.000310006103821
0.00014270864364
-0.000335070271735
0.00015759584905
-0.000356536224448
0.000171614345149
-0.000373531858105
0.000184701220315
-0.000386237060905
0.000196871599498
-0.000395095390667
0.000208198687792
-0.000400683043316
0.000218779468224
-0.000403595392161
0.000228708145405
-0.000404372175422
0.000238063985107
-0.00040346526564
0.000246900546289
-0.000401232572739
0.000255242082054
-0.000397937614293
0.000263081040262
-0.000393763271249
0.000270376655217
-0.000388822044969
0.00027705219487
-0.000383167581231
0.000282990324565
-0.000376802206582
0.000288026325971
-0.000369683968875
0.000291939520713
-0.000361733081703
0.000294443058853
-0.000352838139121
0.000295172322118
-0.000342860313422
0.000293672683517
-0.000331633504058
0.000289388211156
-0.000318957963521
0.000281653666748
-0.000304585672186
0.000269695664432
-0.000288198782787
0.000252660016492
-0.000269388021362
0.000229692117186
-0.00024763715499
0.000200067697316
-0.000222278584158
0.000163356054711
-0.000192287886514
0.000119961276785
-0.000156056891498
7.28304462863e-05
-0.000112873574417
2.95647678137e-05
-7.14630943075e-05
-6.46158775494e-05
-2.97678742123e-08
4.26270470084e-07
-6.45352160074e-08
4.38481179397e-07
-1.11854784264e-07
4.42689081404e-07
-1.4066606029e-07
3.99745591435e-07
-1.57555008076e-07
4.09181191171e-07
-1.78471425991e-07
4.01199362831e-07
-1.92239887926e-07
3.97890311863e-07
-2.01978636127e-07
4.07572612959e-07
-2.08336352162e-07
4.25927748232e-07
-2.1097399229e-07
4.64957276507e-07
-2.20559625711e-07
5.15955998414e-07
-2.40003913223e-07
5.77739976553e-07
-2.72066617231e-07
6.40862397767e-07
-3.19730913642e-07
7.25208358448e-07
-3.77043281876e-07
8.53666211617e-07
-5.18577702974e-07
1.05247985042e-06
-6.31695343772e-07
1.09736011178e-06
-7.08631143223e-07
1.18490621518e-06
-7.95370988923e-07
1.29983785069e-06
-9.4512520132e-07
1.53910255366e-06
-1.12035940477e-06
1.81362289283e-06
-1.49017477202e-06
2.26896971106e-06
-2.11090154483e-06
2.83941122403e-06
-3.17686660405e-06
3.56475297579e-06
-4.26151168922e-06
3.47881820139e-06
-5.0389807797e-06
2.72623149545e-06
-5.46810994697e-06
1.73488842337e-06
-5.6675664828e-06
8.2655196996e-07
-5.66356555732e-06
8.29224807061e-10
-5.54822870776e-06
-7.28814797523e-07
-5.38243742682e-06
-1.33310960316e-06
-5.16389672612e-06
-1.86268045789e-06
-4.88923470134e-06
-2.3411198171e-06
-4.57463455932e-06
-2.76241931528e-06
-4.21296830056e-06
-3.13298039121e-06
-3.82024309542e-06
-3.44587429531e-06
-3.44049652682e-06
-3.68054072505e-06
-3.28074293978e-06
-3.7233851506e-06
-4.21095053747e-06
-3.03722589835e-06
-1.05788127119e-05
1.73309410382e-07
-0.000128610669457
2.3129537293e-05
3.34727858541e-05
-0.000568617435926
7.06601174866e-05
-0.000536778775568
6.37794337319e-05
-0.000335971406584
6.9624623359e-05
-0.00025478760825
8.05098825394e-05
-0.000254511794677
9.39344671222e-05
-0.000270765707212
0.000109229149229
-0.000297843240493
0.000124720940298
-0.000325496672345
0.000139911562523
-0.00035025981077
0.000154376594081
-0.000371000319302
0.000167921801
-0.000387076269003
0.000180518510013
-0.000398833093355
0.000192202452501
-0.000406778760015
0.000203057250878
-0.000411537352034
0.000213178223603
-0.000413715947901
0.000222651753091
-0.000413845347912
0.000231543816367
-0.000412357026546
0.000239891418849
-0.000409579918931
0.000247699539343
-0.000405745520963
0.000254938535908
-0.000401002087944
0.000261541584721
-0.00039542494264
0.00026739993405
-0.00038902579605
0.000272355841963
-0.000381757986553
0.000276193856948
-0.00037352184529
0.00027863190675
-0.00036417097027
0.000279313805917
-0.000353519842128
0.000277805277416
-0.000341351552879
0.000273596919028
-0.000327424884234
0.000266118606637
-0.000311479378418
0.000254769238932
-0.000293236040913
0.000238966766324
-0.000272396103503
0.000218236752423
-0.000248657858783
0.000192380007356
-0.000221780193802
0.000161728809567
-0.000191626858297
0.000127382314761
-0.000157939390899
9.15286281913e-05
-0.000120202027095
5.85227425597e-05
-7.98675967414e-05
3.45628890776e-05
-4.7505804457e-05
-3.00548050961e-05
-2.69124138905e-08
4.53281361166e-07
-6.41996433229e-08
4.7546704174e-07
-9.94459995535e-08
4.77631487181e-07
-1.38082544296e-07
4.38053089014e-07
-1.56002123005e-07
4.26628366841e-07
-1.79362164268e-07
4.24005793995e-07
-1.88712644355e-07
4.0651964492e-07
-1.92047167606e-07
4.10157817561e-07
-1.91740462061e-07
4.24874026512e-07
-1.78572571728e-07
4.51144678623e-07
-1.67962438691e-07
5.04788229582e-07
-1.54225696599e-07
5.63583885233e-07
-1.71339643322e-07
6.57287406704e-07
-2.11617430772e-07
7.67044415156e-07
-2.8950835679e-07
9.32856329047e-07
-4.4787939215e-07
1.21398611635e-06
-5.97510836391e-07
1.24791695656e-06
-6.66236491427e-07
1.25453308139e-06
-6.55992258614e-07
1.2892862896e-06
-6.95666635931e-07
1.57869626237e-06
-8.06729025227e-07
1.92627067132e-06
-1.11348570322e-06
2.57840215121e-06
-1.75001335971e-06
3.47876735019e-06
-3.62724237742e-06
5.44451693023e-06
-5.44425158517e-06
5.29872583731e-06
-6.36474013435e-06
3.64848120791e-06
-6.62910756035e-06
1.99997843255e-06
-6.5377364019e-06
7.35417322401e-07
-6.29335134112e-06
-2.43413414162e-07
-6.03206097061e-06
-9.89965067467e-07
-5.74239030987e-06
-1.62262125358e-06
-5.45686341301e-06
-2.14804121601e-06
-5.15299324118e-06
-2.64476682494e-06
-4.80064455026e-06
-3.1146940343e-06
-4.37887452675e-06
-3.55488795819e-06
-3.85206586948e-06
-3.97322027435e-06
-3.13526515399e-06
-4.39873262738e-06
-2.10457145397e-06
-4.754946471e-06
-4.26830548357e-07
-4.71595042852e-06
3.66337711234e-06
-3.91990696186e-06
3.61686022354e-05
-9.37419235408e-06
5.89825765785e-05
-0.000591440328339
6.39954069686e-05
-0.00054179362816
5.71000128151e-05
-0.000329076023593
6.54257989166e-05
-0.000263112500169
7.7149104795e-05
-0.000266233800887
9.11933386745e-05
-0.000284808485888
0.000106568095613
-0.00031321655401
0.000121885828327
-0.000340813067493
0.000136758954093
-0.000365131746965
0.000150804458839
-0.000385044795979
0.000163894512649
-0.00040016544388
0.000176025392675
-0.000410963229065
0.000187249690783
-0.00041800242605
0.000197656697193
-0.000421943824025
0.000207337438328
-0.000423396235546
0.000216368490237
-0.000422876018528
0.000224801164343
-0.000420789380293
0.000232654620019
-0.000417433109498
0.000239912830893
-0.00041300351218
0.000246521371943
-0.000407610448519
0.000252383301035
-0.000401286718441
0.000257352343
-0.000393994701537
0.000261224184479
-0.000385629691606
0.000263727983985
-0.000376025494774
0.00026452128794
-0.000364964097752
0.000263191536305
-0.000352189883321
0.000259267707618
-0.00033742749257
0.00025224694147
-0.000320403875017
0.000241641730247
-0.000300873947081
0.000227050123186
-0.000278644250638
0.000208247295174
-0.000253593192282
0.000185307423099
-0.000225717873848
0.000158798893513
-0.000195271294004
0.000130104085169
-0.000162930488605
0.000101659528695
-0.000129493585552
7.62134823443e-05
-9.47540573786e-05
5.56102914739e-05
-5.92652478825e-05
2.79487454232e-05
-1.98468744194e-05
-2.10605019329e-06
-1.97448487326e-08
4.72018827166e-07
-5.55807977214e-08
5.10710095699e-07
-8.33512545485e-08
5.04992574112e-07
-1.37008789075e-07
4.91329835357e-07
-1.77050737327e-07
4.66215468283e-07
-1.94081552646e-07
4.40359727226e-07
-1.92665185353e-07
4.04350340546e-07
-1.88554869792e-07
4.05202774721e-07
-1.78829272073e-07
4.14297326276e-07
-1.56307353118e-07
4.27798587719e-07
-1.16059478941e-07
4.63734029746e-07
-7.84211821656e-08
5.24895547219e-07
-3.12239643576e-08
6.10128312606e-07
-4.99192922795e-08
7.85592934471e-07
-1.51980724011e-07
1.03747703344e-06
-4.75748333896e-07
1.53754933238e-06
-5.78331272887e-07
1.35205938379e-06
-7.1117365325e-07
1.38597903618e-06
-5.34157485928e-07
1.11066811011e-06
-4.7584532728e-07
1.52056648188e-06
-2.0446176031e-07
1.65729464486e-06
-7.83144781031e-07
3.15912045502e-06
-8.4086471071e-07
3.53901571564e-06
-5.40633561302e-06
1.00144177486e-05
-7.7821985681e-06
7.67518250492e-06
-8.19062778129e-06
4.05682583057e-06
-7.80234043867e-06
1.61059598596e-06
-7.2996604708e-06
2.31910885379e-07
-6.88620397446e-06
-6.57341126113e-07
-6.52816132115e-06
-1.34818129895e-06
-6.23608232842e-06
-1.91465741413e-06
-5.94471768825e-06
-2.43921812478e-06
-5.63624396482e-06
-2.95304305479e-06
-5.28842518035e-06
-3.46231277015e-06
-4.8683998214e-06
-3.97515149636e-06
-4.35965569008e-06
-4.48306727114e-06
-3.46294042903e-06
-5.29659712278e-06
-2.03526363445e-06
-6.18395981589e-06
2.9649924208e-07
-7.05055382659e-06
3.97651524066e-06
-7.59869673791e-06
2.30293675936e-06
-7.70781953052e-06
5.57627139067e-05
-0.000644898288095
5.94907605133e-05
-0.000545522244924
5.33028019751e-05
-0.000322887393243
6.22208725134e-05
-0.000272029246539
7.40646402501e-05
-0.000278075985837
8.84127970793e-05
-0.000299155012885
0.000103719588001
-0.000328521779625
0.000118809937705
-0.000355901985037
0.000133337496295
-0.000379658040394
0.000146962840266
-0.00039866904468
0.000159610226175
-0.000412811896162
0.000171293895323
-0.000422646105079
0.000182079214238
-0.000428787075336
0.000192056795954
-0.000431920839713
0.000201310924213
-0.000432649889185
0.000209906369714
-0.000431471066917
0.000217878192589
-0.000428760875522
0.000225225971104
-0.00042478061869
0.000231910316065
-0.000419687638454
0.000237848728125
-0.000413548680261
0.000242909875021
-0.000406347712186
0.000246905371784
-0.000397990055542
0.000249581275239
-0.000388305447171
0.000250613372434
-0.000377057424845
0.000249611219114
-0.000363961749669
0.000246135085582
-0.000348713531845
0.000239728963856
-0.000331021138049
0.000229973064279
-0.00031064776709
0.000216559893861
-0.000287460590705
0.000199390620845
-0.000261474908085
0.00017867059309
-0.000232873045652
0.000154974085249
-0.000202021010409
0.000129262023938
-0.000169558274623
0.00010284290499
-0.000136510248161
7.74821167137e-05
-0.000104131233657
5.39924916183e-05
-7.12652712563e-05
2.02464888521e-05
-2.55209520111e-05
1.28832991461e-06
-8.88909815907e-07
-8.18366026964e-07
-7.89647945322e-09
4.79598286678e-07
-4.09845367819e-08
5.4330758166e-07
-8.30278292687e-08
5.4661081895e-07
-1.39143297537e-07
5.47021706204e-07
-1.91418253748e-07
5.17975069143e-07
-2.0838146131e-07
4.56739419609e-07
-2.05445665352e-07
4.00671463943e-07
-1.99069216497e-07
3.97940170666e-07
-1.82153746589e-07
3.96401175576e-07
-1.50552998247e-07
3.95167921647e-07
-8.98821256563e-08
4.01805116675e-07
-1.15757888558e-08
4.45607975782e-07
1.0972987004e-07
4.87185546343e-07
2.31682600042e-07
6.6393519439e-07
3.30642859396e-07
9.36041575732e-07
-8.30734746576e-07
2.69534191255e-06
-8.13170765153e-07
1.33216888871e-06
-1.00315080665e-06
1.57377528566e-06
-4.95150245139e-07
6.01151296938e-07
-3.93453863185e-07
1.41857444215e-06
1.12610225461e-07
1.15168997098e-06
-2.3385053956e-06
5.61297292853e-06
-1.01972492147e-05
1.14009284441e-05
-1.41642603445e-05
1.39776537745e-05
-1.27634109493e-05
6.27194527664e-06
-1.04481113701e-05
1.73840320806e-06
-9.05538194953e-06
2.15652449725e-07
-8.24772779642e-06
-5.77213875229e-07
-7.69888222304e-06
-1.20700973779e-06
-7.29476293421e-06
-1.75264073496e-06
-6.93935580705e-06
-2.27006502546e-06
-6.59263596664e-06
-2.78581608503e-06
-6.28471884254e-06
-3.26063550875e-06
-5.99058791491e-06
-3.75650631983e-06
-5.65632901711e-06
-4.3099772902e-06
-5.16685379195e-06
-4.97343345984e-06
-4.32696153566e-06
-6.13761137628e-06
-2.78853636268e-06
-7.72540267997e-06
4.34828082376e-07
-1.02746966444e-05
8.25640703793e-06
-1.54223389469e-05
3.1785445425e-05
-3.12333401267e-05
5.13152826128e-05
-0.000664429329363
5.10572615164e-05
-0.00054526337837
4.89337516908e-05
-0.000320762109814
5.90556127705e-05
-0.000282149101139
7.11076329657e-05
-0.000290126024434
8.56268532208e-05
-0.000313672367455
0.000100759786251
-0.000343653007687
0.000115571285703
-0.000370711968481
0.000129724465366
-0.000393809896817
0.000142925810352
-0.000411869254987
0.000155137862334
-0.000425022981501
0.000166387629115
-0.000433895055039
0.000176748977997
-0.000439147734451
0.000186309936446
-0.000441481219924
0.000195145677024
-0.000441485146551
0.000203307058303
-0.000439632049548
0.000210811033855
-0.000436264524498
0.000217635413178
-0.000431604734373
0.000223714647004
-0.0004257666589
0.000228934705527
-0.000418768563807
0.00023312625201
-0.000410539105479
0.000236056448194
-0.000400920103084
0.000237423491252
-0.000389672329918
0.000236859930795
-0.000376493680623
0.000233950895687
-0.000361052506963
0.000228270940373
-0.000343033352678
0.000219439305132
-0.00032218928729
0.000207190859657
-0.000298399137115
0.000191460164761
-0.000271729805768
0.000172466710033
-0.000242481338039
0.000150745199076
-0.000211151227495
0.00012703566233
-0.000178310835897
0.000102063317721
-0.000144584313184
7.61518592998e-05
-0.000110597837494
4.86660627765e-05
-7.66465987293e-05
2.31067214441e-05
-4.57076141579e-05
5.89868414666e-07
-3.0047020508e-06
1.11134736139e-07
-4.11609059361e-07
-7.07322399235e-07
3.17035699496e-09
4.75388376992e-07
-3.27077099413e-08
5.78433475768e-07
-9.31970776999e-08
6.06552710875e-07
-1.52469620986e-07
6.05791675767e-07
-2.07514492209e-07
5.72476750665e-07
-2.34576087705e-07
4.83154526882e-07
-2.4550718509e-07
4.10869131664e-07
-2.34873146717e-07
3.8641276709e-07
-2.10316137094e-07
3.7079656819e-07
-1.68313146353e-07
3.51929006067e-07
-9.9185669244e-08
3.31360827161e-07
2.43065224571e-08
3.20330725279e-07
1.8238653842e-07
3.27510159308e-07
4.52706318061e-07
3.91337054255e-07
-1.24322254379e-07
1.50326003161e-06
-6.16806018177e-07
3.17415555264e-06
-1.59540348615e-06
2.30444832862e-06
-1.97290776319e-06
1.94839607897e-06
-5.38141906635e-07
-8.35197774435e-07
-3.06988384556e-06
3.94592744167e-06
-9.15399771224e-06
7.23636042858e-06
-1.95075275043e-05
1.59651079355e-05
-2.56253014362e-05
1.75100064337e-05
-2.04956962268e-05
8.83422387195e-06
-1.67362958295e-05
2.5040949371e-06
-1.23623655686e-05
-2.63866770839e-06
-1.04066042526e-05
-1.74250645633e-06
-9.29210320598e-06
-1.6933566951e-06
-8.52317991848e-06
-1.97689998818e-06
-7.94461279762e-06
-2.33158423032e-06
-7.50189172171e-06
-2.71288948128e-06
-7.23147235335e-06
-3.05590562189e-06
-7.03787429788e-06
-3.4541414756e-06
-6.86360849127e-06
-3.93071683435e-06
-6.68020646137e-06
-4.49370913315e-06
-6.37628978498e-06
-5.27774179803e-06
-6.02027562249e-06
-6.49682420574e-06
-5.65380359062e-06
-8.09272116588e-06
-5.77934219539e-06
-1.01501652644e-05
-6.87389886728e-06
-1.43247179747e-05
0.000143109024391
-0.000181191027222
6.32787981052e-05
-0.000584592894435
4.815426641e-05
-0.000530133826194
4.57598348638e-05
-0.000318363665313
5.58790170507e-05
-0.000292265057405
6.81600442858e-05
-0.000302404413566
8.28082068218e-05
-0.000328318306658
9.77251348541e-05
-0.000358568044141
0.00011222657866
-0.000385211793989
0.000125982901137
-0.000407564845491
0.000138755516466
-0.000424640706073
0.000150536003385
-0.000436802488245
0.000161360994309
-0.000444719220757
0.000171308751685
-0.000449094800879
0.000180461291063
-0.000450633182409
0.000188882322266
-0.000449905701233
0.000196606605649
-0.000447355942741
0.000203630922034
-0.000443288526269
0.00020990893886
-0.000437882499232
0.000215346233551
-0.000431203751799
0.000219794582612
-0.00042321674483
0.000223045093479
-0.000413789463409
0.000224822201705
-0.000402697054967
0.000224784693992
-0.000389634647598
0.000222541141691
-0.000374249929649
0.000217685515881
-0.000356196665337
0.000209854059255
-0.000335201672373
0.000198795950648
-0.000311130996671
0.000184441937466
-0.000284045001285
0.000166958531633
-0.000254246327183
0.000146789994883
-0.00022231258748
0.000124657154094
-0.000189017866544
0.000101354225147
-0.000155005625706
7.7427082112e-05
-0.000120656066176
5.38083203391e-05
-8.69790620612e-05
3.18937254198e-05
-5.47346175468e-05
2.9164515194e-06
-1.67332758172e-05
-1.73326036883e-07
8.40785736478e-08
-8.96159716681e-08
-4.95363733818e-07
-7.97509102531e-07
7.97802547032e-09
4.66867192654e-07
-3.04393803029e-08
6.16087839869e-07
-1.03281744032e-07
6.78709620873e-07
-1.81771956493e-07
6.83741835597e-07
-2.40233623153e-07
6.30297985457e-07
-2.81914453096e-07
5.24122251378e-07
-3.05101882942e-07
4.33290785355e-07
-2.9033964678e-07
3.70769905372e-07
-2.62695638586e-07
3.42033202773e-07
-2.17152916727e-07
3.05020894157e-07
-1.41507891679e-07
2.54033405448e-07
-6.8099618936e-09
1.83500621586e-07
2.37180493628e-07
8.18172412254e-08
8.075868094e-07
-1.86208507572e-07
1.53717811573e-06
7.60445118071e-07
-3.0058121175e-06
7.70702938457e-06
-2.61159273381e-06
1.89525233159e-06
-5.19667600289e-06
4.52793052073e-06
-9.85876630978e-06
3.82141472311e-06
-1.93024987403e-05
1.33835882821e-05
-2.55577969733e-05
1.34863751911e-05
-2.96545310432e-05
2.00507547876e-05
-2.72913883006e-05
1.51263448822e-05
-1.83482918271e-05
-1.27736328553e-07
-1.30144294169e-05
-2.83338024905e-06
-1.19089597238e-05
-3.74664036292e-06
-1.06066680917e-05
-3.0467493085e-06
-9.55241376543e-06
-2.74896466051e-06
-8.81131729358e-06
-2.71874404862e-06
-8.31561567155e-06
-2.82762126049e-06
-8.07286124715e-06
-2.95551158916e-06
-7.93829248643e-06
-3.19033265093e-06
-7.83386689987e-06
-3.55826053089e-06
-7.76435418572e-06
-4.00015412015e-06
-7.73082213947e-06
-4.52714248583e-06
-7.633213815e-06
-5.37747883071e-06
-7.67205229379e-06
-6.4578715962e-06
-8.16051344836e-06
-7.60513027395e-06
-1.14929291614e-05
-6.81507701831e-06
-0.000101577483404
7.57991060094e-05
-9.28441194505e-05
-0.00018984526536
9.82162989903e-06
-0.000687248831431
3.64048326987e-05
-0.000556710297489
4.07228277268e-05
-0.000322676504252
5.24018633332e-05
-0.00030394015916
6.52381271396e-05
-0.000315237594344
7.99834157167e-05
-0.000343061140335
9.46561407365e-05
-0.000373238758932
0.000108821998864
-0.00039937599463
0.000122162881271
-0.000420904344659
0.000134501800991
-0.000436978472497
0.000145852464879
-0.000448152185964
0.000156259036825
-0.000455124985545
0.000165800316597
-0.00045863540699
0.000174549284379
-0.000459381592586
0.000182555860552
-0.000457911820095
0.000189836480867
-0.000454636193732
0.000196365598475
-0.000449817349448
0.000202070379697
-0.000443587047866
0.000206825218943
-0.000435958404447
0.000210446180489
-0.000426837546891
0.000212685599464
-0.000416028729995
0.000213230860309
-0.000403242152087
0.000211715439719
-0.000388119042775
0.000207749350837
-0.000370283637098
0.000200971666044
-0.000349418765612
0.000191121848654
-0.000325351668067
0.000178116169046
-0.000298125177652
0.000162103535834
-0.000268032336858
0.000143490552184
-0.000235633179743
0.000122982831998
-0.000201804324034
0.000101721070571
-0.000167753972788
8.12525078057e-05
-0.000134535664361
6.21594659956e-05
-0.000101561360825
4.3410169506e-05
-6.82317812584e-05
1.22714823713e-05
-2.35981405481e-05
-2.24268035001e-06
-2.21964073769e-06
-1.10482162608e-06
-1.05390574936e-06
-4.38787497776e-07
-1.16252407193e-06
-1.23620585746e-06
-4.71822313338e-11
4.65767168504e-07
-3.01285393733e-08
6.45201336778e-07
-1.28498363242e-07
7.76448191557e-07
-2.37625650477e-07
7.92123250623e-07
-3.09302096814e-07
7.01209280213e-07
-3.38634702194e-07
5.52632306721e-07
-3.66112455562e-07
4.59962169235e-07
-3.59450668645e-07
3.63230145301e-07
-3.36513766942e-07
3.18034817562e-07
-3.01422206754e-07
2.68452602953e-07
-2.45375055046e-07
1.96174314906e-07
-1.63386001611e-07
9.98913966868e-08
-1.04113067133e-07
1.97171350637e-08
-5.37688414261e-07
2.41578515997e-07
-2.81252146564e-06
3.02369888209e-06
-7.62680489783e-06
1.25086809849e-05
-1.49082012545e-05
9.16658389295e-06
-1.803969951e-05
7.64303113682e-06
-2.22426899756e-05
8.02121261875e-06
-2.83342506495e-05
1.94671546399e-05
-3.45706150588e-05
1.9710609638e-05
-3.14282608379e-05
1.68909346405e-05
-2.33800569451e-05
7.06150386759e-06
-1.53928566196e-05
-8.12593095401e-06
-1.17068758938e-05
-6.52063670137e-06
-1.07002383374e-05
-4.75425339963e-06
-9.92870956248e-06
-3.8191782795e-06
-9.31198052953e-06
-3.3663903653e-06
-8.90119105585e-06
-3.12995978373e-06
-8.72267993609e-06
-3.00627459758e-06
-8.61069258736e-06
-3.06746217665e-06
-8.50200647239e-06
-3.29884026741e-06
-8.46679583368e-06
-3.59314533563e-06
-8.50888426192e-06
-3.95775251546e-06
-8.63593027517e-06
-4.40034284436e-06
-8.68197734309e-06
-5.33099515607e-06
-8.56176250627e-06
-6.57777141219e-06
-7.49183886182e-06
-8.67143647913e-06
-6.51922369189e-05
5.0927303161e-05
-2.68958000378e-05
3.75595799331e-05
-4.65306090506e-07
-0.000216238340487
2.81163091784e-05
-0.000715819783076
3.08549265199e-05
-0.000559441240987
3.53634940012e-05
-0.00032717918901
4.8878851607e-05
-0.000317450950685
6.23988129829e-05
-0.000328754054183
7.72064890987e-05
-0.000357866072671
9.16032889384e-05
-0.00038763339968
0.000105399926299
-0.000413170894538
0.00011830465251
-0.000433807665985
0.000130203410598
-0.000448876078488
0.000141124794976
-0.000459072622928
0.000151117868483
-0.000465117275962
0.000160257945327
-0.000467774838665
0.000168606144341
-0.000467729263487
0.000176196264135
-0.00046550151319
0.000183024239587
-0.000461463829847
0.00018904014981
-0.00045583299383
0.000194142745894
-0.000448689436636
0.000198174083778
-0.000439989575013
0.000200915382112
-0.00042957869717
0.000202085113105
-0.000417198310632
0.000201345439043
-0.000402502312997
0.000198326538579
-0.000385099956755
0.000192673821313
-0.000364630724854
0.000184115412493
-0.000340860171332
0.000172545016817
-0.000313781133871
0.000158110343684
-0.00028369050053
0.000141272757229
-0.000251194630746
0.000122797687338
-0.000217157557731
0.000103682918395
-0.000182688115503
8.50514131659e-05
-0.000149120805877
6.83680315115e-05
-0.000117850239056
5.35640378278e-05
-8.675891318e-05
1.8845893394e-05
-3.35153333756e-05
-1.56590578107e-06
-3.18708880452e-06
-1.67622959324e-06
-2.10980756166e-06
-9.9051643081e-07
-1.74035062909e-06
-4.56647898685e-07
-1.69610315022e-06
-1.69330942376e-06
-9.83557253867e-09
4.74830411619e-07
-2.71288686069e-08
6.61595870774e-07
-1.7357632748e-07
9.21697808369e-07
-3.51651099653e-07
9.69452921748e-07
-4.47140637976e-07
7.95722562713e-07
-4.93597249327e-07
5.98028627404e-07
-4.68297705332e-07
4.33599995733e-07
-4.42772135797e-07
3.36817885503e-07
-4.24195234837e-07
2.9841899413e-07
-4.0671001799e-07
2.49609202988e-07
-3.64364415081e-07
1.52221842735e-07
-2.54979703798e-07
-1.14523838771e-08
-8.32952090014e-08
-1.53632822276e-07
-6.43632880093e-07
7.99497958855e-07
-8.93071257627e-06
1.13026101466e-05
-1.58084090135e-05
1.93730022333e-05
-2.43677046545e-05
1.7711787967e-05
-3.14319759103e-05
1.4700263422e-05
-3.90226793474e-05
1.56045724294e-05
-3.57084340184e-05
1.61427907169e-05
-3.06319877992e-05
1.46185458382e-05
-1.7698693862e-05
3.94429410608e-06
-6.18524968064e-06
-4.45539470625e-06
-8.4277755675e-06
-5.88408474225e-06
-9.31660301051e-06
-5.63174350494e-06
-9.47523646308e-06
-4.59564066827e-06
-9.30953439675e-06
-3.98506747844e-06
-9.18159121033e-06
-3.49455818368e-06
-9.12791613407e-06
-3.18379671638e-06
-9.05217771383e-06
-3.08204512263e-06
-8.96226696202e-06
-3.15729856903e-06
-8.97236507234e-06
-3.28834414331e-06
-9.07501993537e-06
-3.49009783458e-06
-9.28379606579e-06
-3.74823455822e-06
-9.61051536355e-06
-4.07296382263e-06
-9.98622119487e-06
-4.95260568882e-06
-1.01443959663e-05
-6.41488882035e-06
-9.80525377345e-06
-8.97929360959e-06
-5.19770357457e-05
9.31702387226e-05
-1.56049856583e-05
1.2361656698e-06
4.50021164492e-06
-0.000236319242337
3.81174293585e-05
-0.000749427232141
3.09352319137e-05
-0.000552251670475
3.38263261443e-05
-0.000330064436304
4.68452256236e-05
-0.000330465318526
6.00839895028e-05
-0.00034198930877
7.4629043285e-05
-0.000372408420133
8.8629827312e-05
-0.000401632058109
0.000101996249146
-0.000426535633008
0.000114437712897
-0.000446247772808
0.000125888178092
-0.000460325442318
0.000136380854404
-0.000469564397373
0.000145965422129
-0.000474701104636
0.000154709285097
-0.000476518098353
0.000162658938913
-0.000475678429768
0.000169829804564
-0.000472671991671
0.000176195362294
-0.000467829085696
0.000181679662567
-0.000461317063157
0.000186151899488
-0.000453161495152
0.000189421992863
-0.000443259522451
0.000191239277658
-0.000431395845171
0.000191296064118
-0.000417254953551
0.00018924436094
-0.000400450449081
0.000184736594001
-0.000380592020226
0.000177492399472
-0.000357386365999
0.000167379847076
-0.00033074749154
0.000154498642191
-0.000300899929011
0.00013925818393
-0.000268450033573
0.000122381338285
-0.000234317425792
0.000104684542046
-0.00019945980597
8.67120127606e-05
-0.000164713120558
6.82655844901e-05
-0.000130672790266
4.72908337762e-05
-9.6876916922e-05
2.79509961263e-05
-6.74210132159e-05
-5.64433703857e-07
-5.00063714365e-06
-1.28986748115e-06
-2.46223387909e-06
-1.14358189299e-06
-2.25650511474e-06
-7.61238592458e-07
-2.12260684522e-06
-3.69528074317e-07
-2.08871191111e-06
-2.06267546681e-06
8.35673770133e-09
4.65240981082e-07
-2.44768396049e-09
6.70860845897e-07
-2.24397353766e-07
1.14275234361e-06
-5.56212612938e-07
1.29985130935e-06
-6.9185739482e-07
9.30013485437e-07
-6.76586910385e-07
5.81319052181e-07
-6.10015104235e-07
3.65798929081e-07
-5.55409523472e-07
2.81024244128e-07
-5.33631125753e-07
2.75469149281e-07
-5.42009626449e-07
2.56685303905e-07
-5.33368290798e-07
1.42077609939e-07
-3.62221457501e-07
-1.8400197796e-07
2.71331610402e-08
-5.4486584578e-07
-6.86987151066e-06
7.68804791186e-06
-1.62020578325e-05
2.06228362931e-05
-2.00715024892e-05
2.3233231836e-05
-2.37918763278e-05
2.14249667668e-05
-2.80186413653e-05
1.89207442949e-05
-2.87799450003e-05
1.63576759859e-05
-2.56629225755e-05
1.30132687369e-05
-1.46463934972e-05
3.5899521094e-06
-6.88196741649e-06
-3.82316596201e-06
-6.56618733461e-06
-4.77258016487e-06
-7.45908711573e-06
-4.99122191771e-06
-8.32837529891e-06
-4.76199044848e-06
-8.73019445186e-06
-4.19343121705e-06
-8.99659799166e-06
-3.7184457478e-06
-9.12380848987e-06
-3.3672642138e-06
-9.15161900686e-06
-3.15594617971e-06
-9.13641605013e-06
-3.09720671489e-06
-9.20538993123e-06
-3.08812110303e-06
-9.34819343169e-06
-3.1453698017e-06
-9.60487158457e-06
-3.23280988118e-06
-1.00064787676e-05
-3.34599803832e-06
-1.06136313858e-05
-3.4639022566e-06
-1.15979702768e-05
-3.96583938753e-06
-1.29558809615e-05
-5.05127921773e-06
-2.12540318604e-05
-6.6076576252e-07
-0.000105759929268
0.000177714175894
-6.3045440393e-05
-4.14453342015e-05
5.25870690698e-06
-0.00030461463632
4.36517733177e-05
-0.000787812893342
2.99422400719e-05
-0.000538535937127
3.35167195733e-05
-0.000333633851025
4.5759228291e-05
-0.000342703804815
5.82998429375e-05
-0.000354526761578
7.23047135344e-05
-0.00038641079263
8.57617138635e-05
-0.000415087074167
9.86253989507e-05
-0.000439397721743
0.000110575840073
-0.000458196924558
0.000121571869515
-0.000471320423043
0.000131639114178
-0.000479630789024
0.000140822259284
-0.000483883557888
0.000149176241867
-0.000484871524207
0.000156730335454
-0.000483232083097
0.000163479507414
-0.000479420822142
0.000169373132864
-0.000473722453776
0.000174308070925
-0.000466251809388
0.000178123774106
-0.000456977053492
0.00018060007274
-0.000445735699093
0.000181460807072
-0.000432256461274
0.000180385942884
-0.000416179959686
0.000177042212981
-0.000397106580824
0.000171142577132
-0.000374692251072
0.000162530508129
-0.000348774191694
0.000151259812179
-0.000319476791917
0.000137631568625
-0.000287271787885
0.000122205325418
-0.00025302369246
0.00010581001834
-0.00021792151624
8.92758248286e-05
-0.000182922548174
7.28676960231e-05
-0.000148303298991
5.73627488892e-05
-0.000115167440645
4.38957364692e-05
-8.3412964175e-05
3.44865407349e-06
-2.69773854904e-05
-2.99984482985e-07
-1.25237081098e-06
-7.51631897642e-07
-2.01093141069e-06
-7.53476282352e-07
-2.25490176214e-06
-5.45931917129e-07
-2.33072635772e-06
-2.77899006994e-07
-2.35636773884e-06
-2.34098799077e-06
6.68284517832e-08
3.97208962676e-07
9.43180173385e-08
6.4226132039e-07
-3.10378460173e-07
1.54565348583e-06
-9.37533137946e-07
1.92531477076e-06
-1.08905916475e-06
1.0799062252e-06
-1.0587827715e-06
5.49370358497e-07
-8.66521743538e-07
1.71744470431e-07
-7.3455229069e-07
1.47274184551e-07
-6.96980842901e-07
2.36290702911e-07
-7.22666180053e-07
2.80926562915e-07
-8.78224736835e-07
2.96216309247e-07
-9.81743491934e-07
-8.17903373561e-08
-3.2472221372e-06
1.71542473535e-06
-1.49226555084e-05
1.93509439027e-05
-1.87790105909e-05
2.44706209129e-05
-2.09187587523e-05
2.53664385585e-05
-2.25046117086e-05
2.30050369304e-05
-2.32746634432e-05
1.9684468777e-05
-2.15793067274e-05
1.46527930505e-05
-1.26667681251e-05
4.09159707914e-06
-5.74294300134e-06
-3.33626354509e-06
-5.72090740293e-06
-3.84688865783e-06
-6.33871387255e-06
-4.15529721729e-06
-7.11404747017e-06
-4.21557087072e-06
-7.83001240576e-06
-4.04544476648e-06
-8.29424860232e-06
-3.72865885305e-06
-8.62334792683e-06
-3.38898593624e-06
-8.83416071338e-06
-3.15623478665e-06
-8.96859945776e-06
-3.02138983914e-06
-9.14310674665e-06
-2.92257776078e-06
-9.37016518719e-06
-2.8610118697e-06
-9.68938307129e-06
-2.82579450828e-06
-1.01152100585e-05
-2.80658826521e-06
-1.06854149418e-05
-2.77528109877e-06
-1.13635061344e-05
-2.78587071738e-06
-1.20068812399e-05
-3.31884289203e-06
-1.03215760792e-05
-6.73483282496e-06
-5.71904881652e-05
4.62205923982e-05
-0.000133086549821
0.000253631417409
-0.000143353832685
-3.11856579634e-05
1.27815786012e-05
-0.000460740563787
4.51293409293e-05
-0.000820156236282
2.66727794433e-05
-0.000520075071044
3.2855577672e-05
-0.000339812850792
4.46209107949e-05
-0.000354465945994
5.6627207502e-05
-0.000366530460524
7.00654139684e-05
-0.000399846875142
8.29291676172e-05
-0.000427949083556
9.52593920084e-05
-0.000451726506452
0.000106710753472
-0.000469647098407
0.000117257093472
-0.00048186578747
0.00012690931617
-0.000489282217369
0.000135702775525
-0.000492676377219
0.000143676349936
-0.000492844593309
0.000150840148095
-0.000490395490669
0.00015716718285
-0.0004857475659
0.000162581828846
-0.000479136889025
0.000166953718093
-0.000470623550376
0.000170094209814
-0.000460117434307
0.000171757787348
-0.000447399182202
0.000171652484989
-0.000432151060921
0.000169462281707
-0.000413989653604
0.000164891782116
-0.000392535980831
0.000157739629707
-0.00036754002791
0.000147993547071
-0.000339028109909
0.00013591838332
-0.000307401775634
0.000122083612828
-0.000273437130552
0.000107370662552
-0.000238310452229
9.3265275418e-05
-0.000203813619476
8.20647452669e-05
-0.000171720237102
7.43380403752e-05
-0.000140574333385
6.61694927222e-05
-0.000107001370541
2.16057407619e-05
-3.88518495833e-05
-2.20863241608e-06
-3.1633556502e-06
-1.25644823875e-06
-2.20485141066e-06
-8.82518143442e-07
-2.38511246576e-06
-6.50097595756e-07
-2.48754122243e-06
-4.34614466781e-07
-2.54605090961e-06
-2.22763690711e-07
-2.56903670395e-06
-2.56358795586e-06
1.54053202497e-07
2.41983657847e-07
3.77473373461e-07
4.17463454557e-07
-1.07035933779e-06
2.98942756362e-06
-1.62628709458e-06
2.47787018305e-06
-1.60847547741e-06
1.06022326532e-06
-1.54262849466e-06
4.8164773455e-07
-1.41915662438e-06
4.60110743431e-08
-1.17040689278e-06
-1.04798304692e-07
-9.55779004094e-07
1.95133321175e-08
-9.02246830628e-07
2.25260107617e-07
-1.05685515343e-06
4.49691201666e-07
-6.90027028572e-07
-4.49865543568e-07
-1.04162309631e-05
1.14354284277e-05
-1.73555264695e-05
2.6281932275e-05
-2.13685081111e-05
2.84770229339e-05
-2.22552954617e-05
2.62474914489e-05
-2.15137103877e-05
2.22581413989e-05
-1.95720708281e-05
1.77349804755e-05
-1.13825052563e-05
6.45617671469e-06
-4.98448980614e-06
-2.30825730516e-06
-5.10781130437e-06
-3.21439500511e-06
-5.52205314994e-06
-3.43333704533e-06
-6.15912257019e-06
-3.51835979903e-06
-6.82313931594e-06
-3.55127485032e-06
-7.38993986618e-06
-3.4781611691e-06
-7.8714499734e-06
-3.24668095752e-06
-8.22859905883e-06
-3.03146228823e-06
-8.52130483133e-06
-2.86325667314e-06
-8.81763657502e-06
-2.72485153943e-06
-9.13359879423e-06
-2.60646909326e-06
-9.496560239e-06
-2.49783230669e-06
-9.930804058e-06
-2.3912646073e-06
-1.05247747703e-05
-2.21206712577e-06
-1.13753994971e-05
-1.9243979461e-06
-1.26760318052e-05
-1.48273829892e-06
-1.51201421721e-05
-8.73849174418e-07
-2.27385744847e-05
8.91248836326e-07
-7.87443403009e-05
0.000102271475511
-3.64500408564e-05
0.000211321748138
-7.82908358354e-05
1.06643928755e-05
3.99955470022e-05
-0.000579033958052
4.37064927377e-05
-0.000823866542656
2.35532910812e-05
-0.00049991999867
3.22243133284e-05
-0.000348481787358
4.31792405128e-05
-0.000365418985562
5.47979183417e-05
-0.000378147423004
6.77175725684e-05
-0.000412765000925
8.00212064342e-05
-0.00044025134208
9.18415200347e-05
-0.000463545607316
0.000102816842657
-0.000480621370046
0.000112936220258
-0.000491984279024
0.000122194768729
-0.000498540036157
0.000130617054161
-0.000501098080065
0.000138224166911
-0.000500451253893
0.000145006151977
-0.000497177140318
0.000150913294378
-0.000491654469883
0.000155844686848
-0.000484068122666
0.000159643322167
-0.000474422080787
0.00016209480604
-0.000462568846264
0.000162933887774
-0.000448238200137
0.000161863980325
-0.000431081091453
0.000158593987081
-0.00041071959752
0.000152904972732
-0.00038684693249
0.000144750138223
-0.000359385207347
0.000134380614324
-0.000328658746836
0.000122485484989
-0.000295506872661
0.000110251226246
-0.000261202784796
9.90904042861e-05
-0.000227148245867
9.02189478231e-05
-0.000194940406768
8.52665600781e-05
-0.000166765833718
8.28944984858e-05
-0.000138204672536
3.26608907441e-05
-5.67701730924e-05
-1.57203665959e-06
-4.6196925204e-06
-1.63261361307e-06
-3.10323788941e-06
-1.08611602321e-06
-2.75161453963e-06
-7.65033244563e-07
-2.70636210055e-06
-5.3660966192e-07
-2.71609830682e-06
-3.49369661807e-07
-2.73380472598e-06
-1.77976191688e-07
-2.74006091243e-06
-2.74195696391e-06
8.89840884111e-08
1.52303145183e-07
6.44068976949e-08
4.38365465044e-07
-1.78914622973e-06
4.83268848887e-06
-2.23187836344e-06
2.91413239147e-06
-2.04876854333e-06
8.75047255819e-07
-1.86658034089e-06
2.97669554927e-07
-1.90181984442e-06
7.85404407199e-08
-1.55209711412e-06
-4.58351857611e-07
-1.05202580443e-06
-4.83759970254e-07
-1.25447602499e-06
4.23610177373e-07
-2.89840404326e-06
2.09139875685e-06
-6.6716966948e-06
3.31957141173e-06
-2.06354820361e-05
2.53898382534e-05
-2.36256970148e-05
2.92656606229e-05
-2.40028547972e-05
2.88484125112e-05
-2.23388017072e-05
2.45784826552e-05
-1.87850037431e-05
1.86970585755e-05
-1.08316169694e-05
9.77390621927e-06
-4.74415764994e-06
3.67021908073e-07
-4.62772606275e-06
-2.42574995061e-06
-4.98320523832e-06
-2.85952621238e-06
-5.47622506882e-06
-2.94067556356e-06
-5.98501223039e-06
-3.00961965054e-06
-6.52571661555e-06
-3.01033604918e-06
-7.05915264532e-06
-2.94435826296e-06
-7.50296584815e-06
-2.80248054047e-06
-7.89888670361e-06
-2.63519892647e-06
-8.28333132716e-06
-2.47853756702e-06
-8.65694091537e-06
-2.35101869485e-06
-9.04712594517e-06
-2.21607827978e-06
-9.48455620923e-06
-2.06019389506e-06
-1.00285250093e-05
-1.8468443532e-06
-1.07069875843e-05
-1.5329526867e-06
-1.15991257173e-05
-1.03077064485e-06
-1.29081310948e-05
-1.72582201801e-07
-1.54334170127e-05
1.65281112648e-06
-2.06678780551e-05
6.14437744535e-06
9.42939954837e-06
7.21312426168e-05
3.98450556874e-05
0.000180925616939
5.3006416822e-05
-2.50247155634e-06
6.69775608756e-05
-0.000593004864552
4.3697683298e-05
-0.00080058678584
2.32324698038e-05
-0.000479454047295
3.20662709758e-05
-0.000357314578764
4.15404589521e-05
-0.000374892045333
5.27672792146e-05
-0.000389373091515
6.5162578506e-05
-0.000425159126053
7.6958203155e-05
-0.000452045817243
8.83209615708e-05
-0.000474907283213
9.88673648466e-05
-0.000491166804971
0.000108599481064
-0.000501715564735
0.000117496912507
-0.000507436787824
0.000125573810104
-0.000509174442642
0.000132833453276
-0.000507710498366
0.000139246137069
-0.000503589542628
0.000144739716091
-0.00049714786783
0.000149189024676
-0.000488517324398
0.000152413007145
-0.000477646008478
0.000154177423941
-0.000464333230004
0.000154209323876
-0.000448270076375
0.000152229743507
-0.000429101488181
0.000148009812925
-0.000406499666774
0.000141462665059
-0.000380299823054
0.000132759167531
-0.000350681868936
0.000122424401424
-0.000318324246164
0.000111376922877
-0.00028445957441
0.000100840340513
-0.000250665632774
9.16243738821e-05
-0.000217930461201
8.19305514354e-05
-0.000185245800407
6.57604805069e-05
-0.000150597201366
4.75623516582e-05
-0.00012000998344
5.39572927039e-09
-9.2142144676e-06
-1.07057626034e-06
-3.54435165315e-06
-1.00912952014e-06
-3.1650782227e-06
-7.85930456824e-07
-2.97504293934e-06
-5.7947853415e-07
-2.9129984675e-06
-4.11487391511e-07
-2.88427006451e-06
-2.70284118472e-07
-2.87486038193e-06
-1.3067380023e-07
-2.88045322468e-06
-2.87249372297e-06
8.08662486766e-08
7.06325040086e-08
-2.0187952891e-06
2.53028964746e-06
-2.8889884497e-06
5.69181353472e-06
-3.01193683194e-06
3.02493382682e-06
-2.36405315198e-06
2.25118167309e-07
-2.0985705576e-06
3.04243931873e-08
-2.05821116796e-06
3.59469158921e-08
-2.04008185826e-06
-4.80529171527e-07
-1.90273380732e-06
-6.27294367192e-07
-1.46086231434e-06
-2.42570277194e-08
-5.5200658205e-06
6.1441067731e-06
-1.75379065275e-05
1.53320296793e-05
-2.34907022215e-05
3.13358162197e-05
-2.55288248966e-05
3.12980390965e-05
-2.41319523164e-05
2.74467837494e-05
-2.06515654884e-05
2.10918216272e-05
-1.50104342985e-05
1.30473502144e-05
-8.35579099586e-06
3.11257164241e-06
-4.90661588919e-06
-3.08284578407e-06
-4.69701677498e-06
-2.6357858583e-06
-4.96100013935e-06
-2.59588317762e-06
-5.32505570768e-06
-2.5768033625e-06
-5.79962296012e-06
-2.53505811765e-06
-6.28865545827e-06
-2.5211563847e-06
-6.76342791251e-06
-2.46933322154e-06
-7.22896011356e-06
-2.33665444754e-06
-7.65448631492e-06
-2.20937962827e-06
-8.05605023571e-06
-2.07669598059e-06
-8.46626180086e-06
-1.94052098152e-06
-8.8969938334e-06
-1.78508815669e-06
-9.36432466549e-06
-1.59246251175e-06
-9.87627240872e-06
-1.33440192802e-06
-1.04842220022e-05
-9.23971514787e-07
-1.12697350713e-05
-2.43951724962e-07
-1.25565301192e-05
1.11563464231e-06
-1.46707494833e-05
3.76703695121e-06
-1.7067260186e-05
8.53662564358e-06
2.6453075103e-05
2.86249451018e-05
4.24436151907e-05
0.000164907001638
4.15533220877e-05
-1.61124014202e-06
6.23377244709e-05
-0.000613794570003
3.98344840397e-05
-0.000778084182589
2.31243048579e-05
-0.00046274351008
3.13731932485e-05
-0.000365562758758
3.95262727791e-05
-0.000383044312959
5.04522288189e-05
-0.000400298154096
6.23329137182e-05
-0.000437038852802
7.36933796174e-05
-0.000463405288559
8.46671631189e-05
-0.000485880099353
9.4846766881e-05
-0.000501345520604
0.000104243048253
-0.000511111082404
0.000112820305012
-0.000516013421727
0.000120583417221
-0.000516937079563
0.000127518906804
-0.000514645647774
0.000133578475475
-0.000509648893141
0.000138668595766
-0.000502237866453
0.000142641480593
-0.00049249016103
0.000145295033318
-0.000480299553094
0.00014638073183
-0.000465418943346
0.000145627499704
-0.000447516866593
0.000142788228798
-0.000426262256688
0.000137712818067
-0.000401424327198
0.000130456654151
-0.000373043818063
0.000121401225192
-0.000341626729848
0.000111323433534
-0.000308246852536
0.000101361470387
-0.000274497546169
9.29897902188e-05
-0.000242292611574
8.78876715619e-05
-0.000212827173919
8.53387507066e-05
-0.000182695143408
8.11063554592e-05
-0.000146368356455
8.21441384116e-06
-4.71225462333e-05
5.1573898485e-07
-1.51600398909e-06
-3.64496022272e-07
-2.66456394905e-06
-5.71244686938e-07
-2.95864891701e-06
-5.24616719129e-07
-3.02189873727e-06
-4.11258171583e-07
-3.02652115863e-06
-2.94601599055e-07
-3.0010753647e-06
-2.03837955446e-07
-2.96612482569e-06
-9.30315067752e-08
-2.99094581024e-06
-2.96588483559e-06
9.1666219457e-08
-2.57863467011e-08
-3.08514152372e-06
5.69272437798e-06
-3.53377645863e-06
6.12794592704e-06
-2.68383550334e-06
2.16275589852e-06
-2.30441235682e-06
-1.56055190894e-07
-2.10411867618e-06
-1.71448569395e-07
-1.91281299001e-06
-1.57425210624e-07
-1.75795998257e-06
-6.38267680015e-07
-1.40881083484e-06
-9.8027220275e-07
-8.29763750623e-06
6.85438184229e-06
-2.0543222818e-05
1.83758101329e-05
-3.0018711106e-05
2.47995432253e-05
-2.82363630537e-05
2.95478128803e-05
-2.58442562623e-05
2.89013139535e-05
-2.2529871724e-05
2.41271173066e-05
-1.72243892355e-05
1.57798522695e-05
-9.001251779e-06
4.81917665287e-06
-3.6377715814e-06
-2.25141427069e-06
-4.26040733375e-06
-2.46052831192e-06
-4.54546904675e-06
-2.35099583004e-06
-4.88227805634e-06
-2.25928257532e-06
-5.280770623e-06
-2.17844378456e-06
-5.68685214879e-06
-2.12900440178e-06
-6.12487577581e-06
-2.08304948638e-06
-6.57540605984e-06
-2.01863406047e-06
-6.99388794922e-06
-1.91794996423e-06
-7.40757545745e-06
-1.79543718486e-06
-7.81732656174e-06
-1.6666652908e-06
-8.22158086976e-06
-1.53597204406e-06
-8.62745919573e-06
-1.37884734844e-06
-9.03290195314e-06
-1.18660433152e-06
-9.42633585475e-06
-9.4018249197e-07
-9.74643826053e-06
-6.02966541093e-07
-1.00313202473e-05
4.20953058812e-08
-1.01781239514e-05
1.26321424223e-06
-9.73111295914e-06
3.31792358775e-06
-7.55229674176e-06
6.35923327708e-06
1.03692910761e-05
1.06881413634e-05
3.92436894838e-05
0.000136039179129
4.0208783637e-05
-2.57954753284e-06
5.33043841019e-05
-0.00062688819303
3.29984771955e-05
-0.00075777776773
2.09280130552e-05
-0.000450672526274
2.90839803013e-05
-0.000373718289525
3.67679847349e-05
-0.000390727782633
4.76540535735e-05
-0.000411183560016
5.91407185425e-05
-0.000448524684772
7.01913400261e-05
-0.000474454995646
8.08665388863e-05
-0.000496554374997
9.07539389146e-05
-0.000511232077612
9.98732161769e-05
-0.000520229640421
0.000108176021556
-0.000524315661953
0.000115660367331
-0.000524421012022
0.000122298005911
-0.000521283018193
0.000128024004701
-0.000515374744353
0.000132725439961
-0.000506939252627
0.000136234975057
-0.00049599971025
0.00013833498201
-0.000482399613568
0.000138773106406
-0.000465857134783
0.000137299712041
-0.000446043553923
0.000133735418099
-0.00042269806878
0.000128072803467
-0.000395761879839
0.000120619086893
-0.000365590385511
0.000112153291631
-0.000333161371895
0.000104041325356
-0.000300135205084
9.81439911701e-05
-0.000268599653286
9.62189737889e-05
-0.000240365602455
9.98354879502e-05
-0.000216441181273
0.000107378675894
-0.000190238556866
3.89442479909e-05
-7.79354859e-05
-2.73462430817e-06
-5.44399048971e-06
-1.14805528815e-06
-3.10294385919e-06
-7.01859063669e-07
-3.11108535692e-06
-5.35420547005e-07
-3.12534422e-06
-4.23480385222e-07
-3.13403811764e-06
-3.2498824539e-07
-3.12520769936e-06
-2.26608219369e-07
-3.099643518e-06
-1.55892049419e-07
-3.03671948807e-06
-8.14011078525e-08
-3.06614661117e-06
-3.04715647071e-06
-4.57402806975e-08
1.594979987e-08
-2.50819909593e-06
8.14279967275e-06
-3.12435066819e-06
6.73321722777e-06
-2.63374295987e-06
1.66280465173e-06
-2.11776136845e-06
-6.73345694624e-07
-1.96342488665e-06
-3.27242286243e-07
-1.88832179362e-06
-2.33769702988e-07
-2.14313817683e-06
-3.85721370528e-07
-3.4200943807e-06
2.85852713796e-07
-1.20073448777e-05
1.54273145055e-05
-1.78055992404e-05
2.41652884432e-05
-2.1504757171e-05
2.84923784855e-05
-2.21823041386e-05
3.02202763943e-05
-2.07514391285e-05
2.74657717954e-05
-1.7449525803e-05
2.08204238618e-05
-8.9540564761e-06
7.28052512471e-06
-3.00470950545e-06
-1.13062887191e-06
-3.43293409334e-06
-1.8234884824e-06
-3.98111715464e-06
-1.91255514308e-06
-4.40304335642e-06
-1.92925627025e-06
-4.78771398137e-06
-1.87478229008e-06
-5.14559030774e-06
-1.82069190184e-06
-5.53772727837e-06
-1.7369219594e-06
-5.94844381159e-06
-1.67231263952e-06
-6.36320038358e-06
-1.60378619402e-06
-6.78417577504e-06
-1.49681777883e-06
-7.18398230774e-06
-1.39542210551e-06
-7.56840093803e-06
-1.28198021596e-06
-7.95239638077e-06
-1.15164017912e-06
-8.31413144011e-06
-1.0166772319e-06
-8.60803769691e-06
-8.92025848878e-07
-8.7902115916e-06
-7.57131225512e-07
-8.89579732529e-06
-4.96112464938e-07
-8.81527520087e-06
-3.68626865811e-08
-8.27009875429e-06
7.18907539957e-07
-7.00227479541e-06
2.05102168567e-06
-4.64484086983e-06
3.99951085596e-06
4.47837601044e-07
5.60045275574e-06
3.78194588569e-05
9.86672488562e-05
3.83815813019e-05
-3.13922166927e-06
4.46465610838e-05
-0.000633152696673
2.59511053109e-05
-0.000739081217154
1.72558895643e-05
-0.000441976801917
2.53373958143e-05
-0.000381799471016
3.31647196391e-05
-0.000398554826019
4.42395114358e-05
-0.000422257849484
5.5532126616e-05
-0.000459816621993
6.64395327479e-05
-0.000485361587834
7.69252591432e-05
-0.000507039280462
8.6603892511e-05
-0.000520909954582
9.55080244415e-05
-0.000529133147778
0.000103583069155
-0.000532390231095
0.000110824193558
-0.000531661818711
0.000117191287865
-0.00052764993384
0.000122605227998
-0.000520788627439
0.000126936059669
-0.000511270113733
0.000130000172974
-0.000499063911209
0.000131569805925
-0.000483969359427
0.000131397977414
-0.000465685439103
0.000129271783536
-0.000443917512381
0.000125102152276
-0.000418528628754
0.000119048626009
-0.000389708632096
0.000111665742873
-0.000358207923956
0.000103996970492
-0.00032549312956
9.75127082509e-05
-0.000293650987182
9.37634623661e-05
-0.000264849001388
9.24079631009e-05
-0.000239007841
8.32550751517e-05
-0.000207286312805
6.55105325439e-05
-0.000172498401546
-3.63616643323e-07
-1.20618899244e-05
-1.29887061336e-06
-4.50910601651e-06
-8.03790810785e-07
-3.59832614491e-06
-5.75129211935e-07
-3.34000260311e-06
-4.40909798035e-07
-3.25978259908e-06
-3.49505465524e-07
-3.22564595376e-06
-2.75521453916e-07
-3.19935978876e-06
-2.01216567437e-07
-3.17409663545e-06
-1.2874352322e-07
-3.10965859582e-06
-7.8772302632e-08
-3.11582107108e-06
-3.12625447421e-06
-6.96171988649e-07
7.08792793737e-07
-2.7494558878e-06
1.01867494341e-05
-2.36425278091e-06
6.33808802992e-06
-1.25011057311e-06
5.47262486372e-07
-1.63078229029e-06
-2.93778592099e-07
-1.73806721009e-06
-2.209440116e-07
-1.85404715918e-06
-1.19067498509e-07
-2.32892591686e-06
8.52093405443e-08
-2.97535989008e-06
9.25261171813e-07
-7.67614839814e-06
2.01172199347e-05
-1.29411726458e-05
2.94231803802e-05
-1.70302355562e-05
3.25759095532e-05
-1.86450985652e-05
3.18309579698e-05
-1.65376109642e-05
2.53535436497e-05
-8.96414048459e-06
1.32420807369e-05
-2.75000083114e-06
1.06572013672e-06
-2.82531225396e-06
-1.05557857188e-06
-3.31635738122e-06
-1.33264411985e-06
-3.81337287754e-06
-1.41572326202e-06
-4.27769749501e-06
-1.4651238498e-06
-4.67044468592e-06
-1.48221480495e-06
-5.03627788973e-06
-1.45500437551e-06
-5.41695087906e-06
-1.35634770257e-06
-5.81525317037e-06
-1.27404741607e-06
-6.21708122611e-06
-1.20192847162e-06
-6.59387080722e-06
-1.11992915837e-06
-6.96811761156e-06
-1.02100978301e-06
-7.33147762546e-06
-9.18382331903e-07
-7.66067622851e-06
-8.22105746201e-07
-7.91246778811e-06
-7.64387361303e-07
-8.06221534184e-06
-7.41596102297e-07
-8.14189532319e-06
-6.76405946963e-07
-8.10600876501e-06
-5.30632127662e-07
-7.82554274948e-06
-3.15604636248e-07
-7.123937933e-06
1.80730352106e-08
-5.58454973899e-06
5.12981707722e-07
-2.89274036166e-06
1.30785485236e-06
5.85183730684e-07
2.12627677662e-06
4.10129155845e-05
5.82664388542e-05
3.85728718983e-05
-6.99035661492e-07
3.61157284695e-05
-0.000630694459841
1.86910054509e-05
-0.000721656756149
1.25362412695e-05
-0.000435822222595
2.05504744067e-05
-0.000389813879826
2.88439156453e-05
-0.000406848123254
4.02436794185e-05
-0.000433657206984
5.15486865775e-05
-0.000471120976895
6.24764327856e-05
-0.000496288589292
7.28810034157e-05
-0.000517443108194
8.24319706818e-05
-0.000530460279264
9.11786591387e-05
-0.000537879331991
9.90687708147e-05
-0.000540280001392
0.000106099551232
-0.000538692409401
0.000112222534443
-0.000533772866452
0.000117347357098
-0.000525913505521
0.000121330189405
-0.000515253079555
0.000123976119517
-0.000501710014857
0.00012505613446
-0.000485049573017
0.000124344813304
-0.000464974326113
0.000121694575188
-0.000441267508649
0.000117153711466
-0.000413988056542
0.000111114948526
-0.000383670274305
0.000104456396217
-0.00035154993234
9.85744404973e-05
-0.00031961162078
9.50558285151e-05
-0.00029013192486
9.47194811361e-05
-0.00026451034762
9.84296487649e-05
-0.000242715817671
0.000107698665463
-0.000216558048538
1.14187758763e-05
-7.62238220722e-05
1.24070393997e-06
-1.88440840685e-06
-9.58697257677e-08
-3.17294256784e-06
-3.63228502594e-07
-3.33125587253e-06
-3.74561351641e-07
-3.32890237772e-06
-3.29503744842e-07
-3.30505099838e-06
-2.77591076936e-07
-3.27774993404e-06
-2.26710325115e-07
-3.25043803134e-06
-1.7522482181e-07
-3.22577735273e-06
-1.11702002645e-07
-3.17306843149e-06
-6.01697673051e-08
-3.16801869513e-06
-3.1863129473e-06
-3.47327771381e-06
4.17675765102e-06
-3.57454900136e-06
1.0276200374e-05
-1.80120888077e-06
4.55616501475e-06
-1.29147588561e-06
3.6535118884e-08
-1.40669612724e-06
-1.79440589469e-07
-1.49176143598e-06
-1.37009799331e-07
-1.56494440489e-06
-4.69737094243e-08
-1.61093583412e-06
1.30115722041e-07
-1.46370738994e-06
7.7218001167e-07
-5.99486641503e-06
2.46413738918e-05
-1.13606552637e-05
3.47835021722e-05
-1.46350073717e-05
3.58458135531e-05
-1.53647409948e-05
3.25552563545e-05
-1.21545218668e-05
2.21386703575e-05
-5.33647921855e-06
6.42015356864e-06
-3.01979667092e-06
-1.2513643803e-06
-3.21671367261e-06
-8.58915249614e-07
-3.49056586756e-06
-1.05903398e-06
-3.80641840624e-06
-1.10010551863e-06
-4.14961737414e-06
-1.1221552618e-06
-4.54188124092e-06
-1.09016455052e-06
-4.93848649448e-06
-1.05859596276e-06
-5.30499491114e-06
-9.89992702999e-07
-5.6762088431e-06
-9.0294141092e-07
-6.04720380349e-06
-8.30981197378e-07
-6.4130684366e-06
-7.54048407839e-07
-6.75175372548e-06
-6.82244292665e-07
-7.06245780487e-06
-6.07508402525e-07
-7.30121270693e-06
-5.83070917166e-07
-7.43074036825e-06
-6.34404919458e-07
-7.51661730127e-06
-6.54972915264e-07
-7.53469096264e-06
-6.57358703958e-07
-7.37645117134e-06
-6.87409526443e-07
-6.98415884936e-06
-7.06753483301e-07
-6.18048357109e-06
-7.82711471347e-07
-4.64040426572e-06
-1.02888507542e-06
-1.93393420399e-06
-1.39518840327e-06
1.45408149863e-06
-1.25078712134e-06
5.59889946241e-05
3.74573128476e-06
4.54769075601e-05
9.8123013578e-06
2.9803805491e-05
-0.000615028785634
1.10717648725e-05
-0.000702926930212
6.60869910384e-06
-0.000431360480725
1.48797870867e-05
-0.000398085533364
2.39309305218e-05
-0.000415899305171
3.58045450568e-05
-0.000445530434729
4.73186879552e-05
-0.000482634529978
5.83988309133e-05
-0.000507368070457
6.88089451963e-05
-0.00052785261883
7.82961803046e-05
-0.00053994702839
8.69295765409e-05
-0.000546512400621
9.46679096412e-05
-0.000548018163014
0.000101514926234
-0.00054553940392
0.000107417118143
-0.000539675155662
0.000112275532421
-0.00053077211129
0.00011593523078
-0.000518913022981
0.000118193972349
-0.000503969032614
0.000118827760043
-0.000485683641079
0.000117641785807
-0.000463788654118
0.000114565100454
-0.000438191153816
0.000109793207516
-0.000409216574082
0.000103940551434
-0.000377818158616
9.81035826192e-05
-0.000345713612799
9.37257989045e-05
-0.000315233968897
9.22108152986e-05
-0.000288615548538
9.28719314127e-05
-0.000265169050156
8.35884263226e-05
-0.000233430315929
6.44772980407e-05
-0.000197453234687
-2.76358703203e-06
-8.98362438086e-06
-8.24657687805e-07
-3.82392899798e-06
-4.45741709596e-07
-3.55223898206e-06
-3.4490093674e-07
-3.43236458565e-06
-2.93602079254e-07
-3.38042199385e-06
-2.51703597188e-07
-3.34715188278e-06
-2.12724107818e-07
-3.31693015544e-06
-1.74633208723e-07
-3.2887037577e-06
-1.36879352173e-07
-3.26368163562e-06
-8.96572185801e-08
-3.22074025144e-06
-3.9570986496e-08
-3.2178412022e-06
-3.22618598343e-06
-3.50611020593e-06
7.6698973388e-06
-3.81264823592e-06
1.05729867362e-05
-1.45643643641e-06
2.19255631779e-06
-1.1284790799e-06
-2.92063974561e-07
-1.19002934588e-06
-1.18682857045e-07
-1.25874337817e-06
-6.90956507338e-08
-1.28054724743e-06
-2.59482068902e-08
-1.19499112523e-06
4.2499194389e-08
-9.62023723007e-07
5.37461967791e-07
-5.23207556894e-06
2.89048806821e-05
-9.99313382818e-06
3.95396159849e-05
-1.24086863165e-05
3.82561446523e-05
-1.18929022684e-05
3.20363889463e-05
-6.79435039128e-06
1.70342798147e-05
-1.98702558835e-06
1.61174220396e-06
-3.12046539644e-06
-1.18366916369e-07
-3.28251169238e-06
-6.97149880613e-07
-3.57275424833e-06
-7.69066441384e-07
-3.86207866216e-06
-8.11064128594e-07
-4.16442024298e-06
-8.20091865539e-07
-4.48190696262e-06
-7.72949127301e-07
-4.83544281986e-06
-7.05304472916e-07
-5.19766598504e-06
-6.27989856911e-07
-5.5494997342e-06
-5.51283911472e-07
-5.89805440459e-06
-4.82553469736e-07
-6.22049839956e-06
-4.31672905288e-07
-6.52257964131e-06
-3.80162416013e-07
-6.75958830214e-06
-3.70419085491e-07
-6.90666691997e-06
-4.3576976698e-07
-7.04433842309e-06
-4.9633048306e-07
-7.12104201566e-06
-5.77666821425e-07
-7.03138084253e-06
-7.46131647394e-07
-6.75015354849e-06
-9.67554875384e-07
-6.20186155077e-06
-1.25297220451e-06
-5.21356737629e-06
-1.77200442346e-06
-3.60061734395e-06
-2.63842411802e-06
-1.13533721354e-06
-3.86178698039e-06
3.04713438595e-06
-5.43171801801e-06
1.23184496886e-05
-5.52612016708e-06
3.86958960746e-05
-1.65679140286e-05
1.60155068135e-05
-0.000592353226791
-2.65804678512e-06
-0.000684255272022
-1.88380451645e-06
-0.000432135397919
8.09472056644e-06
-0.000408063987468
1.84688762213e-05
-0.000426273007153
3.11026019634e-05
-0.000458163508729
4.30230796851e-05
-0.000494554343729
5.43477941198e-05
-0.000518692199153
6.48152188647e-05
-0.00053831961112
7.42730538333e-05
-0.000549404604642
8.28152486056e-05
-0.000555054509029
9.041985479e-05
-0.000555622839421
9.71002121155e-05
-0.000552219957277
0.000102800247298
-0.000545375486834
0.00010741467946
-0.00053538689925
0.000110780610829
-0.000522279344676
0.000112694562675
-0.000505883376982
0.000112949850292
-0.000485939327892
0.000111406071686
-0.000462245274997
0.000108111696132
-0.000434897222737
0.000103483482987
-0.000404588893274
9.84797780884e-05
-0.000372815140095
9.46068407341e-05
-0.00034184123665
9.3507784447e-05
-0.000314134569589
9.60051918159e-05
-0.000291110617652
0.000103646618347
-0.000272808142669
0.000120924735075
-0.000250712137101
7.67301649503e-06
-8.42083550371e-05
7.58237362671e-07
-2.06953109291e-06
-1.36232827779e-09
-3.06483562895e-06
-1.97183913083e-07
-3.35675351721e-06
-2.20511710195e-07
-3.40928557468e-06
-2.0288109292e-07
-3.39826563937e-06
-1.77092933882e-07
-3.37314239753e-06
-1.49855670556e-07
-3.34435727315e-06
-1.22943250779e-07
-3.31580881532e-06
-9.83848492202e-08
-3.28842895614e-06
-6.17580487151e-08
-3.25726799133e-06
-2.33919434696e-08
-3.25682458355e-06
-3.2494818771e-06
-9.65007500573e-07
8.62704957389e-06
-1.31295723141e-06
1.09144716604e-05
-4.07364670765e-07
1.28656873914e-06
-9.42477479823e-07
2.4239650626e-07
-1.11890000721e-06
5.70546767485e-08
-1.15850587517e-06
-3.04092863964e-08
-1.12539231551e-06
-6.03539529816e-08
-1.01636690884e-06
-6.6708671216e-08
-8.34338680303e-07
3.52218870622e-07
-4.76063852674e-06
3.28267675731e-05
-8.83079602706e-06
4.36054919504e-05
-1.02895806661e-05
3.97114532556e-05
-8.52957434315e-06
3.026950616e-05
-4.38780802787e-06
1.28895283685e-05
-3.75015306245e-06
9.72592649554e-07
-3.12658715031e-06
-7.42233437288e-07
-3.2514305238e-06
-5.72597830425e-07
-3.49547255693e-06
-5.25350557652e-07
-3.76646240396e-06
-5.40401567931e-07
-4.07133717533e-06
-5.15554144925e-07
-4.39761709959e-06
-4.46988881437e-07
-4.73960701038e-06
-3.63632571285e-07
-5.07834468708e-06
-2.89542661055e-07
-5.40891041215e-06
-2.20989465714e-07
-5.71819370924e-06
-1.73495789177e-07
-6.00866009483e-06
-1.41393058892e-07
-6.26064966811e-06
-1.28301416158e-07
-6.46275144806e-06
-1.68372777966e-07
-6.66716430956e-06
-2.31337199766e-07
-6.83824597594e-06
-3.25072774938e-07
-6.90590473789e-06
-5.09721030534e-07
-6.91096761377e-06
-7.40355574879e-07
-6.86103452285e-06
-1.01644051145e-06
-6.61667133199e-06
-1.49719716276e-06
-6.01709633295e-06
-2.36839715226e-06
-4.8041781447e-06
-3.85398303244e-06
-2.50208941549e-06
-6.16353693945e-06
1.86109633806e-06
-9.79099147452e-06
1.0526697695e-08
-3.67324883649e-06
0.000105220820096
-0.000121774376643
-6.83172889016e-07
-0.00048644609037
-1.89585359839e-05
-0.000665978100677
-1.13735394284e-05
-0.000439717951797
5.60350374224e-07
-0.000419995566438
1.27553368854e-05
-0.000438465904621
2.64427651761e-05
-0.000471849340975
3.89002434266e-05
-0.00050701064383
5.0498116711e-05
-0.000530289341768
6.10250380551e-05
-0.000548846153089
7.04482717657e-05
-0.000558827758839
7.88932032972e-05
-0.000563499585419
8.63633853702e-05
-0.000563093332142
9.28827374523e-05
-0.000558739738221
9.83937087661e-05
-0.000550886956262
0.000102785811533
-0.000539779538275
0.000105890235461
-0.000525384305167
0.000107505925217
-0.000507499592123
0.000107449359278
-0.000485883266236
0.000105640892827
-0.000460437330762
0.00010224677527
-0.000431503672871
9.78786259248e-05
-0.000400221435697
9.37519754744e-05
-0.000368689308369
9.15651845762e-05
-0.000339654747534
9.30082703415e-05
-0.000315576292911
9.74998377665e-05
-0.000295599747064
9.08707631504e-05
-0.000266177344464
7.1923399558e-05
-0.00023177168346
-2.9733258949e-06
-9.3123287774e-06
-9.6434616964e-07
-4.07914562093e-06
-3.73036465029e-07
-3.65657486644e-06
-2.15161258661e-07
-3.51492843785e-06
-1.61720179432e-07
-3.46296349909e-06
-1.31446719389e-07
-3.4287516522e-06
-1.09987118239e-07
-3.39480339047e-06
-9.10043580021e-08
-3.36353939559e-06
-7.26090750312e-08
-3.33437846563e-06
-5.84643739415e-08
-3.30272130725e-06
-3.4526415712e-08
-3.28162988044e-06
-1.02442052856e-08
-3.28087672892e-06
-3.26000413575e-06
4.22517095968e-07
8.19533158206e-06
1.62632235306e-06
9.7083003807e-06
-8.72150047783e-07
3.78031391554e-06
-1.17554178162e-06
5.45197680667e-07
-1.22545885518e-06
1.06193305432e-07
-1.20939934728e-06
-4.73657405951e-08
-1.12458181137e-06
-1.45772246829e-07
-9.65108326808e-07
-2.28063533712e-07
-7.73784405381e-07
1.60002064497e-07
-4.34411094668e-06
3.63925587264e-05
-7.76613666571e-06
4.70238630003e-05
-8.53378860227e-06
4.04742788309e-05
-6.67939303427e-06
2.84125585523e-05
-3.47802607002e-06
9.68079957199e-06
-2.41292833996e-06
-9.30188195961e-08
-2.84479763371e-06
-3.10759773835e-07
-3.15508430614e-06
-2.62707816069e-07
-3.35888823573e-06
-3.21923012915e-07
-3.64533236845e-06
-2.54350123627e-07
-3.99011207839e-06
-1.7115503833e-07
-4.3110920464e-06
-1.26400533056e-07
-4.61836878348e-06
-5.67310874602e-08
-4.9376033674e-06
2.93138764752e-08
-5.2466770376e-06
8.77334075897e-08
-5.52923273486e-06
1.08727355105e-07
-5.8028411386e-06
1.31923211776e-07
-6.05935692377e-06
1.27951386996e-07
-6.30729249037e-06
7.93382186031e-08
-6.54300985934e-06
4.22818370358e-09
-6.74533845063e-06
-1.22827910509e-07
-6.93288742812e-06
-3.21984236768e-07
-7.14698851196e-06
-5.25909398252e-07
-7.36573248303e-06
-7.97473051014e-07
-7.51997183398e-06
-1.34118772175e-06
-7.53001178079e-06
-2.36085938619e-06
-7.11588140859e-06
-4.26893477369e-06
-5.4955498449e-06
-7.77807068317e-06
1.31974940547e-07
-1.54185315988e-05
-0.000171926155528
0.000168406862994
-0.000141780795481
-0.000151830569262
-9.90416366763e-05
-0.000529179323722
-4.67209747146e-05
-0.000718293334669
-2.36733417766e-05
-0.000462760990529
-7.53297117458e-06
-0.000436132216728
7.40814791321e-06
-0.000453404351734
2.22935843195e-05
-0.000486732960917
3.52556187839e-05
-0.000519971628736
4.70509804521e-05
-0.000542084229891
5.75695632289e-05
-0.000559364714476
6.69045893668e-05
-0.000568163078664
7.52145660312e-05
-0.000571810069304
8.25295472495e-05
-0.000570408957126
8.88818546134e-05
-0.000565092760246
9.4211599217e-05
-0.00055621744816
9.84030815446e-05
-0.000543971757062
0.000101283548643
-0.000528265481291
0.000102660372878
-0.000508877082188
0.000102388569906
-0.000485612110027
0.000100487537725
-0.000458536941449
9.73236763506e-05
-0.000428340515189
9.38641165088e-05
-0.00039676273691
9.19164264215e-05
-0.000366742369621
9.38439113125e-05
-0.000341582130732
0.000100991529802
-0.000322722017795
0.000114907538438
-0.000309513487954
0.000140739467266
-0.000292013463224
7.82340727316e-06
-9.88634361057e-05
9.13088017969e-07
-2.40281864004e-06
1.13413236656e-07
-3.28005905245e-06
-4.90143808311e-08
-3.49453666931e-06
-6.46373329836e-08
-3.49958808086e-06
-5.76165685932e-08
-3.47022022794e-06
-4.6630051115e-08
-3.43995411587e-06
-3.81324985469e-08
-3.40351006253e-06
-3.1232595057e-08
-3.37063614282e-06
-2.43079601697e-08
-3.3414989627e-06
-1.53439282911e-08
-3.31187616657e-06
-4.69347133901e-09
-3.29220325073e-06
3.34026640106e-09
-3.28949091141e-06
-3.2565861753e-06
9.73614242138e-07
7.21825989171e-06
2.54576505049e-06
8.12680495175e-06
-1.88462542254e-06
8.2045279566e-06
-1.47456816668e-06
1.3459397833e-07
-1.36898154718e-06
-7.86851040693e-11
-1.30436526484e-06
-1.12796122163e-07
-1.21857346406e-06
-2.33172424211e-07
-1.06654376939e-06
-3.80209666065e-07
-9.31208257518e-07
2.24580655243e-08
-4.05189998899e-06
3.95107435337e-05
-6.96930628088e-06
4.99380046109e-05
-7.36467861949e-06
4.08662039545e-05
-5.82016451362e-06
2.68608534878e-05
-3.18877212798e-06
7.04605190692e-06
-2.93801498421e-06
-3.44409693115e-07
-2.93818557126e-06
-3.1114846843e-07
-3.03581638648e-06
-1.65542411359e-07
-3.30836000307e-06
-4.98396189258e-08
-3.58365050461e-06
2.04906940122e-08
-3.82697572978e-06
7.17239549391e-08
-4.13581398685e-06
1.82004000652e-07
-4.49331504793e-06
3.00311935764e-07
-4.80093309877e-06
3.3648417452e-07
-5.06447180231e-06
3.50820474413e-07
-5.3586724485e-06
4.02498128453e-07
-5.65254631263e-06
4.25360355928e-07
-5.90926786535e-06
3.84267872523e-07
-6.17465221021e-06
3.44289253828e-07
-6.45927664699e-06
2.88426197189e-07
-6.71047275497e-06
1.27908692909e-07
-7.01653284439e-06
-1.63722512905e-08
-7.44035370141e-06
-1.02751511295e-07
-7.94321991487e-06
-2.948714258e-07
-8.61047993484e-06
-6.76264271898e-07
-9.58398375449e-06
-1.38791342144e-06
-1.11119345371e-05
-2.73995742155e-06
-1.34125260276e-05
-5.48254629795e-06
-1.82013434765e-05
-1.06061007285e-05
-0.000172752170594
0.000323027426763
-0.000158930242113
-0.000165585242352
-0.00011823861031
-0.00056986366467
-5.59914660253e-05
-0.000780532445104
-3.36138674348e-05
-0.000485132602678
-1.3824696289e-05
-0.00045591734717
3.61528820394e-06
-0.000470841790743
1.92594653669e-05
-0.000502375713433
3.24337550265e-05
-0.000533145319384
4.42087345583e-05
-0.00055385922799
5.45655271114e-05
-0.000569721957776
6.37068305018e-05
-0.000577305118324
7.18132129276e-05
-0.000579917361313
7.89339617274e-05
-0.000577530696408
8.51036114827e-05
-0.000571263428139
9.02570838052e-05
-0.000561371913012
9.42724801229e-05
-0.000547988100246
9.69747898278e-05
-0.000530968668064
9.81844207365e-05
-0.00051008752799
9.78014741968e-05
-0.000485229931003
9.59500909858e-05
-0.000456686332629
9.31833083348e-05
-0.00042557461727
9.06734570552e-05
-0.000394253915106
9.03072502795e-05
-0.000366376905218
9.4752034549e-05
-0.000346026469994
0.000104388104651
-0.000332355530836
0.000101602392341
-0.000306726446078
8.41835663413e-05
-0.000274601225681
-3.30349547118e-06
-1.13771647745e-05
-9.65618579535e-07
-4.74145059981e-06
-2.39349857123e-07
-4.00683987509e-06
-3.1910808319e-08
-3.70232873108e-06
3.10853756366e-08
-3.56285696532e-06
4.61245368495e-08
-3.4854957764e-06
4.93060555006e-08
-3.44335819923e-06
4.63043057231e-08
-3.4007211403e-06
4.0073676944e-08
-3.36461427638e-06
3.25112092997e-08
-3.33412067823e-06
2.88809900797e-08
-3.30840276074e-06
2.03107232162e-08
-3.28404583551e-06
1.0715899552e-08
-3.27970235183e-06
-3.24613539316e-06
2.23500145982e-07
6.98602810468e-06
1.12057634978e-06
7.22524784789e-06
-1.50960667703e-06
1.08250346565e-05
-1.45747769248e-06
8.18646819684e-08
-1.42754569897e-06
-3.07061723743e-08
-1.4000355662e-06
-1.4144841629e-07
-1.34976311237e-06
-2.8422509368e-07
-1.25184528137e-06
-4.79282906103e-07
-1.44731448991e-06
2.17129480486e-07
-4.05306887358e-06
4.21131801722e-05
-6.61690236038e-06
5.24981726399e-05
-6.76100861464e-06
4.1007019995e-05
-5.46812938583e-06
2.55646968916e-05
-3.5897943822e-06
5.16434205013e-06
-3.02579079885e-06
-9.08799166075e-07
-2.98737094746e-06
-3.4998796917e-07
-3.02886799807e-06
-1.24510063096e-07
-3.18998841647e-06
1.10786546017e-07
-3.42081826893e-06
2.5080647912e-07
-3.72250050194e-06
3.72904648457e-07
-4.05295981009e-06
5.11934202929e-07
-4.31577794868e-06
5.62624879725e-07
-4.57394596678e-06
5.94132479762e-07
-4.89835224098e-06
6.74701491519e-07
-5.21400147401e-06
7.17594293419e-07
-5.47042705251e-06
6.81250964056e-07
-5.75701736345e-06
6.70261582202e-07
-6.07262533915e-06
6.59269400481e-07
-6.3672810025e-06
5.82343880564e-07
-6.6884892614e-06
4.48273180977e-07
-7.11262349401e-06
4.0660103688e-07
-7.64502551266e-06
4.28298560289e-07
-8.34604102228e-06
4.03907027653e-07
-9.36858275886e-06
3.45015096545e-07
-1.10586984303e-05
2.99324310077e-07
-1.42843472056e-05
4.80741737922e-07
-2.13188955136e-05
1.5655833913e-06
-4.22009820907e-05
1.0276959152e-05
-0.000248349466615
0.000529233554544
-0.000427450925199
1.35329223191e-05
-0.000132008582036
-0.000865300056262
-5.76747216259e-05
-0.000854862276728
-3.69844174222e-05
-0.000505819646883
-1.49731082835e-05
-0.000477926640065
2.71991226219e-06
-0.000488533870638
1.79422218649e-05
-0.000517597945781
3.07381068596e-05
-0.000545941717597
4.21212860107e-05
-0.000565243349242
5.20832999029e-05
-0.000579685170646
6.08828313055e-05
-0.000586106002508
6.86937217586e-05
-0.000587729650821
7.55685789857e-05
-0.000584406949288
8.15343773259e-05
-0.000577230559777
8.65160185809e-05
-0.000566354809462
9.03830000234e-05
-0.000551856230868
9.29580509766e-05
-0.000533544768614
9.40783283935e-05
-0.000511208765229
9.37002696383e-05
-0.000484852783361
9.20889892457e-05
-0.000455075992352
9.01266951688e-05
-0.000423613377498
8.9622798319e-05
-0.000393751171197
9.31049575034e-05
-0.000369859753959
0.000103595475026
-0.00035651525335
0.000127622488335
-0.00035638101867
0.000165249548492
-0.000344358346444
1.03896529696e-05
-0.000119749482589
1.77638616188e-06
-2.76490313387e-06
6.0271119724e-07
-3.56848650503e-06
3.04269950624e-07
-3.7088717492e-06
2.34673746769e-07
-3.63307051122e-06
2.10729176851e-07
-3.53918573252e-06
1.9023659396e-07
-3.46524829754e-06
1.70405763748e-07
-3.42375864467e-06
1.48976104489e-07
-3.37951531614e-06
1.25777891092e-07
-3.34162657933e-06
1.01451320591e-07
-3.31000126272e-06
7.48776339958e-08
-3.28202999432e-06
4.3373652839e-08
-3.25248949817e-06
1.31790215567e-08
-3.2500679869e-06
-3.23290033215e-06
-3.60488163298e-07
7.34266215423e-06
9.15221459036e-07
5.93801703682e-06
-1.43901469236e-06
1.31742081791e-05
-1.4699678053e-06
1.12255129929e-07
-1.49894914505e-06
-2.52891202119e-09
-1.51335469261e-06
-1.28081656825e-07
-1.49138533294e-06
-3.07097212406e-07
-1.47337962727e-06
-4.98148599831e-07
-1.49775571167e-06
2.37312856673e-07
-4.95939126934e-06
4.55715091511e-05
-6.74939664306e-06
5.42859202422e-05
-6.37581862796e-06
4.06296297113e-05
-4.86958024779e-06
2.40573534411e-05
-1.85441474689e-06
2.14935212442e-06
-2.5968124631e-06
-1.66586189079e-07
-2.85109506762e-06
-9.60116422995e-08
-2.99000063262e-06
1.39399195929e-08
-3.09181321827e-06
2.12046573049e-07
-3.2918965277e-06
4.5032468137e-07
-3.5682044287e-06
6.48637346567e-07
-3.82522686208e-06
7.68412906269e-07
-4.09630115245e-06
8.33137953301e-07
-4.43271585163e-06
9.29974208613e-07
-4.76905557371e-06
1.01042646435e-06
-5.03498292994e-06
9.82906207589e-07
-5.3149525392e-06
9.60549808819e-07
-5.62404025898e-06
9.78640896825e-07
-5.92997210121e-06
9.64378567351e-07
-6.25034479048e-06
9.01794644318e-07
-6.62581986828e-06
8.22563299317e-07
-7.09747267976e-06
8.76770069691e-07
-7.66708914981e-06
9.95773695303e-07
-8.39412486109e-06
1.12872685797e-06
-9.3715289351e-06
1.3188440188e-06
-1.07292022838e-05
1.65430476932e-06
-1.25683891842e-05
2.32485473931e-06
-1.46674418986e-05
3.65316856939e-06
-1.27866586327e-05
8.41509395451e-06
3.8154261443e-05
0.000478162506143
5.39536062478e-05
-2.27236088938e-06
-7.773544757e-06
-0.000803589751302
-2.99777852788e-05
-0.000832664506943
-2.64356285879e-05
-0.000509365662524
-9.110748415e-06
-0.000495254568527
5.25141543005e-06
-0.000502898919698
1.86036849789e-05
-0.000530952892974
3.02708660902e-05
-0.000557611470501
4.08090401098e-05
-0.000575783928481
5.0109870138e-05
-0.000588988290131
5.84044812596e-05
-0.000594402746703
6.58208517061e-05
-0.000595148019164
7.23954628017e-05
-0.000590983391659
7.81370799097e-05
-0.000582973856297
8.29562513573e-05
-0.000571175490057
8.67130278021e-05
-0.000555614366203
8.92317807584e-05
-0.00053606473271
9.03785797259e-05
-0.000512356660659
9.01924972842e-05
-0.000484667743575
8.91110735164e-05
-0.000453995627552
8.83043853088e-05
-0.000422807983341
8.99227701208e-05
-0.000395370629217
9.60481749714e-05
-0.000375985209327
0.000104176718647
-0.000364642488244
0.000101177268675
-0.000353382783253
9.91296934355e-05
-0.000342318678298
-3.64314959737e-06
-1.69777152389e-05
-4.67497771043e-07
-5.94165466156e-06
3.43264554056e-07
-4.3799560478e-06
4.58215213141e-07
-3.82428627393e-06
4.38621597732e-07
-3.61381692927e-06
3.96739730437e-07
-3.497585792e-06
3.56235473098e-07
-3.4249993278e-06
3.10458294726e-07
-3.37822334405e-06
2.65189011503e-07
-3.33447627535e-06
2.19894230227e-07
-3.29655544973e-06
1.74494402289e-07
-3.2647997445e-06
1.25283447068e-07
-3.23298555221e-06
7.76699371152e-08
-3.20527798861e-06
3.16814866851e-08
-3.20393073713e-06
-3.20147582613e-06
-1.20265166503e-06
8.53415587196e-06
1.43004338837e-06
3.30165594121e-06
-1.32115801464e-06
1.59162060405e-05
-1.53779365376e-06
3.28155228961e-07
-1.61569345946e-06
7.46004329199e-08
-1.73007459574e-06
-1.45221146681e-08
-2.09066614704e-06
5.24584968578e-08
-3.06458285046e-06
4.72885014051e-07
-1.3708226849e-05
1.0873359319e-05
-7.96793022281e-06
3.98286322678e-05
-6.40842394606e-06
5.27231902009e-05
-5.08867802554e-06
3.93095376225e-05
-3.21202036361e-06
2.21790232495e-05
-2.11917029641e-06
1.05607224366e-06
-2.43579730641e-06
1.50256322172e-07
-2.67225269748e-06
1.40424437853e-07
-2.87961233655e-06
2.20925317531e-07
-3.04159853686e-06
3.73451187304e-07
-3.18296578908e-06
5.90983572084e-07
-3.38923908666e-06
8.54194054113e-07
-3.6687715467e-06
1.04729031729e-06
-3.99355297706e-06
1.15733484987e-06
-4.3223871417e-06
1.25819144185e-06
-4.59216187775e-06
1.27955879839e-06
-4.86015112867e-06
1.25020209603e-06
-5.17292455436e-06
1.27257668234e-06
-5.49983880402e-06
1.304684976e-06
-5.81773149128e-06
1.28131118155e-06
-6.136708605e-06
1.21961973178e-06
-6.50927183208e-06
1.19377402847e-06
-6.98040996623e-06
1.3459885644e-06
-7.52764158721e-06
1.54079884628e-06
-8.19072814837e-06
1.788670256e-06
-9.00954409487e-06
2.13464660302e-06
-1.00206639535e-05
2.66169867021e-06
-1.12220072178e-05
3.51696962526e-06
-1.24814092971e-05
4.91762686953e-06
-1.30949295187e-05
8.94877265277e-06
1.9568744097e-05
0.000445401996269
1.73997432421e-05
-1.186151221e-07
1.80736862797e-05
-0.000804283602648
-6.42599108837e-06
-0.000808177390291
-9.74006485464e-06
-0.000506060574687
4.95410823392e-07
-0.00050549718201
1.00194496197e-05
-0.000512428780766
2.07652666166e-05
-0.000541703649251
3.0760256631e-05
-0.000567610636654
4.00983163303e-05
-0.000585125624311
4.85239995599e-05
-0.00059741713197
5.61766569385e-05
-0.000602058204799
6.31139975949e-05
-0.000602087827028
6.93428911159e-05
-0.000597214485515
7.48473724336e-05
-0.000588480277803
7.95212273624e-05
-0.000575851068341
8.32144084725e-05
-0.00055930905992
8.57514329616e-05
-0.000538603100154
8.70202774234e-05
-0.000513626725632
8.71175097799e-05
-0.000484766129947
8.65848628205e-05
-0.00045346425136
8.67010045057e-05
-0.000422925355234
8.94970257738e-05
-0.00039816775619
9.65203215093e-05
-0.00038300797275
0.000104906013973
-0.000373029448855
9.34619469866e-05
-0.000341944945502
2.11665367599e-05
-0.000270036272606
4.79550812575e-06
-6.07682268491e-07
2.01832967829e-06
-3.16528098036e-06
1.18612922654e-06
-3.54832819334e-06
8.72007532552e-07
-3.5105747234e-06
7.20530116789e-07
-3.46266716982e-06
6.18485427027e-07
-3.39582759083e-06
5.41025403838e-07
-3.34780408735e-06
4.64205606506e-07
-3.30165374435e-06
3.91427603046e-07
-3.26193884989e-06
3.21602886992e-07
-3.2269560352e-06
2.52801140646e-07
-3.19621431299e-06
1.79538164021e-07
-3.15992948014e-06
1.19621148764e-07
-3.14533803174e-06
6.03162563445e-08
-3.14515962765e-06
-3.14113174154e-06
-8.02257383376e-07
9.33309460832e-06
3.60256562196e-07
2.13485340948e-06
-1.58073252881e-06
1.78528148815e-05
-1.71518185749e-06
4.62051955109e-07
-1.70115782804e-06
5.9994406446e-08
-1.68379693081e-06
-3.26168179428e-08
-1.5108458454e-06
-1.20355253985e-07
-1.31167495137e-06
2.72229261763e-07
-9.70325823242e-07
1.05302396953e-05
-4.55069288722e-06
4.34064865029e-05
-4.72787367421e-06
5.28995908988e-05
-3.61839173084e-06
3.81961882511e-05
-2.1740041771e-06
2.07332471036e-05
-1.99459706357e-06
8.77863399044e-07
-2.34752575544e-06
5.0346482267e-07
-2.52600805861e-06
3.18936500046e-07
-2.66510993167e-06
3.59672271325e-07
-2.84990209917e-06
5.57456550917e-07
-3.10783624967e-06
8.47941709929e-07
-3.36421398064e-06
1.10973882343e-06
-3.60431478378e-06
1.2867160938e-06
-3.89002003344e-06
1.44240577706e-06
-4.17865804069e-06
1.54621087665e-06
-4.4440140558e-06
1.54425449357e-06
-4.73009499247e-06
1.53555162186e-06
-5.02622137036e-06
1.56787516362e-06
-5.32268461327e-06
1.60022640465e-06
-5.62946070244e-06
1.58701742403e-06
-5.97126792922e-06
1.5602132687e-06
-6.35282445396e-06
1.57381021285e-06
-6.7835858574e-06
1.77489685608e-06
-7.27331313755e-06
2.02815602197e-06
-7.83251315693e-06
2.34534201717e-06
-8.46124784309e-06
2.76004824601e-06
-9.13399194688e-06
3.33041445527e-06
-9.76440804043e-06
4.14844911431e-06
-1.01813804029e-05
5.32122159836e-06
-9.75525668281e-06
8.49878769939e-06
2.20121617671e-05
0.000413505659582
2.26869868915e-05
-8.0479347324e-07
1.92820395523e-05
-0.000800900683226
1.35091926955e-06
-0.000790260726909
5.21115011521e-07
-0.000505241959754
7.9155803799e-06
-0.000512900783864
1.45637916948e-05
-0.000519084701174
2.32535265136e-05
-0.000550399850405
3.15820928258e-05
-0.000575944694727
3.96400303201e-05
-0.000593188182404
4.71072510378e-05
-0.000604888301677
5.404526527e-05
-0.000608999581865
6.04522843975e-05
-0.000608497757489
6.63085680021e-05
-0.000603073277778
7.1574639781e-05
-0.00059374853868
7.61309381483e-05
-0.000580409259673
7.98213381137e-05
-0.000563001117386
8.24787561504e-05
-0.000541261972085
8.40331592631e-05
-0.00051518243543
8.4688893325e-05
-0.000485423130507
8.52168255674e-05
-0.000453993535798
8.73809559183e-05
-0.000425090797811
9.38050163684e-05
-0.000404592431408
0.000105188567829
-0.000394392057978
0.000122470353759
-0.000390312220925
0.000159153432596
-0.000378638719458
-4.51133044405e-07
-0.000110444417288
1.21737008718e-06
-2.27684741242e-06
1.2233982916e-06
-3.17184910562e-06
1.1628461913e-06
-3.48821374292e-06
1.06693484364e-06
-3.41502186285e-06
9.48174938906e-07
-3.34422063574e-06
8.3801834423e-07
-3.28595907151e-06
7.30679903243e-07
-3.2407375561e-06
6.24318920478e-07
-3.19555196108e-06
5.22796133523e-07
-3.16066245445e-06
4.26158274296e-07
-3.13055468689e-06
3.31554054532e-07
-3.10181908896e-06
2.40787271768e-07
-3.06933759364e-06
1.64313192104e-07
-3.06925136977e-06
8.85776562857e-08
-3.06933462253e-06
-3.05279486105e-06
2.62113062972e-06
6.70895239815e-06
-3.23646015891e-06
7.99034884201e-06
-2.16391564354e-06
1.67737369276e-05
-1.97886027229e-06
2.76471500718e-07
-2.0222293484e-06
1.03263331459e-07
-2.26120586142e-06
2.06508376762e-07
-2.66332821122e-06
2.80617976882e-07
-3.01735632976e-06
6.2572953666e-07
-1.09138773982e-05
1.84221947803e-05
-5.74214789858e-06
3.82332420498e-05
-3.37734574982e-06
5.05317066602e-05
-1.99397182405e-06
3.68121848579e-05
-9.36139954216e-07
1.96770095194e-05
-2.24815977692e-06
2.18881135232e-06
-2.28308717204e-06
5.38661737697e-07
-2.37067227561e-06
4.06572766686e-07
-2.48707892997e-06
4.75636456249e-07
-2.65061672828e-06
7.19991730743e-07
-2.89934714709e-06
1.09564286831e-06
-3.21066981114e-06
1.41982561396e-06
-3.54556232046e-06
1.62075153721e-06
-3.8359936621e-06
1.73227857015e-06
-4.05981784247e-06
1.76947009596e-06
-4.28129217008e-06
1.76507070345e-06
-4.54445969391e-06
1.79796788215e-06
-4.85168915313e-06
1.87419318076e-06
-5.18520399394e-06
1.93270489818e-06
-5.50840483551e-06
1.90906650408e-06
-5.82373880875e-06
1.87422754087e-06
-6.14976710699e-06
1.89831845553e-06
-6.52871232986e-06
2.1519196195e-06
-6.9515175843e-06
2.44882231036e-06
-7.4098372555e-06
2.80124069399e-06
-7.87876345673e-06
3.22633841153e-06
-8.30201858051e-06
3.75168639544e-06
-8.57556064194e-06
4.41700784352e-06
-8.52788294623e-06
5.27328108132e-06
-7.70300519743e-06
7.62286786105e-06
2.62687547396e-05
0.000379420583877
2.76870893743e-05
-2.23457494638e-06
2.02812839333e-05
-0.000793514018665
4.82871476457e-06
-0.000774822073965
5.79861413811e-06
-0.000506223290549
1.21914448034e-05
-0.000519303403535
1.77159474562e-05
-0.000524617561786
2.51495385649e-05
-0.000557840585121
3.21468923352e-05
-0.000582948057164
3.90650480831e-05
-0.000600111419279
4.56125714805e-05
-0.00061144009464
5.18274780644e-05
-0.000615218119718
5.76886625896e-05
-0.000614362027481
6.31638486593e-05
-0.000608551123688
6.82026307478e-05
-0.000598789603365
7.26806430838e-05
-0.000584889254219
7.64454395137e-05
-0.000566767626935
7.93438061415e-05
-0.000544161846614
8.13459453959e-05
-0.000517185946795
8.27394510897e-05
-0.000486818011035
8.43685330813e-05
-0.000455623995276
8.80118767565e-05
-0.000428735354003
9.70576447093e-05
-0.000413638348584
0.000112070831414
-0.00040940654241
0.000111534888682
-0.000389780402545
9.2365867707e-05
-0.000359475865293
-3.96466789613e-06
-1.41143713346e-05
-4.85323622279e-07
-5.75660568169e-06
8.15370286293e-07
-4.47292565429e-06
1.19496531114e-06
-3.86815917424e-06
1.27250802467e-06
-3.49287746139e-06
1.18303252523e-06
-3.25503911458e-06
1.06808039049e-06
-3.17129144159e-06
9.32763742959e-07
-3.10569571214e-06
7.95210073103e-07
-3.05826214195e-06
6.61525407212e-07
-3.02723243876e-06
5.34737042735e-07
-3.00400406207e-06
4.13020472686e-07
-2.98032724476e-06
3.07960945214e-07
-2.96449131858e-06
2.08410888014e-07
-2.96971609288e-06
1.13086361811e-07
-2.9745078826e-06
-2.93971095399e-06
3.39128252524e-06
3.31353068266e-06
-2.0858893448e-06
1.34573739386e-05
-2.53422646437e-06
1.72168522346e-05
-2.34011513552e-06
8.24288797214e-08
-2.54288316213e-06
3.06156577674e-07
-2.79425409706e-06
4.58190598252e-07
-3.03038897381e-06
5.17899622212e-07
-3.33242467907e-06
9.2633048757e-07
-3.91007693238e-06
1.89983195787e-05
-1.83968227277e-06
3.61617834296e-05
-8.53559552179e-07
4.95450640702e-05
-5.08773842464e-07
3.6466874788e-05
1.54674332901e-07
1.90091376683e-05
-1.94864902359e-06
4.29324420066e-06
-2.38869083483e-06
9.78820859344e-07
-2.467863741e-06
4.85504835479e-07
-2.47503823513e-06
4.81897914941e-07
-2.4928298982e-06
7.36729624481e-07
-2.63734860201e-06
1.23814282569e-06
-2.95748004461e-06
1.73852943625e-06
-3.3145439275e-06
1.97687811785e-06
-3.62683242989e-06
2.04394387749e-06
-3.90244287827e-06
2.04451839365e-06
-4.17629636608e-06
2.03827530794e-06
-4.46982015939e-06
2.09056493805e-06
-4.77337230675e-06
2.17674481891e-06
-5.04722815903e-06
2.20541859704e-06
-5.31265765518e-06
2.17326396471e-06
-5.59381580263e-06
2.15404564089e-06
-5.89396049662e-06
2.19691793219e-06
-6.23008781686e-06
2.48624172868e-06
-6.59687334729e-06
2.81358827899e-06
-6.98123467782e-06
3.1835673282e-06
-7.34835935869e-06
3.59171643618e-06
-7.63114585462e-06
4.03214475015e-06
-7.71386363781e-06
4.49855585617e-06
-7.43382773569e-06
4.98923915629e-06
-6.41239012207e-06
6.55934287471e-06
2.6824191281e-05
0.000346096690703
2.80720775551e-05
-3.49063369912e-06
2.17270898757e-05
-0.000787183179331
8.37675977713e-06
-0.000761482995569
9.63922220082e-06
-0.000507495658492
1.50095714393e-05
-0.000524682542067
1.98024780109e-05
-0.000529418259478
2.62798445103e-05
-0.000564324725661
3.21901435946e-05
-0.000588864206139
3.81370658832e-05
-0.000606063325835
4.3837478499e-05
-0.00061714475795
4.93562888004e-05
-0.000620740548308
5.4675398699e-05
-0.000619684248737
5.97731684431e-05
-0.000613651564155
6.45988424542e-05
-0.000603617594195
6.9038653167e-05
-0.000589331062272
7.29540051061e-05
-0.000570684722974
7.62236542851e-05
-0.000547433031819
7.88852585578e-05
-0.000519848955204
8.14381750878e-05
-0.000489372328786
8.53228775943e-05
-0.000459510055703
9.33556064392e-05
-0.000436768922801
0.000111022860603
-0.000431307505116
0.000149322374862
-0.000447706633504
0.000207569672304
-0.000448034003078
1.23105100264e-05
-0.000164222823225
2.62069497286e-06
-4.4248806834e-06
1.63321873972e-06
-4.76941416483e-06
1.56668738233e-06
-4.40668729435e-06
1.61330582866e-06
-3.91506885225e-06
1.60278039561e-06
-3.48263898723e-06
1.48328986167e-06
-3.13582836752e-06
1.33086736454e-06
-3.01915067622e-06
1.16217022887e-06
-2.93727549176e-06
9.88511475708e-07
-2.88487386771e-06
8.1672161319e-07
-2.85570255806e-06
6.54653282439e-07
-2.84218659128e-06
5.05182955241e-07
-2.83108106318e-06
3.76120141475e-07
-2.83561938147e-06
2.50578836865e-07
-2.84455168541e-06
1.31694783572e-07
-2.85560098418e-06
-2.80824034088e-06
2.15822955432e-06
1.15256243601e-06
1.73110988653e-06
1.38772813762e-05
-1.06352751366e-06
2.00071444492e-05
-1.78912169828e-06
8.07691996865e-07
-2.35033475959e-06
8.68024928374e-07
-2.83891210117e-06
9.47985012814e-07
-3.24970243177e-06
9.2851280633e-07
-3.50544011002e-06
1.18262681996e-06
-4.33709944267e-07
1.59306357321e-05
1.32861125155e-06
3.4398655596e-05
1.36861936478e-06
4.95045548449e-05
8.86783096738e-07
3.69465052905e-05
1.09278119792e-06
1.88052710065e-05
-3.32836794487e-06
8.70827310534e-06
-2.53910529545e-06
1.8896917455e-07
-2.3908490005e-06
3.37231182836e-07
-2.25495380138e-06
3.45532792284e-07
-2.1330978088e-06
6.1298359331e-07
-2.29505656985e-06
1.39832181675e-06
-2.79365685615e-06
2.23520632932e-06
-3.16369181433e-06
2.34564276326e-06
-3.44425193737e-06
2.32390303587e-06
-3.71189202611e-06
2.31171435568e-06
-4.01605621838e-06
2.34167918055e-06
-4.33374773993e-06
2.40750803646e-06
-4.62720879723e-06
2.46917220061e-06
-4.87441622811e-06
2.45153948653e-06
-5.09851132348e-06
2.39617173656e-06
-5.33643044245e-06
2.39066940038e-06
-5.60424829473e-06
2.4633197342e-06
-5.90241374638e-06
2.78272693614e-06
-6.2278740617e-06
3.13727989375e-06
-6.57444397552e-06
3.52856514935e-06
-6.90948965945e-06
3.92538539769e-06
-7.16573879714e-06
4.28786330976e-06
-7.22477030378e-06
4.55657287286e-06
-6.90695247762e-06
4.66739089711e-06
-5.79484101732e-06
5.42089507788e-06
2.69249916046e-05
0.000313255022009
2.78648038771e-05
-4.43661368319e-06
2.30871395057e-05
-0.000782417933417
1.18906898385e-05
-0.000750296274303
1.30489651394e-05
-0.000508662432015
1.73328977215e-05
-0.000528974180137
2.13618608884e-05
-0.000533454085121
2.68329754003e-05
-0.000569801898746
3.17479714838e-05
-0.00059378445602
3.67799716537e-05
-0.000611099846816
4.16723835475e-05
-0.000622041060761
4.64955483542e-05
-0.000625567070283
5.12688211232e-05
-0.000624460425275
5.59775659774e-05
-0.000618362845382
6.05983274409e-05
-0.00060824055496
6.50379978675e-05
-0.000593772662717
6.92018566391e-05
-0.000574850264702
7.30304883771e-05
-0.000551263161513
7.6669514374e-05
-0.000523489388731
8.07771790035e-05
-0.000493481371569
8.72164211588e-05
-0.000465950626392
9.90748619429e-05
-0.000448628655302
0.000115767424491
-0.000448000090182
0.000121414113026
-0.000453357356156
0.000128519996263
-0.000455141055427
-4.13480465862e-06
-3.1568323e-05
3.22732247555e-07
-8.88264165104e-06
1.65905364629e-06
-6.10597697852e-06
1.98598384814e-06
-4.73387799209e-06
2.03602016494e-06
-3.96538173832e-06
1.97636807789e-06
-3.42326127764e-06
1.8352904949e-06
-2.99502215049e-06
1.63643062185e-06
-2.8205668022e-06
1.42465988187e-06
-2.72578369632e-06
1.20912869072e-06
-2.66961689366e-06
9.93089196721e-07
-2.6399342081e-06
7.93132079073e-07
-2.64248882467e-06
6.13714476467e-07
-2.65191174408e-06
4.52539577005e-07
-2.67468389938e-06
2.99776703311e-07
-2.69185706588e-06
1.49876105579e-07
-2.70617604741e-06
-2.658405638e-06
9.10798020381e-07
2.3932896565e-07
4.26065543386e-06
1.05181477863e-05
3.73194525399e-06
2.05283590371e-05
-1.58361816433e-06
6.12072160726e-06
-2.49340048143e-06
1.77797545786e-06
-2.97080991888e-06
1.4251427478e-06
-3.40417210481e-06
1.36238068924e-06
-4.04418105008e-06
1.82456024271e-06
2.00443786076e-06
9.88087163537e-06
4.18673803489e-06
3.22179769682e-05
3.30658651269e-06
5.03852696079e-05
1.1878012671e-06
3.90669210483e-05
-4.8455799596e-07
2.04713164565e-05
-2.49796419514e-06
1.07185219854e-05
-2.39581504817e-06
8.77629867456e-08
-2.36934233054e-06
3.10413384419e-07
-2.15666145768e-06
1.32181214346e-07
-1.7768773006e-06
2.32640903761e-07
-1.81233433051e-06
1.4314078354e-06
-2.6203835392e-06
3.04188846209e-06
-2.99409375995e-06
2.71876376797e-06
-3.25801182075e-06
2.58760789373e-06
-3.50945805073e-06
2.562698843e-06
-3.80428829467e-06
2.63630319258e-06
-4.12233364537e-06
2.72480978802e-06
-4.42228282776e-06
2.76843400864e-06
-4.6730900282e-06
2.70145911079e-06
-4.88901514027e-06
2.61113016363e-06
-5.08160939372e-06
2.5821764175e-06
-5.30291324543e-06
2.68332418875e-06
-5.54837918976e-06
3.02674937234e-06
-5.84155286497e-06
3.42886598889e-06
-6.18410292517e-06
3.86994610138e-06
-6.55586349116e-06
4.29654694301e-06
-6.90651575122e-06
4.6375200723e-06
-7.12746647123e-06
4.77446983329e-06
-7.01457649909e-06
4.5539569061e-06
-6.05145707727e-06
4.40155503815e-06
2.92582102184e-05
0.000277841082213
2.97602341182e-05
-4.94435204669e-06
2.5467660669e-05
-0.000778134051216
1.54415625155e-05
-0.000740278030006
1.59901404456e-05
-0.000509218364254
1.92461560926e-05
-0.00053223669209
2.2349813567e-05
-0.00053656351189
2.68541291702e-05
-0.000574311230588
3.07644062884e-05
-0.000597699069473
3.49422728209e-05
-0.000615281495711
3.90143287982e-05
-0.000626116393383
4.31543183212e-05
-0.000629709949753
4.73556272744e-05
-0.000628664288079
5.16640127957e-05
-0.000622673490834
5.60602481239e-05
-0.000612638802303
6.05076714324e-05
-0.000598221859697
6.49400225183e-05
-0.000579284196438
6.93704273519e-05
-0.000555695005019
7.40228234158e-05
-0.000528143120786
7.95546878304e-05
-0.000499014567417
8.7423687348e-05
-0.000473820782509
0.000100695647734
-0.000461901465982
0.000119363208894
-0.000466669136122
0.000114443614281
-0.000448437738595
3.97716429435e-05
-0.000380475140233
9.17747930976e-06
-9.74525215566e-07
4.7392099015e-06
-4.4446463357e-06
3.32178792183e-06
-4.68881581347e-06
2.8444789997e-06
-4.2568404253e-06
2.60518152767e-06
-3.72635726171e-06
2.41868109463e-06
-3.23703100956e-06
2.23352219391e-06
-2.81012868326e-06
1.97760497268e-06
-2.56492074827e-06
1.71551215768e-06
-2.46396667516e-06
1.45602632134e-06
-2.41041014609e-06
1.20437839697e-06
-2.38856445633e-06
9.65158018516e-07
-2.40354766055e-06
7.41651684283e-07
-2.42866635363e-06
5.38039559463e-07
-2.47130008882e-06
3.57392775353e-07
-2.51159461653e-06
1.70482681895e-07
-2.51932930919e-06
-2.48814109737e-06
9.70581969594e-08
1.39154552597e-07
5.58617432016e-06
5.02201807179e-06
3.68100218704e-06
2.2425768425e-05
-4.40023957603e-06
1.41928484467e-05
-3.32342291158e-06
7.00525860468e-07
-2.89586051048e-06
9.97423252359e-07
-2.66484366513e-06
1.13079049888e-06
-2.11910489922e-06
1.27847249569e-06
5.15358715907e-06
2.60972106243e-06
6.61910783525e-06
3.0754291301e-05
5.20122351363e-06
5.18043132414e-05
2.06250340715e-06
4.22032399721e-05
3.26306116545e-08
2.25012476274e-05
-1.86246650491e-06
1.26153674887e-05
-2.25942367315e-06
4.82283338879e-07
-2.44644226163e-06
4.973225967e-07
-2.21813319251e-06
-9.54824338924e-08
-1.85576245282e-06
-1.30750763099e-07
-7.01579110494e-07
2.77477608184e-07
-2.73081592854e-06
5.0710450191e-06
-2.75370848534e-06
2.74133438205e-06
-2.91441989594e-06
2.74798074775e-06
-3.17716550462e-06
2.82552104105e-06
-3.55108585848e-06
3.0096729763e-06
-3.93863222651e-06
3.11233063429e-06
-4.26973589062e-06
3.09904941772e-06
-4.53099844244e-06
2.96227472565e-06
-4.69800925639e-06
2.77729208066e-06
-4.80196658126e-06
2.68519445427e-06
-4.9694172142e-06
2.84973512958e-06
-5.14413254941e-06
3.20027382287e-06
-5.40847798981e-06
3.69212279804e-06
-5.76889483662e-06
4.22962169291e-06
-6.2330502448e-06
4.76024062998e-06
-6.79504239643e-06
5.19852224623e-06
-7.40229280383e-06
5.38099492084e-06
-7.92141862991e-06
5.06806829722e-06
-7.97250565226e-06
4.41806604753e-06
3.63686038812e-05
0.000233325150105
3.52487198415e-05
-3.82848158594e-06
2.84003806831e-05
-0.000771295420877
1.88236516937e-05
-0.000730708745717
1.86554324192e-05
-0.000509056027547
2.0650407471e-05
-0.00053423680334
2.31007039361e-05
-0.000539018165707
2.64422931619e-05
-0.000577656611245
2.9483018896e-05
-0.000600743142467
3.26529575951e-05
-0.000618454343862
3.58998071965e-05
-0.000629365902699
3.92247442975e-05
-0.000633037241333
4.27981698948e-05
-0.000632239894304
4.65918283909e-05
-0.000626469088335
5.07104824224e-05
-0.000616759251137
5.51247591475e-05
-0.000602637711072
5.99049782008e-05
-0.000584065898369
6.51435484846e-05
-0.000560934873785
7.13064061294e-05
-0.000534307321951
7.93938259623e-05
-0.000507103236467
9.10887797282e-05
-0.000485516850326
0.000110085080547
-0.000480898119811
0.000149590901323
-0.000506175446631
0.000209497288325
-0.000508349740327
1.1279290665e-06
-0.000172112251391
3.78776466284e-06
-3.63489650858e-06
3.82055085854e-06
-4.47779995965e-06
3.59508515917e-06
-4.46364346825e-06
3.3359108997e-06
-3.9979555829e-06
3.08705921743e-06
-3.47778003956e-06
2.84912565529e-06
-2.99937455917e-06
2.62466407876e-06
-2.5859251996e-06
2.3295146818e-06
-2.27003265734e-06
2.02895312748e-06
-2.16367184206e-06
1.72944991859e-06
-2.11118883426e-06
1.43536524841e-06
-2.09476558031e-06
1.15023339583e-06
-2.11870612687e-06
8.83994683528e-07
-2.16270782176e-06
6.33793453004e-07
-2.22137652068e-06
4.23198640117e-07
-2.3011369936e-06
2.01364243017e-07
-2.29795669512e-06
-2.28686392143e-06
-4.58371920327e-07
5.97160100121e-07
2.88346030632e-06
1.67771712038e-06
1.152676641e-06
2.41471555997e-05
-2.47317521185e-06
1.78117299934e-05
-2.29155448184e-06
5.18378092643e-07
-1.9372864071e-06
6.42647349086e-07
-1.72008209468e-06
9.13313551038e-07
-1.50854924449e-06
1.06752611852e-06
9.31059924325e-08
1.00882254965e-06
7.05283892459e-06
2.37979513593e-05
7.3545828756e-06
5.15037187791e-05
3.8394651443e-06
4.57200102258e-05
1.60824186127e-06
2.47315148299e-05
-5.00909717753e-07
1.47125794985e-05
-2.33483646736e-06
2.31165351608e-06
-2.70857267453e-06
8.71117941201e-07
-2.11447389178e-06
-6.89457734689e-07
-1.26153516778e-06
-9.82033312694e-07
1.05046149632e-06
-2.03001593503e-06
5.28094998045e-06
8.38081736609e-07
-1.54690510237e-06
9.56897194161e-06
-2.45760785228e-06
3.65852871691e-06
-2.78911683405e-06
3.15659074893e-06
-3.29254384135e-06
3.51364086832e-06
-3.76879039216e-06
3.58870264125e-06
-4.1728522887e-06
3.50355676879e-06
-4.47576378187e-06
3.26473984097e-06
-4.60307995458e-06
2.90417160844e-06
-4.55958616017e-06
2.64100489177e-06
-4.54807033214e-06
2.83753487383e-06
-4.65489408362e-06
3.30642114388e-06
-4.8789591044e-06
3.91566456456e-06
-5.25217182946e-06
4.60280508899e-06
-5.81926855804e-06
5.32759682168e-06
-6.64667142068e-06
6.02534909977e-06
-7.76884417482e-06
6.49914767918e-06
-9.10303983221e-06
6.40092510351e-06
-9.7291355015e-06
4.98248528731e-06
4.75330307471e-05
0.000175993979865
4.42136238004e-05
-5.13696945505e-07
3.44518924992e-05
-0.000761541070795
2.33264894706e-05
-0.000719588666341
2.05170529921e-05
-0.00050625096242
2.14442072958e-05
-0.000535167297419
2.25646128624e-05
-0.000540141409893
2.52831092994e-05
-0.000580377603483
2.72623467193e-05
-0.000602724580971
2.9725548834e-05
-0.000620919680001
3.20589957363e-05
-0.000631701252381
3.46913447501e-05
-0.000635671481827
3.75538321633e-05
-0.000635104062966
4.08464688449e-05
-0.000629763396845
4.45807494157e-05
-0.000620494979664
4.88942064545e-05
-0.00060695261269
5.38516090339e-05
-0.000589024523222
5.97134706136e-05
-0.000566798038794
6.704769836e-05
-0.000541642725887
7.76333590288e-05
-0.000517690088096
9.42881933238e-05
-0.000502172477646
0.000115195637518
-0.000501806112393
0.000123580405634
-0.000514562062472
0.000132341083206
-0.000517115068788
-5.34244290226e-06
-3.44295192463e-05
1.60764319823e-06
-1.05856187817e-05
3.67794277358e-06
-6.54847609226e-06
3.99135177896e-06
-4.77737327156e-06
3.8367784768e-06
-3.84365872263e-06
3.5608351787e-06
-3.20212626127e-06
3.26627128223e-06
-2.70506902132e-06
2.98250447496e-06
-2.30241779963e-06
2.67433682845e-06
-1.96210212129e-06
2.3527072558e-06
-1.84230584832e-06
2.02352802232e-06
-1.7822776769e-06
1.69310477923e-06
-1.76463373651e-06
1.36547565529e-06
-1.79137235345e-06
1.05384400265e-06
-1.85137321786e-06
7.59565249408e-07
-1.9273617099e-06
5.03038448894e-07
-2.04500558439e-06
2.5762631932e-07
-2.05270221405e-06
-2.02943868611e-06
-4.73067051265e-07
1.06947499704e-06
-4.20375366595e-07
1.6224867114e-06
-1.64965272758e-06
2.53693175818e-05
-1.78730984912e-06
1.79407605268e-05
-1.5815336195e-06
3.12159462894e-07
-1.53410132987e-06
5.94919837405e-07
-1.62808939017e-06
1.00724425587e-06
-1.85280156891e-06
1.29209936565e-06
-2.15294182233e-06
1.31097892589e-06
9.08943889194e-06
1.25588643967e-05
1.04264180167e-05
5.01705444933e-05
6.91440246303e-06
4.9232202633e-05
4.61734989256e-06
2.70245442782e-05
-1.36126489713e-08
1.93376747954e-05
-5.96865236759e-06
8.26180494705e-06
-3.49475101631e-06
-1.60297867184e-06
-1.7630903685e-06
-2.41941223586e-06
5.99630734941e-06
-8.73224455979e-06
2.05506558168e-05
-1.65795002193e-05
2.21995455791e-05
-8.07870004256e-07
9.59375793355e-06
2.21742521579e-05
-4.92714375824e-07
1.37436651716e-05
-2.01507211516e-06
4.67924592155e-06
-2.96236711246e-06
4.46128934275e-06
-3.6566176634e-06
4.28404181194e-06
-4.19607288172e-06
4.04324248104e-06
-4.62147720585e-06
3.69006310887e-06
-4.75013207923e-06
3.032379305e-06
-4.42039191858e-06
2.31090117699e-06
-4.11442688515e-06
2.53140547247e-06
-4.08819631967e-06
3.28019889197e-06
-4.20176011795e-06
4.0296845594e-06
-4.53950690636e-06
4.94155945696e-06
-5.15731753518e-06
5.94652896801e-06
-6.25580997723e-06
7.12360932931e-06
-8.17625460917e-06
8.41830720836e-06
-1.17042797234e-05
9.92678888212e-06
-2.19295983459e-05
1.52030144069e-05
9.08940666131e-05
6.3154538308e-05
6.27765447514e-05
2.76041986918e-05
3.68444330839e-05
-0.000735610358608
2.47963881569e-05
-0.00070754237732
2.22461942731e-05
-0.000503702221582
2.11103290846e-05
-0.000534032741386
2.37239521893e-05
-0.000542756301645
2.40278830714e-05
-0.00058068275205
2.60039836778e-05
-0.000604702031448
2.65001952023e-05
-0.00062141721336
2.81890487073e-05
-0.000633391511216
2.93264099634e-05
-0.000636810231917
3.14568079909e-05
-0.000637235841018
3.36749761006e-05
-0.000631982909529
3.68984235361e-05
-0.000623719699905
4.07442338305e-05
-0.000610799642983
4.60240737297e-05
-0.000594305524702
5.29273325552e-05
-0.000573702469009
6.28071203556e-05
-0.000551523715921
7.66228278264e-05
-0.000531507010748
9.69664974297e-05
-0.000522516611802
0.000118865227927
-0.000523706169597
0.000116935243321
-0.000512635721597
4.52886421413e-05
-0.000445475088587
1.33549948353e-05
-2.49665980796e-06
7.74221801902e-06
-4.97310605462e-06
5.86135221294e-06
-4.66787625745e-06
5.05102616474e-06
-3.9673449644e-06
4.51376360267e-06
-3.30668636238e-06
4.06930936585e-06
-2.75795818551e-06
3.67563770898e-06
-2.31166038846e-06
3.31923958807e-06
-1.94626809987e-06
2.99749738784e-06
-1.64058790791e-06
2.65566550392e-06
-1.50071402274e-06
2.30787363673e-06
-1.43474124321e-06
1.96114082048e-06
-1.41818235612e-06
1.60687654061e-06
-1.43740625344e-06
1.25166521837e-06
-1.49646692624e-06
9.16741087661e-07
-1.59274407546e-06
6.09502095444e-07
-1.73797397149e-06
3.24476127865e-07
-1.7681043154e-06
-1.70508655885e-06
-1.03723636952e-07
1.16973278738e-06
-5.28959642683e-06
6.80220612095e-06
-3.82778642824e-06
2.3895458648e-05
-1.41111022664e-06
1.55157934905e-05
-1.06299979593e-06
-3.64043970186e-08
-1.08726611602e-06
6.18727025293e-07
-1.28255298531e-06
1.20218535341e-06
-1.78436379026e-06
1.79401990074e-06
-2.78832907731e-06
2.3152051589e-06
5.35679838551e-06
4.41618645517e-06
1.16786358391e-05
4.38526634242e-05
9.57707660094e-06
5.13366621018e-05
9.31795236877e-06
2.72857359071e-05
9.37192408337e-06
1.9284678843e-05
-2.9804775994e-06
2.06156398675e-05
-3.59961092384e-06
-9.82483803162e-07
1.7864167058e-05
-2.38767509569e-05
2.82130900987e-05
-1.90774980077e-05
3.63139502559e-05
-2.46767044784e-05
4.16275805428e-05
-6.11995457478e-06
2.25852782135e-05
4.12171518354e-05
1.10778979886e-05
2.52522236369e-05
-1.51917042822e-07
1.59091918901e-05
-3.750251062e-06
8.06038079567e-06
-3.897689837e-06
4.4318078362e-06
-4.39033593661e-06
4.53572086569e-06
-5.03470853492e-06
4.3341959245e-06
-5.31701896795e-06
3.31466814192e-06
-4.47641971107e-06
1.47053563312e-06
-3.63265964059e-06
1.68843871271e-06
-3.31614844049e-06
2.96513117765e-06
-3.27335593868e-06
3.98903801376e-06
-3.54201027855e-06
5.21307022496e-06
-3.98018947202e-06
6.38808232482e-06
-4.91971823563e-06
8.06548415336e-06
-6.36086368108e-06
9.86206602254e-06
-8.4304827482e-06
1.20063228042e-05
-1.01157129462e-05
1.68944247831e-05
2.25805351591e-05
3.0467508304e-05
4.18654484151e-05
8.32426851824e-06
5.0719606084e-05
-0.000744459340908
3.14687733389e-05
-0.000688288593814
1.80152521551e-05
-0.000490246681928
2.09651735859e-05
-0.000536981462946
1.84102551832e-05
-0.000540200661806
2.14090971658e-05
-0.00058368142121
2.08236009432e-05
-0.000604116716867
2.22408443761e-05
-0.000622834909768
2.23922916458e-05
-0.000633543721739
2.35988723747e-05
-0.000638017591187
2.46083083794e-05
-0.000638246331868
2.65861234987e-05
-0.000633961624051
2.89558799012e-05
-0.00062609058789
3.25072434359e-05
-0.000614351904721
3.70770233671e-05
-0.00059887643676
4.34497745655e-05
-0.000580076275343
5.21896029177e-05
-0.000560264783351
6.50967941029e-05
-0.000544415057235
9.12385377893e-05
-0.000548659890033
0.000156176585063
-0.000588645229355
0.000257240796395
-0.000613705194709
9.87210376631e-06
-0.000198113048281
8.64362591852e-06
-1.26818371395e-06
7.35005620228e-06
-3.67968119442e-06
6.41859847073e-06
-3.73655261989e-06
5.68331894732e-06
-3.2322757364e-06
5.06035364897e-06
-2.68403330791e-06
4.51843173711e-06
-2.21630369939e-06
4.04449699375e-06
-1.8380146434e-06
3.63066006061e-06
-1.53266131624e-06
3.2749026699e-06
-1.28506861087e-06
2.91510232804e-06
-1.14112905572e-06
2.56241679729e-06
-1.08231256837e-06
2.20568126956e-06
-1.06171133644e-06
1.84520618413e-06
-1.07723328454e-06
1.48011367558e-06
-1.1316797262e-06
1.1083331222e-06
-1.22126128292e-06
7.17462549217e-07
-1.34749261146e-06
3.22573094116e-07
-1.37346867633e-06
-1.38271725482e-06
-9.80900727574e-07
2.14108117748e-06
-7.78357725544e-06
1.35881803276e-05
-3.73934441163e-06
1.98405750505e-05
-3.22759806925e-07
1.20947319993e-05
-2.9926079514e-07
-6.04005151558e-08
-3.93733339543e-07
7.13406076371e-07
-5.91127400595e-07
1.3992959784e-06
-1.0863617275e-06
2.28957003616e-06
-2.17208879481e-06
3.40130086329e-06
-3.08503311478e-06
5.33084969748e-06
7.77390146755e-06
3.29966589647e-05
1.0419193686e-05
4.86946256461e-05
1.49788924725e-05
2.2728768791e-05
1.6826639263e-05
1.74434947238e-05
1.65808982513e-05
2.08686817425e-05
-1.41463450161e-05
2.97463009133e-05
-7.45853710919e-06
-3.0565660046e-05
2.85990759456e-07
-2.68220967299e-05
1.05625839933e-05
-3.49549310408e-05
2.84717017328e-05
-2.40254704703e-05
7.93683012209e-06
6.17559341154e-05
2.59627723415e-06
3.0593078102e-05
6.55264052939e-06
1.19534193743e-05
1.0372443899e-05
4.23945695756e-06
-2.25932957017e-06
1.70626248648e-05
-5.55084113477e-06
7.82602937148e-06
-6.99291599486e-06
5.77630043915e-06
-7.52129910933e-06
3.8420792507e-06
-4.88615535363e-06
-1.16385676137e-06
-3.16310439165e-06
-3.34272741905e-08
-2.5849437638e-06
2.38973532291e-06
-2.103127183e-06
3.51025881041e-06
-2.1213808162e-06
5.23524636974e-06
-2.34253427127e-06
6.61300753551e-06
-3.06563784138e-06
8.79241470492e-06
-3.82085111871e-06
1.06237547602e-05
-2.78951787085e-06
1.09824295912e-05
1.72901195829e-06
1.23837964431e-05
8.31475613508e-06
2.3888435035e-05
1.48102960904e-05
1.8346303374e-06
1.35744403882e-05
-0.000743215554267
5.7169037144e-06
-0.000680424685676
1.34398718861e-05
-0.000497964900172
2.36055856008e-05
-0.000547143836144
2.33602568076e-05
-0.000539953159008
2.58471286917e-05
-0.000586166921643
2.19421122075e-05
-0.000600210949222
2.15236721467e-05
-0.000622416190577
1.81782968801e-05
-0.000630198356097
1.75548914449e-05
-0.000637394526878
1.58620088873e-05
-0.000636553890949
1.61035351905e-05
-0.000634203820809
1.63170774288e-05
-0.000626304789866
1.85283100691e-05
-0.000616563958902
2.24206970891e-05
-0.000602769697715
3.05351082153e-05
-0.000588191749788
4.62987055326e-05
-0.000576029526749
7.54415648949e-05
-0.000573559368358
0.000113897497695
-0.000587116565425
0.000123527145695
-0.000598277454324
0.000144428770175
-0.000634609353828
-8.01902011169e-07
-5.2882521183e-05
4.68639302596e-06
-6.75665420884e-06
6.92507566089e-06
-5.91822621038e-06
6.81624518651e-06
-3.62777533899e-06
6.20481118952e-06
-2.62111096093e-06
5.52465217384e-06
-2.00418968337e-06
4.89887234057e-06
-1.59085364361e-06
4.35247825722e-06
-1.29191003469e-06
3.8836411659e-06
-1.0640941547e-06
3.48443310716e-06
-8.86092560329e-07
3.11535706735e-06
-7.72285584434e-07
2.7630170372e-06
-7.3021544371e-07
2.40869308046e-06
-7.07660862583e-07
2.04320143748e-06
-7.12036561049e-07
1.65560561282e-06
-7.44392397062e-07
1.23585513614e-06
-8.01826989275e-07
7.70081799122e-07
-8.81991689876e-07
3.13716992433e-07
-9.17549181463e-07
-1.06926270082e-06
6.90395137117e-07
1.44407740525e-06
2.51159519725e-06
1.17562528652e-05
5.70544282112e-06
1.66433985446e-05
4.43485880719e-06
1.33596599301e-05
9.72480606186e-07
3.40313935126e-06
6.55067569884e-07
1.03105297225e-06
6.02471561166e-07
1.45334025212e-06
4.43211825706e-07
2.44886017156e-06
-4.40387431639e-07
4.28408928155e-06
-3.12991217479e-06
8.01917205907e-06
1.11252115636e-05
1.87413217206e-05
2.50912049424e-05
3.47279091176e-05
3.4794616073e-05
1.30306365079e-05
4.41277516642e-05
8.11566945233e-06
5.02297495593e-05
1.47689989712e-05
5.52799844904e-05
2.46958855253e-05
2.22693155587e-05
2.44261208492e-06
-1.92210448363e-06
-2.63854923017e-06
-2.40287854329e-06
-3.44753508107e-05
8.09016730866e-06
-3.45178106041e-05
-1.99698061626e-05
8.98154577592e-05
-5.9572705352e-06
1.65811288074e-05
3.74730239982e-06
2.24704026554e-06
1.49049054083e-06
6.49389124607e-06
4.91445932051e-06
1.36348187533e-05
-6.59672261261e-06
1.93349630141e-05
1.02691774629e-05
-1.10931640411e-05
-2.65713518076e-05
4.06842988109e-05
-2.92282840834e-06
-2.48126175071e-05
-1.61682716032e-07
-2.79176779479e-06
-6.81192124082e-09
2.23956978044e-06
5.89639917909e-07
2.92178345476e-06
8.68281105724e-07
4.96653735778e-06
5.73079164124e-07
6.92040522215e-06
-1.02351565394e-06
1.04004564777e-05
-3.19102105406e-06
1.28018357429e-05
-5.00443624507e-07
8.30151360894e-06
1.0344717266e-05
1.55712502957e-06
-7.72833150477e-06
4.19890373253e-05
-3.76351339239e-05
3.17468182919e-05
0.000181013626363
-0.000961854945319
2.76816734018e-05
-0.000527085055432
-3.52360100656e-05
-0.000435041583394
6.22191702848e-05
-0.000644595061836
-4.02351546117e-05
-0.000437496108893
4.73243786843e-05
-0.000673724670743
-1.86803811361e-05
-0.000534204940776
3.04819314102e-05
-0.000671577814935
-4.83314326546e-06
-0.000594882838054
2.06803117024e-05
-0.000662907956561
2.29760496542e-06
-0.000618171259289
1.6663387037e-05
-0.000648570011317
6.91430445256e-06
-0.000616556112761
1.70012594499e-05
-0.000626651614803
1.1720838862e-05
-0.00059749004545
2.14151736631e-05
-0.000597887208331
1.25302945049e-05
-0.000567145831262
1.72527122185e-05
-0.000578282862485
-1.65189514894e-05
-0.00055334652954
7.65971866069e-05
-0.000691395166457
0.000107330934984
-0.000665345379845
4.25730570277e-05
1.18750750752e-05
1.06770178198e-05
2.51386934572e-05
9.37355720554e-06
-4.61480016134e-06
7.97315639046e-06
-2.22756710423e-06
6.86515324696e-06
-1.51345478889e-06
5.95541566343e-06
-1.09480752477e-06
5.20563558603e-06
-8.41437339268e-07
4.5840426626e-06
-6.70627884513e-07
4.06523140905e-06
-5.45573134392e-07
3.6255053752e-06
-4.46609175067e-07
3.23804056502e-06
-3.85060063805e-07
2.87499875764e-06
-3.6741881138e-07
2.51887192292e-06
-3.51809590327e-07
2.15278454595e-06
-3.46243280253e-07
1.76793389659e-06
-3.59849419828e-07
1.35961845962e-06
-3.93807876369e-07
9.13549855448e-07
-4.36331078962e-07
4.44194450947e-07
-4.48707263476e-07
-6.254479901e-07
1.44317513341e-06
1.31986175422e-05
2.9838620606e-05
4.31999309016e-05
4.66037895833e-05
4.7637132777e-05
4.90908039674e-05
5.15382482551e-05
5.58200017315e-05
6.38376922025e-05
8.2576506357e-05
0.000117305726483
0.000130338916017
0.000138456945101
0.000153226607718
0.000177921401218
0.000180359130275
0.000177717914699
0.000143240953613
0.000108722708132
0.000198538353111
0.000215118913832
0.000217365056774
0.000223857256944
0.000237490443683
0.000256823332627
0.000245730255362
0.000286413891367
0.000261604246254
0.000258818587794
0.000261069561511
0.000264006625244
0.000268992661712
0.000275932265467
0.000286349787434
0.000299166989933
0.000307497461868
0.000309098992123
0.000351113062677
0.000382863451407
4.60129682572e-05
0.000143931263232
0.000333892087925
0.000314298707669
0.000501803737295
0.0004530798998
0.000543875472184
0.000497298045997
0.00052741534646
0.000489507480105
0.000496336097483
0.000472765968179
0.000481209557503
0.000479557625001
0.000507067051408
0.000534179277607
0.000592032861932
0.000638749381799
0.000710402417053
0.000644006088397
-2.13400951316e-05
-9.46582286533e-06
1.5672174926e-05
1.10572955114e-05
8.82956010817e-06
7.31592439231e-06
6.22092157774e-06
5.37931735955e-06
4.70853047061e-06
4.16282712701e-06
3.71609644893e-06
3.33092255208e-06
2.96337728134e-06
2.6114324112e-06
2.26504298546e-06
1.90504946661e-06
1.51107129587e-06
1.0745112634e-06
6.254479901e-07
)
;
boundaryField
{
frontAndBack
{
type empty;
value nonuniform 0();
}
upperWall
{
type calculated;
value uniform 0;
}
lowerWall
{
type calculated;
value uniform 0;
}
inlet
{
type calculated;
value nonuniform List<scalar>
20
(
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
-0.000625
)
;
}
outlet
{
type calculated;
value nonuniform List<scalar>
20
(
0.000254585860077
0.000519980782863
0.000646360383121
0.000718894899016
0.000761430909331
0.000783247202166
0.000787001348333
0.000777714820597
0.000763165663882
0.000745149601535
0.000724171877523
0.00070044176098
0.000674025783381
0.000644864200524
0.000612732071162
0.000577079840172
0.000537087343994
0.00049109337377
0.000441063602059
0.000339365900312
)
;
}
}
// ************************************************************************* //
| [
"[email protected]"
] | ||
43de86c2bcf35de8e0c3ae572eec4898a01ef08d | 1b070721e460125f4f4aab8649f3ca76dc48e1a7 | /website/node_modules/protagonist/drafter/src/refract/VisitorUtils.cc | 18231aa46c4ea3c6f535c645cefb6116bbfc8a95 | [
"MIT"
] | permissive | lewiskan/hackprojectorg | 1ae9e115febcbe2b2dabaac782e8940a45d149b0 | ac6e65103f4b15511668859abf76f757568d5d34 | refs/heads/gh-pages | 2020-05-29T17:06:13.073430 | 2016-09-12T22:01:07 | 2016-09-12T22:01:07 | 54,931,916 | 2 | 9 | null | 2016-09-12T21:53:16 | 2016-03-28T23:57:55 | HTML | UTF-8 | C++ | false | false | 1,693 | cc | //
// refract/VisitorUtils.cc
// librefract
//
// Created by Vilibald Wanča on 09/11/15.
// Copyright (c) 2015 Apiary Inc. All rights reserved.
//
#include "Element.h"
#include "Visitors.h"
#include "VisitorUtils.h"
namespace refract
{
StringElement* GetDescription(const IElement& e)
{
IElement::MemberElementCollection::const_iterator i = e.meta.find("description");
if (i == e.meta.end()) {
return NULL;
}
return TypeQueryVisitor::as<StringElement>((*i)->value.second);
}
void SetRenderFlag(RefractElements& elements, const IElement::renderFlags flag) {
std::for_each(elements.begin(), elements.end(),
std::bind2nd(std::mem_fun((void (refract::IElement::*)(const refract::IElement::renderFlags))&refract::IElement::renderType), flag));
}
std::string GetKeyAsString(const MemberElement& e)
{
IElement* element = e.value.first;
if (StringElement* str = TypeQueryVisitor::as<StringElement>(element)) {
return str->value;
}
if (ExtendElement* ext = TypeQueryVisitor::as<ExtendElement>(element)) {
IElement* merged = ext->merge();
if (StringElement* str = TypeQueryVisitor::as<StringElement>(merged)) {
std::string key = str->value;
if (key.empty()) {
const std::string* k = GetValue<StringElement>(*str);
if (k) {
key = *k;
}
}
delete merged;
return key;
}
delete merged;
}
return std::string();
}
}
| [
"[email protected]"
] | |
a03d55def2b6a57863e9365164b18fd830a31a24 | 88a587f03cfb7dbebc8879deadc79d1ef2752ac5 | /C++进制转换/源.cpp | 8b90ec6d3a02d90fd34b4946ae47537ac03f98a6 | [] | no_license | EricGao-Byte/My-CPP-Program | 9dd81624cd2d1a32903d77f075fa7acac870aafe | 734e3219b90944dd696db4339db318673afe26ab | refs/heads/master | 2022-11-28T12:28:16.712271 | 2020-08-10T04:03:16 | 2020-08-10T04:03:16 | 259,624,870 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 746 | cpp | //hex:16 oct:8 dec:10
#include <iostream>
#include <iomanip>
using namespace std;
int main()
{
//int a = 10, b = 20, c = 30, d = 40;
int a, b, c, d;
cin >> hex >> a;//按十六进制读取
cin >> oct >> b;//按八进制读取
cin >> c;//依然按照八进制读取
cin >> dec >> d;//按十进制读取
cout.setf(ios::scientific);
cout << a <<" "<< b <<" "<< c <<" "<< d << endl;//输出默认是十进制输出
//cout << hex << d << endl;
//cout << c;
//cin.ignore(n) :由输入起始位置跳过n个字符后读入
/* string a, b;
cin.ignore(3) >> a;
cin.ignore(3) >> b;
cout << a <<setw(10)<< b;*///包含于iomanip库中,控制格式输出,默认输出空格
//int c;
//cin.ignore(3) >> c;
//cout << c;
return 0;
} | [
"[email protected]"
] | |
c60d6bc122d211b972f62158d44f25f9510776f9 | 0008a76e151837b35645296649ccdbca772b464b | /DuiLib/Control/IDragDropImpl.h | 4f934874609395a1ddd4b1f3607c98bfaacb066e | [] | no_license | yuechuanbingzhi163/IMClient | 952add8364132f707dc3b413e780142c86926401 | 06197a859ca02fd01ba8429365be86f12dc0a879 | refs/heads/master | 2020-12-03T04:10:10.153459 | 2014-12-14T04:16:25 | 2014-12-14T04:16:25 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,088 | h | #ifndef __IDRAGDROP_H__
#define __IDRAGDROP_H__
#pragma once
// #include <ShlObj.h>
// #include <Shlwapi.h>
#include <algorithm>
namespace DuiLib
{
class CControlUI;
class UILIB_API IDragSourceImpl:public IDropSource
{
public:
IDragSourceImpl();
~IDragSourceImpl();
// Methods of IUnknown
IFACEMETHODIMP QueryInterface(REFIID riid, void **ppv);
IFACEMETHODIMP_(ULONG) AddRef(void);
IFACEMETHODIMP_(ULONG) Release(void);
// Methods of IDropSource
IFACEMETHODIMP QueryContinueDrag(BOOL fEscapePressed, DWORD grfKeyState);
IFACEMETHODIMP GiveFeedback(DWORD dwEffect);
private:
volatile LONG m_lRefCount; //!< The reference count
};
class IDragDropEvent
{
public:
virtual HRESULT DragEnter(IDataObject *pDataObj,DWORD grfKeyState,
POINTL pt,POINT ptClient,DWORD *pdwEffect) = 0;
virtual HRESULT DragOver(IDataObject *pDataObj,DWORD grfKeyState,
POINTL pt,POINT ptClient,DWORD *pdwEffect) = 0;
virtual HRESULT DragLeave(IDataObject *pDataObj) = 0;
virtual HRESULT Drop(IDataObject *pDataObj,DWORD grfKeyState,POINTL pt,
POINT ptClient,DWORD *pdwEffect) = 0;
};
class IDropTargetImpl:public IDropTarget
{
public:
typedef std::vector<CControlUI*> VT_UI;
IDropTargetImpl(HWND hParent);
~IDropTargetImpl();
void Register(CControlUI* pEvent);
HRESULT STDMETHODCALLTYPE DragEnter(IDataObject *pDataObj,DWORD grfKeyState,
POINTL pt,DWORD *pdwEffect);
HRESULT STDMETHODCALLTYPE DragOver(DWORD grfKeyState,POINTL pt,
DWORD *pdwEffect);
HRESULT STDMETHODCALLTYPE DragLeave(void);
HRESULT STDMETHODCALLTYPE Drop(IDataObject *pDataObj,DWORD grfKeyState,
POINTL pt,DWORD *pdwEffect);
CControlUI* IsOverUI( POINTL* pt,POINT *ptClient );
virtual HRESULT _stdcall QueryInterface(REFIID riid, void **ppvObject);
virtual ULONG _stdcall AddRef(void);
virtual ULONG _stdcall Release(void);
private:
IDataObject* m_pDataObj;
HWND m_hParent;
VT_UI m_vtUIs;
ULONG cRefs;
POINTL m_pt;
};
class CEnumFormatEtc : public IEnumFORMATETC
{
public:
//
// IUnknown members
//
HRESULT __stdcall QueryInterface (REFIID iid, void ** ppvObject);
ULONG __stdcall AddRef (void);
ULONG __stdcall Release (void);
//
// IEnumFormatEtc members
//
HRESULT __stdcall Next (ULONG celt, FORMATETC * rgelt, ULONG * pceltFetched);
HRESULT __stdcall Skip (ULONG celt);
HRESULT __stdcall Reset (void);
HRESULT __stdcall Clone (IEnumFORMATETC ** ppEnumFormatEtc);
//
// Construction / Destruction
//
CEnumFormatEtc(FORMATETC *pFormatEtc, int nNumFormats);
~CEnumFormatEtc();
private:
LONG m_lRefCount; // Reference count for this COM interface
ULONG m_nIndex; // current enumerator index
ULONG m_nNumFormats; // number of FORMATETC members
FORMATETC * m_pFormatEtc; // array of FORMATETC objects
};
class UILIB_API CDataObject: public IDataObject
{
//
// IUnknown members
//
public:
HRESULT __stdcall QueryInterface (REFIID iid, void ** ppvObject);
ULONG __stdcall AddRef (void);
ULONG __stdcall Release (void);
//
// IDataObject members
//
HRESULT __stdcall GetData (FORMATETC *pFormatEtc, STGMEDIUM *pMedium);
HRESULT __stdcall GetDataHere (FORMATETC *pFormatEtc, STGMEDIUM *pMedium);
HRESULT __stdcall QueryGetData (FORMATETC *pFormatEtc);
HRESULT __stdcall GetCanonicalFormatEtc (FORMATETC *pFormatEct, FORMATETC *pFormatEtcOut);
HRESULT __stdcall SetData (FORMATETC *pFormatEtc, STGMEDIUM *pMedium, BOOL fRelease);
HRESULT __stdcall EnumFormatEtc (DWORD dwDirection, IEnumFORMATETC **ppEnumFormatEtc);
HRESULT __stdcall DAdvise (FORMATETC *pFormatEtc, DWORD advf, IAdviseSink *pAdvSink, DWORD *pdwConnection);
HRESULT __stdcall DUnadvise (DWORD dwConnection);
HRESULT __stdcall EnumDAdvise (IEnumSTATDATA **ppEnumAdvise);
//
// Constructor / Destructor
//
CDataObject(FORMATETC *fmt, STGMEDIUM *stgmed, int count);
~CDataObject();
private:
int LookupFormatEtc(FORMATETC *pFormatEtc);
//
// any private members and functions
//
LONG m_lRefCount;
FORMATETC *m_pFormatEtc;
STGMEDIUM *m_pStgMedium;
LONG m_nNumFormats;
};
class UILIB_API CDropSource : public IDropSource
{
public:
//
// IUnknown members
//
HRESULT __stdcall QueryInterface (REFIID iid, void ** ppvObject);
ULONG __stdcall AddRef (void);
ULONG __stdcall Release (void);
//
// IDropSource members
//
HRESULT __stdcall QueryContinueDrag (BOOL fEscapePressed, DWORD grfKeyState);
HRESULT __stdcall GiveFeedback (DWORD dwEffect);
//
// Constructor / Destructor
//
CDropSource();
~CDropSource();
private:
//
// private members and functions
//
LONG m_lRefCount;
};
HRESULT CreateEnumFormatEtc(UINT nNumFormats, FORMATETC *pFormatEtc, IEnumFORMATETC **ppEnumFormatEtc);
extern"C" UILIB_API HRESULT CreateDropSource(IDropSource **ppDropSource);
extern"C" UILIB_API HRESULT CreateDataObject(FORMATETC *fmtetc, STGMEDIUM *stgmeds, UINT count, IDataObject **ppDataObject);
}
#endif | [
"[email protected]"
] | |
73eff2890cb1658de53761b676ebd6506b524467 | 93c7632c89da5f57150563791ac0a690c748dc43 | /Algo/Woordspelletje/woordspelLandoJaron/Woordspelletje.cpp | c3788f7790739b0af40a90a88fadf420d4f57935 | [] | no_license | PMeulemeester/Masterjaar | 5ad3a2a96a53381241a7d8b680f95da3cf95432b | c82e867ed0fba69f3d7d1353507bf303881c562c | refs/heads/master | 2021-01-02T08:52:48.794291 | 2014-12-17T20:01:32 | 2014-12-17T20:01:32 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 745 | cpp | #include <iostream>
#include "graaf.h"
using namespace std;
int main() {
cout<<"Geef een woord: "<<endl;
string woord;
cin>>woord;
Graaf<GERICHT> graaf;
graaf.voegKnoopToe();
graaf.voegKnoopToe();
graaf.voegKnoopToe();
graaf.voegKnoopToe();
graaf.voegKnoopToe();
graaf.voegVerbindingToe(0,2);
graaf.voegVerbindingToe(0,4);
graaf.voegVerbindingToe(1,2);
graaf.voegVerbindingToe(3,2);
cout<<graaf;
Graaf<GERICHT> omgekeerde;
omgekeerde = graaf.keerOm();
cout<<omgekeerde.aantalKnopen();
cout<<omgekeerde;
cout << endl << endl;
graaf.samenhangZoeken();
cin>>woord;
/*for(int i=0;i<graaf.componentNummers.size();i++){
cout << graaf.componentNummers[i]<<" ";
}*/
return 0;
}
| [
"[email protected]"
] | |
e638824bf4e96de95816737825d61deea4a212ae | 09d50e820c24d1eb37efcfc03447de3c3fc0b090 | /Graphic Files/myconsole.cpp | a2259fe9f3944bcf7e1f252ed3880cdf468c9d53 | [] | no_license | HasanAhmedDev/Snakes-And-Ladders | 62ffa220d86b987d13b7767e8c66277dba185009 | d30fa6afd7d8b8befac28085664710f87c6ae123 | refs/heads/master | 2022-12-10T12:14:47.754511 | 2020-09-08T15:37:29 | 2020-09-08T15:37:29 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,772 | cpp |
#include <windows.h>
#include <iostream>
#include <fstream>
#include <stdio.h>
#include <stdlib.h>
#include <conio.h>
using namespace std;
#include "myconsole.h"
//this function outputs a string str at position (x,y) of the screen
void OutputString(int x,int y,char *str)
{
COORD c;
c.X = x;
c.Y = y;
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
SetConsoleCursorPosition(h,c);
cout << str;
cout.flush();
}
//this function will clear the screen
void ClearScreen()
{
CONSOLE_SCREEN_BUFFER_INFO info;
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
GetConsoleScreenBufferInfo(h,&info);
system("cls");
SetConsoleCursorPosition(h,info.dwCursorPosition);
}
//alternative to ClearScreen for Windows7 platform
/*void ClearScreen1()
{
PlaceCursor(0,0);
cout << string(10000, ' ');
cout.flush();
PlaceCursor(0,0);
}*/
//this function will place the cursor at a certain position on the screen
void PlaceCursor(int x,int y)
{
COORD c;
c.X = x;
c.Y = y;
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
SetConsoleCursorPosition(h,c);
}
//this function checks if a key is pressed and if a key is pressed
//then it returns the ascii code of the key pressed
//the parameter waitTime specifies how long we have to wait for an input
//the default value is 20 millisecond. If within the wait time no key is pressed
//the function returns zero.
int CheckKeyPressed(int waitTime)
{
HANDLE h= GetStdHandle(STD_INPUT_HANDLE);
INPUT_RECORD r;
DWORD w = 1;
DWORD eventss;
DWORD waitResult=0;
int keypressed = false;
int toReturn = 0;
waitResult = WaitForSingleObject(h,waitTime);
if (waitResult == WAIT_OBJECT_0)
{
//FlushConsoleInputBuffer(h);..commented out as this takes to asynchronous mode on some systems
keypressed = ReadConsoleInput(h,&r,1,&eventss);
if (keypressed && r.EventType==KEY_EVENT && r.Event.KeyEvent.bKeyDown)
toReturn = r.Event.KeyEvent.wVirtualKeyCode;
//this should make sure that checkKeyPressed is not called twice for arrow keys
if (toReturn == 224)
toReturn = CheckKeyPressed(waitTime);
FlushConsoleInputBuffer(h);
}
return toReturn;
}
//check if a key is pressed uing kbhit of conio.h
//readconsoleinput does not work properly on some systems.
int CheckKeyPressed1()
{
int a=0;
if (_kbhit())
{ a = _getch();
//if (a==224) //arrow key
return CheckKeyPressed1();
}
return a;
}
void GetMaxWindowSize(int &maxHorizontal,int &maxVertical)
{
COORD c;
// c.X = x;
// c.Y = y;
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
c = GetLargestConsoleWindowSize(h);
}
//set the title of the window
void SetWindowTitle(char Title[])
{
SetConsoleTitle(Title);
}
void GetMaxWindowCoordinates(int &x,int &y)
{
CONSOLE_SCREEN_BUFFER_INFO info;
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
GetConsoleScreenBufferInfo(h,&info);
x = info.srWindow.Right;
y = info.srWindow.Bottom;
}
//won't set for more than a certain height and certain width, depending
//upon your system
void SetWindowSize(int width,int height)
{
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
bool bAbs = true;
SMALL_RECT r;
r.Left = 0;
r.Top = 0;
r.Right = width;
r.Bottom = height;
SetConsoleWindowInfo(h,bAbs,&r);
}
//changes the color of a certain co-ordinate
//color can be BACKGROUND_GREEN, BACKGROUND_BLUE,BACKGROUND_RED or a combination of these using | operator
bool SetColorAtPoint(int x,int y,int color)
{
COORD c,size;
c.X = x;
c.Y = y;
size.X = 1;
size.Y = 1;
HANDLE h = GetStdHandle(STD_OUTPUT_HANDLE);
WORD w = color;
unsigned long written = 0;
WriteConsoleOutputAttribute(h,&w,1,c,&written);
if (written)
return true;
return false;
}
| [
"[email protected]"
] | |
eefcf63a840eaa080a6d11d8954d09d780f693b1 | 385e4002b9ea6917acf33be9985a4bdd29964a52 | /20-GameOf2048/Game-of-2048/main.cpp | e54c5268afce9d94ebe8d9aa0a4be6b2e2247cef | [] | no_license | ris3456/Launchpad_9June | c6dc1d98aff1112160d5965919959334b8792d07 | 636a279e46fdc60cf41658b1dab6a984b4531d65 | refs/heads/master | 2021-09-19T16:09:49.092663 | 2018-07-29T10:21:45 | 2018-07-29T10:21:45 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 347 | cpp | //#include "mainwindow.h"
#include <QApplication>
#include <iostream>
#include "main_charBased.h"
int main(int argc, char *argv[])
{
// QApplication a(argc, argv);
// MainWindow w;
// w.show();
freopen("in.txt", "r", stdin);
int status = mainForCharBased();
return status;
// return a.exec();
}
| [
"[email protected]"
] | |
5569fbccf40cfb7b87d3e046687cfcd3609272fa | d44513cda82fe4f17c54c97323b48d4d57af812c | /PyGetMemoryValues.cc | ac2bad619d8ce31d5a38532e41a2036f2cc4db71 | [] | no_license | NRauschmayr/MemoryMonitor | c5ad4cb6f503c45726ff940deee6f43de52c7573 | 385d9df19f94422038e42957bed2bac5c19ecae8 | refs/heads/master | 2021-06-17T16:59:10.538709 | 2017-02-13T03:25:48 | 2017-02-13T03:25:48 | 81,780,669 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 748 | cc | #include <Python.h>
#include "MemoryMonitor.h"
static PyObject* GetMemoryValues(PyObject* self, PyObject* arg)
{
long mpid = PyLong_AsLong(arg);
bool verbose=false;
unsigned long array[4] = {0,0,0,0};
ReadSmaps(mpid, array);
PyObject* tuple = PyTuple_New(4);
PyTuple_SetItem(tuple, 0, PyInt_FromLong(array[0]));
PyTuple_SetItem(tuple, 1, PyInt_FromLong(array[1]));
PyTuple_SetItem(tuple, 2, PyInt_FromLong(array[2]));
PyTuple_SetItem(tuple, 3, PyInt_FromLong(array[3]));
return tuple;
}
static PyMethodDef methods[]= {{(char *)"GetMemoryValues", (PyCFunction)GetMemoryValues, METH_O, NULL},{ NULL, NULL, 0, NULL }};
PyMODINIT_FUNC initPyMemoryMonitor(void) { Py_InitModule("PyMemoryMonitor", methods); }
| [
"[email protected]"
] | |
28e339ff31ada5af2b458ebf547032ec1ed2858c | 45322d370b230403b9f7829c2853408bc0a6ad58 | /Plots/FullMvaToolkit/test/SidebandMVATraining.cpp | 18a86ee80d00390993658e2b35326befcda84513 | [] | no_license | lgray/flashggFinalFit | d8378523413e8fd71885a304a9d23be0b63388da | d17716be35ff38f5a3c94c568e40dcd4cd9c3282 | refs/heads/master | 2020-12-06T19:15:53.093150 | 2015-02-09T16:19:33 | 2015-02-09T16:19:33 | 57,976,486 | 0 | 1 | null | 2016-05-03T14:41:06 | 2016-05-03T14:41:06 | null | UTF-8 | C++ | false | false | 23,077 | cpp | #include <cstdlib>
#include <iostream>
#include <map>
#include <string>
#include <vector>
#include "boost/program_options.hpp"
#include "Optimizations.h"
#include "TDirectory.h"
#include "TFile.h"
#include "TTree.h"
#include "TString.h"
#include "TSystem.h"
#include "TROOT.h"
#include "TCut.h"
#include "TMath.h"
#ifndef __CINT__
#include "TMVA/Tools.h"
#include "TMVA/Factory.h"
#endif
using namespace std;
using namespace TMVA;
namespace po = boost::program_options;
// GLOBAL variables
string filename_;
string outfilename_;
string methodname_;
map<string,int> Methods_;
int nSidebands_;
double sidebandWidth_=0.02;
vector<string> allowedMethods_;
vector<string> chosenMethods_;
bool optimize_=false;
bool skipTraining_=false;
bool skipTesting_=false;
bool skipEvaluation_=false;
bool isCutBased_=false;
int trainingMass_=125;
float bdtCut_=-0.78;
float mggMin_=100.;
float mggMax_=180.;
double totalBackgroundInSignal=0;
TFile *input_;
TFile *outFile_;
template <class T>
vector<T> getVecFromString(string name){
vector<T> result;
if (typeid(T)!=typeid(float) && typeid(T)!=typeid(double) && typeid(T)!=typeid(int) && typeid(T)!=typeid(string)){
cout << typeid(T).name() << " is not a valid type. Bailing out " << endl;
exit(1);
}
while (name.size()>0){
if (name.find(",")==string::npos && name.find("-")==string::npos) {
result.push_back(boost::lexical_cast<T>(name)); //niether
name = "";
}
else { // contains ","
string sub = name.substr(0,name.find(","));
result.push_back(boost::lexical_cast<T>(sub));
name = name.substr(name.find(",")+1,string::npos);
}
}
return result;
}
void MethodReader(){
allowedMethods_.push_back("MLP"); allowedMethods_.push_back("BDTG"); allowedMethods_.push_back("FDA_GA"); allowedMethods_.push_back("PDEFoam");
allowedMethods_.push_back("2DOpt");
for (vector<string>::iterator itM=chosenMethods_.begin(); itM!=chosenMethods_.end(); itM++){
bool found=false;
for (vector<string>::iterator it=allowedMethods_.begin(); it!=allowedMethods_.end(); it++){
if (*itM==*it) {
found=true;
Methods_[*itM]=1;
}
}
if (found==false) cerr << "WARNING - invalid method: " << *itM << endl;
}
}
void OptionParser(int argc, char *argv[]){
po::options_description desc("Allowed options");
desc.add_options()
("help,h", "Show this message")
("filename,i", po::value<string>(&filename_), "Input file name")
("outfile,o", po::value<string>(&outfilename_)->default_value("SidebandTrainingOut.root"), "Output file name")
("method,m", po::value<string>(&methodname_)->default_value("BDTG"), "Training method")
("nSidebands,n", po::value<int>(&nSidebands_)->default_value(4), "Number of sidebands for training")
("optimize,O", "Optimize training - takes time")
("skipTraining,s", "Skip training")
("skipTesting,t", "Skip testing")
("skipEvaluation,e", "Skip evaluation")
("isCutBased", "Train cut based style")
("trainingMass", po::value<int>(&trainingMass_)->default_value(trainingMass_), "Training Mass")
("bdtMin", po::value<float>(&bdtCut_)->default_value(bdtCut_), "diphton BDT Cut")
("mggMin", po::value<float>(&mggMin_)->default_value(mggMin_), "Minimum for Mgg")
("mggMax", po::value<float>(&mggMax_)->default_value(mggMax_), "Maximum for Mgg")
;
po::positional_options_description p;
p.add("filename",-1);
po::variables_map vm;
po::store(po::parse_command_line(argc,argv,desc),vm);
po::store(po::command_line_parser(argc,argv).options(desc).positional(p).run(),vm);
po::notify(vm);
if (vm.count("help")){ cout << desc << endl; exit(1);}
if (!vm.count("filename")){ cerr << "WARNING -- A FILENAME MUST BE PROVIDED" << endl; exit(1);}
if (vm.count("optimize")) optimize_=true;
if (vm.count("skipTraining")) skipTraining_=true;
if (vm.count("skipTesting")) skipTesting_=true;
if (vm.count("skipEvaluation")) skipEvaluation_=true;
if (vm.count("isCutBased")) isCutBased_=true;
chosenMethods_ = getVecFromString<string>(methodname_);
MethodReader();
}
vector<pair<string,string> > getSignalTreeNames(){
vector<pair<string,string> > treeNames;
treeNames.push_back(pair<string,string>(Form("full_mva_trees/ggh_m%d_8TeV",trainingMass_),"signal"));
treeNames.push_back(pair<string,string>(Form("full_mva_trees/vbf_m%d_8TeV",trainingMass_),"signal"));
treeNames.push_back(pair<string,string>(Form("full_mva_trees/wzh_m%d_8TeV",trainingMass_),"signal"));
treeNames.push_back(pair<string,string>(Form("full_mva_trees/tth_m%d_8TeV",trainingMass_),"signal"));
/*
std::vector<int>::iterator it = extraMasses_.begin();
for (;it!=extraMasses.end();it++){
treeNames.push_back(
}
*/
return treeNames;
}
vector<pair<string,string> > getBackgroundTreeNames(){
// KEEP ONLY HIGH STATS SAMPLES SO SOME ARE DROPPED
vector<pair<string,string> > treeNames;
// fake-fake
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_30_8TeV_ff","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_40_8TeV_ff","background"));
// prompt-fake
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_30_8TeV_pf","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_40_8TeV_pf","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/gjet_20_8TeV_pf","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/gjet_40_8TeV_pf","background"));
// prompt-prompt
//treeNames.push_back(pair<string,string>("full_mva_trees/diphojet_8TeV","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/dipho_Box_25_8TeV","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/dipho_Box_250_8TeV","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/diphojet_8TeV","background"));
// 7TeV
/*
treeNames.push_back(pair<string,string>("full_mva_trees/dipho_Box_25_7TeV","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/dipho_Box_250_7TeV","background"));
treeNames.push_back(pair<string,string>("full_mva_trees/diphojet_7TeV","background"));
treeNames.push_back(pair<string,string>("full_mva_trees/gjet_20_7TeV_pf","background"));
*/
// These for 8 TeV
treeNames.push_back(pair<string,string>("full_mva_trees/diphojet_sherpa_8TeV","background"));
treeNames.push_back(pair<string,string>("full_mva_trees/gjet_20_8TeV_pf","background"));
treeNames.push_back(pair<string,string>("full_mva_trees/gjet_40_8TeV_pf","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_30_8TeV_pf","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_30_8TeV_ff","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_40_8TeV_pf","background"));
//treeNames.push_back(pair<string,string>("full_mva_trees/qcd_40_8TeV_ff","background"));
return treeNames;
}
void makeTrainingTree(TTree *tree, vector<pair<string,string> > treeNames, bool isSignal){
float mass;
float weight;
float deltaMoverM;
float bdtoutput;
double lead_eta;
double sublead_eta;
double lead_r9;
double sublead_r9;
tree->Branch("deltaMoverM",&deltaMoverM,"deltaMoverM/F");
tree->Branch("weight",&weight,"weight/F");
if (isCutBased_){
tree->Branch("lead_eta",&lead_eta,"lead_eta/D");
tree->Branch("sublead_eta",&sublead_eta,"sublead_eta/D");
tree->Branch("lead_r9",&lead_r9,"lead_r9/D");
tree->Branch("sublead_r9",&sublead_r9,"sublead_r9/D");
}
else {
tree->Branch("bdtoutput",&bdtoutput,"bdtoutput/F");
}
TH1F *check = new TH1F("check","check",100,0,100);
for (vector<pair<string,string> >::iterator it=treeNames.begin(); it!=treeNames.end(); it++){
TTree *thisTree = (TTree*)input_->Get(it->first.c_str());
//thisTree->Draw("1>>check","weight*(weight>0)","goff");
cout << Form("Using tree %15s with entries %8d and sum of weights %4.4f",thisTree->GetName(),int(thisTree->GetEntries()),check->GetSumOfWeights()) << endl;
check->Reset();
thisTree->SetBranchAddress("mass",&mass);
thisTree->SetBranchAddress("weight",&weight);
if (isCutBased_){
thisTree->SetBranchAddress("lead_eta",&lead_eta);
thisTree->SetBranchAddress("sublead_eta",&sublead_eta);
thisTree->SetBranchAddress("lead_r9",&lead_r9);
thisTree->SetBranchAddress("sublead_r9",&sublead_r9);
}
else {
thisTree->SetBranchAddress("bdtoutput",&bdtoutput);
}
for (int e=0; e<thisTree->GetEntries(); e++){
thisTree->GetEntry(e);
// signal is easy just fill signal region
if (isSignal) {
deltaMoverM = (mass-trainingMass_)/trainingMass_;
}
// for background want to sum up a few sidebands
else {
// if in signal region add and move on
deltaMoverM = (mass-trainingMass_)/trainingMass_;
if (bdtoutput>bdtCut_ and TMath::Abs(deltaMoverM) < sidebandWidth_) totalBackgroundInSignal+=(double)weight;
if (TMath::Abs(deltaMoverM)>sidebandWidth_){
// else loop sidebands
for (int i=1; i<=nSidebands_; i++){
double hypothesisModifierLow = (1.-sidebandWidth_)/(1.+sidebandWidth_);
double sidebandCenterLow = trainingMass_*hypothesisModifierLow*TMath::Power(hypothesisModifierLow,i-1);
double hypothesisModifierHigh = (1.+sidebandWidth_)/(1.-sidebandWidth_);
double sidebandCenterHigh = trainingMass_*hypothesisModifierHigh*TMath::Power(hypothesisModifierHigh,i-1);
deltaMoverM = (mass-sidebandCenterLow)/sidebandCenterLow;
if (TMath::Abs(deltaMoverM)<=sidebandWidth_) break;
deltaMoverM = (mass-sidebandCenterHigh)/sidebandCenterHigh;
if (TMath::Abs(deltaMoverM)<=sidebandWidth_) break;
}
}
}
tree->Fill();
}
}
tree->Draw("1>>check","weight*(weight>0)","goff");
cout << Form("Filled tree %15s with entries %8d and sum of weights %4.4f",tree->GetName(),int(tree->GetEntries()),check->GetSumOfWeights()) << endl;
check->Reset();
delete check;
}
void fillOneDHists(TTree *tr, TH1F* h, TH2F *map){
h->Sumw2();
for (int i=0;i<h->GetNbinsX();i++){
h->GetXaxis()->SetBinLabel(i+1,Form("Bin %d",i+1));
}
float dmom,bdt,weight;
tr->SetBranchAddress("deltaMoverM",&dmom);
tr->SetBranchAddress("bdtoutput",&bdt);
tr->SetBranchAddress("weight",&weight);
for (int j=0;j<tr->GetEntries();j++){
tr->GetEntry(j);
if (bdt < bdtCut_) continue;
if (fabs(dmom)>sidebandWidth_) continue;
int bin = map->FindBin(bdt,dmom);
//std::cout << " Event - "<< bdt << ", " << dmom << " -> " << map->GetBinContent(bin) <<std::endl;
h->Fill(map->GetBinContent(bin),weight);
}
}
void fillTwoDHists(TTree *tr, TH2F* h){
h->Sumw2();
float dmom,bdt,weight;
tr->SetBranchAddress("deltaMoverM",&dmom);
tr->SetBranchAddress("bdtoutput",&bdt);
tr->SetBranchAddress("weight",&weight);
for (int j=0;j<tr->GetEntries();j++){
tr->GetEntry(j);
h->Fill(bdt,dmom,weight);
}
}
void run2DOptimization(TFile *outFile_,TTree *signalTree_, TTree *backgroundTree_){
signalTree_->Print("v");
gROOT->SetBatch(0);
int nBins_dmom = 50;
int nBins_bdt = 200;
// Step 1, make Signal and Background 2D histograms
TH2F *hsig =new TH2F("hsig","hsig",nBins_bdt,bdtCut_,1,nBins_dmom,-1*sidebandWidth_,sidebandWidth_);
TH2F *hbkg =new TH2F("hbkg","hbkg",nBins_bdt,bdtCut_,1,nBins_dmom,-1*sidebandWidth_,sidebandWidth_);
fillTwoDHists(signalTree_,hsig) ;
fillTwoDHists(backgroundTree_,hbkg) ;
// Make sure bkg is normalized to bkg yield in signal
std::cout << "BKG Integral from all sidebands " << hbkg->Integral() <<std::endl;
std::cout << "BKG Integral in Signal Window " << totalBackgroundInSignal <<std::endl;
hbkg->Scale(totalBackgroundInSignal/hbkg->Integral());
// std::cout << "Producing 2D Histogram " << Form("deltaMoverM:bdtoutput>>hsig(%d,%f,1,%d,%.3f,%.3f)",nBins_bdt,bdtCut_,nBins_dmom,-1*sidebandWidth_,sidebandWidth_) << std::endl;
// signalTree_->Draw("deltaMoverM:bdtoutput>>hsig","weight","");
// std::cout << "Producing 2D Histogram " << Form("deltaMoverM:bdtoutput>>hbkg(%d,%f,1,%d,%.3f,%.3f)",nBins_bdt,bdtCut_,nBins_dmom,-1*sidebandWidth_,sidebandWidth_) << std::endl;
// backgroundTree_->Draw("deltaMoverM:bdtoutput>>hbkg","weight","");
// TH2F *hsig =(TH2F*) gROOT->FindObject("hsig") ;
// TH2F *hbkg =(TH2F*) gROOT->FindObject("hbkg") ;
// Have to do this :(
//hsig->Smooth(1,"k5b");
//hbkg->Smooth(1,"k5b");
// Clone the originl hists, saved to File
TH1F *hsig_o = (TH1F*)hsig->Clone("hsig_raw") ;
TH1F *hbkg_o = (TH1F*)hbkg->Clone("hbkg_raw") ;
// Step 2, create an optimization class
Optimizations *optimizer = new Optimizations(hsig,hbkg);
optimizer->setMaxBins(12);
optimizer->smoothHistograms(0.002,0.005,1);
optimizer->runOptimization();
// Thats it so nw get the outputs
TH2F *categoryMap = (TH2F*) optimizer->getCategoryMap();
TH2F *bkg = (TH2F*) optimizer->getBackgroundTarget();
TH2F *signal = (TH2F*) optimizer->getSignalTarget();
TGraph *optGraph = (TGraph*)optimizer->getOptimizationGraph();
TH1F *starget_hist = (TH1F*)optimizer->getTargetS1D();
TH1F *btarget_hist = (TH1F*)optimizer->getTargetB1D();
int nFinalBins = optimizer->getFinalNumberOfBins();
// Step 3, save output and print ranges also S/B
double *boundaries = new double[nFinalBins+1] ;
boundaries[0] = -1.;
for (int b = 1 ; b < nFinalBins ; b++){
boundaries[b] = (double)b/nFinalBins;
}
boundaries[nFinalBins]=1.;
TH1F *binedgesMap = new TH1F("Bin_Edges","Bin Boundaries",nFinalBins,boundaries);
for (int b = 1 ; b <= nFinalBins ; b++){
binedgesMap->SetBinContent(b,b);
}
delete boundaries;
std::cout << "Final Number Of Bins -- " << nFinalBins << std::endl;
//std::cout << "-1";
//for (int b = 1 ; b < nFinalBins ; b++){
// std::cout << "," << (double)b/nFinalBins;
// }
// std::cout << ",1" <<std::endl;
outFile_->cd();
categoryMap->Write();
starget_hist->SetLineColor(2);
starget_hist->Scale(1./starget_hist->Integral());
btarget_hist->Scale(1./btarget_hist->Integral());
starget_hist->Write();
btarget_hist->Write();
signal->Write();
bkg->Write();
hsig_o->SetLineColor(2);hsig_o->Write();
hbkg_o->SetLineColor(2);hbkg_o->Write();
// create ratio hists too
TH1F* hsig_rat = (TH1F*)hsig->Clone();
TH1F* hbkg_rat = (TH1F*)hbkg->Clone();
TGraph *roc = (TGraph*)optimizer->getRocCurve();
hsig_rat->SetName("hsig_ratio");
hbkg_rat->SetName("hbkg_ratio");
hsig_rat->Divide(hsig_o);
hbkg_rat->Divide(hbkg_o);
hsig_rat->Write();
hbkg_rat->Write();
binedgesMap->Write();
optGraph->Write();
roc->Write();
// Finally make some S/B hists
TH1F *sfinal_hist = new TH1F("s_raw_final","",nFinalBins,0,1);
TH1F *bfinal_hist = new TH1F("b_raw_final","",nFinalBins,0,1);
fillOneDHists(signalTree_,sfinal_hist,categoryMap);
fillOneDHists(backgroundTree_,bfinal_hist,categoryMap);
sfinal_hist->SetLineColor(2);
bfinal_hist->SetLineColor(4);
sfinal_hist->Write();
bfinal_hist->Write();
}
void runTMVATraining(TFile *outFile_,TTree *signalTree, TTree *backgroundTree){
TMVA::Tools::Instance();
TMVA::Factory *factory = new TMVA::Factory("TMVA_SidebandMVA", outFile_, "!V:!Silent:Color:DrawProgressBar:Transformations=I;D;P;G,D:AnalysisType=Classification");
factory->AddVariable("deltaMoverM", "#DeltaM / M_{H}", 'F');
if (isCutBased_){
factory->AddVariable("lead_eta","#eta_{1}", 'D');
factory->AddVariable("sublead_eta","#eta_{2}", 'D');
factory->AddVariable("lead_r9","#r9_{1}", 'D');
factory->AddVariable("sublead_r9","#r9_{2}", 'D');
//factory->AddVariable("lead_phi","#phi_{1}", 'D');
//factory->AddVariable("sublead_phi","#phi_{2}", 'D');
}
else {
factory->AddVariable("bdtoutput", "Diphoton BDT", 'F');
}
factory->AddSignalTree(signalTree);
factory->AddBackgroundTree(backgroundTree);
/*
for (vector<pair<string,string> >::iterator sig=signalTrees.begin(); sig!=signalTrees.end(); sig++){
TTree *temp = (TTree*)input->Get((sig->first).c_str());
if (temp!=NULL) {
if (temp->GetEntries()==0) continue;
temp->Draw("1>>check","weight*(weight>0)","goff");
cout << Form("Using tree %15s with entries %8d and sum of weights %4.4f",temp->GetName(),int(temp->GetEntries()),check->GetSumOfWeights()) << endl;
check->Reset();
trees[sig->first] = temp;
factory->AddSignalTree(trees[sig->first],signalWeight);
}
else { cerr << "WARNING -- invalid pointer -- " << sig->first << endl; exit(1); }
}
for (vector<pair<string,string> >::iterator bkg=backgroundTrees.begin(); bkg!=backgroundTrees.end(); bkg++){
TTree *temp = (TTree*)input->Get((bkg->first).c_str());
if (temp!=NULL) {
if (temp->GetEntries()==0) continue;
temp->Draw("1>>check","weight*(weight>0)","goff");
cout << Form("Using tree %15s with entries %8d and sum of weights %4.4f",temp->GetName(),int(temp->GetEntries()),check->GetSumOfWeights()) << endl;
check->Reset();
trees[bkg->first] = temp;
factory->AddBackgroundTree(trees[bkg->first],backgroundWeight);
}
else { cerr << "WARNING -- invalid pointer -- " << bkg->first << endl; exit(1); }
}
*/
// Set individual event weights
factory->SetBackgroundWeightExpression("weight");
factory->SetSignalWeightExpression("weight");
// Apply cuts on samples
/*
TString sigCutString = Form("TMath::Abs((mass-%d)/%d)<=0.02",trainingMass_,trainingMass_);
// figure out high and low sideband boundary
double hypothesisModifierLow = (1.-sidebandWidth_)/(1.+sidebandWidth_);
double hypothesisModifierHigh = (1.+sidebandWidth_)/(1.-sidebandWidth_);
double sidebandCenterLow = trainingMass_*hypothesisModifierLow*TMath::Power(hypothesisModifierLow,nSidebands_);
double sidebandCenterHigh = trainingMass_*hypothesisModifierHigh*TMath::Power(hypothesisModifierHigh,nSidebands_);
double sidebandBoundaryLow = sidebandCenterLow*(1-sidebandWidth_);
double sidebandBoundaryHigh = sidebandCenterHigh*(1+sidebandWidth_);
TString bkgCutString = Form("mass>=%3.1f && mass<=%3.1f",sidebandBoundaryLow,sidebandBoundaryHigh);
*/
TString sigCutString = Form("TMath::Abs(deltaMoverM)<=%f",sidebandWidth_);
TString bkgCutString = Form("TMath::Abs(deltaMoverM)<=%f",sidebandWidth_);
if (!isCutBased_) {
sigCutString += Form(" && bdtoutput>=%f",bdtCut_);
bkgCutString += Form(" && bdtoutput>=%f",bdtCut_);
}
TCut sigCut(sigCutString);
TCut bkgCut(bkgCutString);
factory->PrepareTrainingAndTestTree( sigCut, bkgCut, "SplitMode=Random:NormMode=NumEvents:!V" );
if (Methods_["BDTG"]) // gradient boosted decision trees
factory->BookMethod( TMVA::Types::kBDT, "BDTgradMIT", "!H:!V:NTrees=500:MaxDepth=3:BoostType=Grad:Shrinkage=1.0:UseBaggedGrad:GradBaggingFraction=0.50:nCuts=20:NNodesMax=8:IgnoreNegWeights");
if (Methods_["MLP"]) // neural network
factory->BookMethod( TMVA::Types::kMLP, "MLP", "!H:!V:NeuronType=tanh:NCycles=300:HiddenLayers=N+5,5:TestRate=5:EstimatorType=MSE");
if (Methods_["FDA_GA"]) // functional discriminant with GA minimizer
factory->BookMethod( TMVA::Types::kFDA, "FDA_GA", "H:!V:Formula=(0)+(1)*x0+(2)*x1+(3)*x2+(4)*x3:ParRanges=(-1,1);(-10,10);(-10,10);(-10,10);(-10,10):FitMethod=GA:PopSize=300:Cycles=3:Steps=20:Trim=True:SaveBestGen=1" );
if (Methods_["PDEFoam"]) // PDE-Foam approach
factory->BookMethod( TMVA::Types::kPDEFoam, "PDEFoam", "!H:!V:TailCut=0.001:VolFrac=0.0666:nActiveCells=500:nSampl=2000:nBin=5:Nmin=100:Kernel=None:Compress=T" );
// To do multiple tests of one BDT use e.g
if (Methods_["SCAN"]){
int nTrees[3] = {50,100,200};
int maxDepth[3] = {3,5,10};
float shrinkage[3] = {0.1,0.5,1.};
float bagFrac[2] = {0.6,1.};
//float shrinkage[3] = {0.1,0.5,1.};
//float bagFrac[3] = {0.1,0.5,1.};
for (int n=0; n<3; n++){
for (int d=0; d<3;d++){
for (int s=0; s<3; s++){
for (int b=0; b<2; b++){
factory->BookMethod( TMVA::Types::kBDT,
Form("BDTG_Test_nTrees%d_mDepth%d_shr%1.2f_bf%1.2f",nTrees[n],maxDepth[d],shrinkage[s],bagFrac[b]),
Form("!H:!V:NTrees=%d:MaxDepth=%d:BoostType=Grad:Shrinkage=%1.2f:UseBaggedGrad:GradBaggingFraction=%1.2f:nCuts=20:NNodesMax=8:IgnoreNegWeights",nTrees[n],maxDepth[d],shrinkage[s],bagFrac[b]));
}
}
}
}
}
if (optimize_) factory->OptimizeAllMethodsForClassification();
// Train MVAs using the set of training events
if (!skipTraining_) factory->TrainAllMethods();
// ---- Evaluate all MVAs using the set of test events
if (!skipTesting_) factory->TestAllMethods();
// ----- Evaluate and compare performance of all configured MVAs
if (!skipEvaluation_) factory->EvaluateAllMethods();
// Save the output
cout << "==> Wrote root file: " << outFile_->GetName() << endl;
cout << "==> TMVAClassification is done!" << endl;
cout << "==> To view the results, launch the GUI: \"root -l ./TMVAGui.C\"" << endl;
}
int main (int argc, char *argv[]){
OptionParser(argc,argv);
bool doTMVA = true;
std::cout << std::endl;
std::cout << "Start Sideband Training ==>" << std::endl;
std::cout << "Running methods: " << endl;
for (map<string,int>::iterator it=Methods_.begin(); it!=Methods_.end(); it++){
if (it->second==1) {
cout << "\t" << it->first << endl;
if (it->first == "2DOpt") doTMVA = false;
}
}
input_ = TFile::Open(filename_.c_str());
if (!input_) {
cerr << "ERROR: could not open data file" << endl;
exit(1);
}
outFile_ = new TFile(outfilename_.c_str(),"RECREATE");
// Get all the Trees and assign them to the factory by their type (signal,background)
vector<pair<string,string> > signalTrees = getSignalTreeNames();
vector<pair<string,string> > backgroundTrees = getBackgroundTreeNames();
TTree *signalTree = new TTree("signalTree","signalTree");
TTree *backgroundTree = new TTree("backgroundTree","backgroundTree");
makeTrainingTree(signalTree,signalTrees,true);
makeTrainingTree(backgroundTree,backgroundTrees,false);
// TMVA training or 2D optimization training
if (doTMVA){
runTMVATraining(outFile_,signalTree,backgroundTree);
} else {
run2DOptimization(outFile_,signalTree,backgroundTree);
}
input_->Close();
outFile_->Close();
delete outFile_;
delete input_;
return 0;
}
| [
"[email protected]"
] | |
e0ff84f62ff89b723fb44c3df1bd5460a8c76a5a | 77cde85e8990f22cc61e552bdc40ff20d7555c00 | /source/exec/instance/target_value.cpp | 8c770775a470796a85d6cb7017c1179e4e78e5ef | [
"BSD-3-Clause"
] | permissive | blockspacer/cmakesl | 823e24102890e6fc8a4072d7cf4e497d04673487 | e53bffed62ae9ca68c0c2de0de8e2a94bfe4d326 | refs/heads/master | 2022-04-10T09:54:02.971963 | 2020-02-15T20:46:27 | 2020-02-15T20:46:27 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,270 | cpp | #include "exec/instance/target_value.hpp"
#include "exec/instance/list_value_utils.hpp"
#include "cmake_facade.hpp"
namespace cmsl::exec::inst {
target_value::target_value(std::string name)
: m_name{ std::move(name) }
{
}
std::string target_value::name() const
{
return m_name;
}
void target_value::link_to(facade::cmake_facade& cmake_facade,
facade::visibility v,
const target_value& target) const
{
link_to(cmake_facade, v, target.name());
}
void target_value::include_directories(facade::cmake_facade& cmake_facade,
facade::visibility v,
const list_value& dirs) const
{
const auto dir_values = list_value_utils{ dirs }.strings();
if (dir_values.empty()) {
return;
}
cmake_facade.target_include_directories(m_name, v, dir_values);
}
void target_value::compile_definitions(facade::cmake_facade& cmake_facade,
const list_value& definitions_list,
facade::visibility v) const
{
const auto definitions = list_value_utils{ definitions_list }.strings();
if (definitions.empty()) {
return;
}
cmake_facade.target_compile_definitions(m_name, v, definitions);
}
void target_value::compile_options(facade::cmake_facade& cmake_facade,
const list_value& options_list,
facade::visibility v) const
{
const auto options = list_value_utils{ options_list }.strings();
if (options.empty()) {
return;
}
cmake_facade.target_compile_options(m_name, v, options);
}
void target_value::link_to(facade::cmake_facade& cmake_facade,
facade::visibility v,
const std::string& target_name) const
{
cmake_facade.target_link_library(m_name, v, target_name);
}
void target_value::add_sources(facade::cmake_facade& cmake_facade,
const list_value& sources_list,
facade::visibility v) const
{
const auto sources = list_value_utils{ sources_list }.strings();
if (sources.empty()) {
return;
}
cmake_facade.target_sources(m_name, v, sources);
}
}
| [
"[email protected]"
] | |
532b26ab615d4e9c868defd61e3f7d2f704b26b1 | d422eb3738fc1bb660c6bfffdafa7685d4c3d56b | /car-test/car-test.ino | 4746228d07201c461176fe2e3cc5ce30e5654851 | [] | no_license | webondevices/example-projects | 6355bfff7ad421fab1b120c7150f930ad5ad5cda | 35ad99340932a6b102f4dc0c638552576ca0b320 | refs/heads/master | 2021-01-11T21:14:04.308695 | 2018-04-15T19:14:46 | 2018-04-15T19:14:46 | 79,273,165 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 2,549 | ino | // Set motor control pins
int motorLeftSpeed = 6;
int motorLeftBackward = 5;
int motorLeftForward = 7;
int motorRightSpeed = 11;
int motorRightBackward = 10;
int motorRightForward = 12;
void setup() {
// Set all motor pins as outputs
pinMode(motorLeftSpeed, OUTPUT);
pinMode(motorRightSpeed, OUTPUT);
pinMode(motorLeftForward, OUTPUT);
pinMode(motorLeftBackward, OUTPUT);
pinMode(motorRightForward, OUTPUT);
pinMode(motorRightBackward, OUTPUT);
}
void turnLeft(int speed) {
// Set left motor to backward direction
digitalWrite(motorLeftForward, LOW);
digitalWrite(motorLeftBackward, HIGH);
// Set left motor speed to maximum (0 - 255)
analogWrite(motorLeftSpeed, speed);
// Set right motor to forward direction
digitalWrite(motorRightForward, HIGH);
digitalWrite(motorRightBackward, LOW);
// Set right motor speed to maximum (0 - 255)
analogWrite(motorRightSpeed, speed);
}
void turnRight(int speed) {
// Set left motor to forward direction
digitalWrite(motorLeftForward, HIGH);
digitalWrite(motorLeftBackward, LOW);
// Set left motor speed to maximum (0 - 255)
analogWrite(motorLeftSpeed, speed);
// Set right motor to backward direction
digitalWrite(motorRightForward, LOW);
digitalWrite(motorRightBackward, HIGH);
// Set right motor speed to maximum (0 - 255)
analogWrite(motorRightSpeed, speed);
}
void moveForward(int speed) {
// Set left motor to forward direction
digitalWrite(motorLeftForward, HIGH);
digitalWrite(motorLeftBackward, LOW);
// Set left motor speed to maximum (0 - 255)
analogWrite(motorLeftSpeed, speed);
// Set right motor to forward direction
digitalWrite(motorRightForward, HIGH);
digitalWrite(motorRightBackward, LOW);
// Set right motor speed to maximum (0 - 255)
analogWrite(motorRightSpeed, speed);
}
void moveBackwards(int speed) {
// Set left motor to forward direction
digitalWrite(motorLeftForward, LOW);
digitalWrite(motorLeftBackward, HIGH);
// Set left motor speed to maximum (0 - 255)
analogWrite(motorLeftSpeed, speed);
// Set right motor to forward direction
digitalWrite(motorRightForward, LOW);
digitalWrite(motorRightBackward, HIGH);
// Set right motor speed to maximum (0 - 255)
analogWrite(motorRightSpeed, speed);
}
void loop() {
turnRight(150);
delay(6000);
moveBackwards(150);
delay(7000);
moveForward(12);
delay(8000);
turnLeft(150);
delay(9000);
}
| [
"[email protected]"
] | |
92e607ee44a0e3993fd651abcf64de48f281541b | ee341d52015d9895b3cff2590bc78871f43f2d7b | /ChristmasGift/ChristmasGift/MxyVBOTree.h | 6ee57f101eddc1f2f8d48b4e26ae1a053fd70101 | [] | no_license | jackball2008/ACW | 24fa77586c316ad836c975d44c2a3432e9a34287 | 427450c888e0a4fc7e758bebaabd522e20bd99e2 | refs/heads/master | 2021-01-19T08:11:27.205779 | 2012-05-22T16:18:42 | 2012-05-22T16:18:42 | 2,802,051 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,177 | h | #pragma once
#include <stdlib.h>
#include <iostream>
#include <vector>
#include <math.h>
#include "DisplayObjectModel.h"
#include "mxyVector.h"
typedef mxy::vec3<float> vec3f;
#define PI float(3.1415926535897932384626433832795)
using std::vector;
class MxyVBOTree :
public DisplayObjectModel
{
private:
//generation parameters
int _numSegments; //number of segments high the tree is (each segment has a trunk component and a set of branches
float _height; //height
float _radius; //radius
int _branchSides; //number of sides on the trunk and branches
int _branchesPerSegment; //number of branches in a segment
int _globalIterationCount; //how many times a branch will branch, when it grows from the base of the tree
float _branchIterationDecay; // rate per-segment that the branchiness decays
/************************************************************************/
/* count for calculate segment of trunk */
/************************************************************************/
int _segment_count;
public:
MxyVBOTree(void);
~MxyVBOTree(void);
/************************************************************************/
/* variable */
/************************************************************************/
/************************************************************************/
/* main method */
/************************************************************************/
void Initialize();
void Update(const float& t);
void Draw();
/************************************************************************/
/* store trunk and branch */
/************************************************************************/
vector<DisplayObjectModel> _trunkVertexAll;
DisplayObjectModel* allmodel;
vector<vec3f> testar;
GLuint _vboids;
GLuint _indexVboId;
int _numberOfVertices;
int _numberOfIndices;
/************************************************************************/
/* store leaf */
/************************************************************************/
/************************************************************************/
/* build tree */
/************************************************************************/
void buildTree();
void buildTrunk();
/************************************************************************/
/* void build branch */
/************************************************************************/
void buildBranch();
/************************************************************************/
/* test */
/************************************************************************/
void test();
};
| [
"[email protected]"
] | |
5120c0764769e4f7dda27807ebf902fce3724461 | f35830a10b5e4fa5a4f1712d14cbba192dc878fc | /net-p2p/twister/dragonfly/patch-libtorrent_src_lazy__bdecode.cpp | 4eccc13a7d7695a837f27b11fc7001ebe3b85df7 | [] | no_license | jrmarino/DPorts-Raven | 10177adf4c17efe028137fbcec1ccbf3b0bddf27 | 9126990d971ed3a60d54a9c6c3b1ea095d1df498 | refs/heads/master | 2021-08-05T23:07:39.995408 | 2017-04-09T23:31:58 | 2017-04-09T23:31:58 | 82,212,572 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 323 | cpp | --- libtorrent/src/lazy_bdecode.cpp.orig 2015-12-21 00:45:59.000000000 +0200
+++ libtorrent/src/lazy_bdecode.cpp
@@ -39,6 +39,10 @@ POSSIBILITY OF SUCH DAMAGE.
#include <iostream>
#endif
+#ifdef __DragonFly__
+#include <machine/int_limits.h>
+#endif
+
namespace
{
const int lazy_entry_grow_factor = 150; // percent
| [
"[email protected]"
] | |
95ba4b59a093c645a75a6dba6332298dc98bace5 | 3b4d30dfd93e234a3936037e6837be35c2a8dcde | /src/lib/orxpp/list.h | caf7d321b2b8d032b394348e2a43aaa6eed79a1d | [] | no_license | enobayram/using_orxhub_tutorial | bca97bb68977236e2e98ff7b8c9ed1315f9b519b | ea173693e9c37b76375747fed5e509aef153cef0 | refs/heads/master | 2016-08-11T07:31:35.268379 | 2015-11-21T16:00:53 | 2015-11-21T16:50:26 | 46,622,941 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,805 | h | /*
* list.h
*
* Created on: Nov 20, 2015
* Author: Enis Bayramoğlu
*/
#ifndef ORXPP_LIST_H_
#define ORXPP_LIST_H_
#include <utils/orxLinkList.h>
namespace orx {
namespace internal {
template <class T>
struct LinkListNode: public orxLINKLIST_NODE {
T value;
LinkListNode(T value) {
orxMemory_Zero(this, sizeof(LinkListNode));
this->value = value;
}
};
}
template <class T>
class LinkList {
orxLINKLIST list;
typedef internal::LinkListNode<T> Node;
void delete_node(orxLINKLIST_NODE * node) {
orxLinkList_Remove(node);
delete static_cast<Node *>(node);
}
public:
LinkList() {
orxMemory_Zero(&list, sizeof(orxLINKLIST));
}
T& front() {
return static_cast<Node *>(orxLinkList_GetFirst(&list))->value;
}
T& back() {
return static_cast<Node *>(orxLinkList_GetLast(&list))->value;
}
void push_front(const T & value) {
orxLinkList_AddStart(&list, new Node(value));
}
void pop_front() {
delete_node(orxLinkList_GetFirst(&list));
}
void push_back(const T & value) {
orxLinkList_AddEnd(&list, new Node(value));
}
void pop_back() {
delete_node(orxLinkList_GetLast(&list));
}
struct iterator {
Node * node;
iterator(Node * node): node(node) {}
T& operator*() {
return node->value;
}
iterator & operator++() {
node = static_cast<Node *>(orxLinkList_GetNext(node));
return *this;
}
iterator & operator--() {
node = orxLinkList_GetPrevious(node);
return *this;
}
bool operator!=(const iterator & other) {
return node != other.node;
}
};
iterator begin() {
return iterator(static_cast<Node *>(orxLinkList_GetFirst(&list)));
}
iterator end() {return iterator(orxNULL); }
iterator insert(iterator position, const T & val) {
Node * new_node = new Node(val);
orxLinkList_AddBefore(position.node, new_node);
return new_node;
}
size_t size() {
return orxLinkList_GetCounter(&list);
}
template <int BUFFER_SIZE>
size_t copy_to_buffer(T (&buf)[BUFFER_SIZE]) {
return copy_to_buffer(buf, BUFFER_SIZE);
}
size_t copy_to_buffer(T * buffer, size_t buffer_size) {
size_t copied = 0;
for(iterator it = begin(); it!=end() && copied<buffer_size; ++it) {
buffer[copied] = *it;
copied++;
}
return copied;
}
~LinkList() {
for(orxLINKLIST_NODE * node = orxLinkList_GetFirst(&list);
node;
node = orxLinkList_GetFirst(&list)) {
delete_node(node);
}
}
};
}
#endif /* ORXPP_LIST_H_ */
| [
"[email protected]"
] | |
df53fd92972ce2df1443d51522ebb3d54252c1b0 | 1a17167c38dc9a12c1f72dd0f3ae7288f5cd7da0 | /Source/ThirdParty/angle/src/libGLESv2/global_state.cpp | c8c9a732fbad5cc50ed2a7fc4b5387a30274435b | [
"MIT",
"LicenseRef-scancode-unknown-license-reference",
"BSD-3-Clause",
"LicenseRef-scancode-warranty-disclaimer",
"Zlib",
"LicenseRef-scancode-khronos",
"BSL-1.0",
"BSD-2-Clause"
] | permissive | elix22/Urho3D | c57c7ecb58975f51fabb95bcc4330bc5b0812de7 | 99902ae2a867be0d6dbe4c575f9c8c318805ec64 | refs/heads/master | 2023-06-01T01:19:57.155566 | 2021-12-07T16:47:20 | 2021-12-07T17:46:58 | 165,504,739 | 21 | 4 | MIT | 2021-11-05T01:02:08 | 2019-01-13T12:51:17 | C++ | UTF-8 | C++ | false | false | 5,464 | cpp | //
// Copyright 2014 The ANGLE Project Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
//
// global_state.cpp : Implements functions for querying the thread-local GL and EGL state.
#include "libGLESv2/global_state.h"
#include "common/debug.h"
#include "common/platform.h"
#include "common/tls.h"
namespace gl
{
// In single-threaded cases we can avoid a TLS lookup for the current Context.
//
// Let a global single-threaded context have 3 states: unset, set, and multi-threaded.
// Initially it is unset. Then, on MakeCurrent:
//
// * if the ST context is unset -> set the global context.
// * if the ST context is set and matches the TLS -> set the global context.
// * if the ST context is set and does not match TLS -> set multi-threaded mode.
// * if in multi-threaded mode, unset and subsequently ignore the global context.
//
// Implementation-wise we can use a pointer and a boolean to represent the three modes.
Context *gSingleThreadedContext = nullptr;
bool gIsMultiThreadedContext = false;
} // namespace gl
namespace egl
{
namespace
{
static TLSIndex threadTLS = TLS_INVALID_INDEX;
Debug *g_Debug = nullptr;
ANGLE_REQUIRE_CONSTANT_INIT std::atomic<std::mutex *> g_Mutex(nullptr);
static_assert(std::is_trivially_destructible<decltype(g_Mutex)>::value,
"global mutex is not trivially destructible");
Thread *AllocateCurrentThread()
{
ASSERT(threadTLS != TLS_INVALID_INDEX);
if (threadTLS == TLS_INVALID_INDEX)
{
return nullptr;
}
Thread *thread = new Thread();
if (!SetTLSValue(threadTLS, thread))
{
ERR() << "Could not set thread local storage.";
return nullptr;
}
return thread;
}
void AllocateDebug()
{
// All EGL calls use a global lock, this is thread safe
if (g_Debug == nullptr)
{
g_Debug = new Debug();
}
}
void AllocateMutex()
{
if (g_Mutex == nullptr)
{
std::unique_ptr<std::mutex> newMutex(new std::mutex());
std::mutex *expected = nullptr;
if (g_Mutex.compare_exchange_strong(expected, newMutex.get()))
{
newMutex.release();
}
}
}
} // anonymous namespace
std::mutex &GetGlobalMutex()
{
AllocateMutex();
return *g_Mutex;
}
Thread *GetCurrentThread()
{
// Create a TLS index if one has not been created for this DLL
if (threadTLS == TLS_INVALID_INDEX)
{
threadTLS = CreateTLSIndex();
}
Thread *current = static_cast<Thread *>(GetTLSValue(threadTLS));
// ANGLE issue 488: when the dll is loaded after thread initialization,
// thread local storage (current) might not exist yet.
return (current ? current : AllocateCurrentThread());
}
Debug *GetDebug()
{
AllocateDebug();
return g_Debug;
}
void SetContextCurrent(Thread *thread, gl::Context *context)
{
// See above comment on gGlobalContext.
// If the context is in multi-threaded mode, ignore the global context.
if (!gl::gIsMultiThreadedContext)
{
// If the global context is unset or matches the current TLS, set the global context.
if (gl::gSingleThreadedContext == nullptr ||
gl::gSingleThreadedContext == thread->getContext())
{
gl::gSingleThreadedContext = context;
}
else
{
// If the global context is set and does not match TLS, set multi-threaded mode.
gl::gSingleThreadedContext = nullptr;
gl::gIsMultiThreadedContext = true;
}
}
thread->setCurrent(context);
}
} // namespace egl
#ifdef ANGLE_PLATFORM_WINDOWS
namespace egl
{
namespace
{
bool DeallocateCurrentThread()
{
Thread *thread = static_cast<Thread *>(GetTLSValue(threadTLS));
SafeDelete(thread);
return SetTLSValue(threadTLS, nullptr);
}
void DeallocateDebug()
{
SafeDelete(g_Debug);
}
void DeallocateMutex()
{
std::mutex *mutex = g_Mutex.exchange(nullptr);
{
// Wait for the mutex to become released by other threads before deleting.
std::lock_guard<std::mutex> lock(*mutex);
}
SafeDelete(mutex);
}
bool InitializeProcess()
{
ASSERT(g_Debug == nullptr);
AllocateDebug();
AllocateMutex();
threadTLS = CreateTLSIndex();
if (threadTLS == TLS_INVALID_INDEX)
{
return false;
}
return AllocateCurrentThread() != nullptr;
}
bool TerminateProcess()
{
DeallocateDebug();
DeallocateMutex();
if (!DeallocateCurrentThread())
{
return false;
}
if (threadTLS != TLS_INVALID_INDEX)
{
TLSIndex tlsCopy = threadTLS;
threadTLS = TLS_INVALID_INDEX;
if (!DestroyTLSIndex(tlsCopy))
{
return false;
}
}
return true;
}
} // anonymous namespace
} // namespace egl
extern "C" BOOL WINAPI DllMain(HINSTANCE, DWORD reason, LPVOID)
{
switch (reason)
{
case DLL_PROCESS_ATTACH:
return static_cast<BOOL>(egl::InitializeProcess());
case DLL_THREAD_ATTACH:
return static_cast<BOOL>(egl::AllocateCurrentThread() != nullptr);
case DLL_THREAD_DETACH:
return static_cast<BOOL>(egl::DeallocateCurrentThread());
case DLL_PROCESS_DETACH:
return static_cast<BOOL>(egl::TerminateProcess());
}
return TRUE;
}
#endif // ANGLE_PLATFORM_WINDOWS
| [
"[email protected]"
] | |
4f78ca3dc3fe9546ac40e7f13e96224229f6bc43 | 9a8cfc7e75ac4cbf1b57adf755e7e786ade2f5c0 | /Procon2018/Panel.h | 948385a4ddad9fdb85e4891f733517901a4da71a | [] | no_license | ProgrammingLab/Procon2018Comp | 5722c38e8b97efd431301aee12f52191ac076429 | 5a2b37788d47d2e056ce192b80404efaa36ac609 | refs/heads/master | 2020-03-26T01:52:14.087153 | 2019-12-16T15:08:21 | 2019-12-16T15:08:21 | 144,386,579 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 287 | h | #pragma once
#include"Shared/Util.h"
#include"Panel.h"
namespace Procon2018 {
class Panel {
public:
Panel();
Panel(Point pos, int _width, int _heght, s3d::String _text);
~Panel();
void draw();
bool isClicked();
private:
int cx, cy;
int w, h;
s3d::TextBox text;
};
}
| [
"[email protected]"
] | |
adc3fc788965d27fc52e918a33ac87b91160b75f | 24f26275ffcd9324998d7570ea9fda82578eeb9e | /chrome/browser/media/router/discovery/dial/dial_media_sink_service_impl_unittest.cc | a56dccfe766a7c89427720006b3d364eeddc57ef | [
"BSD-3-Clause"
] | permissive | Vizionnation/chromenohistory | 70a51193c8538d7b995000a1b2a654e70603040f | 146feeb85985a6835f4b8826ad67be9195455402 | refs/heads/master | 2022-12-15T07:02:54.461083 | 2019-10-25T15:07:06 | 2019-10-25T15:07:06 | 217,557,501 | 2 | 1 | BSD-3-Clause | 2022-11-19T06:53:07 | 2019-10-25T14:58:54 | null | UTF-8 | C++ | false | false | 16,055 | 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/media/router/discovery/dial/dial_media_sink_service_impl.h"
#include "base/bind.h"
#include "base/test/mock_callback.h"
#include "base/timer/mock_timer.h"
#include "chrome/browser/media/router/discovery/dial/dial_device_data.h"
#include "chrome/browser/media/router/discovery/dial/dial_registry.h"
#include "chrome/browser/media/router/test/test_helper.h"
#include "content/public/test/browser_task_environment.h"
#include "services/data_decoder/data_decoder_service.h"
#include "services/data_decoder/public/mojom/constants.mojom.h"
#include "services/service_manager/public/cpp/connector.h"
#include "services/service_manager/public/cpp/test/test_connector_factory.h"
#include "testing/gmock/include/gmock/gmock.h"
#include "testing/gtest/include/gtest/gtest.h"
using ::testing::_;
using ::testing::IsEmpty;
using ::testing::Return;
namespace media_router {
class TestDialRegistry : public DialRegistry {
public:
TestDialRegistry() {}
~TestDialRegistry() override {}
MOCK_METHOD1(RegisterObserver, void(DialRegistry::Observer* observer));
MOCK_METHOD1(UnregisterObserver, void(DialRegistry::Observer* observer));
MOCK_METHOD0(OnListenerAdded, void());
MOCK_METHOD0(OnListenerRemoved, void());
};
class MockDeviceDescriptionService : public DeviceDescriptionService {
public:
MockDeviceDescriptionService(DeviceDescriptionParseSuccessCallback success_cb,
DeviceDescriptionParseErrorCallback error_cb)
: DeviceDescriptionService(/*connector=*/nullptr, success_cb, error_cb) {}
~MockDeviceDescriptionService() override {}
MOCK_METHOD1(GetDeviceDescriptions,
void(const std::vector<DialDeviceData>& devices));
};
class DialMediaSinkServiceImplTest : public ::testing::Test {
public:
DialMediaSinkServiceImplTest()
: task_environment_(content::BrowserTaskEnvironment::IO_MAINLOOP),
data_decoder_service_(connector_factory_.RegisterInstance(
data_decoder::mojom::kServiceName)),
media_sink_service_(new DialMediaSinkServiceImpl(
connector_factory_.GetDefaultConnector(),
mock_sink_discovered_cb_.Get(),
base::SequencedTaskRunnerHandle::Get())) {}
void SetUp() override {
media_sink_service_->SetDialRegistryForTest(&test_dial_registry_);
auto mock_description_service =
std::make_unique<MockDeviceDescriptionService>(mock_success_cb_.Get(),
mock_error_cb_.Get());
mock_description_service_ = mock_description_service.get();
media_sink_service_->SetDescriptionServiceForTest(
std::move(mock_description_service));
mock_timer_ = new base::MockOneShotTimer();
media_sink_service_->SetTimerForTest(base::WrapUnique(mock_timer_));
auto mock_app_discovery_service =
std::make_unique<MockDialAppDiscoveryService>();
mock_app_discovery_service_ = mock_app_discovery_service.get();
media_sink_service_->SetAppDiscoveryServiceForTest(
std::move(mock_app_discovery_service));
base::RunLoop().RunUntilIdle();
}
DialMediaSinkServiceImpl::SinkQueryByAppSubscription
StartMonitoringAvailableSinksForApp(const std::string& app_name) {
return media_sink_service_->StartMonitoringAvailableSinksForApp(
app_name, base::BindRepeating(
&DialMediaSinkServiceImplTest::GetAvailableSinksForApp,
base::Unretained(this)));
}
void GetAvailableSinksForApp(const std::string& app_name) {
OnSinksAvailableForApp(app_name,
media_sink_service_->GetAvailableSinks(app_name));
}
MOCK_METHOD2(OnSinksAvailableForApp,
void(const std::string& app_name,
const std::vector<MediaSinkInternal>& available_sinks));
DialAppInfoResult CreateDialAppInfoResult(const std::string& app_name) {
return DialAppInfoResult(
CreateParsedDialAppInfoPtr(app_name, DialAppState::kRunning),
DialAppInfoResultCode::kOk);
}
protected:
const content::BrowserTaskEnvironment task_environment_;
service_manager::TestConnectorFactory connector_factory_;
data_decoder::DataDecoderService data_decoder_service_;
base::MockCallback<OnSinksDiscoveredCallback> mock_sink_discovered_cb_;
base::MockCallback<
MockDeviceDescriptionService::DeviceDescriptionParseSuccessCallback>
mock_success_cb_;
base::MockCallback<
MockDeviceDescriptionService::DeviceDescriptionParseErrorCallback>
mock_error_cb_;
TestDialRegistry test_dial_registry_;
MockDeviceDescriptionService* mock_description_service_;
MockDialAppDiscoveryService* mock_app_discovery_service_;
base::MockOneShotTimer* mock_timer_;
std::unique_ptr<DialMediaSinkServiceImpl> media_sink_service_;
MediaSinkInternal dial_sink_1_ = CreateDialSink(1);
MediaSinkInternal dial_sink_2_ = CreateDialSink(2);
DISALLOW_COPY_AND_ASSIGN(DialMediaSinkServiceImplTest);
};
TEST_F(DialMediaSinkServiceImplTest, OnDeviceDescriptionAvailable) {
DialDeviceData device_data("first", GURL("http://127.0.0.1/dd.xml"),
base::Time::Now());
ParsedDialDeviceDescription device_description;
device_description.model_name = "model name";
device_description.friendly_name = "friendly name";
device_description.app_url = GURL("http://192.168.1.1/apps");
device_description.unique_id = "unique id";
media_sink_service_->OnDeviceDescriptionAvailable(device_data,
device_description);
EXPECT_TRUE(media_sink_service_->GetSinks().empty());
std::vector<DialDeviceData> device_list = {device_data};
EXPECT_CALL(*mock_description_service_, GetDeviceDescriptions(device_list));
media_sink_service_->OnDialDeviceEvent(device_list);
media_sink_service_->OnDeviceDescriptionAvailable(device_data,
device_description);
EXPECT_TRUE(mock_timer_->IsRunning());
EXPECT_CALL(mock_sink_discovered_cb_, Run(Not(IsEmpty())));
mock_timer_->Fire();
EXPECT_EQ(1u, media_sink_service_->GetSinks().size());
}
TEST_F(DialMediaSinkServiceImplTest,
OnDeviceDescriptionAvailableIPAddressChanged) {
DialDeviceData device_data("first", GURL("http://127.0.0.1/dd.xml"),
base::Time::Now());
ParsedDialDeviceDescription device_description;
device_description.model_name = "model name";
device_description.friendly_name = "friendly name";
device_description.app_url = GURL("http://192.168.1.1/apps");
device_description.unique_id = "unique id";
std::vector<DialDeviceData> device_list = {device_data};
EXPECT_CALL(*mock_description_service_, GetDeviceDescriptions(device_list));
media_sink_service_->OnDialDeviceEvent(device_list);
media_sink_service_->OnDeviceDescriptionAvailable(device_data,
device_description);
EXPECT_TRUE(mock_timer_->IsRunning());
EXPECT_CALL(mock_sink_discovered_cb_, Run(_));
mock_timer_->Fire();
EXPECT_EQ(1u, media_sink_service_->GetSinks().size());
device_description.app_url = GURL("http://192.168.1.100/apps");
media_sink_service_->OnDeviceDescriptionAvailable(device_data,
device_description);
EXPECT_TRUE(mock_timer_->IsRunning());
EXPECT_CALL(mock_sink_discovered_cb_, Run(_));
mock_timer_->Fire();
EXPECT_EQ(1u, media_sink_service_->GetSinks().size());
for (const auto& dial_sink_it : media_sink_service_->GetSinks()) {
EXPECT_EQ(device_description.app_url,
dial_sink_it.second.dial_data().app_url);
}
}
TEST_F(DialMediaSinkServiceImplTest, OnDeviceDescriptionRestartsTimer) {
DialDeviceData device_data("first", GURL("http://127.0.0.1/dd.xml"),
base::Time::Now());
ParsedDialDeviceDescription device_description;
device_description.model_name = "model name";
device_description.friendly_name = "friendly name";
device_description.app_url = GURL("http://192.168.1.1/apps");
device_description.unique_id = "unique id";
std::vector<DialDeviceData> device_list = {device_data};
EXPECT_CALL(*mock_description_service_, GetDeviceDescriptions(device_list));
EXPECT_FALSE(mock_timer_->IsRunning());
media_sink_service_->OnDialDeviceEvent(device_list);
media_sink_service_->OnDeviceDescriptionAvailable(device_data,
device_description);
EXPECT_TRUE(mock_timer_->IsRunning());
EXPECT_CALL(mock_sink_discovered_cb_, Run(_));
mock_timer_->Fire();
EXPECT_FALSE(mock_timer_->IsRunning());
device_description.app_url = GURL("http://192.168.1.11/apps");
media_sink_service_->OnDeviceDescriptionAvailable(device_data,
device_description);
EXPECT_TRUE(mock_timer_->IsRunning());
}
TEST_F(DialMediaSinkServiceImplTest, OnDialDeviceEventRestartsTimer) {
EXPECT_CALL(*mock_description_service_, GetDeviceDescriptions(IsEmpty()));
media_sink_service_->OnDialDeviceEvent(std::vector<DialDeviceData>());
EXPECT_TRUE(mock_timer_->IsRunning());
EXPECT_CALL(mock_sink_discovered_cb_, Run(_)).Times(0);
mock_timer_->Fire();
EXPECT_CALL(*mock_description_service_, GetDeviceDescriptions(IsEmpty()));
media_sink_service_->OnDialDeviceEvent(std::vector<DialDeviceData>());
EXPECT_TRUE(mock_timer_->IsRunning());
EXPECT_CALL(mock_sink_discovered_cb_, Run(_)).Times(0);
mock_timer_->Fire();
}
TEST_F(DialMediaSinkServiceImplTest, StartStopMonitoringAvailableSinksForApp) {
const MediaSink::Id& sink_id = dial_sink_1_.sink().id();
EXPECT_CALL(*mock_app_discovery_service_,
DoFetchDialAppInfo(sink_id, "YouTube"))
.Times(1);
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
auto sub1 = StartMonitoringAvailableSinksForApp("YouTube");
auto sub2 = StartMonitoringAvailableSinksForApp("YouTube");
EXPECT_EQ(1u, media_sink_service_->sink_queries_.size());
sub1.reset();
EXPECT_EQ(1u, media_sink_service_->sink_queries_.size());
sub2.reset();
EXPECT_TRUE(media_sink_service_->sink_queries_.empty());
}
TEST_F(DialMediaSinkServiceImplTest, OnDialAppInfoAvailableNoStartMonitoring) {
const MediaSink::Id& sink_id = dial_sink_1_.sink().id();
EXPECT_CALL(*this, OnSinksAvailableForApp(_, _)).Times(0);
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
media_sink_service_->OnAppInfoParseCompleted(
sink_id, "YouTube", CreateDialAppInfoResult("YouTube"));
}
TEST_F(DialMediaSinkServiceImplTest, OnDialAppInfoAvailableNoSink) {
const MediaSink::Id& sink_id = dial_sink_1_.sink().id();
EXPECT_CALL(*this, OnSinksAvailableForApp("YouTube", _)).Times(0);
auto sub = StartMonitoringAvailableSinksForApp("YouTube");
media_sink_service_->OnAppInfoParseCompleted(
sink_id, "YouTube", CreateDialAppInfoResult("YouTube"));
}
TEST_F(DialMediaSinkServiceImplTest, OnDialAppInfoAvailableSinksAdded) {
const MediaSink::Id& sink_id1 = dial_sink_1_.sink().id();
const MediaSink::Id& sink_id2 = dial_sink_2_.sink().id();
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
media_sink_service_->AddOrUpdateSink(dial_sink_2_);
EXPECT_CALL(*mock_app_discovery_service_,
DoFetchDialAppInfo(sink_id1, "YouTube"));
EXPECT_CALL(*mock_app_discovery_service_,
DoFetchDialAppInfo(sink_id2, "YouTube"));
EXPECT_CALL(*mock_app_discovery_service_,
DoFetchDialAppInfo(sink_id1, "Netflix"));
EXPECT_CALL(*mock_app_discovery_service_,
DoFetchDialAppInfo(sink_id2, "Netflix"));
EXPECT_CALL(*this, OnSinksAvailableForApp(_, _)).Times(0);
auto sub1 = StartMonitoringAvailableSinksForApp("YouTube");
auto sub2 = StartMonitoringAvailableSinksForApp("Netflix");
// Either kStopped or kRunning means the app is available on the sink.
EXPECT_CALL(*this,
OnSinksAvailableForApp(
"YouTube", std::vector<MediaSinkInternal>({dial_sink_1_})));
media_sink_service_->OnAppInfoParseCompleted(
sink_id1, "YouTube", CreateDialAppInfoResult("YouTube"));
EXPECT_CALL(*this, OnSinksAvailableForApp("YouTube",
std::vector<MediaSinkInternal>(
{dial_sink_1_, dial_sink_2_})));
media_sink_service_->OnAppInfoParseCompleted(
sink_id2, "YouTube", CreateDialAppInfoResult("YouTube"));
EXPECT_CALL(*this,
OnSinksAvailableForApp(
"Netflix", std::vector<MediaSinkInternal>({dial_sink_2_})));
media_sink_service_->OnAppInfoParseCompleted(
sink_id2, "Netflix", CreateDialAppInfoResult("Netflix"));
// Stop listening for Netflix.
sub2.reset();
EXPECT_CALL(*this, OnSinksAvailableForApp("Netflix", _)).Times(0);
media_sink_service_->OnAppInfoParseCompleted(
sink_id1, "Netflix", CreateDialAppInfoResult("Netflix"));
std::vector<MediaSinkInternal> expected_sinks = {dial_sink_1_, dial_sink_2_};
EXPECT_EQ(expected_sinks, media_sink_service_->GetAvailableSinks("YouTube"));
EXPECT_EQ(expected_sinks, media_sink_service_->GetAvailableSinks("Netflix"));
}
TEST_F(DialMediaSinkServiceImplTest, OnDialAppInfoAvailableSinksRemoved) {
const MediaSink::Id& sink_id = dial_sink_1_.sink().id();
EXPECT_CALL(*mock_app_discovery_service_, DoFetchDialAppInfo(_, _));
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
auto sub1 = StartMonitoringAvailableSinksForApp("YouTube");
EXPECT_CALL(*this,
OnSinksAvailableForApp(
"YouTube", std::vector<MediaSinkInternal>({dial_sink_1_})));
media_sink_service_->OnAppInfoParseCompleted(
sink_id, "YouTube", CreateDialAppInfoResult("YouTube"));
EXPECT_CALL(*this, OnSinksAvailableForApp("YouTube", IsEmpty()));
media_sink_service_->RemoveSink(dial_sink_1_);
media_sink_service_->OnDiscoveryComplete();
}
TEST_F(DialMediaSinkServiceImplTest,
OnDialAppInfoAvailableWithAlreadyAvailableSinks) {
const MediaSink::Id& sink_id = dial_sink_1_.sink().id();
EXPECT_CALL(*mock_app_discovery_service_, DoFetchDialAppInfo(_, _));
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
auto sub1 = StartMonitoringAvailableSinksForApp("YouTube");
EXPECT_CALL(*this,
OnSinksAvailableForApp(
"YouTube", std::vector<MediaSinkInternal>({dial_sink_1_})))
.Times(1);
media_sink_service_->OnAppInfoParseCompleted(
sink_id, "YouTube", CreateDialAppInfoResult("YouTube"));
media_sink_service_->OnAppInfoParseCompleted(
sink_id, "YouTube", CreateDialAppInfoResult("YouTube"));
}
TEST_F(DialMediaSinkServiceImplTest, StartAfterStopMonitoringForApp) {
EXPECT_CALL(*mock_app_discovery_service_, DoFetchDialAppInfo(_, _));
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
auto sub1 = StartMonitoringAvailableSinksForApp("YouTube");
std::vector<MediaSinkInternal> expected_sinks = {dial_sink_1_};
EXPECT_CALL(*this, OnSinksAvailableForApp("YouTube", expected_sinks))
.Times(1);
media_sink_service_->OnAppInfoParseCompleted(
dial_sink_1_.sink().id(), "YouTube", CreateDialAppInfoResult("YouTube"));
sub1.reset();
EXPECT_EQ(expected_sinks, media_sink_service_->GetAvailableSinks("YouTube"));
auto sub2 = StartMonitoringAvailableSinksForApp("YouTube");
EXPECT_EQ(expected_sinks, media_sink_service_->GetAvailableSinks("YouTube"));
}
TEST_F(DialMediaSinkServiceImplTest, FetchDialAppInfoWithDiscoveryOnlySink) {
media_router::DialSinkExtraData extra_data = dial_sink_1_.dial_data();
extra_data.model_name = "Eureka Dongle";
dial_sink_1_.set_dial_data(extra_data);
EXPECT_CALL(*mock_app_discovery_service_, DoFetchDialAppInfo(_, _)).Times(0);
media_sink_service_->AddOrUpdateSink(dial_sink_1_);
auto sub1 = StartMonitoringAvailableSinksForApp("YouTube");
}
} // namespace media_router
| [
"[email protected]"
] | |
f7378d5bbd66f06a5e4f4587d96e2a2a73fe9c42 | d00a988b9e3dcdfb1554c3529c8579c3db09b514 | /Examples/Game/DiceWar/Sources/Client/lobby_player_collection.cpp | a3d584989907aea26bdcdf903bc940d63df886d8 | [
"Zlib"
] | permissive | authenticate/ClanLib | 32734b3d81e8fef3b8bb9143f4bf1ad6b12f34da | 7c66f10bc568fd383e27fca77898ae7c4ec2d419 | refs/heads/master | 2021-01-25T00:29:41.596876 | 2013-09-18T03:55:11 | 2013-09-18T03:59:14 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 793 | cpp |
#include "precomp.h"
#include "lobby_player_collection.h"
#include "lobby_player.h"
LobbyPlayerCollection::LobbyPlayerCollection()
{
}
LobbyPlayerCollection::~LobbyPlayerCollection()
{
}
LobbyPlayer *LobbyPlayerCollection::get_player(int player_id) const
{
std::map<int, LobbyPlayer *>::const_iterator it = players.find(player_id);
if (it != players.end())
return it->second;
else
return 0;
}
LobbyPlayer *LobbyPlayerCollection::create_player(int player_id, std::string player_name)
{
LobbyPlayer *player = new LobbyPlayer(player_name, player_id);
players[player_id] = player;
return player;
}
void LobbyPlayerCollection::remove_player(int player_id)
{
LobbyPlayer *player = players[player_id];
if (player)
{
players.erase(players.find(player_id));
delete player;
}
}
| [
"[email protected]"
] | |
87a62714644c2d5acd7bc19ecb0f807c359856be | 267a3c3b43bf8e0042391c322c7930cb83a5903c | /dziedziczenie4_RTV_Rachwał/Zrodlo.cpp | dc6d027868235fa2e44ca9b6829c9e96298c3cae | [] | no_license | pierwiastekzminusjeden/cpp_lab_4sem | 096d2b2b9a0624d7e762260ad83925b531594d7f | ad0d388f7cb6463ded4c63e5a3ceca782577e307 | refs/heads/master | 2021-03-30T17:50:13.479514 | 2018-07-11T18:40:45 | 2018-07-11T18:40:45 | 122,998,380 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 237 | cpp | #include <iostream>
#include "Zrodlo.h"
Zrodlo::Zrodlo(char znak){
m_znak = znak;
m_nazwa = "nie zidentyfikowano";
}
char Zrodlo::wyswietl() const{
return m_znak;
}
std::string Zrodlo::nazwa() const{
return m_nazwa;
}
| [
"[email protected]"
] | |
6bdd4e6e7b72ca01551a4c67d45f7269546d7765 | b51edd70547fa541518494a40ca441f506e65f87 | /Star_Patterns/Star_Pattern_35.cpp | f3b2f62977f74271e27ec7b98e88c3911f773784 | [] | no_license | surabhikanade/Data_Structure | 8ce27a049451d4770358aaa56bd49e560a472467 | b9b728571f950040dd2ab1a757f039a47327fbbb | refs/heads/master | 2023-05-29T08:10:42.574617 | 2021-06-08T10:09:40 | 2021-06-08T10:09:40 | 374,964,652 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 361 | cpp | #include<iostream>
using namespace std;
int main()
{
int i,j;
for(i=1;i<=9;i++)
{
for(j=1;j<=5;j++)
{
if(j==5 || i==5 || j==i-4 || j==6-i )
{
cout<<"*";
}
else
{
cout<<" ";
}
}
cout<<"\n";
}
} | [
"surabhikanade.com"
] | surabhikanade.com |
ed03535a93f98f7a5c69e314cbb6764c4e17ee06 | 1d928c3f90d4a0a9a3919a804597aa0a4aab19a3 | /c++/folly/2016/4/FileUtil.h | a28b0477971d8eb3319ebd50d0ca0e7e37d5292b | [] | no_license | rosoareslv/SED99 | d8b2ff5811e7f0ffc59be066a5a0349a92cbb845 | a062c118f12b93172e31e8ca115ce3f871b64461 | refs/heads/main | 2023-02-22T21:59:02.703005 | 2021-01-28T19:40:51 | 2021-01-28T19:40:51 | 306,497,459 | 1 | 1 | null | 2020-11-24T20:56:18 | 2020-10-23T01:18:07 | null | UTF-8 | C++ | false | false | 7,162 | h | /*
* Copyright 2016 Facebook, Inc.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#pragma once
#include <folly/Conv.h>
#include <folly/Portability.h>
#include <folly/ScopeGuard.h>
#include <cassert>
#include <limits>
#include <sys/stat.h>
#include <sys/types.h>
#include <sys/uio.h>
#include <fcntl.h>
#include <unistd.h>
namespace folly {
/**
* Convenience wrappers around some commonly used system calls. The *NoInt
* wrappers retry on EINTR. The *Full wrappers retry on EINTR and also loop
* until all data is written. Note that *Full wrappers weaken the thread
* semantics of underlying system calls.
*/
int openNoInt(const char* name, int flags, mode_t mode = 0666);
int closeNoInt(int fd);
int dupNoInt(int fd);
int dup2NoInt(int oldfd, int newfd);
int fsyncNoInt(int fd);
int fdatasyncNoInt(int fd);
int ftruncateNoInt(int fd, off_t len);
int truncateNoInt(const char* path, off_t len);
int flockNoInt(int fd, int operation);
int shutdownNoInt(int fd, int how);
ssize_t readNoInt(int fd, void* buf, size_t n);
ssize_t preadNoInt(int fd, void* buf, size_t n, off_t offset);
ssize_t readvNoInt(int fd, const iovec* iov, int count);
ssize_t writeNoInt(int fd, const void* buf, size_t n);
ssize_t pwriteNoInt(int fd, const void* buf, size_t n, off_t offset);
ssize_t writevNoInt(int fd, const iovec* iov, int count);
/**
* Wrapper around read() (and pread()) that, in addition to retrying on
* EINTR, will loop until all data is read.
*
* This wrapper is only useful for blocking file descriptors (for non-blocking
* file descriptors, you have to be prepared to deal with incomplete reads
* anyway), and only exists because POSIX allows read() to return an incomplete
* read if interrupted by a signal (instead of returning -1 and setting errno
* to EINTR).
*
* Note that this wrapper weakens the thread safety of read(): the file pointer
* is shared between threads, but the system call is atomic. If multiple
* threads are reading from a file at the same time, you don't know where your
* data came from in the file, but you do know that the returned bytes were
* contiguous. You can no longer make this assumption if using readFull().
* You should probably use pread() when reading from the same file descriptor
* from multiple threads simultaneously, anyway.
*
* Note that readvFull and preadvFull require iov to be non-const, unlike
* readv and preadv. The contents of iov after these functions return
* is unspecified.
*/
ssize_t readFull(int fd, void* buf, size_t n);
ssize_t preadFull(int fd, void* buf, size_t n, off_t offset);
ssize_t readvFull(int fd, iovec* iov, int count);
#if FOLLY_HAVE_PREADV
ssize_t preadvFull(int fd, iovec* iov, int count, off_t offset);
#endif
/**
* Similar to readFull and preadFull above, wrappers around write() and
* pwrite() that loop until all data is written.
*
* Generally, the write() / pwrite() system call may always write fewer bytes
* than requested, just like read(). In certain cases (such as when writing to
* a pipe), POSIX provides stronger guarantees, but not in the general case.
* For example, Linux (even on a 64-bit platform) won't write more than 2GB in
* one write() system call.
*
* Note that writevFull and pwritevFull require iov to be non-const, unlike
* writev and pwritev. The contents of iov after these functions return
* is unspecified.
*/
ssize_t writeFull(int fd, const void* buf, size_t n);
ssize_t pwriteFull(int fd, const void* buf, size_t n, off_t offset);
ssize_t writevFull(int fd, iovec* iov, int count);
#if FOLLY_HAVE_PWRITEV
ssize_t pwritevFull(int fd, iovec* iov, int count, off_t offset);
#endif
/**
* Read entire file (if num_bytes is defaulted) or no more than
* num_bytes (otherwise) into container *out. The container is assumed
* to be contiguous, with element size equal to 1, and offer size(),
* reserve(), and random access (e.g. std::vector<char>, std::string,
* fbstring).
*
* Returns: true on success or false on failure. In the latter case
* errno will be set appropriately by the failing system primitive.
*/
template <class Container>
bool readFile(const char* file_name, Container& out,
size_t num_bytes = std::numeric_limits<size_t>::max()) {
static_assert(sizeof(out[0]) == 1,
"readFile: only containers with byte-sized elements accepted");
assert(file_name);
const auto fd = openNoInt(file_name, O_RDONLY);
if (fd == -1) return false;
size_t soFar = 0; // amount of bytes successfully read
SCOPE_EXIT {
assert(out.size() >= soFar); // resize better doesn't throw
out.resize(soFar);
// Ignore errors when closing the file
closeNoInt(fd);
};
// Obtain file size:
struct stat buf;
if (fstat(fd, &buf) == -1) return false;
// Some files (notably under /proc and /sys on Linux) lie about
// their size, so treat the size advertised by fstat under advise
// but don't rely on it. In particular, if the size is zero, we
// should attempt to read stuff. If not zero, we'll attempt to read
// one extra byte.
constexpr size_t initialAlloc = 1024 * 4;
out.resize(
std::min(
buf.st_size > 0 ? folly::to<size_t>(buf.st_size + 1) : initialAlloc,
num_bytes));
while (soFar < out.size()) {
const auto actual = readFull(fd, &out[soFar], out.size() - soFar);
if (actual == -1) {
return false;
}
soFar += actual;
if (soFar < out.size()) {
// File exhausted
break;
}
// Ew, allocate more memory. Use exponential growth to avoid
// quadratic behavior. Cap size to num_bytes.
out.resize(std::min(out.size() * 3 / 2, num_bytes));
}
return true;
}
/**
* Writes container to file. The container is assumed to be
* contiguous, with element size equal to 1, and offering STL-like
* methods empty(), size(), and indexed access
* (e.g. std::vector<char>, std::string, fbstring, StringPiece).
*
* "flags" dictates the open flags to use. Default is to create file
* if it doesn't exist and truncate it.
*
* Returns: true on success or false on failure. In the latter case
* errno will be set appropriately by the failing system primitive.
*/
template <class Container>
bool writeFile(const Container& data, const char* filename,
int flags = O_WRONLY | O_CREAT | O_TRUNC) {
static_assert(sizeof(data[0]) == 1,
"writeFile works with element size equal to 1");
int fd = open(filename, flags, 0666);
if (fd == -1) {
return false;
}
bool ok = data.empty() ||
writeFull(fd, &data[0], data.size()) == static_cast<ssize_t>(data.size());
return closeNoInt(fd) == 0 && ok;
}
} // namespaces
| [
"[email protected]"
] | |
3a5cec86502a1015423648c7aef29dbfa3c95be3 | dcf68e42faf13adafed175759bf2e07b7de05039 | /Agora-Live-Shop-Windows/AgoraHQ/ExtendObserver/ExtendVideoFrameObserver.cpp | 72f94997a9657e0101d8d7abf9c6e72b63d830fc | [
"MIT"
] | permissive | ping203/Live-Shop | 380336f94d4d1206198d01fa5e497b3c3ff7f1dd | 75b27587d282ad99f3d072e2ec7a2569705083a8 | refs/heads/master | 2023-01-27T22:57:28.375341 | 2020-11-26T11:24:38 | 2020-11-26T11:24:38 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,448 | cpp | #include "stdafx.h"
#include "ExtendVideoFrameObserver.h"
CExtendVideoFrameObserver::CExtendVideoFrameObserver()
{
m_lpImageBuffer = new BYTE[0x800000];
}
CExtendVideoFrameObserver::~CExtendVideoFrameObserver()
{
delete[] m_lpImageBuffer;
}
bool CExtendVideoFrameObserver::onCaptureVideoFrame(VideoFrame& videoFrame)
{
SIZE_T nBufferSize = 0x800000;
BOOL bSuccess = CVideoPackageQueue::GetInstance()->PopVideoPackage(m_lpImageBuffer, &nBufferSize);
if (!bSuccess)
return false;
m_lpY = m_lpImageBuffer;
m_lpU = m_lpImageBuffer + videoFrame.height*videoFrame.width;
m_lpV = m_lpImageBuffer + 5 * videoFrame.height*videoFrame.width / 4;
memcpy_s(videoFrame.yBuffer, videoFrame.height*videoFrame.width, m_lpY, videoFrame.height*videoFrame.width);
videoFrame.yStride = videoFrame.width;
memcpy_s(videoFrame.uBuffer, videoFrame.height*videoFrame.width / 4, m_lpU, videoFrame.height*videoFrame.width / 4);
videoFrame.uStride = videoFrame.width/2;
memcpy_s(videoFrame.vBuffer, videoFrame.height*videoFrame.width / 4, m_lpV, videoFrame.height*videoFrame.width / 4);
videoFrame.vStride = videoFrame.width/2;
videoFrame.type = FRAME_TYPE_YUV420;
videoFrame.rotation = 0;
// fwrite(m_lpU, 1, videoFrame.height*videoFrame.width/4, fp);
// fwrite(m_lpV, 1, videoFrame.height*videoFrame.width / 4, fp);
return true;
}
bool CExtendVideoFrameObserver::onRenderVideoFrame(unsigned int uid, VideoFrame& videoFrame)
{
return true;
}
| [
"[email protected]"
] | |
73b6926778623acf514b55c968dd22f7d31c04ac | 2e3bbc3b337b383c17c30d7507599829cc650e6c | /LearningFlyBird/LearningFlyBird.cpp | 68b7c8c22dcc867ea403da4559982d89afa7934e | [] | no_license | 15831944/MFCLearnning | 88b047d8a1e9411f94407754a3537220c0a8ba4d | 036cd5a6a906f5b65a05b5ce8bf23f6321330458 | refs/heads/master | 2022-07-17T03:00:58.804458 | 2020-05-20T08:16:07 | 2020-05-20T08:16:07 | null | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 4,116 | cpp |
// LearningFlyBird.cpp : 定义应用程序的类行为。
//
#include "stdafx.h"
#include "afxwinappex.h"
#include "afxdialogex.h"
#include "LearningFlyBird.h"
#include "MainFrm.h"
#ifdef _DEBUG
#define new DEBUG_NEW
#endif
// CLearningFlyBirdApp
BEGIN_MESSAGE_MAP(CLearningFlyBirdApp, CWinApp)
ON_COMMAND(ID_APP_ABOUT, &CLearningFlyBirdApp::OnAppAbout)
END_MESSAGE_MAP()
// CLearningFlyBirdApp 构造
CLearningFlyBirdApp::CLearningFlyBirdApp()
{
// 支持重新启动管理器
m_dwRestartManagerSupportFlags = AFX_RESTART_MANAGER_SUPPORT_RESTART;
#ifdef _MANAGED
// 如果应用程序是利用公共语言运行时支持(/clr)构建的,则:
// 1) 必须有此附加设置,“重新启动管理器”支持才能正常工作。
// 2) 在您的项目中,您必须按照生成顺序向 System.Windows.Forms 添加引用。
System::Windows::Forms::Application::SetUnhandledExceptionMode(System::Windows::Forms::UnhandledExceptionMode::ThrowException);
#endif
// TODO: 将以下应用程序 ID 字符串替换为唯一的 ID 字符串;建议的字符串格式
//为 CompanyName.ProductName.SubProduct.VersionInformation
SetAppID(_T("LearningFlyBird.AppID.NoVersion"));
// TODO: 在此处添加构造代码,
// 将所有重要的初始化放置在 InitInstance 中
}
// 唯一的一个 CLearningFlyBirdApp 对象
CLearningFlyBirdApp theApp;
// CLearningFlyBirdApp 初始化
BOOL CLearningFlyBirdApp::InitInstance()
{
// 如果一个运行在 Windows XP 上的应用程序清单指定要
// 使用 ComCtl32.dll 版本 6 或更高版本来启用可视化方式,
//则需要 InitCommonControlsEx()。 否则,将无法创建窗口。
INITCOMMONCONTROLSEX InitCtrls;
InitCtrls.dwSize = sizeof(InitCtrls);
// 将它设置为包括所有要在应用程序中使用的
// 公共控件类。
InitCtrls.dwICC = ICC_WIN95_CLASSES;
InitCommonControlsEx(&InitCtrls);
CWinApp::InitInstance();
// 初始化 OLE 库
if (!AfxOleInit())
{
AfxMessageBox(IDP_OLE_INIT_FAILED);
return FALSE;
}
AfxEnableControlContainer();
EnableTaskbarInteraction(FALSE);
// 使用 RichEdit 控件需要 AfxInitRichEdit2()
// AfxInitRichEdit2();
// 标准初始化
// 如果未使用这些功能并希望减小
// 最终可执行文件的大小,则应移除下列
// 不需要的特定初始化例程
// 更改用于存储设置的注册表项
// TODO: 应适当修改该字符串,
// 例如修改为公司或组织名
SetRegistryKey(_T("应用程序向导生成的本地应用程序"));
// 若要创建主窗口,此代码将创建新的框架窗口
// 对象,然后将其设置为应用程序的主窗口对象
CMainFrame* pFrame = new CMainFrame;
if (!pFrame)
return FALSE;
m_pMainWnd = pFrame;
// 创建并加载框架及其资源
pFrame->LoadFrame(IDR_MAINFRAME,
WS_OVERLAPPEDWINDOW | FWS_ADDTOTITLE, NULL,
NULL);
// 唯一的一个窗口已初始化,因此显示它并对其进行更新
pFrame->ShowWindow(SW_SHOW);
pFrame->UpdateWindow();
return TRUE;
}
int CLearningFlyBirdApp::ExitInstance()
{
//TODO: 处理可能已添加的附加资源
AfxOleTerm(FALSE);
return CWinApp::ExitInstance();
}
// CLearningFlyBirdApp 消息处理程序
// 用于应用程序“关于”菜单项的 CAboutDlg 对话框
class CAboutDlg : public CDialogEx
{
public:
CAboutDlg();
// 对话框数据
#ifdef AFX_DESIGN_TIME
enum { IDD = IDD_ABOUTBOX };
#endif
protected:
virtual void DoDataExchange(CDataExchange* pDX); // DDX/DDV 支持
// 实现
protected:
DECLARE_MESSAGE_MAP()
};
CAboutDlg::CAboutDlg() : CDialogEx(IDD_ABOUTBOX)
{
}
void CAboutDlg::DoDataExchange(CDataExchange* pDX)
{
CDialogEx::DoDataExchange(pDX);
}
BEGIN_MESSAGE_MAP(CAboutDlg, CDialogEx)
END_MESSAGE_MAP()
// 用于运行对话框的应用程序命令
void CLearningFlyBirdApp::OnAppAbout()
{
CAboutDlg aboutDlg;
aboutDlg.DoModal();
}
// CLearningFlyBirdApp 消息处理程序
| [
"[email protected]"
] | |
6f86ac261e91e6e96b25ea688b87622f5a4a0808 | 8a0389df843f6bc21348cc7c4a115573b9d41942 | /RegisterSharing_GPGPU-Sim/v3.x/src/gpgpusim_entrypoint.cc | dff6bde5bf1726accea1cd52a1738d17cc77173c | [
"BSD-3-Clause"
] | permissive | vishweshjatala/registersharing_hpdc16 | b2f4324268adff238675537fe331019c76b09628 | d121d77cbe40b5069e46d6e8e091b5af003588f6 | refs/heads/master | 2021-05-14T22:40:45.205000 | 2017-10-11T19:53:17 | 2017-10-11T19:53:17 | 106,601,243 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 9,280 | cc | // Copyright (c) 2009-2011, Tor M. Aamodt, Wilson W.L. Fung, Ivan Sham,
// Andrew Turner, Ali Bakhoda, The University of British Columbia
// All rights reserved.
//
// Redistribution and use in source and binary forms, with or without
// modification, are permitted provided that the following conditions are met:
//
// Redistributions of source code must retain the above copyright notice, this
// list of conditions and the following disclaimer.
// Redistributions in binary form must reproduce the above copyright notice, this
// list of conditions and the following disclaimer in the documentation and/or
// other materials provided with the distribution.
// Neither the name of The University of British Columbia 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.
#include "gpgpusim_entrypoint.h"
#include <stdio.h>
#include "option_parser.h"
#include "cuda-sim/cuda-sim.h"
#include "cuda-sim/ptx_ir.h"
#include "cuda-sim/ptx_parser.h"
#include "gpgpu-sim/gpu-sim.h"
#include "gpgpu-sim/icnt_wrapper.h"
#include "stream_manager.h"
#include <pthread.h>
#include <semaphore.h>
#define MAX(a,b) (((a)>(b))?(a):(b))
struct gpgpu_ptx_sim_arg *grid_params;
sem_t g_sim_signal_start;
sem_t g_sim_signal_finish;
sem_t g_sim_signal_exit;
time_t g_simulation_starttime;
pthread_t g_simulation_thread;
gpgpu_sim_config g_the_gpu_config;
gpgpu_sim *g_the_gpu;
stream_manager *g_stream_manager;
static int sg_argc = 3;
static const char *sg_argv[] = {"", "-config","gpgpusim.config"};
static void print_simulation_time();
void *gpgpu_sim_thread_sequential(void*)
{
// at most one kernel running at a time
bool done;
do {
sem_wait(&g_sim_signal_start);
done = true;
if( g_the_gpu->get_more_cta_left() ) {
done = false;
g_the_gpu->init();
while( g_the_gpu->active() ) {
g_the_gpu->cycle();
g_the_gpu->deadlock_check();
}
g_the_gpu->print_stats();
g_the_gpu->update_stats();
print_simulation_time();
}
sem_post(&g_sim_signal_finish);
} while(!done);
sem_post(&g_sim_signal_exit);
return NULL;
}
pthread_mutex_t g_sim_lock = PTHREAD_MUTEX_INITIALIZER;
bool g_sim_active = false;
bool g_sim_done = true;
void *gpgpu_sim_thread_concurrent(void*)
{
// concurrent kernel execution simulation thread
do {
if(g_debug_execution >= 3) {
printf("GPGPU-Sim: *** simulation thread starting and spinning waiting for work ***\n");
fflush(stdout);
}
while( g_stream_manager->empty_protected() && !g_sim_done )
;
if(g_debug_execution >= 3) {
printf("GPGPU-Sim: ** START simulation thread (detected work) **\n");
g_stream_manager->print(stdout);
fflush(stdout);
}
pthread_mutex_lock(&g_sim_lock);
g_sim_active = true;
pthread_mutex_unlock(&g_sim_lock);
bool active = false;
bool sim_cycles = false;
g_the_gpu->init();
do {
// check if a kernel has completed
// launch operation on device if one is pending and can be run
// Need to break this loop when a kernel completes. This was a
// source of non-deterministic behaviour in GPGPU-Sim (bug 147).
// If another stream operation is available, g_the_gpu remains active,
// causing this loop to not break. If the next operation happens to be
// another kernel, the gpu is not re-initialized and the inter-kernel
// behaviour may be incorrect. Check that a kernel has finished and
// no other kernel is currently running.
if(g_stream_manager->operation(&sim_cycles) && !g_the_gpu->active())
break;
if( g_the_gpu->active() ) {
g_the_gpu->cycle();
sim_cycles = true;
g_the_gpu->deadlock_check();
}
active=g_the_gpu->active() || !g_stream_manager->empty_protected();
} while( active );
if(g_debug_execution >= 3) {
printf("GPGPU-Sim: ** STOP simulation thread (no work) **\n");
fflush(stdout);
}
if(sim_cycles) {
g_the_gpu->update_stats();
print_simulation_time();
}
pthread_mutex_lock(&g_sim_lock);
g_sim_active = false;
pthread_mutex_unlock(&g_sim_lock);
} while( !g_sim_done );
if(g_debug_execution >= 3) {
printf("GPGPU-Sim: *** simulation thread exiting ***\n");
fflush(stdout);
}
sem_post(&g_sim_signal_exit);
return NULL;
}
void synchronize()
{
printf("GPGPU-Sim: synchronize waiting for inactive GPU simulation\n");
g_stream_manager->print(stdout);
fflush(stdout);
// sem_wait(&g_sim_signal_finish);
bool done = false;
do {
pthread_mutex_lock(&g_sim_lock);
done = g_stream_manager->empty() && !g_sim_active;
pthread_mutex_unlock(&g_sim_lock);
} while (!done);
printf("GPGPU-Sim: detected inactive GPU simulation thread\n");
fflush(stdout);
// sem_post(&g_sim_signal_start);
}
void exit_simulation()
{
g_sim_done=true;
printf("GPGPU-Sim: exit_simulation called\n");
fflush(stdout);
sem_wait(&g_sim_signal_exit);
printf("GPGPU-Sim: simulation thread signaled exit\n");
fflush(stdout);
}
extern bool g_cuda_launch_blocking;
gpgpu_sim *gpgpu_ptx_sim_init_perf()
{
srand(1);
print_splash();
read_sim_environment_variables();
read_parser_environment_variables();
option_parser_t opp = option_parser_create();
icnt_reg_options(opp);
g_the_gpu_config.reg_options(opp); // register GPU microrachitecture options
ptx_reg_options(opp);
ptx_opcocde_latency_options(opp);
option_parser_cmdline(opp, sg_argc, sg_argv); // parse configuration options
fprintf(stdout, "GPGPU-Sim: Configuration options:\n\n");
option_parser_print(opp, stdout);
// Set the Numeric locale to a standard locale where a decimal point is a "dot" not a "comma"
// so it does the parsing correctly independent of the system environment variables
assert(setlocale(LC_NUMERIC,"C"));
g_the_gpu_config.init();
g_the_gpu = new gpgpu_sim(g_the_gpu_config);
g_stream_manager = new stream_manager(g_the_gpu,g_cuda_launch_blocking);
g_simulation_starttime = time((time_t *)NULL);
sem_init(&g_sim_signal_start,0,0);
sem_init(&g_sim_signal_finish,0,0);
sem_init(&g_sim_signal_exit,0,0);
return g_the_gpu;
}
void start_sim_thread(int api)
{
if( g_sim_done ) {
g_sim_done = false;
if( api == 1 ) {
pthread_create(&g_simulation_thread,NULL,gpgpu_sim_thread_concurrent,NULL);
} else {
pthread_create(&g_simulation_thread,NULL,gpgpu_sim_thread_sequential,NULL);
}
}
}
void print_simulation_time()
{
time_t current_time, difference, d, h, m, s;
current_time = time((time_t *)NULL);
difference = MAX(current_time - g_simulation_starttime, 1);
d = difference/(3600*24);
h = difference/3600 - 24*d;
m = difference/60 - 60*(h + 24*d);
s = difference - 60*(m + 60*(h + 24*d));
fflush(stderr);
printf("\n\ngpgpu_simulation_time = %u days, %u hrs, %u min, %u sec (%u sec)\n",
(unsigned)d, (unsigned)h, (unsigned)m, (unsigned)s, (unsigned)difference );
printf("gpgpu_simulation_rate = %u (inst/sec)\n", (unsigned)(g_the_gpu->gpu_tot_sim_insn / difference) );
printf("gpgpu_simulation_rate = %u (cycle/sec)\n", (unsigned)(gpu_tot_sim_cycle / difference) );
fflush(stdout);
}
int gpgpu_opencl_ptx_sim_main_perf( kernel_info_t *grid )
{
g_the_gpu->launch(grid);
sem_post(&g_sim_signal_start);
sem_wait(&g_sim_signal_finish);
return 0;
}
//! Functional simulation of OpenCL
/*!
* This function call the CUDA PTX functional simulator
*/
int gpgpu_opencl_ptx_sim_main_func( kernel_info_t *grid )
{
//calling the CUDA PTX simulator, sending the kernel by reference and a flag set to true,
//the flag used by the function to distinguish OpenCL calls from the CUDA simulation calls which
//it is needed by the called function to not register the exit the exit of OpenCL kernel as it doesn't register entering in the first place as the CUDA kernels does
gpgpu_cuda_ptx_sim_main_func( *grid, true );
return 0;
}
| [
"[email protected]"
] | |
64ac865a9453aad77291244c41e03248510941a3 | ea60658a9030800cb0f728157f0d3569d1875103 | /Dynamic Programming/Total number of Strings (geeksforgeeks).cpp | 7398c1144c5d55e6a78fa662204fd23dfe8e07ca | [] | no_license | MayukhC99/Practice_Problems | 2166e0b12ae37fea485cf3826b360fceff3ea7ad | 639cdc61fb17e8089c3beebe18d2f8ecc934c0b7 | refs/heads/master | 2022-12-26T10:20:08.966517 | 2020-09-03T13:27:45 | 2020-09-03T13:27:45 | 263,596,604 | 6 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 1,523 | cpp | /*
*
*Problem Link : https://practice.geeksforgeeks.org/problems/total-number-of-strings/0
*Platform: geeksforgeeks
*Status: correct
*Author: Mayukh Chakrabarti
*
*/
#include<bits/stdc++.h>
#define speed ios_base::sync_with_stdio(false); cin.tie(NULL);
#define booster cout.tie(NULL)
#define endl "\n"
typedef long long int lld;
#define mp make_pair
#define pb push_back
#define fi first
#define si second
#define pii pair<lld,lld>
#define F(a,n) for(int i=0;i<n;i++){cin>>a[i];}
#define F1(a,n) for(int i=1;i<=n;i++){cin>>a[i];}
#define P(a,n) for(int i=0;i<n;i++){cout<<a[i]<<' ';}cout<<endl;
#define P1(a,n) for(int i=1;i<=n;i++){cout<<a[i]<<' ';}cout<<endl;
#define NF(a,n,m) for(int i=0;i<n;i++){for(int j=0;j<m;j++){cin>>a[i][j];}}
#define NF1(a,n,m) for(int i=1;i<=n;i++){for(int j=1;j<=m;j++){cin>>a[i][j];}}
#define PNF(a,n,m) for(int i=0;i<n;i++){for(int j=0;j<m;j++){cout<<a[i][j]<<' ';}cout<<endl;}cout<<endl;
#define PNF1(a,n,m) for(int i=1;i<=n;i++){for(int j=1;j<=m;j++){cout<<a[i][j]<<' ';}cout<<endl;}cout<<endl;
#define mod 1000000007
const lld inf= 1e12;
using namespace std;
lld dp[100][5][5];
lld solve(int n , int b , int c){
if(b<0 || c<0)
return 0;
if(n==0)
return 1;
if(dp[n][b][c] != -1)
return dp[n][b][c];
return dp[n][b][c] = solve(n-1,b,c) + solve(n-1,b-1,c) + solve(n-1,b,c-1);
}
int main() {
int T;
cin >> T;
memset(dp, -1 , sizeof dp);
while(T--){
int N;
cin >> N;
cout << solve(N,1,2) << endl;
}
return 0;
}
| [
"[email protected]"
] | |
3b1f04498153f06c3bbca0c01c3899eda18180a7 | bf94063cb2380ae233dce63e28ccc761d627c6b7 | /src/FusionEKF.cpp | 8f8d1e37cc51f25cba5b279830155523019f3082 | [
"MIT"
] | permissive | vijaykrishnay/Udacity_ExtendedKalmanFilter | 113e819783c387ab26699b584774d41ce5a27017 | a37fb16644307e519247171d7a7602158b886e2c | refs/heads/master | 2020-12-26T17:31:13.496793 | 2020-02-04T03:07:08 | 2020-02-04T03:07:08 | 237,580,620 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,048 | cpp | #include "FusionEKF.h"
#include <iostream>
#include "Eigen/Dense"
#include "tools.h"
#include "math.h"
using Eigen::MatrixXd;
using Eigen::VectorXd;
using std::cout;
using std::endl;
using std::vector;
/**
* Constructor.
*/
FusionEKF::FusionEKF() {
is_initialized_ = false;
previous_timestamp_ = 0;
// initializing matrices
R_laser_ = MatrixXd(2, 2);
R_radar_ = MatrixXd(3, 3);
H_laser_ = MatrixXd(2, 4);
Hj_ = MatrixXd(3, 4);
F_ = MatrixXd(4, 4);
Q_ = MatrixXd(4, 4);
Qv_ = MatrixXd(2, 2);
G_ = MatrixXd(4, 2);
//measurement covariance matrix - laser
R_laser_ << 0.0225, 0,
0, 0.0225;
//measurement covariance matrix - radar
R_radar_ << 0.09, 0, 0,
0, 0.0009, 0,
0, 0, 0.09;
// Set the process and measurement noises
H_laser_ << 1, 0, 0, 0,
0, 1, 0, 0;
// set the acceleration noise components
noise_ax = 9;
noise_ay = 9;
Qv_ << noise_ax, 0,
0, noise_ay;
}
/**
* Destructor.
*/
FusionEKF::~FusionEKF() {}
void FusionEKF::ProcessMeasurement(const MeasurementPackage &measurement_pack) {
/**
* Initialization
*/
if (!is_initialized_) {
cout << "Started.." << endl;
// first measurement
cout << "EKF: " << endl;
ekf_.x_ = VectorXd(4);
ekf_.P_ = MatrixXd(4, 4);
ekf_.P_ << 1, 0, 0, 0,
0, 1, 0, 0,
0, 0, 1000, 0,
0, 0, 0, 1000;
if (measurement_pack.sensor_type_ == MeasurementPackage::RADAR) {
// Convert radar from polar to cartesian coordinates
// and initialize state.
float rho = measurement_pack.raw_measurements_[0];
float phi = measurement_pack.raw_measurements_[1];
float rho_dot = measurement_pack.raw_measurements_[2];
ekf_.x_ << rho*sin(phi), rho*cos(phi), 0., 0.;
// Initialize covariance matrix
Hj_ << tools.CalculateJacobian(ekf_.x_);
}
else if (measurement_pack.sensor_type_ == MeasurementPackage::LASER) {
// Initialize state.
ekf_.x_ << measurement_pack.raw_measurements_[0], measurement_pack.raw_measurements_[1], 0., 0.;
}
// done initializing, no need to predict or update
is_initialized_ = true;
previous_timestamp_ = measurement_pack.timestamp_;
return;
}
// if (measurement_pack.sensor_type_ == MeasurementPackage::LASER){
// return;
// }
/**
* Prediction
*/
// cout << "Predicting.." << endl;
/**
* Update the state transition matrix F according to the new elapsed time.
* Time is measured in seconds.
*/
float dt = (measurement_pack.timestamp_ - previous_timestamp_)/1e6;
// cout << "dt:\t" << dt << endl;
F_ << 1, 0, dt, 0,
0, 1, 0, dt,
0, 0, 1, 0,
0, 0, 0, 1;
/*
* Update the process noise covariance matrix.
* Use noise_ax = 9 and noise_ay = 9 for your Q matrix.
*/
G_ << 0.5*dt*dt, 0,
0, 0.5*dt*dt,
dt, 0,
0, dt;
Q_ << G_ * Qv_ * G_.transpose();
// Init EKF
ekf_.Init(ekf_.x_, ekf_.P_, F_, H_laser_, R_laser_, Q_);
ekf_.Predict();
/**
* Update
*/
// cout << "Updating.." << endl;
/**
* - Use the sensor type to perform the update step.
* - Update the state and covariance matrices.
*/
if (measurement_pack.sensor_type_ == MeasurementPackage::RADAR) {
// Init EKF
ekf_.Init(ekf_.x_, ekf_.P_, F_, Hj_, R_radar_, Q_);
// Radar updates
ekf_.UpdateEKF(measurement_pack.raw_measurements_);
// cout << "RADAR UPDATED.." << endl;
} else {
// Init EKF
ekf_.Init(ekf_.x_, ekf_.P_, F_, H_laser_, R_laser_, Q_);
// Laser updates
ekf_.Update(measurement_pack.raw_measurements_);
// cout << "LASER UPDATED.." << endl;
}
// Update Jacobian
if ((ekf_.x_[0]*ekf_.x_[0] + ekf_.x_[1]*ekf_.x_[1]) > 1e-4){
Hj_ << tools.CalculateJacobian(ekf_.x_);
}
// print the output
cout << "x_ = " << ekf_.x_ << endl;
cout << "P_ = " << ekf_.P_ << endl;
previous_timestamp_ = measurement_pack.timestamp_;
}
| [
"[email protected]"
] | |
9ded9b7d3ef2a791173022068558f3fab8ba30f3 | 2cf838b54b556987cfc49f42935f8aa7563ea1f4 | /aws-cpp-sdk-auditmanager/source/model/BatchImportEvidenceToAssessmentControlResult.cpp | 368712032eafeeea54ae9676ab4d4966c6914462 | [
"MIT",
"Apache-2.0",
"JSON"
] | permissive | QPC-database/aws-sdk-cpp | d11e9f0ff6958c64e793c87a49f1e034813dac32 | 9f83105f7e07fe04380232981ab073c247d6fc85 | refs/heads/main | 2023-06-14T17:41:04.817304 | 2021-07-09T20:28:20 | 2021-07-09T20:28:20 | 384,714,703 | 1 | 0 | Apache-2.0 | 2021-07-10T14:16:41 | 2021-07-10T14:16:41 | null | UTF-8 | C++ | false | false | 1,308 | cpp | /**
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
* SPDX-License-Identifier: Apache-2.0.
*/
#include <aws/auditmanager/model/BatchImportEvidenceToAssessmentControlResult.h>
#include <aws/core/utils/json/JsonSerializer.h>
#include <aws/core/AmazonWebServiceResult.h>
#include <aws/core/utils/StringUtils.h>
#include <aws/core/utils/UnreferencedParam.h>
#include <utility>
using namespace Aws::AuditManager::Model;
using namespace Aws::Utils::Json;
using namespace Aws::Utils;
using namespace Aws;
BatchImportEvidenceToAssessmentControlResult::BatchImportEvidenceToAssessmentControlResult()
{
}
BatchImportEvidenceToAssessmentControlResult::BatchImportEvidenceToAssessmentControlResult(const Aws::AmazonWebServiceResult<JsonValue>& result)
{
*this = result;
}
BatchImportEvidenceToAssessmentControlResult& BatchImportEvidenceToAssessmentControlResult::operator =(const Aws::AmazonWebServiceResult<JsonValue>& result)
{
JsonView jsonValue = result.GetPayload().View();
if(jsonValue.ValueExists("errors"))
{
Array<JsonView> errorsJsonList = jsonValue.GetArray("errors");
for(unsigned errorsIndex = 0; errorsIndex < errorsJsonList.GetLength(); ++errorsIndex)
{
m_errors.push_back(errorsJsonList[errorsIndex].AsObject());
}
}
return *this;
}
| [
"[email protected]"
] | |
7d97e7b0b4edbd68967b00d4c0ca9710ea3c9be0 | c8b39acfd4a857dc15ed3375e0d93e75fa3f1f64 | /Engine/Source/Runtime/FriendsAndChat/Public/FriendsChatStyle.h | 486a84f8597be54111b700df1fe90bd6e19c1068 | [
"MIT",
"LicenseRef-scancode-proprietary-license"
] | permissive | windystrife/UnrealEngine_NVIDIAGameWorks | c3c7863083653caf1bc67d3ef104fb4b9f302e2a | b50e6338a7c5b26374d66306ebc7807541ff815e | refs/heads/4.18-GameWorks | 2023-03-11T02:50:08.471040 | 2022-01-13T20:50:29 | 2022-01-13T20:50:29 | 124,100,479 | 262 | 179 | MIT | 2022-12-16T05:36:38 | 2018-03-06T15:44:09 | C++ | UTF-8 | C++ | false | false | 5,888 | h | // Copyright 1998-2017 Epic Games, Inc. All Rights Reserved.
#pragma once
#include "CoreMinimal.h"
#include "UObject/NameTypes.h"
#include "Math/Color.h"
#include "UObject/ObjectMacros.h"
#include "Layout/Margin.h"
#include "Styling/SlateBrush.h"
#include "Styling/SlateWidgetStyle.h"
#include "Styling/SlateTypes.h"
#include "FriendsChatStyle.generated.h"
// Forward declarations
namespace EChatMessageType
{
enum Type : uint16;
}
/**
* Interface for the services manager.
*/
USTRUCT()
struct FRIENDSANDCHAT_API FFriendsChatStyle
: public FSlateWidgetStyle
{
GENERATED_USTRUCT_BODY()
// Default Constructor
FFriendsChatStyle()
: TimeStampOpacity(0.5f)
, ChatEntryPadding(0)
, ChatEntryHeight(55)
, FriendActionPadding(20, 15)
, FriendActionHeaderPadding(20)
, FriendActionStatusMargin(20, 0, 0, 0)
{
}
// Default Destructor
virtual ~FFriendsChatStyle() { }
/**
* Override widget style function.
*/
virtual void GetResources( TArray< const FSlateBrush* >& OutBrushes ) const override { }
// Holds the widget type name
static const FName TypeName;
/**
* Get the type name.
* @return the type name
*/
virtual const FName GetTypeName() const override { return TypeName; };
/**
* Get the default style.
* @return the default style
*/
static const FFriendsChatStyle& GetDefault();
/** Text Style */
UPROPERTY(EditAnywhere, Category=Appearance)
FTextBlockStyle TextStyle;
FFriendsChatStyle& SetTextStyle(const FTextBlockStyle& InTextStyle);
/** Time Stamp Text Style */
UPROPERTY(EditAnywhere, Category=Appearance)
FTextBlockStyle TimeStampTextStyle;
FFriendsChatStyle& SetTimeStampTextStyle(const FTextBlockStyle& InTextStyle);
UPROPERTY(EditAnywhere, Category = Appearance)
float TimeStampOpacity;
FFriendsChatStyle& SetTimestampOpacity(float InOpacity);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor DefaultChatColor;
FFriendsChatStyle& SetDefaultChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor WhisperChatColor;
FFriendsChatStyle& SetWhisplerChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor GlobalChatColor;
FFriendsChatStyle& SetGlobalChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor GameChatColor;
FFriendsChatStyle& SetGameChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor TeamChatColor;
FFriendsChatStyle& SetTeamChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor PartyChatColor;
FFriendsChatStyle& SetPartyChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor AdminChatColor;
FFriendsChatStyle& SetAdminChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor GameAdminChatColor;
FFriendsChatStyle& SetGameAdminChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor AddedItemChatColor;
FFriendsChatStyle& SetAddedItemChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor CompletedItemChatColor;
FFriendsChatStyle& SetCompletedItemChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor DiscardedItemChatColor;
FFriendsChatStyle& SetDiscardedItemChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor WhisperHyperlinkChatColor;
FFriendsChatStyle& SetWhisplerHyperlinkChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor GlobalHyperlinkChatColor;
FFriendsChatStyle& SetGlobalHyperlinkChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor GameHyperlinkChatColor;
FFriendsChatStyle& SetGameHyperlinkChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category=Appearance)
FLinearColor TeamHyperlinkChatColor;
FFriendsChatStyle& SetTeamHyperlinkChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor PartyHyperlinkChatColor;
FFriendsChatStyle& SetPartyHyperlinkChatColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor EnemyColor;
FFriendsChatStyle& SetEnemyColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FLinearColor FriendlyColor;
FFriendsChatStyle& SetFriendlyColor(const FLinearColor& InFontColor);
UPROPERTY(EditAnywhere, Category = Appearance)
FEditableTextBoxStyle ChatEntryTextStyle;
FFriendsChatStyle& SetChatEntryTextStyle(const FEditableTextBoxStyle& InEditableTextStyle);
UPROPERTY(EditAnywhere, Category = Appearance)
FEditableTextBoxStyle ChatDisplayTextStyle;
FFriendsChatStyle& SetChatDisplayTextStyle(const FEditableTextBoxStyle& InEditableTextStyle);
UPROPERTY(EditAnywhere, Category = Appearance)
FScrollBoxStyle ScrollBorderStyle;
FFriendsChatStyle& SetScrollBorderStyle(const FScrollBoxStyle& InScrollBorderStyle);
UPROPERTY(EditAnywhere, Category = Appearance)
FSlateBrush MessageNotificationBrush;
FFriendsChatStyle& SetMessageNotificationBrush(const FSlateBrush& Brush);
UPROPERTY(EditAnywhere, Category = Appearance)
FMargin ChatEntryPadding;
FFriendsChatStyle& SetChatChannelPadding(const FMargin& Value);
UPROPERTY(EditAnywhere, Category = Appearance)
float ChatEntryHeight;
FFriendsChatStyle& SetChatEntryHeight(float Value);
UPROPERTY(EditAnywhere, Category = Appearance)
FMargin FriendActionPadding;
UPROPERTY(EditAnywhere, Category = Appearance)
FMargin FriendActionHeaderPadding;
UPROPERTY(EditAnywhere, Category = Appearance)
FMargin FriendActionStatusMargin;
};
| [
"[email protected]"
] | |
9c532e52c2576e2075ea66752dc20c0a22078f24 | a2206795a05877f83ac561e482e7b41772b22da8 | /Source/PV/build/VTK/Wrapping/Python/vtkFixedPointVolumeRayCastCompositeGOShadeHelperPython.cxx | 60f3a95880477a85f5e179a8ce64ff27189d49eb | [] | no_license | supreethms1809/mpas-insitu | 5578d465602feb4d6b239a22912c33918c7bb1c3 | 701644bcdae771e6878736cb6f49ccd2eb38b36e | refs/heads/master | 2020-03-25T16:47:29.316814 | 2018-08-08T02:00:13 | 2018-08-08T02:00:13 | 143,947,446 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,888 | cxx | // python wrapper for vtkFixedPointVolumeRayCastCompositeGOShadeHelper
//
#define VTK_WRAPPING_CXX
#define VTK_STREAMS_FWD_ONLY
#include "vtkPythonArgs.h"
#include "vtkPythonOverload.h"
#include "vtkConfigure.h"
#include <vtksys/ios/sstream>
#include "vtkIndent.h"
#include "vtkFixedPointVolumeRayCastCompositeGOShadeHelper.h"
#if defined(VTK_BUILD_SHARED_LIBS)
# define VTK_PYTHON_EXPORT VTK_ABI_EXPORT
# define VTK_PYTHON_IMPORT VTK_ABI_IMPORT
#else
# define VTK_PYTHON_EXPORT VTK_ABI_EXPORT
# define VTK_PYTHON_IMPORT VTK_ABI_EXPORT
#endif
extern "C" { VTK_PYTHON_EXPORT void PyVTKAddFile_vtkFixedPointVolumeRayCastCompositeGOShadeHelper(PyObject *, const char *); }
extern "C" { VTK_PYTHON_EXPORT PyObject *PyVTKClass_vtkFixedPointVolumeRayCastCompositeGOShadeHelperNew(const char *); }
#ifndef DECLARED_PyVTKClass_vtkFixedPointVolumeRayCastHelperNew
extern "C" { PyObject *PyVTKClass_vtkFixedPointVolumeRayCastHelperNew(const char *); }
#define DECLARED_PyVTKClass_vtkFixedPointVolumeRayCastHelperNew
#endif
static const char **PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_Doc();
static PyObject *
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_GetClassName(PyObject *self, PyObject *args)
{
vtkPythonArgs ap(self, args, "GetClassName");
vtkObjectBase *vp = ap.GetSelfPointer(self, args);
vtkFixedPointVolumeRayCastCompositeGOShadeHelper *op = static_cast<vtkFixedPointVolumeRayCastCompositeGOShadeHelper *>(vp);
PyObject *result = NULL;
if (op && ap.CheckArgCount(0))
{
const char *tempr = (ap.IsBound() ?
op->GetClassName() :
op->vtkFixedPointVolumeRayCastCompositeGOShadeHelper::GetClassName());
if (!ap.ErrorOccurred())
{
result = ap.BuildValue(tempr);
}
}
return result;
}
static PyObject *
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_IsA(PyObject *self, PyObject *args)
{
vtkPythonArgs ap(self, args, "IsA");
vtkObjectBase *vp = ap.GetSelfPointer(self, args);
vtkFixedPointVolumeRayCastCompositeGOShadeHelper *op = static_cast<vtkFixedPointVolumeRayCastCompositeGOShadeHelper *>(vp);
char *temp0 = NULL;
PyObject *result = NULL;
if (op && ap.CheckArgCount(1) &&
ap.GetValue(temp0))
{
int tempr = (ap.IsBound() ?
op->IsA(temp0) :
op->vtkFixedPointVolumeRayCastCompositeGOShadeHelper::IsA(temp0));
if (!ap.ErrorOccurred())
{
result = ap.BuildValue(tempr);
}
}
return result;
}
static PyObject *
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_NewInstance(PyObject *self, PyObject *args)
{
vtkPythonArgs ap(self, args, "NewInstance");
vtkObjectBase *vp = ap.GetSelfPointer(self, args);
vtkFixedPointVolumeRayCastCompositeGOShadeHelper *op = static_cast<vtkFixedPointVolumeRayCastCompositeGOShadeHelper *>(vp);
PyObject *result = NULL;
if (op && ap.CheckArgCount(0))
{
vtkFixedPointVolumeRayCastCompositeGOShadeHelper *tempr = (ap.IsBound() ?
op->NewInstance() :
op->vtkFixedPointVolumeRayCastCompositeGOShadeHelper::NewInstance());
if (!ap.ErrorOccurred())
{
result = ap.BuildVTKObject(tempr);
if (result && PyVTKObject_Check(result))
{
PyVTKObject_GetObject(result)->UnRegister(0);
PyVTKObject_SetFlag(result, VTK_PYTHON_IGNORE_UNREGISTER, 1);
}
}
}
return result;
}
static PyObject *
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_SafeDownCast(PyObject *, PyObject *args)
{
vtkPythonArgs ap(args, "SafeDownCast");
vtkObject *temp0 = NULL;
PyObject *result = NULL;
if (ap.CheckArgCount(1) &&
ap.GetVTKObject(temp0, "vtkObject"))
{
vtkFixedPointVolumeRayCastCompositeGOShadeHelper *tempr = vtkFixedPointVolumeRayCastCompositeGOShadeHelper::SafeDownCast(temp0);
if (!ap.ErrorOccurred())
{
result = ap.BuildVTKObject(tempr);
}
}
return result;
}
static PyObject *
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_GenerateImage(PyObject *self, PyObject *args)
{
vtkPythonArgs ap(self, args, "GenerateImage");
vtkObjectBase *vp = ap.GetSelfPointer(self, args);
vtkFixedPointVolumeRayCastCompositeGOShadeHelper *op = static_cast<vtkFixedPointVolumeRayCastCompositeGOShadeHelper *>(vp);
int temp0;
int temp1;
vtkVolume *temp2 = NULL;
vtkFixedPointVolumeRayCastMapper *temp3 = NULL;
PyObject *result = NULL;
if (op && ap.CheckArgCount(4) &&
ap.GetValue(temp0) &&
ap.GetValue(temp1) &&
ap.GetVTKObject(temp2, "vtkVolume") &&
ap.GetVTKObject(temp3, "vtkFixedPointVolumeRayCastMapper"))
{
if (ap.IsBound())
{
op->GenerateImage(temp0, temp1, temp2, temp3);
}
else
{
op->vtkFixedPointVolumeRayCastCompositeGOShadeHelper::GenerateImage(temp0, temp1, temp2, temp3);
}
if (!ap.ErrorOccurred())
{
result = ap.BuildNone();
}
}
return result;
}
static PyMethodDef PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_Methods[] = {
{(char*)"GetClassName", PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_GetClassName, METH_VARARGS,
(char*)"V.GetClassName() -> string\nC++: const char *GetClassName()\n\n"},
{(char*)"IsA", PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_IsA, METH_VARARGS,
(char*)"V.IsA(string) -> int\nC++: int IsA(const char *name)\n\n"},
{(char*)"NewInstance", PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_NewInstance, METH_VARARGS,
(char*)"V.NewInstance()\n -> vtkFixedPointVolumeRayCastCompositeGOShadeHelper\nC++: vtkFixedPointVolumeRayCastCompositeGOShadeHelper *NewInstance(\n )\n\n"},
{(char*)"SafeDownCast", PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_SafeDownCast, METH_VARARGS | METH_STATIC,
(char*)"V.SafeDownCast(vtkObject)\n -> vtkFixedPointVolumeRayCastCompositeGOShadeHelper\nC++: vtkFixedPointVolumeRayCastCompositeGOShadeHelper *SafeDownCast(\n vtkObject* o)\n\n"},
{(char*)"GenerateImage", PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_GenerateImage, METH_VARARGS,
(char*)"V.GenerateImage(int, int, vtkVolume,\n vtkFixedPointVolumeRayCastMapper)\nC++: virtual void GenerateImage(int threadID, int threadCount,\n vtkVolume *vol, vtkFixedPointVolumeRayCastMapper *mapper)\n\n"},
{NULL, NULL, 0, NULL}
};
static vtkObjectBase *PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_StaticNew()
{
return vtkFixedPointVolumeRayCastCompositeGOShadeHelper::New();
}
PyObject *PyVTKClass_vtkFixedPointVolumeRayCastCompositeGOShadeHelperNew(const char *modulename)
{
PyObject *cls = PyVTKClass_New(&PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_StaticNew,
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_Methods,
"vtkFixedPointVolumeRayCastCompositeGOShadeHelper", modulename,
NULL, NULL,
PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_Doc(),
PyVTKClass_vtkFixedPointVolumeRayCastHelperNew(modulename));
return cls;
}
const char **PyvtkFixedPointVolumeRayCastCompositeGOShadeHelper_Doc()
{
static const char *docstring[] = {
"vtkFixedPointVolumeRayCastCompositeGOShadeHelper - A helper that\ngenerates composite images for the volume ray cast mapper\n\n",
"Superclass: vtkFixedPointVolumeRayCastHelper\n\n",
"This is one of the helper classes for the\nvtkFixedPointVolumeRayCastMapper. It will generate composite images\nusing an alpha blending operation. This class should not be used\ndirectly, it is a helper class for the mapper and has no user-level\nAPI.\n\nSee Also:\n\nvtkFixedPointVolumeRayCastMapper\n\n",
NULL
};
return docstring;
}
void PyVTKAddFile_vtkFixedPointVolumeRayCastCompositeGOShadeHelper(
PyObject *dict, const char *modulename)
{
PyObject *o;
o = PyVTKClass_vtkFixedPointVolumeRayCastCompositeGOShadeHelperNew(modulename);
if (o && PyDict_SetItemString(dict, (char *)"vtkFixedPointVolumeRayCastCompositeGOShadeHelper", o) != 0)
{
Py_DECREF(o);
}
}
| [
"[email protected]"
] | |
9a512f53ea7626162c67f40e8136f0877a10ba2c | e384abc5cde4674e71029f8e91bb849c34c990a3 | /Alien.h | 52f7886cdfcee329e967fe5b6b53715cd2add095 | [] | no_license | Sylvi21/SpaceInvaders | 8fc7ce32fb2f008df95edc0291525d2d5d268374 | adfe3668e90425d0b9d5b6a6cd008b5bb546e4ca | refs/heads/master | 2023-02-11T09:19:55.412575 | 2021-01-16T15:17:18 | 2021-01-16T15:17:18 | 313,681,424 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 553 | h | #ifndef ALIEN_H
#define ALIEN_H
#include <QGraphicsPixmapItem>
#include "AnimationState.h"
class Alien : public QObject, public QGraphicsPixmapItem {
Q_OBJECT
private:
int id;
int shotDamage;
int points;
public:
Alien();
Alien(int id);
int getWidth(){return 50;}
int getId(){return this->id;}
void setId(int id);
int getPoints();
void dying();
virtual void animate();
signals:
void goodbye(Alien *alien);
};
#endif // ALIEN_H
| [
"[email protected]"
] | |
1704d55468bdb989dc0ae5a08811c314e16b113b | 90047daeb462598a924d76ddf4288e832e86417c | /ui/events/platform/x11/x11_event_source_libevent.cc | 7edd46c84661c99ee44eef5d3667cdec56b8b6c6 | [
"BSD-3-Clause"
] | permissive | massbrowser/android | 99b8c21fa4552a13c06bbedd0f9c88dd4a4ad080 | a9c4371682c9443d6e1d66005d4db61a24a9617c | refs/heads/master | 2022-11-04T21:15:50.656802 | 2017-06-08T12:31:39 | 2017-06-08T12:31:39 | 93,747,579 | 2 | 2 | BSD-3-Clause | 2022-10-31T10:34:25 | 2017-06-08T12:36:07 | null | UTF-8 | C++ | false | false | 7,211 | 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 "ui/events/platform/x11/x11_event_source_libevent.h"
#include <X11/Xlib.h>
#include <X11/extensions/XInput2.h>
#include <memory>
#include "base/memory/ptr_util.h"
#include "base/message_loop/message_loop.h"
#include "ui/events/event.h"
#include "ui/events/event_utils.h"
#include "ui/events/keycodes/keyboard_code_conversion_x.h"
#include "ui/events/platform/platform_event_dispatcher.h"
#include "ui/events/x/events_x_utils.h"
namespace ui {
namespace {
// Translates XI2 XEvent into a ui::Event.
std::unique_ptr<ui::Event> TranslateXI2EventToEvent(const XEvent& xev) {
EventType event_type = EventTypeFromXEvent(xev);
switch (event_type) {
case ET_KEY_PRESSED:
case ET_KEY_RELEASED:
return base::MakeUnique<KeyEvent>(event_type,
KeyboardCodeFromXKeyEvent(&xev),
EventFlagsFromXEvent(xev));
case ET_MOUSE_PRESSED:
case ET_MOUSE_MOVED:
case ET_MOUSE_DRAGGED:
case ET_MOUSE_RELEASED:
return base::MakeUnique<MouseEvent>(
event_type, EventLocationFromXEvent(xev),
EventSystemLocationFromXEvent(xev), EventTimeFromXEvent(xev),
EventFlagsFromXEvent(xev), GetChangedMouseButtonFlagsFromXEvent(xev));
case ET_MOUSEWHEEL:
return base::MakeUnique<MouseWheelEvent>(
GetMouseWheelOffsetFromXEvent(xev), EventLocationFromXEvent(xev),
EventSystemLocationFromXEvent(xev), EventTimeFromXEvent(xev),
EventFlagsFromXEvent(xev), GetChangedMouseButtonFlagsFromXEvent(xev));
case ET_SCROLL_FLING_START:
case ET_SCROLL_FLING_CANCEL: {
float x_offset, y_offset, x_offset_ordinal, y_offset_ordinal;
GetFlingDataFromXEvent(xev, &x_offset, &y_offset, &x_offset_ordinal,
&y_offset_ordinal, nullptr);
return base::MakeUnique<ScrollEvent>(
event_type, EventLocationFromXEvent(xev), EventTimeFromXEvent(xev),
EventFlagsFromXEvent(xev), x_offset, y_offset, x_offset_ordinal,
y_offset_ordinal, 0);
}
case ET_SCROLL: {
float x_offset, y_offset, x_offset_ordinal, y_offset_ordinal;
int finger_count;
GetScrollOffsetsFromXEvent(xev, &x_offset, &y_offset, &x_offset_ordinal,
&y_offset_ordinal, &finger_count);
return base::MakeUnique<ScrollEvent>(
event_type, EventLocationFromXEvent(xev), EventTimeFromXEvent(xev),
EventFlagsFromXEvent(xev), x_offset, y_offset, x_offset_ordinal,
y_offset_ordinal, finger_count);
}
case ET_TOUCH_MOVED:
case ET_TOUCH_PRESSED:
case ET_TOUCH_CANCELLED:
case ET_TOUCH_RELEASED:
return base::MakeUnique<TouchEvent>(
event_type, EventLocationFromXEvent(xev), EventTimeFromXEvent(xev),
ui::PointerDetails(
ui::EventPointerType::POINTER_TYPE_TOUCH,
GetTouchIdFromXEvent(xev), GetTouchRadiusXFromXEvent(xev),
GetTouchRadiusYFromXEvent(xev), GetTouchForceFromXEvent(xev)));
case ET_UNKNOWN:
return nullptr;
default:
break;
}
return nullptr;
}
// Translates a XEvent into a ui::Event.
std::unique_ptr<ui::Event> TranslateXEventToEvent(const XEvent& xev) {
int flags = EventFlagsFromXEvent(xev);
switch (xev.type) {
case LeaveNotify:
case EnterNotify:
// EnterNotify creates ET_MOUSE_MOVED. Mark as synthesized as this is
// not real mouse move event.
if (xev.type == EnterNotify)
flags |= EF_IS_SYNTHESIZED;
return base::MakeUnique<MouseEvent>(ET_MOUSE_MOVED,
EventLocationFromXEvent(xev),
EventSystemLocationFromXEvent(xev),
EventTimeFromXEvent(xev), flags, 0);
case KeyPress:
case KeyRelease:
return base::MakeUnique<KeyEvent>(EventTypeFromXEvent(xev),
KeyboardCodeFromXKeyEvent(&xev), flags);
case ButtonPress:
case ButtonRelease: {
switch (EventTypeFromXEvent(xev)) {
case ET_MOUSEWHEEL:
return base::MakeUnique<MouseWheelEvent>(
GetMouseWheelOffsetFromXEvent(xev), EventLocationFromXEvent(xev),
EventSystemLocationFromXEvent(xev), EventTimeFromXEvent(xev),
flags, 0);
case ET_MOUSE_PRESSED:
case ET_MOUSE_RELEASED:
return base::MakeUnique<MouseEvent>(
EventTypeFromXEvent(xev), EventLocationFromXEvent(xev),
EventSystemLocationFromXEvent(xev), EventTimeFromXEvent(xev),
flags, GetChangedMouseButtonFlagsFromXEvent(xev));
case ET_UNKNOWN:
// No event is created for X11-release events for mouse-wheel
// buttons.
break;
default:
NOTREACHED();
}
break;
}
case GenericEvent:
return TranslateXI2EventToEvent(xev);
}
return nullptr;
}
} // namespace
X11EventSourceLibevent::X11EventSourceLibevent(XDisplay* display)
: event_source_(this, display), watcher_controller_(FROM_HERE) {
AddEventWatcher();
}
X11EventSourceLibevent::~X11EventSourceLibevent() {}
// static
X11EventSourceLibevent* X11EventSourceLibevent::GetInstance() {
return static_cast<X11EventSourceLibevent*>(
PlatformEventSource::GetInstance());
}
void X11EventSourceLibevent::AddXEventDispatcher(XEventDispatcher* dispatcher) {
dispatchers_xevent_.AddObserver(dispatcher);
}
void X11EventSourceLibevent::RemoveXEventDispatcher(
XEventDispatcher* dispatcher) {
dispatchers_xevent_.RemoveObserver(dispatcher);
}
void X11EventSourceLibevent::ProcessXEvent(XEvent* xevent) {
std::unique_ptr<ui::Event> translated_event = TranslateXEventToEvent(*xevent);
if (translated_event) {
DispatchEvent(translated_event.get());
} else {
// Only if we can't translate XEvent into ui::Event, try to dispatch XEvent
// directly to XEventDispatchers.
DispatchXEventToXEventDispatchers(xevent);
}
}
void X11EventSourceLibevent::AddEventWatcher() {
if (initialized_)
return;
if (!base::MessageLoop::current())
return;
int fd = ConnectionNumber(event_source_.display());
base::MessageLoopForUI::current()->WatchFileDescriptor(
fd, true, base::MessagePumpLibevent::WATCH_READ, &watcher_controller_,
this);
initialized_ = true;
}
void X11EventSourceLibevent::DispatchXEventToXEventDispatchers(XEvent* xevent) {
for (XEventDispatcher& dispatcher : dispatchers_xevent_) {
if (dispatcher.DispatchXEvent(xevent))
break;
}
}
void X11EventSourceLibevent::StopCurrentEventStream() {
event_source_.StopCurrentEventStream();
}
void X11EventSourceLibevent::OnDispatcherListChanged() {
AddEventWatcher();
event_source_.OnDispatcherListChanged();
}
void X11EventSourceLibevent::OnFileCanReadWithoutBlocking(int fd) {
event_source_.DispatchXEvents();
}
void X11EventSourceLibevent::OnFileCanWriteWithoutBlocking(int fd) {
NOTREACHED();
}
} // namespace ui
| [
"[email protected]"
] | |
3af4527e83fc21cff0e1e6174bfe7ecbfb3edfaa | d49a30a07f0d7ba552010a4b05593a12da967eb4 | /1.1 | 86ee92d5a082cd5ecee3b7874868df8dd8dd328a | [] | no_license | kangyun1994/Cpp-Primer | fdab1678f984f92eb1486b2fc5dd39e406e7c4a4 | 9a095ab6c7ad3c928924d2cc78842fdd997efb52 | refs/heads/master | 2020-03-25T11:49:21.630795 | 2015-05-19T08:44:23 | 2015-05-19T08:44:23 | 34,594,735 | 3 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 66 | 1 | #include<iostream>
using namespace std;
int main()
{
return 0;
}
| [
"[email protected]"
] | |
2679c455e8e292168538bfd5c81eaa94aa15a791 | 142ddd4c42dc7ff65fd9b531cfd0adbfe2a1dd34 | /export/scene/main/canvas_layer.cpp | d94c4653276da3ac24780087ff90e82fe3b9ec7c | [
"LicenseRef-scancode-free-unknown",
"MIT",
"BSL-1.0",
"Apache-2.0",
"LicenseRef-scancode-public-domain",
"BSD-2-Clause",
"CC0-1.0",
"OFL-1.1",
"LicenseRef-scancode-unknown-license-reference",
"Unlicense",
"FTL",
"BSD-3-Clause",
"Bitstream-Vera",
"MPL-2.0",
"Zlib",
"CC-BY-4.0"
] | permissive | GhostWalker562/godot-admob-iOS-precompiled | 3fa99080f224d1b4c2dacac31e3786cebc034e2d | 18668d2fd7ea4bc5a7e84ddba36481fb20ee4095 | refs/heads/master | 2023-04-03T23:31:36.023618 | 2021-07-29T04:46:45 | 2021-07-29T04:46:45 | 195,341,087 | 24 | 2 | MIT | 2023-03-06T07:20:25 | 2019-07-05T04:55:50 | C++ | UTF-8 | C++ | false | false | 10,887 | cpp | /*************************************************************************/
/* canvas_layer.cpp */
/*************************************************************************/
/* This file is part of: */
/* GODOT ENGINE */
/* https://godotengine.org */
/*************************************************************************/
/* Copyright (c) 2007-2021 Juan Linietsky, Ariel Manzur. */
/* Copyright (c) 2014-2021 Godot Engine contributors (cf. AUTHORS.md). */
/* */
/* 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 "canvas_layer.h"
#include "viewport.h"
void CanvasLayer::set_layer(int p_xform) {
layer = p_xform;
if (viewport.is_valid())
VisualServer::get_singleton()->viewport_set_canvas_stacking(viewport, canvas, layer, get_position_in_parent());
}
int CanvasLayer::get_layer() const {
return layer;
}
void CanvasLayer::set_transform(const Transform2D &p_xform) {
transform = p_xform;
locrotscale_dirty = true;
if (viewport.is_valid())
VisualServer::get_singleton()->viewport_set_canvas_transform(viewport, canvas, transform);
}
Transform2D CanvasLayer::get_transform() const {
return transform;
}
void CanvasLayer::_update_xform() {
transform.set_rotation_and_scale(rot, scale);
transform.set_origin(ofs);
if (viewport.is_valid())
VisualServer::get_singleton()->viewport_set_canvas_transform(viewport, canvas, transform);
}
void CanvasLayer::_update_locrotscale() {
ofs = transform.elements[2];
rot = transform.get_rotation();
scale = transform.get_scale();
locrotscale_dirty = false;
}
void CanvasLayer::set_offset(const Vector2 &p_offset) {
if (locrotscale_dirty)
_update_locrotscale();
ofs = p_offset;
_update_xform();
}
Vector2 CanvasLayer::get_offset() const {
if (locrotscale_dirty)
const_cast<CanvasLayer *>(this)->_update_locrotscale();
return ofs;
}
void CanvasLayer::set_rotation(real_t p_radians) {
if (locrotscale_dirty)
_update_locrotscale();
rot = p_radians;
_update_xform();
}
real_t CanvasLayer::get_rotation() const {
if (locrotscale_dirty)
const_cast<CanvasLayer *>(this)->_update_locrotscale();
return rot;
}
void CanvasLayer::set_rotation_degrees(real_t p_degrees) {
set_rotation(Math::deg2rad(p_degrees));
}
real_t CanvasLayer::get_rotation_degrees() const {
return Math::rad2deg(get_rotation());
}
void CanvasLayer::set_scale(const Vector2 &p_scale) {
if (locrotscale_dirty)
_update_locrotscale();
scale = p_scale;
_update_xform();
}
Vector2 CanvasLayer::get_scale() const {
if (locrotscale_dirty)
const_cast<CanvasLayer *>(this)->_update_locrotscale();
return scale;
}
void CanvasLayer::_notification(int p_what) {
switch (p_what) {
case NOTIFICATION_ENTER_TREE: {
if (custom_viewport && ObjectDB::get_instance(custom_viewport_id)) {
vp = custom_viewport;
} else {
vp = Node::get_viewport();
}
ERR_FAIL_COND(!vp);
vp->_canvas_layer_add(this);
viewport = vp->get_viewport_rid();
VisualServer::get_singleton()->viewport_attach_canvas(viewport, canvas);
VisualServer::get_singleton()->viewport_set_canvas_stacking(viewport, canvas, layer, get_position_in_parent());
VisualServer::get_singleton()->viewport_set_canvas_transform(viewport, canvas, transform);
_update_follow_viewport();
} break;
case NOTIFICATION_EXIT_TREE: {
vp->_canvas_layer_remove(this);
VisualServer::get_singleton()->viewport_remove_canvas(viewport, canvas);
viewport = RID();
_update_follow_viewport(false);
} break;
case NOTIFICATION_MOVED_IN_PARENT: {
if (is_inside_tree())
VisualServer::get_singleton()->viewport_set_canvas_stacking(viewport, canvas, layer, get_position_in_parent());
} break;
}
}
Size2 CanvasLayer::get_viewport_size() const {
if (!is_inside_tree())
return Size2(1, 1);
Rect2 r = vp->get_visible_rect();
return r.size;
}
RID CanvasLayer::get_viewport() const {
return viewport;
}
void CanvasLayer::set_custom_viewport(Node *p_viewport) {
ERR_FAIL_NULL(p_viewport);
if (is_inside_tree()) {
vp->_canvas_layer_remove(this);
VisualServer::get_singleton()->viewport_remove_canvas(viewport, canvas);
viewport = RID();
}
custom_viewport = Object::cast_to<Viewport>(p_viewport);
if (custom_viewport) {
custom_viewport_id = custom_viewport->get_instance_id();
} else {
custom_viewport_id = 0;
}
if (is_inside_tree()) {
if (custom_viewport)
vp = custom_viewport;
else
vp = Node::get_viewport();
vp->_canvas_layer_add(this);
viewport = vp->get_viewport_rid();
VisualServer::get_singleton()->viewport_attach_canvas(viewport, canvas);
VisualServer::get_singleton()->viewport_set_canvas_stacking(viewport, canvas, layer, get_position_in_parent());
VisualServer::get_singleton()->viewport_set_canvas_transform(viewport, canvas, transform);
}
}
Node *CanvasLayer::get_custom_viewport() const {
return custom_viewport;
}
void CanvasLayer::reset_sort_index() {
sort_index = 0;
}
int CanvasLayer::get_sort_index() {
return sort_index++;
}
RID CanvasLayer::get_canvas() const {
return canvas;
}
void CanvasLayer::set_follow_viewport(bool p_enable) {
if (follow_viewport == p_enable) {
return;
}
follow_viewport = p_enable;
_update_follow_viewport();
}
bool CanvasLayer::is_following_viewport() const {
return follow_viewport;
}
void CanvasLayer::set_follow_viewport_scale(float p_ratio) {
follow_viewport_scale = p_ratio;
_update_follow_viewport();
}
float CanvasLayer::get_follow_viewport_scale() const {
return follow_viewport_scale;
}
void CanvasLayer::_update_follow_viewport(bool p_force_exit) {
if (!is_inside_tree()) {
return;
}
if (p_force_exit || !follow_viewport) {
VS::get_singleton()->canvas_set_parent(canvas, RID(), 1.0);
} else {
VS::get_singleton()->canvas_set_parent(canvas, vp->get_world_2d()->get_canvas(), follow_viewport_scale);
}
}
void CanvasLayer::_bind_methods() {
ClassDB::bind_method(D_METHOD("set_layer", "layer"), &CanvasLayer::set_layer);
ClassDB::bind_method(D_METHOD("get_layer"), &CanvasLayer::get_layer);
ClassDB::bind_method(D_METHOD("set_transform", "transform"), &CanvasLayer::set_transform);
ClassDB::bind_method(D_METHOD("get_transform"), &CanvasLayer::get_transform);
ClassDB::bind_method(D_METHOD("set_offset", "offset"), &CanvasLayer::set_offset);
ClassDB::bind_method(D_METHOD("get_offset"), &CanvasLayer::get_offset);
ClassDB::bind_method(D_METHOD("set_rotation", "radians"), &CanvasLayer::set_rotation);
ClassDB::bind_method(D_METHOD("get_rotation"), &CanvasLayer::get_rotation);
ClassDB::bind_method(D_METHOD("set_rotation_degrees", "degrees"), &CanvasLayer::set_rotation_degrees);
ClassDB::bind_method(D_METHOD("get_rotation_degrees"), &CanvasLayer::get_rotation_degrees);
ClassDB::bind_method(D_METHOD("set_scale", "scale"), &CanvasLayer::set_scale);
ClassDB::bind_method(D_METHOD("get_scale"), &CanvasLayer::get_scale);
ClassDB::bind_method(D_METHOD("set_follow_viewport", "enable"), &CanvasLayer::set_follow_viewport);
ClassDB::bind_method(D_METHOD("is_following_viewport"), &CanvasLayer::is_following_viewport);
ClassDB::bind_method(D_METHOD("set_follow_viewport_scale", "scale"), &CanvasLayer::set_follow_viewport_scale);
ClassDB::bind_method(D_METHOD("get_follow_viewport_scale"), &CanvasLayer::get_follow_viewport_scale);
ClassDB::bind_method(D_METHOD("set_custom_viewport", "viewport"), &CanvasLayer::set_custom_viewport);
ClassDB::bind_method(D_METHOD("get_custom_viewport"), &CanvasLayer::get_custom_viewport);
ClassDB::bind_method(D_METHOD("get_canvas"), &CanvasLayer::get_canvas);
ADD_GROUP("Layer", "");
ADD_PROPERTY(PropertyInfo(Variant::INT, "layer", PROPERTY_HINT_RANGE, "-128,128,1"), "set_layer", "get_layer");
ADD_GROUP("Transform", "");
ADD_PROPERTY(PropertyInfo(Variant::VECTOR2, "offset"), "set_offset", "get_offset");
ADD_PROPERTY(PropertyInfo(Variant::REAL, "rotation_degrees", PROPERTY_HINT_RANGE, "-1080,1080,0.1,or_lesser,or_greater", PROPERTY_USAGE_EDITOR), "set_rotation_degrees", "get_rotation_degrees");
ADD_PROPERTY(PropertyInfo(Variant::REAL, "rotation", PROPERTY_HINT_NONE, "", PROPERTY_USAGE_NOEDITOR), "set_rotation", "get_rotation");
ADD_PROPERTY(PropertyInfo(Variant::VECTOR2, "scale"), "set_scale", "get_scale");
ADD_PROPERTY(PropertyInfo(Variant::TRANSFORM2D, "transform"), "set_transform", "get_transform");
ADD_GROUP("", "");
ADD_PROPERTY(PropertyInfo(Variant::OBJECT, "custom_viewport", PROPERTY_HINT_RESOURCE_TYPE, "Viewport", 0), "set_custom_viewport", "get_custom_viewport");
ADD_GROUP("Follow Viewport", "follow_viewport");
ADD_PROPERTY(PropertyInfo(Variant::BOOL, "follow_viewport_enable"), "set_follow_viewport", "is_following_viewport");
ADD_PROPERTY(PropertyInfo(Variant::REAL, "follow_viewport_scale", PROPERTY_HINT_RANGE, "0.001,1000,0.001,or_greater,or_lesser"), "set_follow_viewport_scale", "get_follow_viewport_scale");
}
CanvasLayer::CanvasLayer() {
vp = NULL;
scale = Vector2(1, 1);
rot = 0;
locrotscale_dirty = false;
layer = 1;
canvas = VS::get_singleton()->canvas_create();
custom_viewport = NULL;
custom_viewport_id = 0;
sort_index = 0;
follow_viewport = false;
follow_viewport_scale = 1.0;
}
CanvasLayer::~CanvasLayer() {
VS::get_singleton()->free(canvas);
}
| [
"[email protected]"
] | |
3345dc0c43e52afae51368813e20126e5c73c469 | 70c2645aab2d095e71ad7b891361566cfe0cb6da | /VulnDB/FileSamples/firefox/CVE-2017-7780/CVE-2017-7780_CWE-119_1361749_bugzilla2_nsBidiPresUtils.cpp_4.0_OLD.cpp | 44798dfb8a666497c9ea22537d4462b9ab379da8 | [] | no_license | Raymiii/SCVDT | ee43c39720780e52d3de252c211fa5a7b4bd6dc2 | 0a30f2e59f45168407cb520e16479d53d7a8845b | refs/heads/main | 2023-05-30T20:00:52.723562 | 2021-06-21T05:24:20 | 2021-06-21T05:24:20 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 84,914 | cpp | /* -*- Mode: C++; tab-width: 2; indent-tabs-mode: nil; c-basic-offset: 2 -*- */
/* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at http://mozilla.org/MPL/2.0/. */
#include "mozilla/IntegerRange.h"
#include "nsAutoPtr.h"
#include "nsBidiPresUtils.h"
#include "nsFontMetrics.h"
#include "nsGkAtoms.h"
#include "nsPresContext.h"
#include "nsRenderingContext.h"
#include "nsBidiUtils.h"
#include "nsCSSFrameConstructor.h"
#include "nsContainerFrame.h"
#include "nsInlineFrame.h"
#include "nsPlaceholderFrame.h"
#include "nsFirstLetterFrame.h"
#include "nsUnicodeProperties.h"
#include "nsTextFrame.h"
#include "nsBlockFrame.h"
#include "nsIFrameInlines.h"
#include "nsStyleStructInlines.h"
#include "RubyUtils.h"
#include "nsRubyFrame.h"
#include "nsRubyBaseFrame.h"
#include "nsRubyTextFrame.h"
#include "nsRubyBaseContainerFrame.h"
#include "nsRubyTextContainerFrame.h"
#include <algorithm>
#undef NOISY_BIDI
#undef REALLY_NOISY_BIDI
using namespace mozilla;
static const char16_t kSpace = 0x0020;
static const char16_t kZWSP = 0x200B;
static const char16_t kLineSeparator = 0x2028;
static const char16_t kObjectSubstitute = 0xFFFC;
static const char16_t kLRE = 0x202A;
static const char16_t kRLE = 0x202B;
static const char16_t kLRO = 0x202D;
static const char16_t kRLO = 0x202E;
static const char16_t kPDF = 0x202C;
static const char16_t kLRI = 0x2066;
static const char16_t kRLI = 0x2067;
static const char16_t kFSI = 0x2068;
static const char16_t kPDI = 0x2069;
static const char16_t kSeparators[] = {
// All characters with Bidi type Segment Separator or Block Separator
char16_t('\t'),
char16_t('\r'),
char16_t('\n'),
char16_t(0xb),
char16_t(0x1c),
char16_t(0x1d),
char16_t(0x1e),
char16_t(0x1f),
char16_t(0x85),
char16_t(0x2029),
char16_t(0)
};
#define NS_BIDI_CONTROL_FRAME ((nsIFrame*)0xfffb1d1)
static bool
IsIsolateControl(char16_t aChar)
{
return aChar == kLRI || aChar == kRLI || aChar == kFSI;
}
// Given a style context, return any bidi control character necessary to
// implement style properties that override directionality (i.e. if it has
// unicode-bidi:bidi-override, or text-orientation:upright in vertical
// writing mode) when applying the bidi algorithm.
//
// Returns 0 if no override control character is implied by this style.
static char16_t
GetBidiOverride(nsStyleContext* aStyleContext)
{
const nsStyleVisibility* vis = aStyleContext->StyleVisibility();
if ((vis->mWritingMode == NS_STYLE_WRITING_MODE_VERTICAL_RL ||
vis->mWritingMode == NS_STYLE_WRITING_MODE_VERTICAL_LR) &&
vis->mTextOrientation == NS_STYLE_TEXT_ORIENTATION_UPRIGHT) {
return kLRO;
}
const nsStyleTextReset* text = aStyleContext->StyleTextReset();
if (text->mUnicodeBidi & NS_STYLE_UNICODE_BIDI_BIDI_OVERRIDE) {
return NS_STYLE_DIRECTION_RTL == vis->mDirection ? kRLO : kLRO;
}
return 0;
}
// Given a style context, return any bidi control character necessary to
// implement style properties that affect bidi resolution (i.e. if it
// has unicode-bidiembed, isolate, or plaintext) when applying the bidi
// algorithm.
//
// Returns 0 if no control character is implied by the style.
//
// Note that GetBidiOverride and GetBidiControl need to be separate
// because in the case of unicode-bidi:isolate-override we need both
// FSI and LRO/RLO.
static char16_t
GetBidiControl(nsStyleContext* aStyleContext)
{
const nsStyleVisibility* vis = aStyleContext->StyleVisibility();
const nsStyleTextReset* text = aStyleContext->StyleTextReset();
if (text->mUnicodeBidi & NS_STYLE_UNICODE_BIDI_EMBED) {
return NS_STYLE_DIRECTION_RTL == vis->mDirection ? kRLE : kLRE;
}
if (text->mUnicodeBidi & NS_STYLE_UNICODE_BIDI_ISOLATE) {
if (text->mUnicodeBidi & NS_STYLE_UNICODE_BIDI_BIDI_OVERRIDE) {
// isolate-override
return kFSI;
}
// <bdi> element already has its directionality set from content so
// we never need to return kFSI.
return NS_STYLE_DIRECTION_RTL == vis->mDirection ? kRLI : kLRI;
}
if (text->mUnicodeBidi & NS_STYLE_UNICODE_BIDI_PLAINTEXT) {
return kFSI;
}
return 0;
}
struct MOZ_STACK_CLASS BidiParagraphData
{
nsAutoString mBuffer;
AutoTArray<char16_t, 16> mEmbeddingStack;
AutoTArray<nsIFrame*, 16> mLogicalFrames;
AutoTArray<nsLineBox*, 16> mLinePerFrame;
nsDataHashtable<nsISupportsHashKey, int32_t> mContentToFrameIndex;
// Cached presentation context for the frames we're processing.
nsPresContext* mPresContext;
bool mIsVisual;
bool mRequiresBidi;
nsBidiLevel mParaLevel;
nsIContent* mPrevContent;
nsIFrame* mPrevFrame;
#ifdef DEBUG
// Only used for NOISY debug output.
nsBlockFrame* mCurrentBlock;
#endif
explicit BidiParagraphData(nsBlockFrame* aBlockFrame)
: mPresContext(aBlockFrame->PresContext())
, mIsVisual(mPresContext->IsVisualMode())
, mRequiresBidi(false)
, mParaLevel(nsBidiPresUtils::BidiLevelFromStyle(aBlockFrame->StyleContext()))
, mPrevContent(nullptr)
#ifdef DEBUG
, mCurrentBlock(aBlockFrame)
#endif
{
if (mParaLevel > 0) {
mRequiresBidi = true;
}
if (mIsVisual) {
/**
* Drill up in content to detect whether this is an element that needs to
* be rendered with logical order even on visual pages.
*
* We always use logical order on form controls, firstly so that text
* entry will be in logical order, but also because visual pages were
* written with the assumption that even if the browser had no support
* for right-to-left text rendering, it would use native widgets with
* bidi support to display form controls.
*
* We also use logical order in XUL elements, since we expect that if a
* XUL element appears in a visual page, it will be generated by an XBL
* binding and contain localized text which will be in logical order.
*/
for (nsIContent* content = aBlockFrame->GetContent() ; content;
content = content->GetParent()) {
if (content->IsNodeOfType(nsINode::eHTML_FORM_CONTROL) ||
content->IsXULElement()) {
mIsVisual = false;
break;
}
}
}
}
nsresult SetPara()
{
return mPresContext->GetBidiEngine()
.SetPara(mBuffer.get(), BufferLength(),
mParaLevel);
}
/**
* mParaLevel can be NSBIDI_DEFAULT_LTR as well as NSBIDI_LTR or NSBIDI_RTL.
* GetParaLevel() returns the actual (resolved) paragraph level which is
* always either NSBIDI_LTR or NSBIDI_RTL
*/
nsBidiLevel GetParaLevel()
{
nsBidiLevel paraLevel = mParaLevel;
if (paraLevel == NSBIDI_DEFAULT_LTR || paraLevel == NSBIDI_DEFAULT_RTL) {
mPresContext->GetBidiEngine().GetParaLevel(¶Level);
}
return paraLevel;
}
nsBidiDirection GetDirection()
{
nsBidiDirection dir;
mPresContext->GetBidiEngine().GetDirection(&dir);
return dir;
}
nsresult CountRuns(int32_t *runCount)
{
return mPresContext->GetBidiEngine().CountRuns(runCount);
}
nsresult GetLogicalRun(int32_t aLogicalStart,
int32_t* aLogicalLimit,
nsBidiLevel* aLevel)
{
nsresult rv =
mPresContext->GetBidiEngine().GetLogicalRun(aLogicalStart,
aLogicalLimit, aLevel);
if (mIsVisual || NS_FAILED(rv))
*aLevel = GetParaLevel();
return rv;
}
void ResetData()
{
mLogicalFrames.Clear();
mLinePerFrame.Clear();
mContentToFrameIndex.Clear();
mBuffer.SetLength(0);
mPrevContent = nullptr;
for (uint32_t i = 0; i < mEmbeddingStack.Length(); ++i) {
mBuffer.Append(mEmbeddingStack[i]);
mLogicalFrames.AppendElement(NS_BIDI_CONTROL_FRAME);
mLinePerFrame.AppendElement((nsLineBox*)nullptr);
}
}
void AppendFrame(nsIFrame* aFrame,
nsBlockInFlowLineIterator* aLineIter,
nsIContent* aContent = nullptr)
{
if (aContent) {
mContentToFrameIndex.Put(aContent, FrameCount());
}
mLogicalFrames.AppendElement(aFrame);
AdvanceLineIteratorToFrame(aFrame, aLineIter, mPrevFrame);
mLinePerFrame.AppendElement(aLineIter->GetLine().get());
}
void AdvanceAndAppendFrame(nsIFrame** aFrame,
nsBlockInFlowLineIterator* aLineIter,
nsIFrame** aNextSibling)
{
nsIFrame* frame = *aFrame;
nsIFrame* nextSibling = *aNextSibling;
frame = frame->GetNextContinuation();
if (frame) {
AppendFrame(frame, aLineIter, nullptr);
/*
* If we have already overshot the saved next-sibling while
* scanning the frame's continuations, advance it.
*/
if (frame == nextSibling) {
nextSibling = frame->GetNextSibling();
}
}
*aFrame = frame;
*aNextSibling = nextSibling;
}
int32_t GetLastFrameForContent(nsIContent *aContent)
{
int32_t index = 0;
mContentToFrameIndex.Get(aContent, &index);
return index;
}
int32_t FrameCount(){ return mLogicalFrames.Length(); }
int32_t BufferLength(){ return mBuffer.Length(); }
nsIFrame* FrameAt(int32_t aIndex){ return mLogicalFrames[aIndex]; }
nsLineBox* GetLineForFrameAt(int32_t aIndex){ return mLinePerFrame[aIndex]; }
void AppendUnichar(char16_t aCh){ mBuffer.Append(aCh); }
void AppendString(const nsDependentSubstring& aString){ mBuffer.Append(aString); }
void AppendControlChar(char16_t aCh)
{
mLogicalFrames.AppendElement(NS_BIDI_CONTROL_FRAME);
mLinePerFrame.AppendElement((nsLineBox*)nullptr);
AppendUnichar(aCh);
}
void PushBidiControl(char16_t aCh)
{
AppendControlChar(aCh);
mEmbeddingStack.AppendElement(aCh);
}
void AppendPopChar(char16_t aCh)
{
AppendControlChar(IsIsolateControl(aCh) ? kPDI : kPDF);
}
void PopBidiControl(char16_t aCh)
{
MOZ_ASSERT(mEmbeddingStack.Length(), "embedding/override underflow");
MOZ_ASSERT(aCh == mEmbeddingStack.LastElement());
AppendPopChar(aCh);
mEmbeddingStack.TruncateLength(mEmbeddingStack.Length() - 1);
}
void ClearBidiControls()
{
for (char16_t c : Reversed(mEmbeddingStack)) {
AppendPopChar(c);
}
}
static bool
IsFrameInCurrentLine(nsBlockInFlowLineIterator* aLineIter,
nsIFrame* aPrevFrame, nsIFrame* aFrame)
{
nsIFrame* endFrame = aLineIter->IsLastLineInList() ? nullptr :
aLineIter->GetLine().next()->mFirstChild;
nsIFrame* startFrame = aPrevFrame ? aPrevFrame : aLineIter->GetLine()->mFirstChild;
for (nsIFrame* frame = startFrame; frame && frame != endFrame;
frame = frame->GetNextSibling()) {
if (frame == aFrame)
return true;
}
return false;
}
static void
AdvanceLineIteratorToFrame(nsIFrame* aFrame,
nsBlockInFlowLineIterator* aLineIter,
nsIFrame*& aPrevFrame)
{
// Advance aLine to the line containing aFrame
nsIFrame* child = aFrame;
nsIFrame* parent = nsLayoutUtils::GetParentOrPlaceholderFor(child);
while (parent && !nsLayoutUtils::GetAsBlock(parent)) {
child = parent;
parent = nsLayoutUtils::GetParentOrPlaceholderFor(child);
}
NS_ASSERTION (parent, "aFrame is not a descendent of a block frame");
while (!IsFrameInCurrentLine(aLineIter, aPrevFrame, child)) {
#ifdef DEBUG
bool hasNext =
#endif
aLineIter->Next();
NS_ASSERTION(hasNext, "Can't find frame in lines!");
aPrevFrame = nullptr;
}
aPrevFrame = child;
}
};
struct MOZ_STACK_CLASS BidiLineData {
AutoTArray<nsIFrame*, 16> mLogicalFrames;
AutoTArray<nsIFrame*, 16> mVisualFrames;
AutoTArray<int32_t, 16> mIndexMap;
AutoTArray<uint8_t, 16> mLevels;
bool mIsReordered;
BidiLineData(nsIFrame* aFirstFrameOnLine, int32_t aNumFramesOnLine)
{
/**
* Initialize the logically-ordered array of frames using the top-level
* frames of a single line
*/
bool isReordered = false;
bool hasRTLFrames = false;
bool hasVirtualControls = false;
auto appendFrame = [&](nsIFrame* frame, nsBidiLevel level) {
mLogicalFrames.AppendElement(frame);
mLevels.AppendElement(level);
mIndexMap.AppendElement(0);
if (IS_LEVEL_RTL(level)) {
hasRTLFrames = true;
}
};
bool firstFrame = true;
for (nsIFrame* frame = aFirstFrameOnLine;
frame && aNumFramesOnLine--;
frame = frame->GetNextSibling()) {
FrameBidiData bidiData = nsBidiPresUtils::GetFrameBidiData(frame);
// Ignore virtual control before the first frame. Doing so should
// not affect the visual result, but could avoid running into the
// stripping code below for many cases.
if (!firstFrame && bidiData.precedingControl != kBidiLevelNone) {
appendFrame(NS_BIDI_CONTROL_FRAME, bidiData.precedingControl);
hasVirtualControls = true;
}
appendFrame(frame, bidiData.embeddingLevel);
firstFrame = false;
}
// Reorder the line
nsBidi::ReorderVisual(mLevels.Elements(), FrameCount(),
mIndexMap.Elements());
// Strip virtual frames
if (hasVirtualControls) {
auto originalCount = mLogicalFrames.Length();
AutoTArray<int32_t, 16> realFrameMap;
realFrameMap.SetCapacity(originalCount);
size_t count = 0;
for (auto i : IntegerRange(originalCount)) {
if (mLogicalFrames[i] == NS_BIDI_CONTROL_FRAME) {
realFrameMap.AppendElement(-1);
} else {
mLogicalFrames[count] = mLogicalFrames[i];
mLevels[count] = mLevels[i];
realFrameMap.AppendElement(count);
count++;
}
}
// Only keep index map for real frames.
for (size_t i = 0, j = 0; i < originalCount; ++i) {
auto newIndex = realFrameMap[mIndexMap[i]];
if (newIndex != -1) {
mIndexMap[j] = newIndex;
j++;
}
}
mLogicalFrames.TruncateLength(count);
mLevels.TruncateLength(count);
mIndexMap.TruncateLength(count);
}
for (int32_t i = 0; i < FrameCount(); i++) {
mVisualFrames.AppendElement(LogicalFrameAt(mIndexMap[i]));
if (i != mIndexMap[i]) {
isReordered = true;
}
}
// If there's an RTL frame, assume the line is reordered
mIsReordered = isReordered || hasRTLFrames;
}
int32_t FrameCount() const
{
return mLogicalFrames.Length();
}
nsIFrame* LogicalFrameAt(int32_t aIndex) const
{
return mLogicalFrames[aIndex];
}
nsIFrame* VisualFrameAt(int32_t aIndex) const
{
return mVisualFrames[aIndex];
}
};
#ifdef DEBUG
extern "C" {
void MOZ_EXPORT
DumpFrameArray(const nsTArray<nsIFrame*>& aFrames)
{
for (nsIFrame* frame : aFrames) {
if (frame == NS_BIDI_CONTROL_FRAME) {
fprintf_stderr(stderr, "(Bidi control frame)\n");
} else {
frame->List();
}
}
}
void MOZ_EXPORT
DumpBidiLine(BidiLineData* aData, bool aVisualOrder)
{
DumpFrameArray(aVisualOrder ? aData->mVisualFrames : aData->mLogicalFrames);
}
}
#endif
/* Some helper methods for Resolve() */
// Should this frame be split between text runs?
static bool
IsBidiSplittable(nsIFrame* aFrame)
{
// Bidi inline containers should be split, unless they're line frames.
LayoutFrameType frameType = aFrame->Type();
return (aFrame->IsFrameOfType(nsIFrame::eBidiInlineContainer) &&
frameType != LayoutFrameType::Line) ||
frameType == LayoutFrameType::Text;
}
// Should this frame be treated as a leaf (e.g. when building mLogicalFrames)?
static bool
IsBidiLeaf(nsIFrame* aFrame)
{
nsIFrame* kid = aFrame->PrincipalChildList().FirstChild();
return !kid || !aFrame->IsFrameOfType(nsIFrame::eBidiInlineContainer);
}
/**
* Create non-fluid continuations for the ancestors of a given frame all the way
* up the frame tree until we hit a non-splittable frame (a line or a block).
*
* @param aParent the first parent frame to be split
* @param aFrame the child frames after this frame are reparented to the
* newly-created continuation of aParent.
* If aFrame is null, all the children of aParent are reparented.
*/
static nsresult
SplitInlineAncestors(nsContainerFrame* aParent,
nsIFrame* aFrame)
{
nsPresContext* presContext = aParent->PresContext();
nsIPresShell* presShell = presContext->PresShell();
nsIFrame* frame = aFrame;
nsContainerFrame* parent = aParent;
nsContainerFrame* newParent;
while (IsBidiSplittable(parent)) {
nsContainerFrame* grandparent = parent->GetParent();
NS_ASSERTION(grandparent, "Couldn't get parent's parent in nsBidiPresUtils::SplitInlineAncestors");
// Split the child list after |frame|, unless it is the last child.
if (!frame || frame->GetNextSibling()) {
newParent = static_cast<nsContainerFrame*>(presShell->FrameConstructor()->
CreateContinuingFrame(presContext, parent, grandparent, false));
nsFrameList tail = parent->StealFramesAfter(frame);
// Reparent views as necessary
nsresult rv;
rv = nsContainerFrame::ReparentFrameViewList(tail, parent, newParent);
if (NS_FAILED(rv)) {
return rv;
}
// The parent's continuation adopts the siblings after the split.
newParent->InsertFrames(nsIFrame::kNoReflowPrincipalList, nullptr, tail);
// The list name kNoReflowPrincipalList would indicate we don't want reflow
nsFrameList temp(newParent, newParent);
grandparent->InsertFrames(nsIFrame::kNoReflowPrincipalList, parent, temp);
}
frame = parent;
parent = grandparent;
}
return NS_OK;
}
static void
MakeContinuationFluid(nsIFrame* aFrame, nsIFrame* aNext)
{
NS_ASSERTION (!aFrame->GetNextInFlow() || aFrame->GetNextInFlow() == aNext,
"next-in-flow is not next continuation!");
aFrame->SetNextInFlow(aNext);
NS_ASSERTION (!aNext->GetPrevInFlow() || aNext->GetPrevInFlow() == aFrame,
"prev-in-flow is not prev continuation!");
aNext->SetPrevInFlow(aFrame);
}
static void
MakeContinuationsNonFluidUpParentChain(nsIFrame* aFrame, nsIFrame* aNext)
{
nsIFrame* frame;
nsIFrame* next;
for (frame = aFrame, next = aNext;
frame && next &&
next != frame && next == frame->GetNextInFlow() &&
IsBidiSplittable(frame);
frame = frame->GetParent(), next = next->GetParent()) {
frame->SetNextContinuation(next);
next->SetPrevContinuation(frame);
}
}
// If aFrame is the last child of its parent, convert bidi continuations to
// fluid continuations for all of its inline ancestors.
// If it isn't the last child, make sure that its continuation is fluid.
static void
JoinInlineAncestors(nsIFrame* aFrame)
{
nsIFrame* frame = aFrame;
do {
nsIFrame* next = frame->GetNextContinuation();
if (next) {
MakeContinuationFluid(frame, next);
}
// Join the parent only as long as we're its last child.
if (frame->GetNextSibling())
break;
frame = frame->GetParent();
} while (frame && IsBidiSplittable(frame));
}
static nsresult
CreateContinuation(nsIFrame* aFrame,
nsIFrame** aNewFrame,
bool aIsFluid)
{
NS_PRECONDITION(aNewFrame, "null OUT ptr");
NS_PRECONDITION(aFrame, "null ptr");
*aNewFrame = nullptr;
nsPresContext *presContext = aFrame->PresContext();
nsIPresShell *presShell = presContext->PresShell();
NS_ASSERTION(presShell, "PresShell must be set on PresContext before calling nsBidiPresUtils::CreateContinuation");
nsContainerFrame* parent = aFrame->GetParent();
NS_ASSERTION(parent, "Couldn't get frame parent in nsBidiPresUtils::CreateContinuation");
nsresult rv = NS_OK;
// Have to special case floating first letter frames because the continuation
// doesn't go in the first letter frame. The continuation goes with the rest
// of the text that the first letter frame was made out of.
if (parent->IsLetterFrame() && parent->IsFloating()) {
nsFirstLetterFrame* letterFrame = do_QueryFrame(parent);
rv = letterFrame->CreateContinuationForFloatingParent(presContext, aFrame,
aNewFrame, aIsFluid);
return rv;
}
*aNewFrame = presShell->FrameConstructor()->
CreateContinuingFrame(presContext, aFrame, parent, aIsFluid);
// The list name kNoReflowPrincipalList would indicate we don't want reflow
// XXXbz this needs higher-level framelist love
nsFrameList temp(*aNewFrame, *aNewFrame);
parent->InsertFrames(nsIFrame::kNoReflowPrincipalList, aFrame, temp);
if (!aIsFluid) {
// Split inline ancestor frames
rv = SplitInlineAncestors(parent, aFrame);
if (NS_FAILED(rv)) {
return rv;
}
}
return NS_OK;
}
/*
* Overview of the implementation of Resolve():
*
* Walk through the descendants of aBlockFrame and build:
* * mLogicalFrames: an nsTArray of nsIFrame* pointers in logical order
* * mBuffer: an nsString containing a representation of
* the content of the frames.
* In the case of text frames, this is the actual text context of the
* frames, but some other elements are represented in a symbolic form which
* will make the Unicode Bidi Algorithm give the correct results.
* Bidi isolates, embeddings, and overrides set by CSS, <bdi>, or <bdo>
* elements are represented by the corresponding Unicode control characters.
* <br> elements are represented by U+2028 LINE SEPARATOR
* Other inline elements are represented by U+FFFC OBJECT REPLACEMENT
* CHARACTER
*
* Then pass mBuffer to the Bidi engine for resolving of embedding levels
* by nsBidi::SetPara() and division into directional runs by
* nsBidi::CountRuns().
*
* Finally, walk these runs in logical order using nsBidi::GetLogicalRun() and
* correlate them with the frames indexed in mLogicalFrames, setting the
* baseLevel and embeddingLevel properties according to the results returned
* by the Bidi engine.
*
* The rendering layer requires each text frame to contain text in only one
* direction, so we may need to call EnsureBidiContinuation() to split frames.
* We may also need to call RemoveBidiContinuation() to convert frames created
* by EnsureBidiContinuation() in previous reflows into fluid continuations.
*/
nsresult
nsBidiPresUtils::Resolve(nsBlockFrame* aBlockFrame)
{
BidiParagraphData bpd(aBlockFrame);
// Handle bidi-override being set on the block itself before calling
// TraverseFrames.
// No need to call GetBidiControl as well, because isolate and embed
// values of unicode-bidi property are redundant on block elements.
// unicode-bidi:plaintext on a block element is handled by block frame
// via using nsIFrame::GetWritingMode(nsIFrame*).
char16_t ch = GetBidiOverride(aBlockFrame->StyleContext());
if (ch != 0) {
bpd.PushBidiControl(ch);
bpd.mRequiresBidi = true;
} else {
// If there are no unicode-bidi properties and no RTL characters in the
// block's content, then it is pure LTR and we can skip the rest of bidi
// resolution.
nsIContent* currContent = nullptr;
for (nsBlockFrame* block = aBlockFrame; block;
block = static_cast<nsBlockFrame*>(block->GetNextContinuation())) {
block->RemoveStateBits(NS_BLOCK_NEEDS_BIDI_RESOLUTION);
if (!bpd.mRequiresBidi &&
ChildListMayRequireBidi(block->PrincipalChildList().FirstChild(),
&currContent)) {
bpd.mRequiresBidi = true;
}
if (!bpd.mRequiresBidi) {
nsBlockFrame::FrameLines* overflowLines = block->GetOverflowLines();
if (overflowLines) {
if (ChildListMayRequireBidi(overflowLines->mFrames.FirstChild(),
&currContent)) {
bpd.mRequiresBidi = true;
}
}
}
}
if (!bpd.mRequiresBidi) {
return NS_OK;
}
}
for (nsBlockFrame* block = aBlockFrame; block;
block = static_cast<nsBlockFrame*>(block->GetNextContinuation())) {
#ifdef DEBUG
bpd.mCurrentBlock = block;
#endif
nsBlockInFlowLineIterator it(block, block->LinesBegin());
bpd.mPrevFrame = nullptr;
TraverseFrames(&it, block->PrincipalChildList().FirstChild(), &bpd);
nsBlockFrame::FrameLines* overflowLines = block->GetOverflowLines();
if (overflowLines) {
nsBlockInFlowLineIterator it(block, overflowLines->mLines.begin(), true);
bpd.mPrevFrame = nullptr;
TraverseFrames(&it, overflowLines->mFrames.FirstChild(), &bpd);
}
}
if (ch != 0) {
bpd.PopBidiControl(ch);
}
return ResolveParagraph(&bpd);
}
nsresult
nsBidiPresUtils::ResolveParagraph(BidiParagraphData* aBpd)
{
if (aBpd->BufferLength() < 1) {
return NS_OK;
}
aBpd->mBuffer.ReplaceChar(kSeparators, kSpace);
int32_t runCount;
nsresult rv = aBpd->SetPara();
NS_ENSURE_SUCCESS(rv, rv);
nsBidiLevel embeddingLevel = aBpd->GetParaLevel();
rv = aBpd->CountRuns(&runCount);
NS_ENSURE_SUCCESS(rv, rv);
int32_t runLength = 0; // the length of the current run of text
int32_t logicalLimit = 0; // the end of the current run + 1
int32_t numRun = -1;
int32_t fragmentLength = 0; // the length of the current text frame
int32_t frameIndex = -1; // index to the frames in mLogicalFrames
int32_t frameCount = aBpd->FrameCount();
int32_t contentOffset = 0; // offset of current frame in its content node
bool isTextFrame = false;
nsIFrame* frame = nullptr;
nsIContent* content = nullptr;
int32_t contentTextLength = 0;
FramePropertyTable* propTable = aBpd->mPresContext->PropertyTable();
nsLineBox* currentLine = nullptr;
#ifdef DEBUG
#ifdef NOISY_BIDI
printf("Before Resolve(), mCurrentBlock=%p, mBuffer='%s', frameCount=%d, runCount=%d\n",
(void*)aBpd->mCurrentBlock, NS_ConvertUTF16toUTF8(aBpd->mBuffer).get(), frameCount, runCount);
#ifdef REALLY_NOISY_BIDI
printf(" block frame tree=:\n");
aBpd->mCurrentBlock->List(stdout, 0);
#endif
#endif
#endif
if (runCount == 1 && frameCount == 1 &&
aBpd->GetDirection() == NSBIDI_LTR && aBpd->GetParaLevel() == 0) {
// We have a single left-to-right frame in a left-to-right paragraph,
// without bidi isolation from the surrounding text.
// Make sure that the embedding level and base level frame properties aren't
// set (because if they are this frame used to have some other direction,
// so we can't do this optimization), and we're done.
nsIFrame* frame = aBpd->FrameAt(0);
if (frame != NS_BIDI_CONTROL_FRAME) {
FrameBidiData bidiData = frame->GetBidiData();
if (!bidiData.embeddingLevel && !bidiData.baseLevel) {
#ifdef DEBUG
#ifdef NOISY_BIDI
printf("early return for single direction frame %p\n", (void*)frame);
#endif
#endif
frame->AddStateBits(NS_FRAME_IS_BIDI);
return NS_OK;
}
}
}
nsIFrame* lastRealFrame = nullptr;
nsBidiLevel lastEmbedingLevel = kBidiLevelNone;
nsBidiLevel precedingControl = kBidiLevelNone;
auto storeBidiDataToFrame = [&]() {
FrameBidiData bidiData;
bidiData.embeddingLevel = embeddingLevel;
bidiData.baseLevel = aBpd->GetParaLevel();
// If a control character doesn't have a lower embedding level than
// both the preceding and the following frame, it isn't something
// needed for getting the correct result. This optimization should
// remove almost all of embeds and overrides, and some of isolates.
if (precedingControl >= embeddingLevel ||
precedingControl >= lastEmbedingLevel) {
bidiData.precedingControl = kBidiLevelNone;
} else {
bidiData.precedingControl = precedingControl;
}
precedingControl = kBidiLevelNone;
lastEmbedingLevel = embeddingLevel;
propTable->Set(frame, nsIFrame::BidiDataProperty(), bidiData);
};
for (; ;) {
if (fragmentLength <= 0) {
// Get the next frame from mLogicalFrames
if (++frameIndex >= frameCount) {
break;
}
frame = aBpd->FrameAt(frameIndex);
if (frame == NS_BIDI_CONTROL_FRAME || !frame->IsTextFrame()) {
/*
* Any non-text frame corresponds to a single character in the text buffer
* (a bidi control character, LINE SEPARATOR, or OBJECT SUBSTITUTE)
*/
isTextFrame = false;
fragmentLength = 1;
} else {
currentLine = aBpd->GetLineForFrameAt(frameIndex);
content = frame->GetContent();
if (!content) {
rv = NS_OK;
break;
}
contentTextLength = content->TextLength();
if (contentTextLength == 0) {
frame->AdjustOffsetsForBidi(0, 0);
// Set the base level and embedding level of the current run even
// on an empty frame. Otherwise frame reordering will not be correct.
storeBidiDataToFrame();
continue;
}
int32_t start, end;
frame->GetOffsets(start, end);
NS_ASSERTION(!(contentTextLength < end - start),
"Frame offsets don't fit in content");
fragmentLength = std::min(contentTextLength, end - start);
contentOffset = start;
isTextFrame = true;
}
} // if (fragmentLength <= 0)
if (runLength <= 0) {
// Get the next run of text from the Bidi engine
if (++numRun >= runCount) {
break;
}
int32_t lineOffset = logicalLimit;
if (NS_FAILED(aBpd->GetLogicalRun(
lineOffset, &logicalLimit, &embeddingLevel) ) ) {
break;
}
runLength = logicalLimit - lineOffset;
} // if (runLength <= 0)
if (frame == NS_BIDI_CONTROL_FRAME) {
// In theory, we only need to do this for isolates. However, it is
// easier to do this for all here because we do not maintain the
// index to get corresponding character from buffer. Since we do
// have proper embedding level for all those characters, including
// them wouldn't affect the final result.
precedingControl = std::min(precedingControl, embeddingLevel);
}
else {
storeBidiDataToFrame();
if (isTextFrame) {
if ( (runLength > 0) && (runLength < fragmentLength) ) {
/*
* The text in this frame continues beyond the end of this directional run.
* Create a non-fluid continuation frame for the next directional run.
*/
currentLine->MarkDirty();
nsIFrame* nextBidi;
int32_t runEnd = contentOffset + runLength;
rv = EnsureBidiContinuation(frame, &nextBidi, contentOffset, runEnd);
if (NS_FAILED(rv)) {
break;
}
nextBidi->AdjustOffsetsForBidi(runEnd,
contentOffset + fragmentLength);
frame = nextBidi;
contentOffset = runEnd;
} // if (runLength < fragmentLength)
else {
if (contentOffset + fragmentLength == contentTextLength) {
/*
* We have finished all the text in this content node. Convert any
* further non-fluid continuations to fluid continuations and advance
* frameIndex to the last frame in the content node
*/
int32_t newIndex = aBpd->GetLastFrameForContent(content);
if (newIndex > frameIndex) {
currentLine->MarkDirty();
RemoveBidiContinuation(aBpd, frame, frameIndex, newIndex);
frameIndex = newIndex;
frame = aBpd->FrameAt(frameIndex);
}
} else if (fragmentLength > 0 && runLength > fragmentLength) {
/*
* There is more text that belongs to this directional run in the next
* text frame: make sure it is a fluid continuation of the current frame.
* Do not advance frameIndex, because the next frame may contain
* multi-directional text and need to be split
*/
int32_t newIndex = frameIndex;
do {
} while (++newIndex < frameCount &&
aBpd->FrameAt(newIndex) == NS_BIDI_CONTROL_FRAME);
if (newIndex < frameCount) {
currentLine->MarkDirty();
RemoveBidiContinuation(aBpd, frame, frameIndex, newIndex);
}
} else if (runLength == fragmentLength) {
/*
* If the directional run ends at the end of the frame, make sure
* that any continuation is non-fluid, and do the same up the
* parent chain
*/
nsIFrame* next = frame->GetNextInFlow();
if (next) {
currentLine->MarkDirty();
MakeContinuationsNonFluidUpParentChain(frame, next);
}
}
frame->AdjustOffsetsForBidi(contentOffset, contentOffset + fragmentLength);
}
} // isTextFrame
} // not bidi control frame
int32_t temp = runLength;
runLength -= fragmentLength;
fragmentLength -= temp;
// Record last real frame so that we can do spliting properly even
// if a run ends after a virtual bidi control frame.
if (frame != NS_BIDI_CONTROL_FRAME) {
lastRealFrame = frame;
}
if (lastRealFrame && fragmentLength <= 0) {
// If the frame is at the end of a run, and this is not the end of our
// paragrah, split all ancestor inlines that need splitting.
// To determine whether we're at the end of the run, we check that we've
// finished processing the current run, and that the current frame
// doesn't have a fluid continuation (it could have a fluid continuation
// of zero length, so testing runLength alone is not sufficient).
if (runLength <= 0 && !lastRealFrame->GetNextInFlow()) {
if (numRun + 1 < runCount) {
nsIFrame* child = lastRealFrame;
nsContainerFrame* parent = child->GetParent();
// As long as we're on the last sibling, the parent doesn't have to
// be split.
// However, if the parent has a fluid continuation, we do have to make
// it non-fluid. This can happen e.g. when we have a first-letter
// frame and the end of the first-letter coincides with the end of a
// directional run.
while (parent &&
IsBidiSplittable(parent) &&
!child->GetNextSibling()) {
nsIFrame* next = parent->GetNextInFlow();
if (next) {
parent->SetNextContinuation(next);
next->SetPrevContinuation(parent);
}
child = parent;
parent = child->GetParent();
}
if (parent && IsBidiSplittable(parent)) {
SplitInlineAncestors(parent, child);
}
}
} else if (frame != NS_BIDI_CONTROL_FRAME) {
// We're not at an end of a run. If |frame| is the last child of its
// parent, and its ancestors happen to have bidi continuations, convert
// them into fluid continuations.
JoinInlineAncestors(frame);
}
}
} // for
#ifdef DEBUG
#ifdef REALLY_NOISY_BIDI
printf("---\nAfter Resolve(), frameTree =:\n");
aBpd->mCurrentBlock->List(stdout, 0);
printf("===\n");
#endif
#endif
return rv;
}
void
nsBidiPresUtils::TraverseFrames(nsBlockInFlowLineIterator* aLineIter,
nsIFrame* aCurrentFrame,
BidiParagraphData* aBpd)
{
if (!aCurrentFrame)
return;
#ifdef DEBUG
nsBlockFrame* initialLineContainer = aLineIter->GetContainer();
#endif
nsIFrame* childFrame = aCurrentFrame;
do {
/*
* It's important to get the next sibling and next continuation *before*
* handling the frame: If we encounter a forced paragraph break and call
* ResolveParagraph within this loop, doing GetNextSibling and
* GetNextContinuation after that could return a bidi continuation that had
* just been split from the original childFrame and we would process it
* twice.
*/
nsIFrame* nextSibling = childFrame->GetNextSibling();
// If the real frame for a placeholder is a first letter frame, we need to
// drill down into it and include its contents in Bidi resolution.
// If not, we just use the placeholder.
nsIFrame* frame = childFrame;
if (childFrame->IsPlaceholderFrame()) {
nsIFrame* realFrame =
nsPlaceholderFrame::GetRealFrameForPlaceholder(childFrame);
if (realFrame->IsLetterFrame()) {
frame = realFrame;
}
}
auto DifferentBidiValues = [](nsStyleContext* aSC1, nsIFrame* aFrame2) {
nsStyleContext* sc2 = aFrame2->StyleContext();
return GetBidiControl(aSC1) != GetBidiControl(sc2) ||
GetBidiOverride(aSC1) != GetBidiOverride(sc2);
};
nsStyleContext* sc = frame->StyleContext();
nsIFrame* nextContinuation = frame->GetNextContinuation();
nsIFrame* prevContinuation = frame->GetPrevContinuation();
bool isLastFrame = !nextContinuation ||
DifferentBidiValues(sc, nextContinuation);
bool isFirstFrame = !prevContinuation ||
DifferentBidiValues(sc, prevContinuation);
char16_t controlChar = 0;
char16_t overrideChar = 0;
if (frame->IsFrameOfType(nsIFrame::eBidiInlineContainer)) {
if (!(frame->GetStateBits() & NS_FRAME_FIRST_REFLOW)) {
nsContainerFrame* c = static_cast<nsContainerFrame*>(frame);
MOZ_ASSERT(c == do_QueryFrame(frame),
"eBidiInlineContainer must be a nsContainerFrame subclass");
c->DrainSelfOverflowList();
}
controlChar = GetBidiControl(sc);
overrideChar = GetBidiOverride(sc);
// Add dummy frame pointers representing bidi control codes before
// the first frames of elements specifying override, isolation, or
// plaintext.
if (isFirstFrame) {
if (controlChar != 0) {
aBpd->PushBidiControl(controlChar);
}
if (overrideChar != 0) {
aBpd->PushBidiControl(overrideChar);
}
}
}
if (IsBidiLeaf(frame)) {
/* Bidi leaf frame: add the frame to the mLogicalFrames array,
* and add its index to the mContentToFrameIndex hashtable. This
* will be used in RemoveBidiContinuation() to identify the last
* frame in the array with a given content.
*/
nsIContent* content = frame->GetContent();
aBpd->AppendFrame(frame, aLineIter, content);
// Append the content of the frame to the paragraph buffer
LayoutFrameType frameType = frame->Type();
if (LayoutFrameType::Text == frameType) {
if (content != aBpd->mPrevContent) {
aBpd->mPrevContent = content;
if (!frame->StyleText()->NewlineIsSignificant(
static_cast<nsTextFrame*>(frame))) {
content->AppendTextTo(aBpd->mBuffer);
} else {
/*
* For preformatted text we have to do bidi resolution on each line
* separately.
*/
nsAutoString text;
content->AppendTextTo(text);
nsIFrame* next;
do {
next = nullptr;
int32_t start, end;
frame->GetOffsets(start, end);
int32_t endLine = text.FindChar('\n', start);
if (endLine == -1) {
/*
* If there is no newline in the text content, just save the
* text from this frame and its continuations, and do bidi
* resolution later
*/
aBpd->AppendString(Substring(text, start));
while (frame && nextSibling) {
aBpd->AdvanceAndAppendFrame(&frame, aLineIter, &nextSibling);
}
break;
}
/*
* If there is a newline in the frame, break the frame after the
* newline, do bidi resolution and repeat until the last sibling
*/
++endLine;
/*
* If the frame ends before the new line, save the text and move
* into the next continuation
*/
aBpd->AppendString(Substring(text, start,
std::min(end, endLine) - start));
while (end < endLine && nextSibling) {
aBpd->AdvanceAndAppendFrame(&frame, aLineIter, &nextSibling);
NS_ASSERTION(frame, "Premature end of continuation chain");
frame->GetOffsets(start, end);
aBpd->AppendString(Substring(text, start,
std::min(end, endLine) - start));
}
if (end < endLine) {
aBpd->mPrevContent = nullptr;
break;
}
bool createdContinuation = false;
if (uint32_t(endLine) < text.Length()) {
/*
* Timing is everything here: if the frame already has a bidi
* continuation, we need to make the continuation fluid *before*
* resetting the length of the current frame. Otherwise
* nsTextFrame::SetLength won't set the continuation frame's
* text offsets correctly.
*
* On the other hand, if the frame doesn't have a continuation,
* we need to create one *after* resetting the length, or
* CreateContinuingFrame will complain that there is no more
* content for the continuation.
*/
next = frame->GetNextInFlow();
if (!next) {
// If the frame already has a bidi continuation, make it fluid
next = frame->GetNextContinuation();
if (next) {
MakeContinuationFluid(frame, next);
JoinInlineAncestors(frame);
}
}
nsTextFrame* textFrame = static_cast<nsTextFrame*>(frame);
textFrame->SetLength(endLine - start, nullptr);
if (!next) {
// If the frame has no next in flow, create one.
CreateContinuation(frame, &next, true);
createdContinuation = true;
}
// Mark the line before the newline as dirty.
aBpd->GetLineForFrameAt(aBpd->FrameCount() - 1)->MarkDirty();
}
ResolveParagraphWithinBlock(aBpd);
if (!nextSibling && !createdContinuation) {
break;
} else if (next) {
frame = next;
aBpd->AppendFrame(frame, aLineIter);
// Mark the line after the newline as dirty.
aBpd->GetLineForFrameAt(aBpd->FrameCount() - 1)->MarkDirty();
}
/*
* If we have already overshot the saved next-sibling while
* scanning the frame's continuations, advance it.
*/
if (frame && frame == nextSibling) {
nextSibling = frame->GetNextSibling();
}
} while (next);
}
}
} else if (LayoutFrameType::Br == frameType) {
// break frame -- append line separator
aBpd->AppendUnichar(kLineSeparator);
ResolveParagraphWithinBlock(aBpd);
} else {
// other frame type -- see the Unicode Bidi Algorithm:
// "...inline objects (such as graphics) are treated as if they are ...
// U+FFFC"
// <wbr>, however, is treated as U+200B ZERO WIDTH SPACE. See
// http://dev.w3.org/html5/spec/Overview.html#phrasing-content-1
aBpd->AppendUnichar(content->IsHTMLElement(nsGkAtoms::wbr) ?
kZWSP : kObjectSubstitute);
if (!frame->IsInlineOutside()) {
// if it is not inline, end the paragraph
ResolveParagraphWithinBlock(aBpd);
}
}
} else {
// For a non-leaf frame, recurse into TraverseFrames
nsIFrame* kid = frame->PrincipalChildList().FirstChild();
MOZ_ASSERT(!frame->GetChildList(nsIFrame::kOverflowList).FirstChild(),
"should have drained the overflow list above");
if (kid) {
TraverseFrames(aLineIter, kid, aBpd);
}
}
// If the element is attributed by dir, indicate direction pop (add PDF frame)
if (isLastFrame) {
// Add a dummy frame pointer representing a bidi control code after the
// last frame of an element specifying embedding or override
if (overrideChar != 0) {
aBpd->PopBidiControl(overrideChar);
}
if (controlChar != 0) {
aBpd->PopBidiControl(controlChar);
}
}
childFrame = nextSibling;
} while (childFrame);
MOZ_ASSERT(initialLineContainer == aLineIter->GetContainer());
}
bool
nsBidiPresUtils::ChildListMayRequireBidi(nsIFrame* aFirstChild,
nsIContent** aCurrContent)
{
MOZ_ASSERT(!aFirstChild || !aFirstChild->GetPrevSibling(),
"Expecting to traverse from the start of a child list");
for (nsIFrame* childFrame = aFirstChild; childFrame;
childFrame = childFrame->GetNextSibling()) {
nsIFrame* frame = childFrame;
// If the real frame for a placeholder is a first-letter frame, we need to
// consider its contents for potential Bidi resolution.
if (childFrame->IsPlaceholderFrame()) {
nsIFrame* realFrame =
nsPlaceholderFrame::GetRealFrameForPlaceholder(childFrame);
if (realFrame->IsLetterFrame()) {
frame = realFrame;
}
}
// If unicode-bidi properties are present, we should do bidi resolution.
nsStyleContext* sc = frame->StyleContext();
if (GetBidiControl(sc) || GetBidiOverride(sc)) {
return true;
}
if (IsBidiLeaf(frame)) {
if (frame->IsTextFrame()) {
// Check whether the text frame has any RTL characters; if so, bidi
// resolution will be needed.
nsIContent* content = frame->GetContent();
if (content != *aCurrContent) {
*aCurrContent = content;
const nsTextFragment* txt = content->GetText();
if (txt->Is2b() && HasRTLChars(txt->Get2b(), txt->GetLength())) {
return true;
}
}
}
} else if (ChildListMayRequireBidi(frame->PrincipalChildList().FirstChild(),
aCurrContent)) {
return true;
}
}
return false;
}
void
nsBidiPresUtils::ResolveParagraphWithinBlock(BidiParagraphData* aBpd)
{
aBpd->ClearBidiControls();
ResolveParagraph(aBpd);
aBpd->ResetData();
}
/* static */ nscoord
nsBidiPresUtils::ReorderFrames(nsIFrame* aFirstFrameOnLine,
int32_t aNumFramesOnLine,
WritingMode aLineWM,
const nsSize& aContainerSize,
nscoord aStart)
{
nsSize containerSize(aContainerSize);
// If this line consists of a line frame, reorder the line frame's children.
if (aFirstFrameOnLine->IsLineFrame()) {
// The line frame is positioned at the start-edge, so use its size
// as the container size.
containerSize = aFirstFrameOnLine->GetSize();
aFirstFrameOnLine = aFirstFrameOnLine->PrincipalChildList().FirstChild();
if (!aFirstFrameOnLine) {
return 0;
}
// All children of the line frame are on the first line. Setting aNumFramesOnLine
// to -1 makes InitLogicalArrayFromLine look at all of them.
aNumFramesOnLine = -1;
}
BidiLineData bld(aFirstFrameOnLine, aNumFramesOnLine);
return RepositionInlineFrames(&bld, aLineWM, containerSize, aStart);
}
nsIFrame*
nsBidiPresUtils::GetFirstLeaf(nsIFrame* aFrame)
{
nsIFrame* firstLeaf = aFrame;
while (!IsBidiLeaf(firstLeaf)) {
nsIFrame* firstChild = firstLeaf->PrincipalChildList().FirstChild();
nsIFrame* realFrame = nsPlaceholderFrame::GetRealFrameFor(firstChild);
firstLeaf = (realFrame->IsLetterFrame()) ? realFrame : firstChild;
}
return firstLeaf;
}
FrameBidiData
nsBidiPresUtils::GetFrameBidiData(nsIFrame* aFrame)
{
return GetFirstLeaf(aFrame)->GetBidiData();
}
nsBidiLevel
nsBidiPresUtils::GetFrameEmbeddingLevel(nsIFrame* aFrame)
{
return GetFirstLeaf(aFrame)->GetEmbeddingLevel();
}
nsBidiLevel
nsBidiPresUtils::GetFrameBaseLevel(nsIFrame* aFrame)
{
nsIFrame* firstLeaf = aFrame;
while (!IsBidiLeaf(firstLeaf)) {
firstLeaf = firstLeaf->PrincipalChildList().FirstChild();
}
return firstLeaf->GetBaseLevel();
}
void
nsBidiPresUtils::IsFirstOrLast(nsIFrame* aFrame,
const nsContinuationStates* aContinuationStates,
bool aSpanDirMatchesLineDir,
bool& aIsFirst /* out */,
bool& aIsLast /* out */)
{
/*
* Since we lay out frames in the line's direction, visiting a frame with
* 'mFirstVisualFrame == nullptr', means it's the first appearance of one
* of its continuation chain frames on the line.
* To determine if it's the last visual frame of its continuation chain on
* the line or not, we count the number of frames of the chain on the line,
* and then reduce it when we lay out a frame of the chain. If this value
* becomes 1 it means that it's the last visual frame of its continuation
* chain on this line.
*/
bool firstInLineOrder, lastInLineOrder;
nsFrameContinuationState* frameState = aContinuationStates->GetEntry(aFrame);
nsFrameContinuationState* firstFrameState;
if (!frameState->mFirstVisualFrame) {
// aFrame is the first visual frame of its continuation chain
nsFrameContinuationState* contState;
nsIFrame* frame;
frameState->mFrameCount = 1;
frameState->mFirstVisualFrame = aFrame;
/**
* Traverse continuation chain of aFrame in both backward and forward
* directions while the frames are on this line. Count the frames and
* set their mFirstVisualFrame to aFrame.
*/
// Traverse continuation chain backward
for (frame = aFrame->GetPrevContinuation();
frame && (contState = aContinuationStates->GetEntry(frame));
frame = frame->GetPrevContinuation()) {
frameState->mFrameCount++;
contState->mFirstVisualFrame = aFrame;
}
frameState->mHasContOnPrevLines = (frame != nullptr);
// Traverse continuation chain forward
for (frame = aFrame->GetNextContinuation();
frame && (contState = aContinuationStates->GetEntry(frame));
frame = frame->GetNextContinuation()) {
frameState->mFrameCount++;
contState->mFirstVisualFrame = aFrame;
}
frameState->mHasContOnNextLines = (frame != nullptr);
firstInLineOrder = true;
firstFrameState = frameState;
} else {
// aFrame is not the first visual frame of its continuation chain
firstInLineOrder = false;
firstFrameState = aContinuationStates->GetEntry(frameState->mFirstVisualFrame);
}
lastInLineOrder = (firstFrameState->mFrameCount == 1);
if (aSpanDirMatchesLineDir) {
aIsFirst = firstInLineOrder;
aIsLast = lastInLineOrder;
} else {
aIsFirst = lastInLineOrder;
aIsLast = firstInLineOrder;
}
if (frameState->mHasContOnPrevLines) {
aIsFirst = false;
}
if (firstFrameState->mHasContOnNextLines) {
aIsLast = false;
}
if ((aIsFirst || aIsLast) &&
(aFrame->GetStateBits() & NS_FRAME_PART_OF_IBSPLIT)) {
// For ib splits, don't treat anything except the last part as
// endmost or anything except the first part as startmost.
// As an optimization, only get the first continuation once.
nsIFrame* firstContinuation = aFrame->FirstContinuation();
if (firstContinuation->FrameIsNonLastInIBSplit()) {
// We are not endmost
aIsLast = false;
}
if (firstContinuation->FrameIsNonFirstInIBSplit()) {
// We are not startmost
aIsFirst = false;
}
}
// Reduce number of remaining frames of the continuation chain on the line.
firstFrameState->mFrameCount--;
nsInlineFrame* testFrame = do_QueryFrame(aFrame);
if (testFrame) {
aFrame->AddStateBits(NS_INLINE_FRAME_BIDI_VISUAL_STATE_IS_SET);
if (aIsFirst) {
aFrame->AddStateBits(NS_INLINE_FRAME_BIDI_VISUAL_IS_FIRST);
} else {
aFrame->RemoveStateBits(NS_INLINE_FRAME_BIDI_VISUAL_IS_FIRST);
}
if (aIsLast) {
aFrame->AddStateBits(NS_INLINE_FRAME_BIDI_VISUAL_IS_LAST);
} else {
aFrame->RemoveStateBits(NS_INLINE_FRAME_BIDI_VISUAL_IS_LAST);
}
}
}
/* static */ void
nsBidiPresUtils::RepositionRubyContentFrame(
nsIFrame* aFrame, WritingMode aFrameWM, const LogicalMargin& aBorderPadding)
{
const nsFrameList& childList = aFrame->PrincipalChildList();
if (childList.IsEmpty()) {
return;
}
// Reorder the children.
// XXX It currently doesn't work properly because we do not
// resolve frames inside ruby content frames.
nscoord isize = ReorderFrames(childList.FirstChild(),
childList.GetLength(),
aFrameWM, aFrame->GetSize(),
aBorderPadding.IStart(aFrameWM));
isize += aBorderPadding.IEnd(aFrameWM);
if (aFrame->StyleText()->mRubyAlign == NS_STYLE_RUBY_ALIGN_START) {
return;
}
nscoord residualISize = aFrame->ISize(aFrameWM) - isize;
if (residualISize <= 0) {
return;
}
// When ruby-align is not "start", if the content does not fill this
// frame, we need to center the children.
const nsSize dummyContainerSize;
for (nsIFrame* child : childList) {
LogicalRect rect = child->GetLogicalRect(aFrameWM, dummyContainerSize);
rect.IStart(aFrameWM) += residualISize / 2;
child->SetRect(aFrameWM, rect, dummyContainerSize);
}
}
/* static */ nscoord
nsBidiPresUtils::RepositionRubyFrame(
nsIFrame* aFrame,
const nsContinuationStates* aContinuationStates,
const WritingMode aContainerWM,
const LogicalMargin& aBorderPadding)
{
LayoutFrameType frameType = aFrame->Type();
MOZ_ASSERT(RubyUtils::IsRubyBox(frameType));
nscoord icoord = 0;
WritingMode frameWM = aFrame->GetWritingMode();
bool isLTR = frameWM.IsBidiLTR();
nsSize frameSize = aFrame->GetSize();
if (frameType == LayoutFrameType::Ruby) {
icoord += aBorderPadding.IStart(frameWM);
// Reposition ruby segments in a ruby container
for (RubySegmentEnumerator e(static_cast<nsRubyFrame*>(aFrame));
!e.AtEnd(); e.Next()) {
nsRubyBaseContainerFrame* rbc = e.GetBaseContainer();
AutoRubyTextContainerArray textContainers(rbc);
nscoord segmentISize = RepositionFrame(rbc, isLTR, icoord,
aContinuationStates,
frameWM, false, frameSize);
for (nsRubyTextContainerFrame* rtc : textContainers) {
nscoord isize = RepositionFrame(rtc, isLTR, icoord, aContinuationStates,
frameWM, false, frameSize);
segmentISize = std::max(segmentISize, isize);
}
icoord += segmentISize;
}
icoord += aBorderPadding.IEnd(frameWM);
} else if (frameType == LayoutFrameType::RubyBaseContainer) {
// Reposition ruby columns in a ruby segment
auto rbc = static_cast<nsRubyBaseContainerFrame*>(aFrame);
AutoRubyTextContainerArray textContainers(rbc);
for (RubyColumnEnumerator e(rbc, textContainers); !e.AtEnd(); e.Next()) {
RubyColumn column;
e.GetColumn(column);
nscoord columnISize = RepositionFrame(column.mBaseFrame, isLTR, icoord,
aContinuationStates,
frameWM, false, frameSize);
for (nsRubyTextFrame* rt : column.mTextFrames) {
nscoord isize = RepositionFrame(rt, isLTR, icoord, aContinuationStates,
frameWM, false, frameSize);
columnISize = std::max(columnISize, isize);
}
icoord += columnISize;
}
} else {
if (frameType == LayoutFrameType::RubyBase ||
frameType == LayoutFrameType::RubyText) {
RepositionRubyContentFrame(aFrame, frameWM, aBorderPadding);
}
// Note that, ruby text container is not present in all conditions
// above. It is intended, because the children of rtc are reordered
// with the children of ruby base container simultaneously. We only
// need to return its isize here, as it should not be changed.
icoord += aFrame->ISize(aContainerWM);
}
return icoord;
}
/* static */ nscoord
nsBidiPresUtils::RepositionFrame(nsIFrame* aFrame,
bool aIsEvenLevel,
nscoord aStartOrEnd,
const nsContinuationStates* aContinuationStates,
WritingMode aContainerWM,
bool aContainerReverseDir,
const nsSize& aContainerSize)
{
nscoord lineSize = aContainerWM.IsVertical() ?
aContainerSize.height : aContainerSize.width;
NS_ASSERTION(lineSize != NS_UNCONSTRAINEDSIZE,
"Unconstrained inline line size in bidi frame reordering");
if (!aFrame)
return 0;
bool isFirst, isLast;
WritingMode frameWM = aFrame->GetWritingMode();
IsFirstOrLast(aFrame,
aContinuationStates,
aContainerWM.IsBidiLTR() == frameWM.IsBidiLTR(),
isFirst /* out */,
isLast /* out */);
// We only need the margin if the frame is first or last in its own
// writing mode, but we're traversing the frames in the order of the
// container's writing mode. To get the right values, we set start and
// end margins on a logical margin in the frame's writing mode, and
// then convert the margin to the container's writing mode to set the
// coordinates.
// This method is called from nsBlockFrame::PlaceLine via the call to
// bidiUtils->ReorderFrames, so this is guaranteed to be after the inlines
// have been reflowed, which is required for GetUsedMargin/Border/Padding
nscoord frameISize = aFrame->ISize();
LogicalMargin frameMargin = aFrame->GetLogicalUsedMargin(frameWM);
LogicalMargin borderPadding = aFrame->GetLogicalUsedBorderAndPadding(frameWM);
// Since the visual order of frame could be different from the continuation
// order, we need to remove any inline border/padding [that is already applied
// based on continuation order] and then add it back based on the visual order
// (i.e. isFirst/isLast) to get the correct isize for the current frame.
// We don't need to do that for 'box-decoration-break:clone' because then all
// continuations have border/padding/margin applied.
if (aFrame->StyleBorder()->mBoxDecorationBreak ==
StyleBoxDecorationBreak::Slice) {
// First remove the border/padding that was applied based on logical order.
if (!aFrame->GetPrevContinuation()) {
frameISize -= borderPadding.IStart(frameWM);
}
if (!aFrame->GetNextContinuation()) {
frameISize -= borderPadding.IEnd(frameWM);
}
// Set margin/border/padding based on visual order.
if (!isFirst) {
frameMargin.IStart(frameWM) = 0;
borderPadding.IStart(frameWM) = 0;
}
if (!isLast) {
frameMargin.IEnd(frameWM) = 0;
borderPadding.IEnd(frameWM) = 0;
}
// Add the border/padding which is now based on visual order.
frameISize += borderPadding.IStartEnd(frameWM);
}
nscoord icoord = 0;
if (!IsBidiLeaf(aFrame)) {
bool reverseDir = aIsEvenLevel != frameWM.IsBidiLTR();
icoord += reverseDir ?
borderPadding.IEnd(frameWM) : borderPadding.IStart(frameWM);
LogicalSize logicalSize(frameWM, frameISize, aFrame->BSize());
nsSize frameSize = logicalSize.GetPhysicalSize(frameWM);
// Reposition the child frames
for (nsFrameList::Enumerator e(aFrame->PrincipalChildList());
!e.AtEnd(); e.Next()) {
icoord += RepositionFrame(e.get(), aIsEvenLevel, icoord,
aContinuationStates,
frameWM, reverseDir, frameSize);
}
icoord += reverseDir ?
borderPadding.IStart(frameWM) : borderPadding.IEnd(frameWM);
} else if (RubyUtils::IsRubyBox(aFrame->Type())) {
icoord += RepositionRubyFrame(aFrame, aContinuationStates,
aContainerWM, borderPadding);
} else {
icoord +=
frameWM.IsOrthogonalTo(aContainerWM) ? aFrame->BSize() : frameISize;
}
// In the following variables, if aContainerReverseDir is true, i.e.
// the container is positioning its children in reverse of its logical
// direction, the "StartOrEnd" refers to the distance from the frame
// to the inline end edge of the container, elsewise, it refers to the
// distance to the inline start edge.
const LogicalMargin margin = frameMargin.ConvertTo(aContainerWM, frameWM);
nscoord marginStartOrEnd =
aContainerReverseDir ? margin.IEnd(aContainerWM)
: margin.IStart(aContainerWM);
nscoord frameStartOrEnd = aStartOrEnd + marginStartOrEnd;
LogicalRect rect = aFrame->GetLogicalRect(aContainerWM, aContainerSize);
rect.ISize(aContainerWM) = icoord;
rect.IStart(aContainerWM) =
aContainerReverseDir ? lineSize - frameStartOrEnd - icoord
: frameStartOrEnd;
aFrame->SetRect(aContainerWM, rect, aContainerSize);
return icoord + margin.IStartEnd(aContainerWM);
}
void
nsBidiPresUtils::InitContinuationStates(nsIFrame* aFrame,
nsContinuationStates* aContinuationStates)
{
nsFrameContinuationState* state = aContinuationStates->PutEntry(aFrame);
state->mFirstVisualFrame = nullptr;
state->mFrameCount = 0;
if (!IsBidiLeaf(aFrame) || RubyUtils::IsRubyBox(aFrame->Type())) {
// Continue for child frames
for (nsIFrame* frame : aFrame->PrincipalChildList()) {
InitContinuationStates(frame,
aContinuationStates);
}
}
}
/* static */ nscoord
nsBidiPresUtils::RepositionInlineFrames(BidiLineData *aBld,
WritingMode aLineWM,
const nsSize& aContainerSize,
nscoord aStart)
{
nscoord start = aStart;
nsIFrame* frame;
int32_t count = aBld->mVisualFrames.Length();
int32_t index;
nsContinuationStates continuationStates;
// Initialize continuation states to (nullptr, 0) for
// each frame on the line.
for (index = 0; index < count; index++) {
InitContinuationStates(aBld->VisualFrameAt(index), &continuationStates);
}
// Reposition frames in visual order
int32_t step, limit;
if (aLineWM.IsBidiLTR()) {
index = 0;
step = 1;
limit = count;
} else {
index = count - 1;
step = -1;
limit = -1;
}
for (; index != limit; index += step) {
frame = aBld->VisualFrameAt(index);
start += RepositionFrame(
frame, !(IS_LEVEL_RTL(aBld->mLevels[aBld->mIndexMap[index]])),
start, &continuationStates,
aLineWM, false, aContainerSize);
}
return start;
}
bool
nsBidiPresUtils::CheckLineOrder(nsIFrame* aFirstFrameOnLine,
int32_t aNumFramesOnLine,
nsIFrame** aFirstVisual,
nsIFrame** aLastVisual)
{
BidiLineData bld(aFirstFrameOnLine, aNumFramesOnLine);
int32_t count = bld.FrameCount();
if (aFirstVisual) {
*aFirstVisual = bld.VisualFrameAt(0);
}
if (aLastVisual) {
*aLastVisual = bld.VisualFrameAt(count-1);
}
return bld.mIsReordered;
}
nsIFrame*
nsBidiPresUtils::GetFrameToRightOf(const nsIFrame* aFrame,
nsIFrame* aFirstFrameOnLine,
int32_t aNumFramesOnLine)
{
BidiLineData bld(aFirstFrameOnLine, aNumFramesOnLine);
int32_t count = bld.mVisualFrames.Length();
if (aFrame == nullptr && count)
return bld.VisualFrameAt(0);
for (int32_t i = 0; i < count - 1; i++) {
if (bld.VisualFrameAt(i) == aFrame) {
return bld.VisualFrameAt(i+1);
}
}
return nullptr;
}
nsIFrame*
nsBidiPresUtils::GetFrameToLeftOf(const nsIFrame* aFrame,
nsIFrame* aFirstFrameOnLine,
int32_t aNumFramesOnLine)
{
BidiLineData bld(aFirstFrameOnLine, aNumFramesOnLine);
int32_t count = bld.mVisualFrames.Length();
if (aFrame == nullptr && count)
return bld.VisualFrameAt(count-1);
for (int32_t i = 1; i < count; i++) {
if (bld.VisualFrameAt(i) == aFrame) {
return bld.VisualFrameAt(i-1);
}
}
return nullptr;
}
inline nsresult
nsBidiPresUtils::EnsureBidiContinuation(nsIFrame* aFrame,
nsIFrame** aNewFrame,
int32_t aStart,
int32_t aEnd)
{
NS_PRECONDITION(aNewFrame, "null OUT ptr");
NS_PRECONDITION(aFrame, "aFrame is null");
aFrame->AdjustOffsetsForBidi(aStart, aEnd);
return CreateContinuation(aFrame, aNewFrame, false);
}
void
nsBidiPresUtils::RemoveBidiContinuation(BidiParagraphData *aBpd,
nsIFrame* aFrame,
int32_t aFirstIndex,
int32_t aLastIndex)
{
FrameBidiData bidiData = aFrame->GetBidiData();
bidiData.precedingControl = kBidiLevelNone;
for (int32_t index = aFirstIndex + 1; index <= aLastIndex; index++) {
nsIFrame* frame = aBpd->FrameAt(index);
if (frame != NS_BIDI_CONTROL_FRAME) {
// Make the frame and its continuation ancestors fluid,
// so they can be reused or deleted by normal reflow code
frame->Properties().Set(nsIFrame::BidiDataProperty(), bidiData);
frame->AddStateBits(NS_FRAME_IS_BIDI);
while (frame) {
nsIFrame* prev = frame->GetPrevContinuation();
if (prev) {
MakeContinuationFluid(prev, frame);
frame = frame->GetParent();
} else {
break;
}
}
}
}
// Make sure that the last continuation we made fluid does not itself have a
// fluid continuation (this can happen when re-resolving after dynamic changes
// to content)
nsIFrame* lastFrame = aBpd->FrameAt(aLastIndex);
MakeContinuationsNonFluidUpParentChain(lastFrame, lastFrame->GetNextInFlow());
}
nsresult
nsBidiPresUtils::FormatUnicodeText(nsPresContext* aPresContext,
char16_t* aText,
int32_t& aTextLength,
nsCharType aCharType)
{
nsresult rv = NS_OK;
// ahmed
//adjusted for correct numeral shaping
uint32_t bidiOptions = aPresContext->GetBidi();
switch (GET_BIDI_OPTION_NUMERAL(bidiOptions)) {
case IBMBIDI_NUMERAL_HINDI:
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_HINDI);
break;
case IBMBIDI_NUMERAL_ARABIC:
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_ARABIC);
break;
case IBMBIDI_NUMERAL_PERSIAN:
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_PERSIAN);
break;
case IBMBIDI_NUMERAL_REGULAR:
switch (aCharType) {
case eCharType_EuropeanNumber:
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_ARABIC);
break;
case eCharType_ArabicNumber:
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_HINDI);
break;
default:
break;
}
break;
case IBMBIDI_NUMERAL_HINDICONTEXT:
if ( ( (GET_BIDI_OPTION_DIRECTION(bidiOptions)==IBMBIDI_TEXTDIRECTION_RTL) && (IS_ARABIC_DIGIT (aText[0])) ) || (eCharType_ArabicNumber == aCharType) )
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_HINDI);
else if (eCharType_EuropeanNumber == aCharType)
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_ARABIC);
break;
case IBMBIDI_NUMERAL_PERSIANCONTEXT:
if ( ( (GET_BIDI_OPTION_DIRECTION(bidiOptions)==IBMBIDI_TEXTDIRECTION_RTL) && (IS_ARABIC_DIGIT (aText[0])) ) || (eCharType_ArabicNumber == aCharType) )
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_PERSIAN);
else if (eCharType_EuropeanNumber == aCharType)
HandleNumbers(aText,aTextLength,IBMBIDI_NUMERAL_ARABIC);
break;
case IBMBIDI_NUMERAL_NOMINAL:
default:
break;
}
StripBidiControlCharacters(aText, aTextLength);
return rv;
}
void
nsBidiPresUtils::StripBidiControlCharacters(char16_t* aText,
int32_t& aTextLength)
{
if ( (nullptr == aText) || (aTextLength < 1) ) {
return;
}
int32_t stripLen = 0;
for (int32_t i = 0; i < aTextLength; i++) {
// XXX: This silently ignores surrogate characters.
// As of Unicode 4.0, all Bidi control characters are within the BMP.
if (IsBidiControl((uint32_t)aText[i])) {
++stripLen;
}
else {
aText[i - stripLen] = aText[i];
}
}
aTextLength -= stripLen;
}
#if 0 // XXX: for the future use ???
void
RemoveDiacritics(char16_t* aText,
int32_t& aTextLength)
{
if (aText && (aTextLength > 0) ) {
int32_t offset = 0;
for (int32_t i = 0; i < aTextLength && aText[i]; i++) {
if (IS_BIDI_DIACRITIC(aText[i]) ) {
++offset;
continue;
}
aText[i - offset] = aText[i];
}
aTextLength = i - offset;
aText[aTextLength] = 0;
}
}
#endif
void
nsBidiPresUtils::CalculateCharType(nsBidi* aBidiEngine,
const char16_t* aText,
int32_t& aOffset,
int32_t aCharTypeLimit,
int32_t& aRunLimit,
int32_t& aRunLength,
int32_t& aRunCount,
uint8_t& aCharType,
uint8_t& aPrevCharType)
{
bool strongTypeFound = false;
int32_t offset;
nsCharType charType;
aCharType = eCharType_OtherNeutral;
int32_t charLen;
for (offset = aOffset; offset < aCharTypeLimit; offset += charLen) {
// Make sure we give RTL chartype to all characters that would be classified
// as Right-To-Left by a bidi platform.
// (May differ from the UnicodeData, eg we set RTL chartype to some NSMs.)
charLen = 1;
uint32_t ch = aText[offset];
if (IS_HEBREW_CHAR(ch) ) {
charType = eCharType_RightToLeft;
} else if (IS_ARABIC_ALPHABETIC(ch) ) {
charType = eCharType_RightToLeftArabic;
} else {
if (NS_IS_HIGH_SURROGATE(ch) && offset + 1 < aCharTypeLimit &&
NS_IS_LOW_SURROGATE(aText[offset + 1])) {
ch = SURROGATE_TO_UCS4(ch, aText[offset + 1]);
charLen = 2;
}
charType = unicode::GetBidiCat(ch);
}
if (!CHARTYPE_IS_WEAK(charType) ) {
if (strongTypeFound
&& (charType != aPrevCharType)
&& (CHARTYPE_IS_RTL(charType) || CHARTYPE_IS_RTL(aPrevCharType) ) ) {
// Stop at this point to ensure uni-directionality of the text
// (from platform's point of view).
// Also, don't mix Arabic and Hebrew content (since platform may
// provide BIDI support to one of them only).
aRunLength = offset - aOffset;
aRunLimit = offset;
++aRunCount;
break;
}
if ( (eCharType_RightToLeftArabic == aPrevCharType
|| eCharType_ArabicNumber == aPrevCharType)
&& eCharType_EuropeanNumber == charType) {
charType = eCharType_ArabicNumber;
}
// Set PrevCharType to the last strong type in this frame
// (for correct numeric shaping)
aPrevCharType = charType;
strongTypeFound = true;
aCharType = charType;
}
}
aOffset = offset;
}
nsresult nsBidiPresUtils::ProcessText(const char16_t* aText,
int32_t aLength,
nsBidiLevel aBaseLevel,
nsPresContext* aPresContext,
BidiProcessor& aprocessor,
Mode aMode,
nsBidiPositionResolve* aPosResolve,
int32_t aPosResolveCount,
nscoord* aWidth,
nsBidi* aBidiEngine)
{
NS_ASSERTION((aPosResolve == nullptr) != (aPosResolveCount > 0), "Incorrect aPosResolve / aPosResolveCount arguments");
int32_t runCount;
nsAutoString textBuffer(aText, aLength);
textBuffer.ReplaceChar(kSeparators, kSpace);
const char16_t* text = textBuffer.get();
nsresult rv = aBidiEngine->SetPara(text, aLength, aBaseLevel);
if (NS_FAILED(rv))
return rv;
rv = aBidiEngine->CountRuns(&runCount);
if (NS_FAILED(rv))
return rv;
nscoord xOffset = 0;
nscoord width, xEndRun = 0;
nscoord totalWidth = 0;
int32_t i, start, limit, length;
uint32_t visualStart = 0;
uint8_t charType;
uint8_t prevType = eCharType_LeftToRight;
for(int nPosResolve=0; nPosResolve < aPosResolveCount; ++nPosResolve)
{
aPosResolve[nPosResolve].visualIndex = kNotFound;
aPosResolve[nPosResolve].visualLeftTwips = kNotFound;
aPosResolve[nPosResolve].visualWidth = kNotFound;
}
for (i = 0; i < runCount; i++) {
nsBidiDirection dir;
rv = aBidiEngine->GetVisualRun(i, &start, &length, &dir);
if (NS_FAILED(rv))
return rv;
nsBidiLevel level;
rv = aBidiEngine->GetLogicalRun(start, &limit, &level);
if (NS_FAILED(rv))
return rv;
dir = DIRECTION_FROM_LEVEL(level);
int32_t subRunLength = limit - start;
int32_t lineOffset = start;
int32_t typeLimit = std::min(limit, aLength);
int32_t subRunCount = 1;
int32_t subRunLimit = typeLimit;
/*
* If |level| is even, i.e. the direction of the run is left-to-right, we
* render the subruns from left to right and increment the x-coordinate
* |xOffset| by the width of each subrun after rendering.
*
* If |level| is odd, i.e. the direction of the run is right-to-left, we
* render the subruns from right to left. We begin by incrementing |xOffset| by
* the width of the whole run, and then decrement it by the width of each
* subrun before rendering. After rendering all the subruns, we restore the
* x-coordinate of the end of the run for the start of the next run.
*/
if (dir == NSBIDI_RTL) {
aprocessor.SetText(text + start, subRunLength, dir);
width = aprocessor.GetWidth();
xOffset += width;
xEndRun = xOffset;
}
while (subRunCount > 0) {
// CalculateCharType can increment subRunCount if the run
// contains mixed character types
CalculateCharType(aBidiEngine, text, lineOffset, typeLimit, subRunLimit, subRunLength, subRunCount, charType, prevType);
nsAutoString runVisualText;
runVisualText.Assign(text + start, subRunLength);
if (int32_t(runVisualText.Length()) < subRunLength)
return NS_ERROR_OUT_OF_MEMORY;
FormatUnicodeText(aPresContext, runVisualText.BeginWriting(),
subRunLength, (nsCharType)charType);
aprocessor.SetText(runVisualText.get(), subRunLength, dir);
width = aprocessor.GetWidth();
totalWidth += width;
if (dir == NSBIDI_RTL) {
xOffset -= width;
}
if (aMode == MODE_DRAW) {
aprocessor.DrawText(xOffset, width);
}
/*
* The caller may request to calculate the visual position of one
* or more characters.
*/
for(int nPosResolve=0; nPosResolve<aPosResolveCount; ++nPosResolve)
{
nsBidiPositionResolve* posResolve = &aPosResolve[nPosResolve];
/*
* Did we already resolve this position's visual metric? If so, skip.
*/
if (posResolve->visualLeftTwips != kNotFound)
continue;
/*
* First find out if the logical position is within this run.
*/
if (start <= posResolve->logicalIndex &&
start + subRunLength > posResolve->logicalIndex) {
/*
* If this run is only one character long, we have an easy case:
* the visual position is the x-coord of the start of the run
* less the x-coord of the start of the whole text.
*/
if (subRunLength == 1) {
posResolve->visualIndex = visualStart;
posResolve->visualLeftTwips = xOffset;
posResolve->visualWidth = width;
}
/*
* Otherwise, we need to measure the width of the run's part
* which is to the visual left of the index.
* In other words, the run is broken in two, around the logical index,
* and we measure the part which is visually left.
* If the run is right-to-left, this part will span from after the index
* up to the end of the run; if it is left-to-right, this part will span
* from the start of the run up to (and inclduing) the character before the index.
*/
else {
/*
* Here is a description of how the width of the current character
* (posResolve->visualWidth) is calculated:
*
* LTR (current char: "P"):
* S A M P L E (logical index: 3, visual index: 3)
* ^ (visualLeftPart)
* ^ (visualRightSide)
* visualLeftLength == 3
* ^^^^^^ (subWidth)
* ^^^^^^^^ (aprocessor.GetWidth() -- with visualRightSide)
* ^^ (posResolve->visualWidth)
*
* RTL (current char: "M"):
* E L P M A S (logical index: 2, visual index: 3)
* ^ (visualLeftPart)
* ^ (visualRightSide)
* visualLeftLength == 3
* ^^^^^^ (subWidth)
* ^^^^^^^^ (aprocessor.GetWidth() -- with visualRightSide)
* ^^ (posResolve->visualWidth)
*/
nscoord subWidth;
// The position in the text where this run's "left part" begins.
const char16_t* visualLeftPart;
const char16_t* visualRightSide;
if (dir == NSBIDI_RTL) {
// One day, son, this could all be replaced with
// mPresContext->GetBidiEngine().GetVisualIndex() ...
posResolve->visualIndex = visualStart + (subRunLength - (posResolve->logicalIndex + 1 - start));
// Skipping to the "left part".
visualLeftPart = text + posResolve->logicalIndex + 1;
// Skipping to the right side of the current character
visualRightSide = visualLeftPart - 1;
}
else {
posResolve->visualIndex = visualStart + (posResolve->logicalIndex - start);
// Skipping to the "left part".
visualLeftPart = text + start;
// In LTR mode this is the same as visualLeftPart
visualRightSide = visualLeftPart;
}
// The delta between the start of the run and the left part's end.
int32_t visualLeftLength = posResolve->visualIndex - visualStart;
aprocessor.SetText(visualLeftPart, visualLeftLength, dir);
subWidth = aprocessor.GetWidth();
aprocessor.SetText(visualRightSide, visualLeftLength + 1, dir);
posResolve->visualLeftTwips = xOffset + subWidth;
posResolve->visualWidth = aprocessor.GetWidth() - subWidth;
}
}
}
if (dir == NSBIDI_LTR) {
xOffset += width;
}
--subRunCount;
start = lineOffset;
subRunLimit = typeLimit;
subRunLength = typeLimit - lineOffset;
} // while
if (dir == NSBIDI_RTL) {
xOffset = xEndRun;
}
visualStart += length;
} // for
if (aWidth) {
*aWidth = totalWidth;
}
return NS_OK;
}
class MOZ_STACK_CLASS nsIRenderingContextBidiProcessor final
: public nsBidiPresUtils::BidiProcessor
{
public:
typedef mozilla::gfx::DrawTarget DrawTarget;
nsIRenderingContextBidiProcessor(nsRenderingContext* aCtx,
DrawTarget* aTextRunConstructionDrawTarget,
nsFontMetrics* aFontMetrics,
const nsPoint& aPt)
: mCtx(aCtx)
, mTextRunConstructionDrawTarget(aTextRunConstructionDrawTarget)
, mFontMetrics(aFontMetrics)
, mPt(aPt)
{}
~nsIRenderingContextBidiProcessor()
{
mFontMetrics->SetTextRunRTL(false);
}
virtual void SetText(const char16_t* aText,
int32_t aLength,
nsBidiDirection aDirection) override
{
mFontMetrics->SetTextRunRTL(aDirection==NSBIDI_RTL);
mText = aText;
mLength = aLength;
}
virtual nscoord GetWidth() override
{
return nsLayoutUtils::AppUnitWidthOfString(mText, mLength, *mFontMetrics,
mTextRunConstructionDrawTarget);
}
virtual void DrawText(nscoord aIOffset,
nscoord) override
{
nsPoint pt(mPt);
if (mFontMetrics->GetVertical()) {
pt.y += aIOffset;
} else {
pt.x += aIOffset;
}
mFontMetrics->DrawString(mText, mLength, pt.x, pt.y,
mCtx, mTextRunConstructionDrawTarget);
}
private:
nsRenderingContext* mCtx;
DrawTarget* mTextRunConstructionDrawTarget;
nsFontMetrics* mFontMetrics;
nsPoint mPt;
const char16_t* mText;
int32_t mLength;
};
nsresult nsBidiPresUtils::ProcessTextForRenderingContext(const char16_t* aText,
int32_t aLength,
nsBidiLevel aBaseLevel,
nsPresContext* aPresContext,
nsRenderingContext& aRenderingContext,
DrawTarget* aTextRunConstructionDrawTarget,
nsFontMetrics& aFontMetrics,
Mode aMode,
nscoord aX,
nscoord aY,
nsBidiPositionResolve* aPosResolve,
int32_t aPosResolveCount,
nscoord* aWidth)
{
nsIRenderingContextBidiProcessor processor(&aRenderingContext,
aTextRunConstructionDrawTarget,
&aFontMetrics,
nsPoint(aX, aY));
return ProcessText(aText, aLength, aBaseLevel, aPresContext, processor,
aMode, aPosResolve, aPosResolveCount, aWidth,
&aPresContext->GetBidiEngine());
}
/* static */
nsBidiLevel
nsBidiPresUtils::BidiLevelFromStyle(nsStyleContext* aStyleContext)
{
if (aStyleContext->StyleTextReset()->mUnicodeBidi &
NS_STYLE_UNICODE_BIDI_PLAINTEXT) {
return NSBIDI_DEFAULT_LTR;
}
if (aStyleContext->StyleVisibility()->mDirection == NS_STYLE_DIRECTION_RTL) {
return NSBIDI_RTL;
}
return NSBIDI_LTR;
}
| [
"[email protected]"
] | |
a622e5f3f559c34d20ffdedc1ce92d629f703493 | 2a40e7ded842e2000be6f824e5951561b6bdadc8 | /Edge.h | db80b99041e6d606e2a7cf392841b57855e9b48f | [] | no_license | javeme/stc | 60484e3635f90fb9d8866cb268a81da1ff3048a7 | c8a364c1b18f8e57921888ded3627380c472c2e8 | refs/heads/master | 2020-12-25T02:02:21.373570 | 2016-07-12T18:10:05 | 2016-07-12T18:10:05 | 63,180,878 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 1,008 | h | #ifndef Edge_h
#define Edge_h
#include <vector>
using namespace std;
class Node;
class SuffixTree;
class Edge
{
private:
//unsigned int dataId;
unsigned int start,end;
Node *m_pFrontNode,*m_pNextNode;
//隐式节点位置标记
vector<unsigned int> implicitPosOffsetArray;
//后缀树指针,用于叶节点查询最后一个字符位置
SuffixTree *m_pTree;
public:
Edge();
Edge(unsigned int start,unsigned int end,Node* pFrontNode,SuffixTree* pTree);
~Edge();
public:
void setPosition(unsigned int start,unsigned int end);
void setFrontNode(Node* pFrontNode);
void setNextNode(Node* pNextNode);
void updateEndPosition(unsigned int end);
//void setDataId(unsigned int dataId);
Node* getNextNode();
Node* getFrontNode();
unsigned int charSize();
unsigned int getStartPos();
unsigned int getEndPos();
unsigned int getVirtualEndPos();
void addImplicitPosOffset(unsigned int offset);
unsigned int getImplicitPosition(unsigned int index);
unsigned int getImplicitNodeNum();
};
#endif
| [
"[email protected]"
] | |
8b3a7f7ac0137bdd360bb0f0ffaf93c8ebe627eb | 7febfd5c59fca9cc06da10a817c33a6257f1764c | /Arduino-WIFI-cart/WorkingProgram280114.ino | 06b34dcb6c6f78b87d9aed1502b6648de787374a | [] | no_license | savageyusuff/Personal-Project | 691686f19b507156b969b025cd10ec31249ff24f | ff3b159c38252b0a17f19207981396cae4934db1 | refs/heads/master | 2020-04-18T11:19:26.695704 | 2019-06-14T07:59:14 | 2019-06-14T07:59:14 | 167,496,355 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 2,714 | ino | #define DRIVE_1 2
#define DRIVE_2 8
#define ENABLE_PWM_1 5
#define ENABLE_PWM_2 9
const int pingPin = 6;
void setup() {
pinMode(DRIVE_1, OUTPUT); //initialise the output pins
pinMode(DRIVE_2, OUTPUT);
pinMode(ENABLE_PWM_1, OUTPUT);
pinMode(ENABLE_PWM_2, OUTPUT);
pinMode(pingPin, OUTPUT);
digitalWrite(DRIVE_1, HIGH);//moving front
digitalWrite(DRIVE_2, LOW);
digitalWrite(ENABLE_PWM_1, HIGH);
digitalWrite(ENABLE_PWM_2, HIGH);
Serial.begin(9600);
}
void loop() {
// establish variables for duration of the ping,
// and the distance result in inches and centimeters:
long duration, inches, cm;
// The PING))) is triggered by a HIGH pulse of 2 or more microseconds.
// Give a short LOW pulse beforehand to ensure a clean HIGH pulse:
pinMode(pingPin, OUTPUT);
digitalWrite(pingPin, LOW);
delayMicroseconds(2);
digitalWrite(pingPin, HIGH);
delayMicroseconds(5);
digitalWrite(pingPin, LOW);
// The same pin is used to read the signal from the PING))): a HIGH
// pulse whose duration is the time (in microseconds) from the sending
// of the ping to the reception of its echo off of an object.
pinMode(pingPin, INPUT);
duration = pulseIn(pingPin, HIGH);
// convert the time into a distance
inches = microsecondsToInches(duration);
cm = microsecondsToCentimeters(duration);
Serial.print(inches);
Serial.print("in, ");
Serial.print(cm);
Serial.print("cm");
Serial.println();
delay(100);
if(inches < 4){
digitalWrite(DRIVE_1, LOW);//moving back
digitalWrite(DRIVE_2, HIGH);
digitalWrite(ENABLE_PWM_1, HIGH);
digitalWrite(ENABLE_PWM_2, HIGH);
delay(1000);
digitalWrite(DRIVE_1, LOW);//Reverse 360
digitalWrite(DRIVE_2, HIGH);
analogWrite(ENABLE_PWM_1, 240);
analogWrite(ENABLE_PWM_2, 51);
delay(4000);
digitalWrite(DRIVE_1, HIGH);//moving high
digitalWrite(DRIVE_2, LOW);
digitalWrite(ENABLE_PWM_1, HIGH);
digitalWrite(ENABLE_PWM_2, HIGH);
}
}
long microsecondsToInches(long microseconds)
{ // According to Parallax's datasheet for the PING))), there are
// 73.746 microseconds per inch (i.e. sound travels at 1130 feet per
// second). This gives the distance travelled by the ping, outbound
// and return, so we divide by 2 to get the distance of the obstacle.
// See: http://www.parallax.com/dl/docs/prod/acc/28015-PING-v1.3.pdf
return microseconds / 74 / 2;
}
long microsecondsToCentimeters(long microseconds)
{ // The speed of sound is 340 m/s or 29 microseconds per centimeter.
// The ping travels out and back, so to find the distance of the
// object we take half of the distance travelled.
return microseconds / 29 / 2;
}
| [
"[email protected]"
] | |
016895660ac139c51080fff7c12310fba2cf0a55 | de4872b8e202f1576ee407afb11d8761207ae7d1 | /source/CBrowseDlg.cpp | b5e66ddda3d57bc09afcb2235ac29d83def5793f | [] | no_license | wtrsltnk/MDLstudio | 5d137c073666edf8743a8c9079b2aa15c906dc5e | d630dda512773b7926643caf2e995bd448cbff84 | refs/heads/master | 2021-01-11T05:30:25.679622 | 2020-12-07T20:36:14 | 2020-12-07T20:36:14 | 95,050,220 | 4 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 4,029 | cpp | #include "CBrowseDlg.h"
CFolderView *CBrowseDlg::m_pFolder = NULL;
CFileView *CBrowseDlg::m_pFile = NULL;
HINSTANCE CBrowseDlg::m_hInstance = NULL;
HWND CBrowseDlg::m_hOwner = NULL;
/////////////////////////////////////
// Constructors / Destructors //
/////////////////////////////////////
CBrowseDlg::CBrowseDlg(
HINSTANCE hInstance,
HWND hWnd)
{
this->m_hOwner = hWnd;
this->m_hInstance = hInstance;
}
CBrowseDlg::~CBrowseDlg(void)
{
}
/////////////////////////////////////
// Memberfuncties //
/////////////////////////////////////
BOOL CBrowseDlg::DlgProc(
HWND hDlg,
UINT uMsg,
WPARAM wParam,
LPARAM lParam)
{
RECT pl;
switch (uMsg)
{
case WM_INITDIALOG:
{
m_pFile = new CFileView(m_hInstance, hDlg, 100, 0, 100, 100, ID_FILE);
m_pFile->create(WS_EX_STATICEDGE, LVS_LIST | LVS_SHOWSELALWAYS | LVS_SORTASCENDING);
m_pFolder = new CFolderView(m_hInstance, hDlg, 0, 0, 100, 100, ID_FOLDER);
m_pFolder->create(WS_EX_STATICEDGE, TVS_HASLINES | TVS_LINESATROOT | TVS_HASBUTTONS | TVS_FULLROWSELECT | TVS_SHOWSELALWAYS);
pl = settings.browse.rcNormalPosition;
MoveWindow(hDlg, pl.left, pl.top, pl.right - pl.left, pl.bottom - pl.top, true);
break;
}
case WM_SIZE:
{
int nWidth, nHeight;
nWidth = LOWORD(lParam);
nHeight = HIWORD(lParam);
m_pFolder->resize(0, 0, nWidth / 3, nHeight);
m_pFile->resize(nWidth / 3 + 5, 0, (nWidth / 3) * 2 - 5, nHeight);
GetWindowPlacement(hDlg, &settings.browse);
break;
}
case WM_MOVE:
{
GetWindowPlacement(hDlg, &settings.browse);
break;
}
case WM_NOTIFY:
{
switch (((LPNMHDR)lParam)->idFrom)
{
case ID_FOLDER:
{
switch (((LPNMHDR)lParam)->code)
{
case TVN_SELCHANGED:
{
m_pFile->initFiles(m_pFolder->getItemPath(m_pFolder->getSelection()));
break;
}
case TVN_ITEMEXPANDED:
{
m_pFolder->initPath(wParam, lParam);
break;
}
}
break;
}
case ID_FILE:
{
switch (((LPNMHDR)lParam)->code)
{
case LVN_ITEMACTIVATE:
{
std::string strFilePath, strFileName;
strFilePath = m_pFolder->getItemPath(m_pFolder->getSelection());
strFileName = m_pFile->getItemText(m_pFile->getSelectedIndex());
if (strFilePath[strFilePath.length() - 1] != '\\')
strFilePath += '/';
char result[MAX_PATH];
strcpy_s(result, MAX_PATH, strFilePath.c_str());
strcat_s(result, MAX_PATH, strFileName.c_str());
SendMessage(m_hOwner, WM_LOADBROWSEFILE, (WPARAM)(LPTSTR)result, 0);
SetFocus(m_hOwner);
break;
}
}
break;
}
}
break;
}
case WM_CLOSE:
{
GetWindowPlacement(hDlg, &settings.browse);
SendMessage(m_hOwner, WM_CLOSEBROWSE, 0, 0);
EndDialog(hDlg, ID_CLOSE);
break;
}
}
return FALSE;
}
void CBrowseDlg::show()
{
m_hWnd = CreateDialog(m_hInstance, MAKEINTRESOURCE(IDD_BROWSE), m_hOwner, (DLGPROC)DlgProc);
ShowWindow(m_hWnd, SW_SHOW);
}
| [
"[email protected]"
] | |
ec4e6c2dad667b691eee9e3fa0a3212b3cef98d5 | cb80a8562d90eb969272a7ff2cf52c1fa7aeb084 | /inletTest6/0.064/isentropic(p) | 69113e98df50d84452fd89c6f68dd071a520c7fa | [] | 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 | 309,523 | /*--------------------------------*- 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.064";
object isentropic(p);
}
// * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * //
dimensions [1 -1 -2 0 0 0 0];
internalField nonuniform List<scalar>
41981
(
150012
150025
150012
150026
150015
150018
150017
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150015
150015
150015
150015
150015
150015
150015
150015
150015
150015
150015
150014
150014
150014
150014
150014
150014
150014
150014
150014
150014
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150008
150008
150008
150008
150008
150008
150008
150008
150008
150007
150007
150007
150006
150006
150006
150007
150008
150008
150008
150008
150009
150009
150009
150010
150009
150008
150010
150009
150013
150013
150017
150026
150024
149960
149890
150014
150033
150030
149996
149822
149756
149981
150026
150018
149961
149695
149642
149943
150011
150000
149922
149592
149552
149907
149994
149983
149886
149514
149482
149871
149975
149964
149854
149452
149427
149841
149957
149946
149825
149403
149382
149813
149940
149929
149798
149361
149343
149787
149923
149912
149773
149324
149308
149763
149907
149896
149749
149291
149276
149740
149891
149881
149727
149261
149248
149718
149876
149866
149706
149233
149222
149698
149862
149852
149687
149208
149198
149679
149848
149839
149668
149186
149176
149661
149835
149826
149650
149164
149155
149644
149823
149813
149633
149145
149136
149627
149811
149802
149618
149127
149119
149612
149799
149790
149602
149110
149103
149597
149788
149779
149588
149094
149088
149583
149777
149769
149574
149080
149074
149570
149767
149758
149561
149066
149061
149557
149757
149749
149549
149054
149049
149545
149747
149739
149537
149042
149038
149534
149738
149730
149525
149031
149027
149522
149729
149721
149514
149021
149017
149512
149721
149713
149504
149012
149008
149502
149713
149705
149494
149003
149000
149492
149705
149697
149485
148995
148992
149483
149697
149689
149476
148987
148985
149474
149689
149682
149467
148980
148978
149465
149682
149674
149459
148974
148972
149457
149675
149667
149451
148968
148966
149450
149668
149661
149443
148962
148961
149442
149662
149654
149436
148957
148956
149435
149655
149648
149429
148952
148951
149428
149649
149642
149422
148948
148947
149422
149643
149636
149416
148944
148944
149416
149638
149630
149410
148941
148940
149410
149632
149625
149404
148938
148937
149404
149627
149620
149398
148935
148935
149399
149622
149615
149393
148933
148933
149394
149617
149610
149388
148930
148931
149389
149612
149605
149383
148929
148929
149384
149607
149600
149379
148927
148928
149379
149602
149595
149374
148926
148927
149375
149598
149591
149370
148925
148926
149371
149594
149587
149366
148924
148925
149367
149589
149583
149362
148924
148925
149364
149585
149579
149359
148924
148925
149360
149581
149575
149355
148924
148926
149357
149578
149571
149352
148925
148926
149354
149574
149568
149349
148925
148927
149351
149571
149564
149346
148926
148928
149348
149567
149561
149344
148928
148929
149346
149564
149557
149341
148929
148931
149343
149561
149554
149339
148931
148933
149341
149558
149551
149337
148933
148935
149339
149555
149548
149335
148935
148937
149337
149552
149546
149333
148938
148940
149335
149549
149543
149332
148940
148943
149334
149546
149540
149330
148943
148946
149333
149544
149538
149329
148947
148950
149331
149541
149536
149328
148950
148953
149330
149539
149533
149327
148954
148957
149330
149537
149531
149326
148958
148962
149329
149535
149529
149326
148963
148966
149328
149533
149527
149325
148968
148971
149328
149531
149526
149325
148973
148976
149328
149529
149524
149325
148978
148982
149328
149527
149522
149325
148983
148987
149328
149526
149521
149326
148989
148993
149329
149525
149520
149326
148995
148999
149329
149523
149518
149327
149002
149006
149330
149522
149517
149328
149008
149013
149331
149521
149516
149329
149015
149020
149333
149520
149516
149331
149022
149027
149334
149519
149515
149332
149030
149034
149336
149519
149514
149334
149037
149042
149338
149518
149514
149336
149045
149050
149340
149518
149514
149338
149053
149059
149342
149518
149514
149341
149062
149067
149345
149518
149514
149344
149070
149076
149347
149518
149515
149347
149079
149085
149350
149519
149515
149350
149088
149094
149354
149519
149516
149353
149098
149103
149357
149520
149517
149357
149107
149113
149361
149521
149518
149361
149116
149122
149365
149523
149520
149365
149126
149132
149370
149524
149522
149370
149136
149142
149374
149526
149524
149374
149146
149151
149379
149528
149526
149379
149155
149161
149384
149531
149528
149385
149165
149171
149389
149533
149531
149390
149175
149180
149395
149536
149534
149396
149184
149190
149401
149539
149538
149401
149194
149199
149407
149543
149541
149407
149203
149208
149413
149546
149545
149413
149212
149217
149419
149550
149549
149419
149221
149226
149425
149554
149553
149426
149229
149234
149431
149558
149557
149432
149237
149242
149437
149563
149562
149438
149244
149249
149443
149567
149566
149444
149251
149256
149449
149572
149571
149449
149258
149262
149455
149576
149575
149455
149264
149267
149460
149580
149579
149460
149269
149272
149465
149585
149584
149465
149273
149276
149470
149589
149588
149470
149277
149280
149474
149593
149592
149474
149281
149283
149479
149597
149596
149478
149284
149286
149483
149601
149599
149482
149286
149287
149486
149604
149603
149485
149287
149289
149489
149607
149606
149488
149288
149289
149492
149611
149609
149491
149288
149289
149494
149613
149612
149493
149288
149289
149496
149616
149614
149495
149288
149288
149498
149619
149617
149497
149287
149287
149500
149621
149619
149498
149285
149285
149501
149623
149620
149499
149284
149284
149501
149624
149622
149499
149282
149282
149502
149626
149623
149500
149280
149279
149502
149627
149625
149500
149277
149277
149502
149628
149626
149500
149275
149274
149502
149629
149626
149500
149272
149272
149502
149630
149627
149499
149269
149269
149501
149631
149628
149499
149267
149266
149501
149631
149628
149498
149264
149264
149500
149632
149628
149498
149262
149261
149500
149632
149629
149497
149259
149259
149499
149632
149629
149496
149257
149257
149498
149632
149629
149495
149255
149255
149497
149632
149629
149494
149253
149253
149496
149632
149629
149494
149251
149251
149495
149632
149629
149493
149249
149249
149495
149632
149629
149492
149247
149247
149494
149632
149628
149491
149246
149246
149493
149632
149628
149490
149244
149244
149492
149631
149628
149490
149243
149243
149492
149631
149628
149489
149241
149242
149491
149631
149628
149488
149240
149240
149490
149631
149627
149488
149239
149239
149490
149631
149627
149487
149238
149238
149489
149630
149627
149487
149237
149237
149489
149630
149627
149486
149236
149236
149488
149630
149627
149486
149235
149236
149488
149630
149626
149485
149234
149235
149487
149630
149626
149485
149234
149234
149487
149629
149626
149484
149233
149233
149486
149629
149626
149484
149232
149232
149486
149629
149626
149483
149231
149232
149485
149629
149625
149483
149231
149231
149485
149628
149625
149482
149230
149230
149484
149628
149625
149482
149229
149230
149484
149628
149625
149481
149229
149229
149483
149628
149624
149481
149228
149228
149483
149627
149624
149481
149227
149231
149483
149628
149625
149479
149229
149232
149484
149631
149631
149485
149233
149246
149499
149646
149654
149509
149256
149262
149514
149657
149662
149521
149268
149274
149523
149663
149794
149853
149879
149896
149924
149940
149956
149967
149978
149986
149994
150000
150006
150011
150016
150020
150024
150027
150030
150032
150034
150036
150038
150039
150040
150041
150042
150042
150042
150041
150040
150038
150035
150032
150027
150021
150013
150006
149997
149981
149963
149956
149932
149877
149773
149572
149386
149119
149117
149384
149572
149560
149372
149110
149105
149370
149554
149555
149368
149105
149106
149368
149553
149551
149365
149106
149101
149364
149549
149550
149365
149101
149101
149362
149550
149551
149363
149102
149102
149364
149552
149553
149364
149102
149103
149365
149553
149554
149366
149103
149103
149366
149555
149555
149367
149104
149104
149368
149556
149557
149368
149105
149105
149369
149557
149558
149370
149105
149106
149370
149559
149560
149371
149106
149106
149372
149560
149561
149372
149107
149107
149373
149562
149563
149374
149108
149108
149374
149563
149564
149375
149108
149109
149376
149565
149566
149376
149109
149110
149377
149566
149567
149378
149110
149110
149378
149568
149569
149379
149111
149111
149380
149569
149570
149381
149111
149112
149381
149571
149572
149382
149112
149113
149383
149572
149573
149383
149113
149113
149384
149574
149575
149385
149114
149114
149385
149576
149576
149386
149115
149115
149387
149577
149578
149388
149115
149116
149388
149579
149580
149389
149116
149116
149390
149580
149581
149390
149117
149117
149391
149582
149583
149392
149118
149118
149393
149583
149584
149393
149118
149119
149394
149585
149586
149395
149119
149119
149395
149587
149588
149396
149120
149120
149397
149588
149589
149398
149120
149121
149398
149590
149591
149399
149121
149122
149400
149592
149592
149401
149122
149122
149401
149593
149594
149402
149123
149123
149403
149595
149596
149403
149123
149124
149404
149596
149597
149405
149124
149124
149406
149598
149599
149406
149125
149125
149407
149600
149601
149408
149125
149126
149409
149601
149602
149409
149126
149126
149410
149603
149604
149411
149127
149127
149412
149605
149606
149412
149127
149127
149413
149607
149608
149414
149128
149128
149414
149608
149609
149415
149128
149128
149416
149610
149611
149417
149129
149129
149417
149612
149613
149418
149129
149129
149419
149614
149615
149420
149130
149130
149420
149615
149616
149421
149130
149130
149422
149617
149618
149422
149131
149131
149423
149619
149620
149424
149131
149131
149424
149621
149622
149425
149131
149131
149426
149623
149624
149427
149131
149131
149427
149625
149626
149428
149131
149131
149429
149627
149628
149429
149132
149132
149430
149629
149630
149431
149132
149131
149431
149631
149632
149432
149131
149131
149432
149633
149634
149433
149131
149131
149434
149635
149636
149434
149131
149130
149435
149637
149639
149435
149130
149130
149436
149640
149641
149436
149129
149129
149437
149642
149644
149437
149128
149127
149438
149645
149647
149438
149126
149125
149439
149648
149650
149439
149123
149122
149439
149652
149654
149440
149120
149118
149440
149656
149659
149441
149116
149113
149441
149661
149664
149442
149110
149108
149443
149667
149670
149444
149105
149103
149445
149673
149677
149447
149101
149099
149450
149680
149685
149452
149097
149097
149456
149689
149694
149461
149097
149097
149466
149700
149706
149472
149099
149103
149481
149713
149724
149495
149111
149117
149507
149732
149741
149518
149124
149131
149528
149747
149757
149539
149146
149162
149556
149767
149775
149566
149176
149193
149582
149783
149795
149599
149216
149238
149615
149804
149812
149629
149257
149279
149645
149819
149827
149660
149305
149331
149670
149833
149842
149691
149360
149388
149711
149852
149855
149732
149413
149036
149427
149659
149760
149527
149122
149129
149540
149775
149779
149544
149144
149166
149563
149792
149798
149579
149187
149213
149603
149812
149820
149616
149239
149276
149650
149840
149845
149664
149307
149341
149689
149858
149865
149708
149375
149416
149732
149877
149889
149757
149453
149503
149792
149902
149702
149591
149147
149302
149639
149839
149863
149671
149307
149344
149707
149883
149897
149732
149375
149408
149751
149910
149919
149769
149437
149471
149793
149930
149940
149811
149504
149539
149836
149953
149958
149860
149568
149226
149665
149791
149900
149748
149380
149398
149755
149922
149930
149769
149436
149477
149803
149946
149957
149826
149517
149554
149847
149967
149981
149875
149593
149639
149907
149993
149839
149773
149347
149507
149804
149951
149979
149842
149532
149578
149872
149996
150012
149900
149619
149651
149918
150021
150035
149945
149690
149713
149969
150039
149963
149719
149545
149588
149897
150014
150028
149917
149635
149673
149937
150039
150057
149969
149724
149772
149994
150064
149927
149909
149498
149676
149917
150034
150067
149966
149710
149753
149993
150080
150091
150013
149789
149826
150038
150107
150114
150060
149864
149628
149996
150016
150094
150023
149795
149826
150037
150113
150136
150077
149884
149922
150091
150141
150037
150074
149703
149890
150062
150130
150161
150105
149928
149963
150127
150175
150179
150139
149995
149820
150130
150107
150184
150145
149991
150012
150158
150201
150205
150184
150040
150068
150055
150224
150228
150181
150067
150102
150211
150237
150247
150229
150160
150030
150267
150206
150268
150251
150172
150223
150262
150280
150242
150351
150115
150261
150292
150302
150310
150342
150295
150327
150270
150345
150339
150354
150338
150383
150371
150340
150357
150378
150374
150441
150414
150379
150341
150383
150408
150447
150404
150355
150396
150442
150467
150457
150392
150389
150317
150340
150291
149977
150154
150170
150082
150087
150010
149584
149777
149882
149831
149813
149656
149326
149590
149703
149733
149709
149518
149183
149473
149594
149638
149573
149295
149183
149468
149573
149600
149513
149186
149071
149386
149508
149601
149535
149262
149133
149434
149551
149467
149196
149073
149144
149493
149541
149531
149394
149071
149065
149064
149432
149478
149486
149016
148953
149257
149430
149531
149444
149113
149020
149356
149486
149397
149128
148955
149072
149429
149502
149485
149363
149044
148778
149271
149313
149496
149376
149054
148998
149327
149457
149298
149288
148766
149065
149374
149493
149454
149324
148986
148892
149094
149350
149474
149388
149038
148980
149318
149452
149363
149065
148920
149035
149391
149473
149448
149314
148994
148803
149197
149304
149480
149375
149054
149003
149330
149456
149416
149236
148913
148927
148965
149334
149433
149377
148966
148912
149273
149428
149343
148963
148893
148973
149380
149448
149417
149276
148935
148680
149231
149251
149465
149334
149002
148947
149285
149418
149237
149270
148671
149024
149323
149466
149425
149292
148955
148710
149220
149254
149470
149345
149030
148955
149298
149435
149351
149005
148928
149017
149385
149460
149434
149302
148983
148745
149230
149270
149475
149351
149036
148989
149307
149437
149275
149272
148753
149059
149357
149483
149446
149312
148984
148904
149105
149345
149476
149393
149046
148985
149317
149449
149365
149055
148938
149052
149406
149481
149460
149331
149016
148807
149237
149307
149497
149388
149076
149015
149330
149458
149298
149297
148793
149073
149377
149499
149461
149334
149003
148930
149136
149367
149499
149413
149077
149037
149345
149472
149301
149301
148784
149089
149383
149509
149472
149344
149009
148952
149121
149376
149500
149415
149065
149007
149339
149475
149399
149062
148985
149066
149439
149502
149482
149348
149015
148961
149106
149386
149501
149434
149063
149001
149339
149483
149400
149043
148979
149046
149439
149498
149466
149333
149022
148720
149326
149289
149546
149307
149126
148907
149277
149395
149538
149436
149106
149063
149373
149502
149344
149312
148837
149113
149423
149540
149500
149371
149030
148978
149130
149406
149524
149443
149085
149033
149364
149509
149424
149068
149002
149068
149473
149520
149509
149356
149007
149033
149056
149405
149481
149538
148982
148953
149251
149432
149562
149466
149118
149060
149393
149525
149428
149156
148982
149122
149479
149557
149539
149401
149066
148996
149158
149428
149542
149490
149089
149031
149377
149531
149438
149029
149002
148959
149602
149518
149407
149369
148908
149128
149470
149576
149532
149402
149076
148828
149322
149364
149574
149449
149132
149052
149388
149541
149447
149045
149024
148972
149613
149521
149423
149374
148910
149137
149482
149584
149543
149410
149060
148985
149190
149438
149563
149495
149102
149038
149388
149549
149446
149010
149016
148958
149616
149523
149437
149381
148924
149142
149496
149601
149547
149424
149080
148763
149381
149372
149607
149385
149155
148956
149327
149455
149605
149504
149155
149068
149428
149564
149480
149093
149057
149062
149550
149565
149475
149338
148967
149146
149509
149615
149578
149443
149102
149004
149239
149469
149593
149523
149129
149054
149408
149576
149470
149036
149023
148946
149661
149535
149448
149407
148898
149119
149496
149610
149558
149427
149066
148737
149370
149374
149632
149368
149163
148916
149324
149454
149617
149506
149125
149088
149441
149568
149369
149452
148745
149176
149356
149631
149489
149274
148951
149126
149514
149615
149568
149431
149070
148727
149382
149376
149640
149371
149148
148917
149337
149458
149616
149510
149122
149029
149417
149574
149472
149051
149004
148970
149616
149552
149462
149370
148888
149131
149523
149622
149586
149423
149035
149056
149062
149494
149629
149320
149207
148906
149315
149459
149611
149507
149106
148963
149343
149494
149634
149526
149149
149096
149441
149579
149386
149431
148775
149134
149436
149624
149483
149319
148943
149130
149520
149629
149572
149439
149073
148755
149420
149380
149585
149624
148976
148907
149323
149474
149621
149514
149091
148959
149352
149506
149642
149540
149143
149076
149450
149588
149387
149431
148744
149117
149425
149633
149488
149317
148905
149107
149526
149627
149586
149425
149017
148986
149083
149479
149616
149397
149123
148873
149298
149465
149623
149518
149093
148933
149341
149500
149641
149538
149135
149048
149442
149596
149486
149079
148996
149019
149581
149580
149489
149326
148900
149104
149514
149630
149559
149423
149030
148647
149418
149343
149554
149662
148840
148782
149341
149430
149610
149467
149038
148883
149303
149471
149622
149503
149070
148984
149405
149579
149464
148993
148958
148856
149685
149525
149423
149399
148759
149024
149484
149608
149470
149313
148849
149058
149502
149619
149552
149412
148994
148593
149394
149321
149542
149644
148830
148779
149255
149436
149598
149483
148997
148836
149280
149459
149605
149487
149017
148870
149308
149477
149625
149507
149069
149009
149414
149566
149367
149354
148696
149103
149368
149628
149461
149228
148853
149005
149487
149596
149474
149295
148855
149060
149509
149615
149570
149399
148963
148936
149031
149450
149587
149345
149069
148799
149247
149435
149590
149473
148987
148810
149279
149454
149605
149496
149031
148929
149378
149555
149428
148948
148901
148810
149617
149501
149391
149323
148685
148976
149453
149589
149431
149261
148786
148989
149468
149583
149448
149270
148813
149036
149483
149600
149538
149383
148961
148596
149321
149312
149534
149537
148825
148736
149231
149406
149569
149441
148933
148772
149239
149424
149580
149460
148968
148798
149262
149445
149595
149474
149005
148918
149360
149541
149399
148999
148826
148844
149506
149511
149398
149236
148704
148928
149442
149568
149432
149249
148773
148973
149455
149576
149526
149330
148866
148847
148916
149410
149569
149190
149070
148745
149108
149391
149529
149435
148867
148692
149174
149390
149550
149424
148897
148713
149203
149398
149556
149432
148920
148750
149230
149416
149573
149448
148965
148892
149346
149507
149278
149269
148512
148919
149281
149552
149363
149118
148672
148864
149405
149530
149386
149185
148685
148891
149413
149541
149400
149208
148721
148933
149427
149555
149487
149326
148851
148452
149246
149243
149482
149497
148695
148575
149176
149330
149516
149373
148823
148636
149162
149355
149526
149399
148858
148661
149181
149375
149537
149410
148895
148801
149287
149480
149300
148926
148635
148652
149506
149424
149302
149205
148505
148780
149331
149505
149319
149126
148565
148803
149367
149500
149339
149131
148606
148818
149369
149504
149355
149155
148633
148866
149385
149518
149450
149277
148782
148411
149155
149210
149448
149424
148625
148493
149119
149291
149483
149334
148743
148543
149101
149309
149488
149346
148768
148580
149123
149332
149497
149350
148802
148723
149244
149406
149141
149252
148176
148523
149408
149424
149202
149187
148342
148684
149288
149447
149258
149060
148459
148698
149308
149451
149283
149061
148498
148732
149315
149457
149294
149077
148522
148775
149329
149472
149396
149222
148690
148224
149126
149113
149369
149467
148439
148335
149071
149217
149444
149251
148675
148421
149033
149240
149430
149282
148657
148455
149033
149256
149436
149287
148683
148494
149055
149273
149448
149310
148730
148595
149154
149387
149239
148649
148605
148714
149131
149382
149243
148802
148413
148598
149259
149391
149221
148957
148381
148607
149243
149399
149218
148983
148391
148637
149256
149406
149240
149015
148428
148681
149276
149421
149359
149129
148555
148453
148717
149187
149392
149035
148729
148380
148854
149192
149363
149249
148553
148326
148923
149189
149379
149222
148567
148359
148964
149200
149382
149227
148579
148373
148972
149203
149390
149237
148612
148425
149003
149226
149406
149254
148669
148565
149128
149327
149076
148944
148190
148567
149127
149367
149140
148928
148275
148515
149199
149347
149161
148918
148276
148522
149186
149348
149166
148924
148315
148561
149197
149355
149180
148944
148343
148608
149210
149367
149290
149082
148500
148123
148900
149025
149285
149248
148351
148160
148893
149102
149321
149151
148463
148217
148876
149118
149320
149150
148473
148259
148884
149133
149326
149157
148501
148302
148909
149151
149344
149181
148562
148446
149045
149260
149003
148852
148075
148450
149035
149303
149055
148815
148133
148383
149102
149275
149082
148819
148159
148389
149103
149278
149084
148826
148163
148423
149119
149286
149100
148848
148187
148477
149136
149297
149227
148980
148348
148168
148586
149016
149254
148924
148464
148113
148688
149036
149232
149102
148320
148078
148751
149043
149248
149075
148346
148100
148782
149046
149255
149089
148368
148127
148799
149057
149263
149097
148399
148164
148827
149077
149273
149111
148450
148323
148963
149188
148906
148753
147891
148313
148963
149219
148966
148717
147975
148264
149030
149203
149000
148729
148004
148266
149028
149210
149006
148736
148039
148291
149030
149212
149025
148763
148077
148370
149059
149233
149152
148913
148254
147840
148657
148852
149154
149026
148152
147901
148685
148940
149176
148982
148206
147948
148680
148955
149183
149002
148239
147971
148693
148967
149186
149005
148266
148021
148719
148988
149195
149019
148324
148180
148864
149098
148800
148644
147722
148090
148953
149121
148886
148641
147797
148111
148936
149126
148900
148611
147848
148137
148938
149131
148913
148625
147878
148162
148943
149133
148934
148654
147925
148249
148973
149160
149075
148818
148131
147675
148551
148753
149069
148929
147995
147737
148576
148843
149101
148898
148064
147803
148581
148874
149105
148909
148093
147832
148591
148884
149109
148915
148108
147865
148627
148907
149126
148945
148191
148042
148778
149031
148708
148526
147568
147922
148823
149027
148785
148520
147653
147971
148836
149040
148804
148506
147690
148007
148851
149052
148839
148539
147746
148067
148864
149068
148973
148700
147934
147484
148426
148647
148976
148859
147801
147516
148446
148733
149008
148801
147892
147594
148447
148759
149013
148808
147937
147643
148460
148773
149015
148810
147971
147706
148492
148797
149037
148836
148045
147909
148670
148948
148630
148348
147499
147881
148674
148954
148689
148377
147525
147823
148713
148941
148687
148371
147508
147843
148734
148950
148729
148417
147570
147924
148769
148977
148881
148589
147771
147328
148249
148539
148877
148711
147679
147376
148305
148626
148910
148682
147742
147432
148320
148651
148916
148693
147756
147474
148342
148672
148925
148700
147797
147518
148366
148693
148946
148736
147886
147730
148549
148850
148513
148187
147302
147674
148608
148847
148588
148244
147325
147694
148641
148863
148608
148274
147366
147698
148619
148855
148610
148288
147381
147755
148649
148872
148774
148466
147599
147172
148089
148432
148787
148554
147551
147206
148169
148524
148811
148569
147571
147266
148189
148549
148833
148603
147651
147330
148234
148583
148844
148622
147707
147533
148421
148750
148439
147925
147231
147544
148472
148738
148485
148073
147152
147497
148520
148753
148492
148117
147180
147584
148560
148781
148532
148178
147254
147644
148575
148798
148716
148398
147498
147049
147998
148351
148720
148381
147505
146987
148035
148379
148702
148465
147409
147054
148065
148423
148730
148493
147490
147164
148122
148477
148747
148506
147542
147406
148313
148646
148268
147958
146892
147319
148393
148648
148371
148005
146978
147375
148411
148668
148409
148045
147047
147489
148465
148708
148611
148265
147307
146870
147798
148243
148598
148350
147272
146905
147920
148328
148635
148378
147289
146963
147959
148355
148647
148410
147362
147050
148017
148396
148669
148446
147488
147296
148231
148571
148143
147717
146736
147174
148254
148524
148249
147854
146798
147210
148305
148567
148302
147920
146888
147326
148349
148598
148493
148137
147139
146706
147691
148120
148491
148204
147082
146716
147794
148208
148537
148270
147147
146820
147873
148268
148572
148313
147267
147080
148093
148464
148069
147594
146604
147037
148188
148452
148169
147744
146643
147050
148232
148487
148223
147821
146716
147170
148270
148510
148428
148056
146996
146480
147520
148001
148342
148016
146830
146381
147584
148023
148393
148113
146904
146508
147670
148094
148438
148161
147053
146878
147940
148331
147880
147447
146307
146826
147999
148320
148008
147563
146409
146899
148078
148368
148070
147643
146497
147005
148117
148393
148288
147902
146807
146327
147373
147883
148288
148000
146792
146371
147553
148006
148341
148070
146876
146679
147837
148247
147743
147326
145995
146613
147902
148214
147919
147466
146207
146634
147935
148219
147833
147364
146100
146684
147905
148212
148095
147668
146485
145949
147190
147656
148123
147786
146485
146066
147348
147809
148207
147898
146649
146415
147648
148089
147633
147042
145890
146361
147721
148059
147740
147233
145937
146448
147820
148127
147815
147332
146051
146596
147857
148162
148068
147620
146433
145797
147085
147557
148049
147725
146398
145932
147263
147737
148111
147809
146552
146331
147617
148046
147478
146835
145632
146072
147514
147869
147549
146995
145626
146243
147617
147962
147841
147349
146039
145428
146832
147338
147866
147481
146024
145572
146988
147509
147945
147599
146252
145966
147332
147821
147312
146691
145377
145998
147445
147808
147464
146904
145492
146173
147553
147886
147797
147302
145962
145207
146664
147204
147764
147402
145912
145424
146902
147430
147841
147502
146109
145859
147290
147774
147155
146453
145127
145498
147172
147557
147180
146553
145019
145769
147291
147662
147539
146996
145522
144893
146436
146992
147581
147160
145596
145078
146628
147190
147664
147283
145815
145530
147011
147539
147020
146328
144925
145573
147131
147529
147186
146602
145115
145830
147274
147631
147551
147035
145599
144901
146357
146979
147530
147136
145697
145424
146933
147473
146938
146232
144824
145435
147020
147367
146838
146202
144565
145334
146922
147336
147182
146607
145024
144438
146066
146675
147294
146830
145250
144938
146583
147169
146638
145765
144300
145032
146781
147193
146809
146155
144441
145307
146935
147310
147224
146642
145009
144322
145939
146611
147208
146801
145180
144857
146550
147151
146489
145783
144113
144941
146656
147083
146819
146210
144499
145097
146720
147110
146803
146175
144442
143790
145502
146227
146894
146439
144730
144406
146170
146787
146268
145550
143775
144701
146430
146906
146807
146177
144340
143641
145363
146204
146807
146351
144517
144222
146075
146770
146050
145366
143371
144544
146241
146784
146703
146048
144078
143264
145164
146013
146655
146290
144385
144209
146044
146723
145538
144638
142449
143530
145605
146264
146115
145337
143183
142475
144565
145518
146303
145750
143627
143252
145399
146209
145432
144623
142337
143628
145692
146291
146186
145430
143216
142419
144425
145475
146166
145686
143548
143236
145373
146209
145351
144538
142280
143855
145595
146120
146152
145517
143323
141443
143790
144816
145628
144922
142647
142307
144680
145526
144910
143921
141592
142929
145179
145803
145750
144955
142535
142053
144520
145496
144625
143557
141007
142563
144931
145608
145614
144755
142167
141298
143676
144857
145583
145152
142863
142766
145041
145748
144733
143575
140802
139704
142417
143756
144834
144166
141430
141033
143838
144817
144088
142937
140147
141767
144362
145095
145078
144214
141392
140808
143674
144816
143873
142613
139712
141513
144260
144890
145245
144408
141772
139815
143229
144395
142980
141455
138057
140001
143186
144157
144222
143124
139754
139194
142761
144029
143781
142295
138633
137549
141141
142845
144179
143266
139938
139784
143257
144435
144212
143057
139207
136635
141129
142936
141440
139675
135138
138340
142064
143320
143394
142082
137942
137407
141825
143318
143246
141629
136831
136647
141422
143354
142696
140718
135434
132658
137790
140372
142312
140599
135955
135702
140440
142224
142315
140358
135257
134827
140235
142277
142227
139999
134174
132319
138695
141419
140912
138102
131345
130971
137835
140738
140918
137917
130859
129950
137069
140441
140002
136441
129217
128960
136033
139724
139630
135822
128837
128697
135462
139374
139216
135229
128593
128489
134895
138914
138755
134696
128449
128401
134418
138460
138316
134273
128408
128393
134041
138031
137905
133937
128423
128423
133742
137636
137526
133670
128468
128482
133505
137275
137184
133458
128541
128568
133319
136952
136879
133293
128638
128675
133175
136667
136612
133168
128755
128800
133069
136419
136382
133080
128892
128943
132999
136209
136196
133026
129045
129099
132960
136042
136053
133002
129209
129265
132950
135917
135947
133003
129377
129433
132965
135832
135879
133023
129546
129601
132997
135779
135831
133063
129712
129765
133042
135737
135815
133123
129876
129928
133110
135733
135820
133196
130036
130085
133187
135746
135844
133278
130192
130239
133275
135778
135881
133368
130342
130386
133368
135821
135931
133465
130488
130530
133468
135877
135990
133566
130628
130668
133571
135939
136056
133670
130764
130803
133678
136010
136127
133777
130896
130932
133785
136083
136203
133885
131023
131057
133895
136162
136280
133993
131145
131178
134002
136241
136359
134100
131264
131295
134110
136323
136439
134206
131378
131406
134215
136402
136518
134310
131487
131515
134319
136484
136597
134412
131593
131618
134419
136562
136674
134511
131694
131718
134519
136642
136750
134608
131791
131812
134614
136717
136825
134701
131884
131904
134708
136793
136897
134792
131973
131991
134797
136864
136968
134880
132058
132075
134884
136936
137036
134965
132139
132154
134967
137003
137102
135046
132217
132231
135048
137070
137166
135124
132291
132304
135125
137133
137228
135200
132362
132374
135199
137196
137287
135272
132430
132440
135270
137254
137344
135341
132494
132504
135339
137312
137399
135407
132556
132563
135403
137365
137452
135470
132614
132621
135466
137418
137502
135531
132670
132676
135524
137467
137550
135588
132723
132728
135580
137515
137595
135642
132773
132777
135633
137560
137639
135693
132821
132823
135684
137603
137680
135742
132866
132867
135731
137644
137720
135788
132908
132909
135776
137683
137757
135832
132949
132948
135819
137720
137793
135874
132986
132985
135860
137756
137827
135913
133022
133020
135897
137789
137859
135950
133056
133053
135934
137821
137890
135986
133088
133084
135968
137851
137919
136019
133118
133114
136001
137881
137947
136050
133146
133141
136031
137907
137973
136080
133173
133168
136061
137934
137998
136108
133199
133192
136088
137958
138022
136135
133223
133216
136114
137982
138045
136160
133246
133238
136139
138004
138066
136184
133267
133260
136162
138025
138086
136207
133288
133279
136184
138045
138106
136228
133307
133299
136206
138064
138124
136249
133326
133317
136225
138082
138141
136268
133343
133334
136244
138100
138158
136286
133360
133350
136262
138115
138174
136303
133376
133366
136279
138131
138189
136320
133391
133380
136295
138146
138203
136335
133405
133395
136310
138160
138216
136350
133419
133408
136324
138173
138229
136364
133432
133421
136339
138186
138241
136378
133445
133433
136351
138198
138253
136391
133457
133445
136364
138210
138264
136403
133468
133456
136376
138220
138275
136414
133479
133467
136388
138231
138285
136426
133489
133476
136398
138241
138295
136436
133499
133486
136409
138251
138304
136446
133509
133495
136418
138259
138313
136456
133518
133505
136428
138268
138321
136465
133526
133513
136437
138276
138329
136474
133535
133521
136446
138285
138337
136482
133543
133529
136454
138292
138344
136490
133551
133537
136462
138299
138351
136498
133558
133544
136469
138306
138358
136506
133565
133551
136477
138313
138364
136513
133572
133558
136484
138319
138371
136520
133579
133564
136491
138326
138377
136526
133585
133570
136497
138331
138382
136532
133591
133577
136503
138337
138388
136539
133597
133582
136509
138342
138393
136544
133603
133588
136515
138348
138398
136550
133608
133593
136520
138352
138403
136555
133613
133598
136526
138358
138408
136561
133618
133603
136531
138362
138412
136565
133623
133608
136536
138367
138416
136570
133628
133613
136540
138371
138420
136575
133632
133617
136545
138375
138425
136579
133637
133621
136549
138379
138428
136584
133641
133625
136554
138383
138432
136588
133645
133629
136557
138386
138435
136592
133649
133633
136561
138390
138439
136595
133652
133637
136565
138393
138442
136599
133656
133640
136569
138396
138445
136603
133659
133643
136572
138399
138448
136606
133663
133647
136576
138402
138451
136609
133666
133650
136578
138405
138454
136612
133669
133653
136582
138408
138457
136615
133672
133656
136584
138410
138459
136618
133674
133659
136588
138413
138462
136621
133677
133661
136590
138415
138464
136623
133680
133664
136593
138418
138466
136626
133682
133666
136595
138420
138468
136628
133685
133668
136598
138422
138470
136631
133687
133671
136600
138424
138472
136633
133689
133673
136602
138426
138474
136635
133691
133675
136604
138428
138476
136637
133693
133677
136606
138430
138478
136639
133695
133678
136608
138431
138479
136641
133697
133680
136610
138433
138481
136643
133699
133682
136612
138434
138482
136644
133700
133684
136613
138436
138483
136646
133702
133685
136615
138437
138485
136648
133703
133687
136617
138438
138486
136649
133705
133688
136618
138439
138487
136650
133706
133689
136619
138441
138488
136652
133707
133690
136620
138442
138489
136653
133708
133692
136622
138443
138490
136654
133710
133693
136623
138443
138491
136655
133711
133694
136624
138445
138492
136656
133712
133695
136625
138445
138492
136657
133712
133696
136626
138446
138493
136658
133713
133696
136627
138447
138494
136659
133714
133697
136628
138447
138494
136660
133715
133698
136628
138448
138495
136660
133716
133699
136629
138448
138495
136661
133716
133699
136629
138449
138496
136662
133717
133700
136630
138449
138496
136662
133717
133700
136631
138449
138496
136663
133718
133701
136631
138450
138497
136663
133718
133701
136631
138450
138497
136663
133719
133701
136632
138450
138497
136664
133719
133702
136632
138450
138497
136664
133719
133702
136632
138450
138497
136664
133719
133702
136632
138450
138497
136664
133719
133702
136633
138450
138497
136665
133720
133702
136632
138450
138496
136664
133720
133702
136633
138450
138496
136665
133720
133702
136632
138449
138496
136664
133719
133702
136633
138450
138496
136664
133719
133702
136632
138449
138495
136664
133719
133702
136632
138449
138495
136664
133719
133702
136632
138448
138495
136664
133719
133701
136632
138448
138494
136664
133719
133701
136631
138447
138494
136663
133718
133701
136631
138447
138493
136663
133718
133700
136631
138446
138493
136662
133718
133700
136630
138446
138492
136662
133717
133700
136630
138445
138491
136661
133717
133699
136629
138445
138491
136661
133716
133699
136629
138444
138490
136660
133716
133698
136628
138443
138489
136660
133715
133698
136628
138442
138489
136659
133715
133697
136627
138442
138488
136659
133714
133696
136626
138441
138487
136658
133713
133696
136626
138440
138486
136657
133713
133695
136625
138439
138485
136656
133712
133694
136624
138438
138484
136656
133711
133693
136623
138437
138483
136655
133710
133693
136623
138436
138482
136654
133709
133692
136621
138435
138481
136653
133708
133691
136621
138434
138480
136652
133708
133690
136620
138433
138479
136651
133707
133689
136619
138432
138478
136650
133706
133688
136618
138431
138477
136649
133705
133687
136617
138430
138475
136648
133704
133686
136615
138428
138474
136647
133702
133685
136615
138427
138473
136646
133701
133683
136613
138426
138472
136644
133700
133682
136612
138425
138471
136643
133699
133681
136611
138424
138469
136642
133698
133680
136610
138423
138468
136641
133696
133678
136609
138421
138467
136640
133695
133677
136608
138420
138466
136639
133694
133675
136606
138419
138464
136638
133692
133674
136605
138418
138463
136636
133691
133672
136604
138416
138462
136635
133689
133671
136603
138415
138461
136634
133687
133669
136601
138414
138460
136633
133685
133667
136600
138413
138458
136631
133683
133665
136599
138411
138457
136630
133681
133663
136598
138410
138456
136629
133679
133661
136596
138409
138455
136627
133677
133658
136595
138408
138453
136626
133675
133656
136593
138406
138452
136624
133672
133653
136592
138405
138451
136623
133669
133651
136590
138404
138449
136621
133667
133648
136588
138403
138448
136619
133664
133645
136588
138404
138450
136616
133661
133642
136585
138406
138456
136619
133658
133638
136588
138412
138477
136632
133671
133650
136609
138443
138569
136693
133716
133750
136737
138631
138930
136947
133914
134178
137271
139328
139735
137650
134495
134759
137953
140028
142061
143308
143932
144768
145596
145859
146116
147049
147608
148108
148462
148724
148935
149104
149242
149354
149447
149523
149587
149639
149682
149719
149749
149775
149797
149816
149832
149846
149858
149869
149878
149887
149895
149901
149908
149913
149918
149923
149927
149930
149933
149936
149939
149941
149942
149944
149945
149946
149947
149948
149948
149949
149948
149950
149949
149951
149951
149943
149942
149946
149947
149950
149952
149956
149959
149962
149966
149970
149975
149980
149985
149991
149997
150003
150010
150016
150023
150030
150037
150043
150048
150053
150055
150056
150055
150053
150051
150049
150047
150046
150044
150043
150042
150041
150039
150038
150037
150035
150034
150032
150031
150029
150028
150026
150024
150022
150020
150019
150017
150015
150013
150011
150009
150007
150005
150002
150000
149998
149996
149994
149992
149990
149988
149986
149985
149983
149981
149979
149978
149976
149975
149973
149972
149970
149969
149968
149967
149966
149965
149964
149964
149963
149962
149962
149962
149961
149961
149961
149961
149961
149961
149962
149962
149962
149962
149963
149963
149964
149964
149965
149965
149966
149966
149966
149967
149967
149968
149968
149968
149968
149968
149968
149968
149968
149968
149968
149968
149967
149967
149967
149966
149965
149965
149964
149964
149963
149962
149961
149960
149959
149959
149958
149957
149956
149955
149954
149953
149952
149951
149950
149949
149948
149947
149946
149945
149945
149944
149943
149942
149941
149940
149940
149939
149938
149938
149937
149936
149936
149935
149935
149934
149934
149933
149933
149932
149932
149931
149931
149931
149931
149930
149930
149930
149930
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149929
149930
149930
149930
149930
149930
149931
149931
149931
149931
149932
149932
149932
149933
149933
149933
149934
149934
149934
149935
149935
149935
149936
149936
149937
149937
149938
149938
149939
149939
149940
149940
149941
149941
149942
149942
149943
149943
149944
149944
149945
149945
149946
149947
149947
149948
149948
149949
149950
149950
149951
149952
149952
149953
149953
149954
149955
149955
149956
149957
149957
149958
149959
149959
149960
149961
149962
149962
149963
149964
149964
149965
149966
149967
149967
149968
149969
149970
149970
149971
149972
149973
149973
149974
149975
149976
149977
149977
149978
149979
149980
149981
149982
149982
149983
149984
149985
149986
149987
149988
149989
149990
149991
149992
149993
149994
149995
149996
149998
150001
150006
150012
150019
150028
150032
150039
150038
150046
150037
150044
150028
150037
150018
150025
150016
150018
150017
150018
150018
150020
150022
150028
150031
150032
150032
150032
150031
150029
150028
150027
150026
150025
150025
150024
150023
150023
150023
150022
150022
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150016
150015
150015
150015
150015
150015
150015
150015
150014
150014
150014
150014
150014
150014
150014
150013
150013
150013
150013
150013
150013
150013
150012
150012
150012
150012
150012
150012
150012
150012
150011
150011
150011
150011
150011
150011
150011
150010
150010
150010
150010
150010
150010
150010
150010
150009
150009
150009
150009
150009
150009
150009
150009
150008
150008
150008
150008
150008
150008
150008
150007
150007
150007
150007
150007
150006
150006
150006
150005
150005
150005
150004
150004
150003
150003
150002
150001
150000
149998
149997
149997
149997
149999
150005
150008
150008
150007
150008
150009
150012
150016
150021
150029
150041
150047
150042
150038
150036
150031
150029
150024
150021
150016
150013
150007
150005
149999
149997
149991
149989
149983
149981
149975
149974
149968
149966
149961
149959
149953
149953
149947
149946
149940
149939
149933
149933
149927
149927
149921
149921
149915
149915
149909
149910
149904
149904
149898
149899
149893
149894
149887
149889
149882
149884
149877
149879
149873
149874
149868
149870
149863
149865
149859
149861
149855
149857
149850
149853
149846
149849
149842
149845
149838
149841
149834
149837
149830
149833
149827
149830
149823
149826
149819
149823
149816
149819
149812
149816
149809
149812
149806
149809
149802
149806
149799
149803
149796
149800
149793
149797
149790
149794
149787
149791
149784
149788
149781
149785
149778
149782
149775
149780
149773
149777
149770
149774
149767
149772
149765
149769
149762
149767
149760
149764
149757
149762
149755
149759
149752
149757
149750
149754
149747
149752
149745
149750
149743
149748
149741
149745
149738
149743
149736
149741
149734
149739
149732
149737
149730
149735
149728
149733
149726
149731
149724
149729
149723
149727
149721
149726
149719
149724
149718
149723
149716
149721
149715
149720
149713
149718
149712
149717
149711
149716
149710
149715
149710
149715
149709
149714
149709
149714
149708
149713
149708
149713
149708
149714
149709
149714
149709
149715
149710
149715
149711
149716
149712
149717
149713
149719
149715
149720
149717
149722
149718
149724
149720
149726
149723
149728
149725
149730
149727
149732
149729
149734
149731
149737
149734
149739
149736
149741
149738
149743
149741
149746
149743
149748
149745
149750
149747
149752
149749
149754
149751
149756
149753
149757
149754
149759
149756
149761
149758
149762
149759
149764
149760
149765
149762
149766
149763
149767
149764
149768
149765
149769
149766
149770
149767
149771
149768
149772
149768
149773
149769
149773
149770
149774
149770
149774
149771
149775
149771
149775
149772
149776
149772
149776
149773
149777
149773
149777
149773
149777
149774
149778
149774
149778
149774
149778
149774
149778
149775
149779
149775
149779
149775
149779
149775
149779
149775
149779
149775
149779
149775
149779
149775
149779
149775
149779
149776
149781
149777
149786
149789
149790
149791
149853
149853
149854
149877
149877
149878
149893
149889
149885
149877
149854
149847
149853
149875
149845
149852
149874
149844
149851
149874
149844
149851
149874
149844
149851
149874
149844
149851
149874
149844
149851
149873
149843
149850
149873
149843
149850
149873
149843
149850
149873
149843
149850
149872
149842
149849
149872
149842
149849
149872
149841
149848
149871
149841
149848
149871
149841
149847
149870
149840
149847
149870
149839
149846
149869
149839
149846
149868
149838
149845
149868
149837
149844
149867
149837
149843
149866
149836
149843
149865
149835
149842
149864
149834
149841
149864
149833
149840
149863
149832
149839
149862
149832
149838
149861
149830
149837
149860
149829
149836
149858
149828
149835
149857
149827
149834
149856
149826
149833
149855
149825
149831
149854
149824
149830
149853
149822
149829
149852
149821
149828
149850
149820
149826
149849
149818
149825
149848
149817
149824
149847
149816
149822
149846
149814
149821
149845
149813
149820
149844
149811
149818
149843
149810
149817
149842
149809
149816
149841
149808
149815
149841
149807
149814
149840
149806
149813
149839
149805
149812
149839
149804
149812
149839
149803
149811
149839
149802
149811
149839
149802
149811
149839
149802
149810
149840
149801
149810
149840
149801
149811
149841
149801
149811
149842
149801
149811
149842
149802
149812
149843
149802
149812
149844
149803
149813
149845
149803
149814
149847
149804
149815
149848
149805
149816
149849
149806
149818
149851
149807
149819
149852
149809
149820
149853
149810
149822
149855
149811
149823
149857
149813
149825
149858
149814
149826
149860
149816
149828
149862
149818
149830
149863
149819
149831
149865
149821
149833
149867
149823
149835
149869
149824
149837
149870
149826
149838
149872
149828
149840
149874
149830
149842
149876
149832
149844
149877
149834
149846
149879
149835
149847
149881
149837
149849
149883
149839
149851
149885
149841
149853
149887
149843
149855
149888
149845
149857
149890
149847
149859
149892
149849
149861
149894
149851
149863
149896
149853
149865
149898
149855
149867
149900
149857
149869
149902
149859
149871
149904
149861
149873
149906
149863
149875
149907
149865
149877
149909
149867
149879
149911
149870
149881
149913
149872
149883
149915
149874
149885
149917
149876
149887
149919
149878
149889
149921
149881
149891
149924
149883
149894
149926
149885
149896
149928
149888
149898
149930
149890
149900
149932
149892
149903
149934
149895
149905
149936
149897
149908
149938
149900
149910
149941
149902
149912
149943
149905
149915
149945
149907
149917
149947
149910
149920
149950
149913
149922
149952
149915
149925
149954
149918
149928
149957
149921
149930
149959
149924
149933
149961
149927
149936
149964
149930
149939
149966
149933
149942
149969
149936
149945
149971
149939
149948
149974
149942
149951
149976
149945
149954
149979
149949
149957
149982
149952
149960
149984
149955
149963
149987
149959
149967
149990
149963
149970
149993
149966
149974
149995
149970
149977
149998
149974
149981
150001
149978
149984
150004
149982
149988
150007
149986
149992
150010
149990
149996
150013
149994
150000
150016
149999
150004
150019
150003
150009
150022
150008
150013
150025
150013
150018
150028
150018
150022
150031
150022
150027
150034
150027
150031
150037
150032
150036
150040
150037
150040
150042
150042
150045
150043
150045
150035
150036
150036
150035
150033
150031
150029
150027
150026
150024
150022
150020
150019
150017
150016
150014
150012
150011
150009
150008
150007
150005
150004
150002
150001
150000
149998
149997
149996
149994
149993
149992
149991
149990
149988
149987
149986
149985
149983
149982
149981
149980
149979
149978
149976
149975
149974
149973
149972
149971
149970
149968
149967
149966
149965
149964
149963
149961
149960
149959
149958
149957
149956
149954
149953
149952
149951
149949
149948
149947
149946
149944
149943
149942
149941
149939
149938
149936
149935
149934
149932
149931
149930
149928
149927
149925
149924
149923
149921
149920
149919
149917
149916
149915
149914
149913
149913
149912
149911
149911
149910
149910
149910
149910
149910
149910
149910
149911
149911
149911
149912
149913
149913
149914
149915
149916
149917
149917
149918
149919
149920
149921
149922
149923
149924
149924
149925
149926
149927
149927
149928
149928
149929
149929
149930
149930
149930
149931
149931
149931
149931
149932
149932
149932
149932
149932
149932
149932
149932
149932
149932
149932
149932
149933
149928
149927
149925
149938
149937
149937
149959
149958
149957
149966
149966
149966
149963
149963
149963
149963
149963
149964
149964
149964
149964
149964
149964
149964
149965
149965
149988
149987
149987
149987
149987
149986
149986
149986
149985
149985
149985
149984
149984
149984
149981
149980
149979
149986
149986
149986
149996
149995
149995
150000
150000
150000
149999
149999
150011
150010
150008
150008
150007
150011
150011
150011
150018
150017
150016
150020
150020
150020
150019
150020
150021
150011
150000
150000
150001
150001
150013
150012
150012
150021
150022
150022
150030
150029
150028
150028
150027
150027
150025
150025
150024
150027
150027
150027
150031
150030
150030
150032
150032
150033
150032
150033
150037
150037
150036
150035
150035
150036
150037
150037
150039
150039
150038
150040
150040
150040
150040
150041
150042
150038
150034
150034
150035
150036
150040
150040
150039
150042
150043
150044
150044
150041
150036
150030
150023
150013
150001
150002
150002
150003
150015
150015
150014
150023
150024
150025
150025
150016
150003
150004
150004
150004
150017
150017
150016
150026
150026
150027
150035
150034
150034
150033
150032
150032
150031
150037
150038
150038
150043
150042
150042
150045
150046
150047
150047
150044
150039
150040
150040
150041
150046
150045
150044
150048
150049
150050
150050
150047
150042
150036
150028
150018
150005
149988
149965
149965
149965
149964
149964
149964
149964
149964
149964
149963
149963
149962
149962
149961
149961
149960
149987
149987
149988
149988
149988
149988
149988
149989
149989
149989
149989
149988
149988
149988
149988
150005
150005
150006
150019
150019
150018
150028
150029
150029
150030
150020
150006
150006
150007
150007
150021
150020
150020
150031
150031
150032
150040
150040
150039
150038
150038
150037
150036
150043
150043
150044
150049
150048
150048
150051
150052
150053
150054
150050
150045
150046
150046
150047
150052
150052
150051
150055
150055
150056
150057
150053
150048
150041
150032
150021
150007
150007
150007
150007
150022
150022
150021
150033
150033
150034
150034
150022
150007
150007
150007
150006
150022
150022
150022
150034
150035
150035
150045
150045
150044
150044
150043
150042
150042
150049
150050
150050
150056
150055
150054
150058
150059
150060
150061
150057
150051
150052
150053
150054
150060
150059
150058
150063
150064
150065
150066
150061
150054
150046
150035
150022
150006
149986
149959
149959
149958
149957
149956
149955
149954
149953
149953
149952
149951
149950
149950
149949
149949
149948
149974
149974
149975
149975
149976
149977
149978
149979
149980
149981
149982
149983
149984
149985
149985
150006
150005
150004
150021
150022
150022
150035
150035
150035
150035
150020
150004
150003
150002
150001
150018
150019
150020
150034
150034
150033
150046
150047
150047
150047
150047
150046
150046
150055
150056
150056
150065
150063
150062
150068
150069
150071
150073
150066
150057
150057
150058
150058
150068
150068
150067
150074
150076
150077
150079
150069
150058
150046
150032
150017
150000
149999
149997
149996
150013
150015
150016
150031
150030
150029
150028
150012
149995
149994
149993
149993
150009
150010
150011
150026
150025
150024
150038
150040
150041
150042
150043
150044
150045
150058
150058
150057
150070
150070
150070
150080
150081
150082
150083
150070
150056
150055
150054
150053
150068
150069
150069
150084
150084
150083
150082
150066
150051
150037
150023
150008
149992
149973
149948
149948
149948
149948
149948
149949
149949
149950
149951
149951
149952
149953
149955
149956
149957
149958
149985
149984
149982
149981
149979
149978
149977
149976
149975
149974
149974
149973
149973
149973
149973
149992
149992
149992
150007
150007
150007
150022
150021
150021
150020
150007
149992
149992
149993
149994
150009
150008
150007
150020
150021
150021
150033
150033
150033
150034
150034
150035
150036
150050
150049
150047
150062
150063
150065
150081
150079
150077
150076
150061
150047
150046
150045
150045
150058
150058
150060
150075
150073
150071
150071
150058
150045
150034
150022
150009
149995
149996
149997
149998
150013
150012
150011
150023
150025
150026
150028
150015
150000
150001
150003
150005
150020
150018
150017
150029
150031
150033
150044
150042
150040
150039
150037
150036
150035
150046
150047
150048
150058
150058
150058
150070
150069
150067
150065
150059
150049
150051
150052
150053
150059
150059
150059
150064
150063
150062
150062
150059
150054
150045
150034
150022
150006
149986
149960
149961
149962
149964
149965
149966
149968
149969
149970
149971
149973
149974
149975
149976
149977
149978
150004
150003
150002
150001
150000
149999
149998
149997
149996
149995
149993
149992
149991
149989
149988
150008
150009
150011
150026
150025
150023
150036
150038
150039
150040
150028
150012
150013
150014
150016
150031
150030
150029
150042
150043
150044
150052
150052
150051
150050
150049
150048
150047
150054
150055
150056
150060
150059
150059
150063
150063
150063
150064
150060
150056
150057
150057
150058
150062
150061
150061
150064
150065
150065
150065
150062
150058
150053
150045
150032
150017
150018
150019
150020
150035
150034
150033
150046
150046
150047
150047
150036
150020
150021
150022
150022
150037
150037
150036
150048
150048
150049
150056
150056
150055
150055
150055
150054
150054
150059
150059
150060
150063
150063
150062
150066
150066
150066
150066
150063
150060
150060
150060
150060
150063
150063
150063
150066
150066
150066
150066
150063
150060
150056
150049
150038
150023
150004
149979
149980
149981
149982
149983
149983
149984
149985
149986
149987
149987
149988
149989
149989
149990
149991
150011
150011
150011
150010
150010
150010
150009
150009
150008
150008
150007
150007
150006
150006
150005
150024
150024
150024
150039
150038
150038
150049
150049
150050
150050
150039
150025
150025
150025
150026
150039
150039
150039
150050
150050
150050
150057
150057
150057
150057
150057
150057
150056
150061
150061
150061
150063
150063
150063
150065
150065
150065
150065
150063
150061
150061
150060
150060
150062
150062
150063
150064
150064
150063
150063
150062
150060
150057
150050
150039
150026
150026
150026
150026
150039
150039
150039
150050
150049
150049
150049
150039
150026
150026
150026
150026
150038
150038
150039
150049
150048
150048
150055
150055
150056
150056
150056
150056
150057
150060
150060
150060
150061
150061
150062
150063
150062
150062
150061
150061
150059
150059
150059
150059
150060
150060
150060
150061
150060
150060
150060
150059
150058
150055
150048
150038
150026
150012
149991
149992
149993
149993
149994
149995
149995
149996
149996
149997
149998
149998
149999
149999
150000
150000
150015
150015
150015
150014
150014
150014
150014
150014
150013
150013
150013
150013
150012
150012
150012
150026
150026
150026
150037
150038
150038
150047
150047
150047
150046
150037
150026
150026
150026
150026
150036
150037
150037
150046
150045
150045
150052
150052
150053
150053
150054
150054
150054
150058
150058
150057
150058
150059
150059
150059
150059
150058
150058
150058
150057
150057
150056
150056
150057
150057
150057
150057
150056
150056
150055
150056
150055
150051
150044
150036
150026
150026
150026
150026
150035
150036
150036
150044
150043
150043
150043
150035
150026
150026
150026
150026
150034
150034
150035
150042
150042
150041
150047
150048
150049
150049
150050
150050
150051
150055
150054
150054
150055
150055
150056
150055
150054
150054
150053
150054
150053
150053
150052
150052
150053
150053
150054
150053
150052
150052
150051
150052
150051
150047
150041
150034
150025
150015
150001
150001
150002
150003
150003
150004
150004
150005
150005
150006
150007
150007
150008
150008
150009
150010
150018
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150015
150015
150025
150025
150025
150033
150033
150033
150040
150040
150039
150039
150032
150025
150025
150025
150025
150031
150032
150032
150038
150038
150037
150042
150043
150044
150044
150045
150045
150046
150050
150050
150049
150051
150051
150052
150051
150050
150049
150049
150050
150049
150048
150047
150046
150048
150049
150050
150048
150048
150047
150046
150048
150046
150041
150037
150031
150024
150024
150024
150024
150030
150030
150031
150036
150035
150035
150034
150030
150024
150024
150024
150024
150029
150029
150029
150034
150033
150033
150037
150037
150038
150039
150039
150040
150041
150045
150044
150043
150046
150046
150047
150046
150045
150045
150044
150045
150043
150042
150041
150040
150042
150043
150044
150043
150042
150042
150039
150039
150040
150041
150042
150042
150043
150044
150045
150045
150046
150047
150047
150048
150049
150049
150050
150051
150051
150052
150052
150053
150054
150054
150055
150056
150056
150057
150058
150058
150059
150059
150060
150061
150061
150062
150062
150063
150063
150064
150064
150065
150065
150066
150066
150066
150067
150067
150067
150068
150068
150068
150068
150068
150068
150068
150068
150068
150067
150067
150067
150066
150066
150066
150066
150067
150068
150070
150074
150078
150082
150085
150088
150091
150093
150094
150096
150097
150098
150100
150100
150099
150098
150096
150094
150092
150090
150087
150085
150083
150080
150078
150076
150074
150072
150070
150068
150067
150066
150064
150063
150062
150061
150060
150059
150058
150057
150056
150055
150055
150054
150053
150052
150051
150051
150050
150049
150048
150048
150047
150046
150045
150045
150044
150043
150042
150042
150041
150041
150041
150042
150042
150043
150042
150042
150042
150043
150043
150044
150044
150044
150043
150043
150042
150042
150041
150042
150042
150041
150040
150040
150038
150039
150040
150041
150042
150043
150045
150045
150046
150047
150047
150047
150046
150046
150043
150044
150045
150040
150039
150038
150037
150036
150036
150036
150036
150035
150032
150033
150034
150027
150027
150027
150021
150022
150023
150025
150026
150004
150004
150008
150010
150011
150004
150003
150003
149988
149988
149990
149958
149956
149957
149934
149876
149871
149932
149923
149865
149755
149759
149766
149756
149868
149928
149952
149950
149948
149987
149984
149946
149948
149987
149985
149948
149949
149989
150005
150027
150028
150030
150031
150010
150008
150007
149990
149986
149949
149951
149951
149987
149991
149989
149953
149953
149930
149924
149929
149923
149928
149922
149927
149921
149926
149921
149925
149920
149925
149919
149924
149918
149924
149919
149925
149920
149864
149866
149864
149753
149754
149754
149754
149866
149864
149866
149864
149755
149755
149754
149756
149867
149865
149868
149866
149758
149758
149756
149759
149869
149867
149870
149868
149760
149760
149759
149761
149871
149869
149872
149870
149763
149763
149762
149764
149873
149871
149925
149930
149926
149872
149874
149765
149764
149765
149767
149875
149932
149955
149993
149990
149955
149956
149994
150011
150032
150041
150046
150048
150048
150049
150050
150050
150050
150050
150049
150047
150048
150049
150050
150051
150051
150052
150053
150054
150054
150053
150052
150050
150051
150052
150048
150047
150046
150045
150044
150043
150042
150033
150034
150035
150015
150014
150012
149996
149992
149956
149958
149958
149993
149997
149995
149960
149960
149937
149931
149936
149930
149935
149929
149934
149928
149933
149927
149932
149926
149873
149876
149874
149768
149768
149767
149769
149877
149875
149878
149876
149771
149771
149769
149772
149879
149877
149880
149878
149773
149773
149772
149775
149881
149879
149932
149938
149933
149881
149882
149776
149775
149776
149777
149883
149939
149962
149999
149997
149962
149964
150000
150017
150036
150038
150039
150040
150022
150020
150018
150002
149998
149964
149966
149966
150000
150004
150001
149968
149968
149944
149939
149943
149938
149943
149937
149941
149936
149941
149935
149939
149934
149882
149884
149883
149779
149779
149778
149780
149885
149884
149887
149885
149782
149781
149780
149783
149888
149886
149889
149887
149785
149784
149783
149786
149890
149888
149940
149945
149941
149890
149891
149787
149786
149787
149789
149892
149946
149970
150005
150003
149970
149947
149942
149891
149893
149892
149943
149949
149972
150007
150023
150041
150049
150053
150055
150054
150055
150056
150057
150057
150056
150055
150054
150055
150056
150057
150058
150058
150059
150060
150061
150061
150060
150059
150058
150059
150060
150057
150056
150055
150053
150052
150051
150050
150042
150044
150045
150028
150026
150025
150009
150005
149972
149974
149974
150007
150010
150008
149976
149976
149953
149947
149952
149946
149951
149945
149949
149944
149893
149895
149792
149790
149790
149789
149792
149793
149896
149894
149793
149795
149897
149896
149898
149897
149796
149796
149795
149798
149900
149898
149948
149954
149949
149900
149901
149799
149798
149799
149801
149902
149955
149978
150012
150010
149978
149980
150014
150030
150046
150047
150049
150050
150035
150033
150031
150016
150012
149981
149983
149983
150014
150018
150016
149986
149985
149962
149957
149961
149955
149960
149954
149958
149953
149957
149952
149956
149950
149901
149904
149902
149803
149802
149801
149804
149905
149904
149906
149905
149806
149806
149804
149807
149908
149906
149909
149908
149809
149809
149808
149811
149911
149909
149958
149963
149959
149911
149912
149813
149811
149813
149814
149914
149965
149988
150020
150018
149988
149990
150022
150037
150051
150058
150061
150062
150062
150063
150064
150065
150065
150064
150063
150062
150063
150064
150065
150066
150066
150067
150069
150070
150071
150069
150068
150067
150068
150070
150067
150065
150064
150062
150061
150060
150059
150052
150054
150055
150042
150040
150039
150023
150020
149991
149993
149994
150022
150026
150024
149996
149996
149974
149968
149972
149966
149971
149965
149969
149963
149968
149962
149966
149961
149913
149915
149914
149817
149816
149815
149818
149917
149916
149919
149918
149821
149820
149819
149823
149921
149920
149922
149921
149825
149825
149823
149827
149924
149923
149970
149975
149971
149925
149926
149829
149828
149830
149832
149928
149977
149999
150028
150026
149999
150002
150030
150044
150056
150058
150059
150061
150050
150048
150046
150032
150028
150002
150005
150005
150030
150033
150032
150008
150007
149987
149982
149985
149980
149984
149978
149982
149976
149980
149975
149978
149973
149928
149930
149930
149836
149835
149833
149838
149933
149932
149935
149934
149842
149841
149839
149844
149937
149937
149940
149939
149849
149847
149845
149851
149943
149942
149984
149989
149986
149945
149945
149855
149853
149857
149859
149948
149991
150011
150035
150034
150012
149993
149987
149947
149951
149950
149989
149994
150014
150037
150053
150063
150069
150072
150073
150072
150074
150077
150079
150081
150078
150075
150074
150077
150081
150085
150084
150082
150085
150088
150091
150096
150092
150088
150089
150094
150099
150100
150094
150089
150083
150079
150075
150071
150065
150069
150074
150066
150060
150055
150039
150036
150015
150017
150019
150039
150042
150044
150025
150022
150002
149998
150000
149995
149998
149993
149996
149991
149953
149953
149868
149865
149863
149861
149870
149873
149956
149956
149875
149878
149959
149959
149962
149962
149886
149883
149880
149889
149965
149966
150000
150005
150003
149970
149969
149896
149892
149900
149905
149975
150009
150029
150048
150051
150034
150039
150055
150072
150080
150086
150093
150100
150096
150088
150080
150064
150060
150044
150049
150054
150069
150073
150077
150063
150059
150041
150036
150036
150031
150030
150025
150024
150019
150018
150013
150013
150008
149976
149980
149982
149918
149914
149909
149923
149987
149990
149993
149996
149938
149933
149929
149944
150001
150004
150007
150010
149956
149953
149948
149961
150014
150017
150041
150045
150043
150021
150020
149971
149966
149973
149970
150025
150047
150068
150081
150087
150091
150074
150053
150050
150039
150012
149938
149881
149954
150021
150021
149954
149964
150032
150060
150064
150037
150027
149963
149971
149972
150034
150045
150072
150101
150112
150114
150113
150109
150104
150098
150094
150100
150104
150106
150107
150103
150101
150105
150114
150109
150115
150121
150127
150119
150108
150112
150115
150118
150137
150130
150124
150134
150142
150152
150160
150150
150141
150133
150126
150119
150121
150129
150128
150120
150110
150121
150129
150136
150136
150144
150153
150162
150161
150152
150144
150139
150147
150157
150146
150140
150136
150130
150124
150117
150113
150106
150101
150090
150082
150075
150047
150039
149983
149982
149989
149991
150044
150052
150047
150000
149998
150002
150056
150071
150041
150053
150081
150084
150059
150066
150090
150091
150069
150026
150020
150012
150000
149982
149929
150031
150074
150097
150097
150077
150081
150101
150101
150083
150087
150106
150108
150114
150100
150080
150046
150047
150043
150036
149979
150027
150040
150087
150087
150043
150052
150096
150120
150126
150136
150143
150150
150155
150166
150170
150172
150170
150159
150141
150120
150120
150119
150118
150140
150142
150143
150162
150161
150158
150153
150137
150116
150114
150109
150104
150117
150125
150133
150147
150138
150128
150138
150150
150160
150167
150172
150175
150175
150180
150184
150184
150191
150186
150179
150175
150184
150191
150197
150191
150180
150174
150163
150149
150161
150179
150188
150200
150195
150176
150158
150147
150137
150128
150119
150110
150098
150092
150085
150080
150086
150093
150101
150109
150100
150092
150086
150081
150075
150073
150071
150070
150073
150075
150077
150081
150078
150076
150079
150081
150085
150090
150097
150106
150116
150123
150111
150101
150103
150115
150130
150136
150118
150105
150096
150095
150093
150088
150083
150080
150082
150085
150089
150090
150085
150082
150082
150085
150090
150096
150104
150118
150143
150168
150193
150206
150204
150197
150189
150181
150162
150160
150156
150153
150150
150137
150131
150128
150120
150108
150100
150102
150094
150056
150062
150066
150070
150099
150110
150116
150084
150074
150058
150016
150093
150122
150126
150139
150142
150144
150133
150130
150104
150099
150104
150057
150093
150130
150144
150150
150160
150165
150164
150153
150151
150140
150108
150115
150144
150145
150121
150121
150151
150170
150176
150166
150160
150145
150155
150161
150170
150176
150184
150188
150177
150175
150168
150167
150148
150140
150132
150115
150079
150155
150157
150172
150181
150180
150197
150195
150192
150199
150204
150200
150188
150203
150216
150193
150177
150214
150230
150231
150226
150197
150202
150201
150204
150198
150190
150186
150183
150176
150154
150126
150165
150175
150177
150194
150180
150152
150196
150204
150206
150211
150219
150225
150208
150204
150193
150217
150225
150228
150225
150227
150240
150233
150225
150242
150246
150228
150227
150211
150253
150214
150257
150260
150250
150250
150241
150222
150257
150269
150263
150255
150235
150260
150290
150285
150272
150262
150239
150252
150196
150168
150150
150117
150103
150101
150109
150120
150119
150255
150233
150201
150273
150278
150306
150313
150270
150272
150237
150262
150244
150232
150180
150110
150090
150175
150176
150231
150201
150229
150239
150323
150348
150263
150262
150174
150102
150208
150282
150303
150329
150286
150305
150323
150295
150255
150288
150179
150191
150259
150215
150138
150129
150141
150043
149951
149915
149801
149821
149701
149757
149676
149731
149643
149711
149652
149581
149660
149621
149543
149625
149567
149636
149596
149534
149613
149591
149525
149604
149578
149518
149596
149571
149505
149591
149569
149507
149589
149567
149507
149593
149583
149548
149484
149574
149550
149484
149577
149553
149489
149576
149555
149489
149578
149558
149491
149579
149560
149496
149585
149564
149501
149587
149569
149506
149593
149573
149510
149596
149574
149512
149601
149584
149522
149605
149586
149525
149610
149589
149531
149614
149596
149532
149619
149598
149535
149620
149599
149539
149625
149605
149540
149625
149602
149537
149626
149604
149538
149621
149573
149649
149626
149563
149644
149623
149558
149650
149631
149567
149651
149628
149555
149651
149594
149675
149650
149587
149673
149657
149589
149672
149646
149571
149663
149607
149683
149658
149591
149678
149659
149585
149670
149614
149702
149675
149608
149692
149665
149587
149680
149628
149702
149678
149606
149692
149640
149712
149684
149613
149697
149643
149716
149697
149634
149715
149689
149610
149696
149639
149726
149696
149620
149704
149647
149723
149701
149627
149704
149652
149735
149705
149626
149710
149656
149730
149697
149620
149705
149649
149735
149704
149631
149714
149651
149728
149670
149741
149712
149637
149719
149663
149734
149708
149636
149721
149657
149731
149675
149745
149715
149638
149716
149663
149742
149710
149630
149715
149655
149732
149677
149746
149717
149636
149721
149661
149734
149703
149616
149709
149640
149719
149655
149731
149701
149615
149702
149630
149719
149656
149732
149700
149611
149704
149628
149711
149642
149721
149659
149733
149703
149625
149706
149644
149712
149650
149731
149697
149612
149699
149631
149711
149644
149720
149684
149593
149686
149608
149689
149622
149701
149635
149711
149680
149591
149684
149610
149692
149619
149699
149633
149708
149672
149583
149674
149599
149680
149620
149700
149660
149570
149661
149589
149672
149589
149672
149596
149678
149611
149687
149652
149559
149649
149573
149651
149580
149664
149596
149672
149638
149539
149640
149559
149645
149567
149652
149580
149660
149622
149518
149619
149532
149620
149540
149629
149549
149632
149560
149649
149612
149509
149609
149526
149617
149533
149619
149542
149626
149583
149472
149575
149482
149586
149498
149588
149503
149598
149518
149607
149569
149454
149568
149474
149572
149482
149575
149487
149578
149498
149585
149539
149434
149532
149441
149548
149452
149549
149454
149556
149473
149565
149521
149412
149524
149432
149529
149427
149530
149438
149531
149440
149536
149459
149545
149501
149388
149497
149408
149496
149400
149502
149408
149502
149418
149518
149475
149355
149469
149371
149478
149378
149477
149382
149482
149398
149491
149445
149324
149440
149341
149438
149336
149446
149343
149446
149354
149464
149415
149292
149412
149308
149420
149307
149417
149311
149420
149320
149420
149331
149429
149379
149249
149366
149263
149382
149274
149382
149277
149390
149297
149399
149351
149215
149350
149244
149356
149246
149360
149252
149358
149260
149366
149310
149170
149298
149189
149317
149200
149316
149203
149327
149226
149337
149288
149142
149284
149169
149290
149178
149296
149182
149295
149194
149303
149248
149094
149229
149113
149248
149125
149248
149142
149269
149212
149056
149202
149073
149214
149089
149215
149092
149219
149112
149229
149176
149019
149166
149037
149161
149023
149169
149055
149183
149124
148959
149124
148992
149131
148999
149137
149010
149137
149020
149147
149091
148923
149074
148946
149096
148957
149093
148958
149112
149044
148869
149039
148903
149054
148915
149054
148931
149067
149005
148829
148991
148851
149018
148871
149019
148894
149047
148987
148800
148969
148803
148969
148817
148970
148843
148985
148920
148738
148905
148769
148936
148802
148950
148889
148692
148890
148744
148903
148752
148912
148780
148922
148842
148619
148819
148668
148833
148699
148870
148800
148601
148792
148641
148817
148683
148835
148765
148552
148755
148603
148766
148626
148801
148729
148491
148697
148501
148704
148547
148725
148651
148428
148643
148481
148655
148508
148698
148627
148401
148616
148468
148651
148583
148329
148552
148392
148592
148352
148573
148478
148245
148497
148335
148537
148459
148202
148450
148263
148466
148299
148518
148443
148186
148424
148264
148465
148390
148065
148330
148105
148375
148279
148014
148280
148092
148323
148240
147956
148225
148035
148309
148229
147923
148206
148027
148258
148172
147807
148108
147825
148144
148038
147752
148045
147836
148096
148010
147703
148001
147810
148101
148027
147714
148026
147967
147643
147952
147565
147907
147747
147464
147805
147718
147387
147731
147503
147837
147755
147424
147761
147695
147323
147693
147485
147777
147464
147085
147510
147409
147124
147492
147406
147048
147456
147389
147029
147425
147357
146932
147384
147267
146625
147155
146935
146554
147048
146949
146565
147033
146945
146491
147010
146949
146503
147008
146813
146053
146701
146480
146093
146654
146606
146443
145955
146557
146523
146030
146659
146482
145886
145167
145957
145823
145449
146114
146079
145897
145347
146075
146046
145594
144666
145653
145521
145387
145225
144695
145532
145559
145351
144632
143698
144918
144873
144838
144853
144891
144471
143116
144358
144019
144113
144086
144109
143698
143393
143127
143353
143197
143021
142851
142943
142862
142923
142789
142848
142701
142766
142608
142680
142512
142587
142411
142492
142310
142396
142209
142300
142109
142204
142011
142107
141912
142008
141815
141909
141722
141817
141630
141721
141537
141634
141455
141549
141373
141470
141300
141396
141229
141329
141167
141267
141107
141211
141057
141160
141008
141114
140969
141073
140931
141039
140902
141008
140873
140982
140853
140960
140832
140942
140819
140927
140805
140916
140798
140906
140789
140900
140787
140895
140783
140893
140785
140892
140784
140893
140789
140894
140791
140898
140797
140901
140801
140907
140809
140910
140813
140917
140823
140922
140828
140931
140839
140938
140846
140947
140857
140954
140865
140963
140875
140971
140883
140980
140894
140988
140902
140997
140912
141004
140920
141013
140930
141020
140937
141028
140946
141036
140953
141043
140962
141050
140969
141057
140978
141064
140983
141071
140992
141077
140997
141083
141005
141089
141010
141095
141017
141100
141022
141106
141029
141111
141033
141116
141039
141120
141043
141125
141049
141129
141053
141134
141058
141137
141061
141142
141066
141145
141069
141149
141074
141152
141076
141155
141081
141158
141083
141161
141087
141164
141089
141167
141093
141169
141095
141172
141098
141174
141100
141177
141103
141178
141104
141181
141108
141182
141109
141185
141112
141186
141112
141188
141115
141189
141116
141191
141118
141192
141119
141194
141121
141195
141122
141196
141124
141197
141124
141198
141126
141199
141126
141200
141128
141201
141128
141202
141130
141202
141130
141203
141131
141203
141131
141204
141133
141204
141132
141205
141134
141205
141133
141206
141134
141206
141134
141206
141135
141206
141134
141206
141135
141206
141134
141206
141135
141206
141134
141206
141135
141206
141134
141206
141135
141205
141134
141205
141134
141205
141133
141204
141134
141204
141132
141203
141133
141203
141131
141202
141132
141202
141130
141201
141131
141200
141129
141200
141129
141199
141128
141198
141128
141196
141125
141196
141125
141195
141124
141194
141124
141193
141122
141192
141122
141191
141120
141190
141120
141189
141118
141188
141118
141187
141116
141186
141116
141184
141114
141183
141113
141182
141111
141181
141111
141179
141109
141178
141108
141176
141106
141175
141105
141173
141103
141172
141102
141171
141100
141169
141099
141167
141097
141166
141096
141164
141094
141163
141093
141161
141091
141159
141090
141158
141087
141156
141087
141154
141084
141153
141083
141151
141080
141149
141080
141147
141077
141145
141076
141143
141073
141142
141072
141140
141070
141138
141069
141136
141066
141135
141065
141133
141063
141131
141062
141129
141059
141128
141059
141126
141056
141124
141055
141122
141053
141121
141052
141119
141049
141118
141049
141116
141047
141115
141046
141113
141045
141115
141047
141116
141049
141129
141072
141181
141125
141341
141578
141795
143131
143044
142962
143401
142734
142799
143125
142644
142742
143053
142600
142707
142950
142602
142712
142988
142591
142700
142939
142598
142708
142976
142592
142702
142940
142600
142711
142977
142596
142706
142944
142605
142716
142981
142600
142711
142948
142610
142721
142985
142605
142716
142954
142615
142726
142990
142610
142721
142959
142620
142731
142996
142615
142727
142964
142625
142736
143001
142621
142732
142970
142630
142741
143007
142626
142737
142975
142636
142746
143012
142631
142742
142981
142641
142752
143018
142636
142747
142986
142646
142757
143023
142641
142753
142991
142651
142762
143029
142646
142758
142997
142656
142768
143034
142651
142763
143002
142661
142773
143040
142656
142768
143008
142666
142778
143045
142661
142774
143013
142671
142783
143050
142666
142779
143018
142676
142788
143056
142671
142784
143024
142681
142793
143061
142676
142789
143029
142686
142798
143066
142681
142794
143034
142691
142803
143072
142686
142799
143039
142696
142808
143077
142691
142803
143044
142700
142813
143082
142695
142808
143049
142705
142818
143087
142700
142813
143054
142710
142823
143092
142705
142818
143059
142714
142827
143097
142709
142823
143064
142719
142832
143103
142714
142827
143069
142724
142837
143108
142718
142832
143074
142728
142842
143113
142723
142836
143079
142732
142846
143117
142727
142841
143084
142737
142850
143122
142731
142846
143089
142741
142855
143127
142736
142850
143093
142746
142860
143132
142740
142855
143098
142750
142864
143137
142744
142859
143103
142754
142869
143142
142748
142863
143108
142758
142873
143147
142753
142868
143113
142763
142877
143152
142757
142872
143117
142767
142882
143157
142761
142877
143122
142771
142886
143161
142765
142881
143127
142775
142891
143166
142769
142885
143132
142779
142895
143171
142773
142890
143136
142783
142900
143176
142778
142894
143141
142788
142904
143181
142782
142899
143146
142792
142909
143186
142786
142903
143151
142796
142913
143192
142790
142908
143156
142800
142918
143197
142794
142912
143161
142805
142922
143202
142798
142917
143166
142809
142927
143208
142803
142922
143171
142813
142932
143213
142807
142927
143177
142818
142937
143219
142812
142932
143182
142823
142942
143225
142817
142937
143188
142827
142947
143231
142822
142942
143194
142832
142953
143237
142827
142948
143200
142838
142959
143244
142832
142954
143207
142843
142965
143251
142838
142960
143214
142849
142971
143259
142843
142967
143221
142855
142978
143267
142850
142974
143229
142862
142986
143275
142857
142981
143237
142869
142994
143284
142864
142989
143246
142876
143002
143294
142871
142998
143256
142885
143011
143304
142880
143007
143267
142893
143021
143315
142889
143018
143278
142903
143032
143328
142899
143029
143290
142913
143044
143341
142910
143041
143304
142925
143056
143355
142922
143054
143319
142937
143070
143371
142935
143069
143335
142951
143086
143388
142949
143085
143352
142966
143102
143407
142965
143102
143371
142982
143121
143427
142982
143122
143392
143001
143141
143449
143001
143143
143415
143021
143163
143474
143022
143166
143441
143043
143188
143500
143045
143192
143468
143067
143215
143529
143070
143220
143498
143094
143244
143561
143098
143250
143530
143123
143276
143595
143129
143284
143566
143155
143312
143632
143163
143321
143604
143191
143350
143671
143200
143360
143645
143229
143392
143714
143240
143403
143689
143270
143436
143759
143283
143451
143736
143316
143485
143807
143331
143501
143786
143365
143537
143858
143382
143556
143839
143419
143594
143912
143437
143614
143895
143476
143654
143968
143496
143676
143953
143537
143718
144027
143558
143741
144014
143602
143785
144088
143625
143811
144076
143671
143855
144150
143696
143883
144140
143742
143927
144213
143769
143957
144205
143816
144002
144277
143845
144033
144271
143892
144078
144341
143923
144110
144337
143970
144155
144405
144002
144188
144401
144049
144233
144467
144082
144266
144465
144128
144311
144528
144162
144344
144528
144208
144387
144586
144242
144418
144587
144281
144456
144642
144316
144487
144644
144352
144520
144694
144384
144548
144698
144413
144572
144742
144436
144589
144749
144449
144594
144785
144455
144593
144788
144438
144569
144814
144411
144534
144812
144350
144463
144824
144263
144349
144846
144127
144299
144934
144291
144383
145057
144171
144554
145502
144632
144894
145659
144906
145000
145844
144960
145326
146129
145800
145241
145554
145504
145981
146423
146017
146539
146117
145516
145557
146191
146429
145756
146096
145661
146012
146928
146170
146258
147029
146395
145904
145995
146089
146547
147184
146492
147958
146899
146762
146631
147433
148307
147460
147864
146922
146631
147488
146441
146167
147220
146051
145589
146736
145518
145412
146255
145502
145480
146359
145692
145636
146477
145837
145764
146510
145935
145861
146497
146021
145943
146476
146087
146006
146461
146132
146048
146450
146162
146076
146441
146182
146093
146432
146192
146101
146422
146196
146103
146412
146195
146099
146402
146190
146092
146390
146181
146082
146378
146171
146070
146365
146158
146055
146351
146143
146039
146337
146127
146023
146322
146108
146004
146306
146089
145985
146290
146070
145965
146273
146049
145945
146256
146028
145924
146239
146007
145903
146221
145986
145882
146202
145964
145861
146184
145943
145840
146165
145921
145818
146146
145900
145797
146127
145878
145776
146108
145857
145755
146088
145836
145734
146069
145815
145714
146050
145794
145694
146031
145774
145673
146012
145753
145654
145993
145733
145634
145975
145714
145615
145956
145694
145596
145938
145675
145577
145919
145657
145559
145901
145638
145540
145884
145620
145523
145866
145602
145505
145849
145584
145488
145832
145567
145471
145815
145550
145454
145798
145533
145437
145782
145516
145421
145766
145500
145405
145750
145484
145389
145734
145468
145374
145719
145453
145359
145703
145437
145344
145688
145422
145329
145673
145408
145315
145659
145393
145300
145644
145379
145286
145630
145365
145272
145616
145351
145259
145603
145337
145246
145589
145324
145232
145576
145310
145219
145563
145297
145207
145550
145284
145194
145537
145272
145182
145524
145259
145170
145512
145247
145157
145500
145235
145146
145488
145223
145134
145476
145211
145122
145464
145200
145111
145452
145188
145100
145440
145177
145088
145429
145165
145077
145417
145154
145066
145405
145143
145055
145394
145132
145044
145382
145120
145033
145371
145109
145022
145360
145098
145012
145348
145087
145001
145337
145077
144990
145326
145066
144980
145315
145055
144969
145304
145044
144959
145293
145034
144948
145282
145023
144938
145272
145013
144928
145261
145003
144918
145251
144992
144908
145241
144982
144898
145231
144973
144888
145221
144963
144879
145211
144954
144870
145207
144947
144864
145208
144943
144861
145230
144948
144872
145304
144979
144920
145474
145072
145035
145825
145831
145429
144183
143550
143387
143344
145316
145781
147339
147200
147934
148000
148409
148379
148687
148698
148921
148916
149095
149096
149238
149237
149352
149352
149446
149446
149522
149522
149585
149585
149637
149637
149680
149680
149716
149716
149746
149746
149771
149772
149794
149792
149810
149812
149828
149826
149840
149842
149853
149851
149862
149864
149873
149871
149879
149881
149888
149886
149892
149894
149900
149898
149903
149905
149909
149907
149911
149913
149917
149915
149918
149920
149923
149921
149924
149926
149928
149926
149929
149930
149932
149931
149932
149934
149935
149934
149936
149937
149938
149937
149938
149939
149940
149939
149940
149941
149942
149941
149942
149942
149942
149942
149942
149943
149945
149945
149945
149944
149943
149942
149941
149940
149938
149936
149934
149932
149930
149928
149925
149922
149919
149916
149912
149908
149903
149898
149893
149886
149879
149871
149862
149852
149840
149827
149811
149793
149771
149746
149716
149681
149638
149586
149523
149446
149353
149237
149094
148913
148678
148362
147901
147120
147085
147888
147886
147074
147074
147887
148362
148359
148358
148678
148681
148683
148686
148365
147891
147079
147085
147896
147900
147090
147096
147905
148375
148372
148368
148689
148692
148694
148697
148379
147909
147102
147109
147913
147917
147115
147121
147921
148388
148385
148382
148700
148702
148705
148707
148391
147925
147127
147133
147929
147933
147140
147146
147937
148401
148397
148394
148710
148712
148715
148717
148404
147941
147152
147159
147945
147950
147165
147172
147954
148413
148410
148407
148719
148722
148724
148727
148416
147958
147178
147185
147962
147966
147192
147198
147970
148425
148422
148419
148729
148731
148734
148736
148427
147974
147205
147212
147978
147983
147218
147225
147987
148436
148433
148430
148738
148740
148743
148970
148967
148965
148963
148961
148959
148957
148955
148953
148951
148949
148947
148945
148943
148941
148939
148937
148935
148932
148930
148928
148926
148923
148921
148919
148916
148914
149095
149097
149099
149242
149240
149239
149354
149355
149356
149449
149448
149447
149524
149524
149525
149587
149587
149586
149638
149638
149639
149639
149588
149526
149450
149358
149243
149101
149103
149105
149107
149249
149247
149245
149359
149360
149362
149363
149250
149109
149111
149113
149115
149255
149254
149252
149365
149366
149368
149459
149458
149456
149455
149454
149453
149451
149527
149528
149529
149590
149589
149589
149640
149640
149641
149641
149591
149530
149531
149532
149533
149593
149592
149592
149642
149642
149643
149684
149683
149683
149683
149682
149682
149682
149681
149681
149681
149681
149716
149716
149717
149746
149746
149746
149771
149771
149771
149793
149793
149793
149811
149811
149811
149827
149827
149827
149840
149841
149841
149841
149827
149811
149793
149771
149746
149717
149717
149717
149717
149747
149747
149746
149771
149771
149771
149771
149747
149717
149718
149718
149718
149747
149747
149747
149771
149771
149771
149792
149792
149792
149793
149793
149793
149793
149811
149811
149811
149827
149827
149827
149841
149841
149841
149840
149827
149811
149811
149810
149810
149826
149826
149826
149840
149840
149840
149840
149826
149810
149792
149771
149747
149718
149684
149643
149594
149534
149460
149369
149257
149117
149118
149120
149122
149262
149260
149259
149371
149372
149374
149375
149264
149124
149126
149128
149130
149269
149267
149265
149377
149378
149380
149469
149468
149467
149465
149464
149463
149461
149535
149536
149537
149596
149595
149595
149644
149644
149645
149645
149597
149538
149539
149540
149542
149600
149599
149598
149646
149646
149647
149648
149601
149543
149471
149382
149271
149131
149133
149135
149137
149276
149274
149272
149383
149385
149387
149389
149278
149139
149141
149143
149145
149284
149282
149280
149390
149392
149394
149482
149481
149479
149477
149476
149474
149472
149544
149545
149547
149604
149603
149602
149648
149649
149650
149650
149605
149548
149550
149551
149552
149608
149607
149606
149651
149652
149653
149689
149688
149688
149688
149687
149687
149687
149686
149686
149686
149685
149685
149685
149684
149684
149718
149718
149718
149746
149746
149746
149771
149770
149770
149770
149746
149718
149718
149718
149718
149746
149746
149746
149770
149769
149769
149789
149790
149790
149791
149791
149791
149792
149810
149809
149809
149825
149825
149826
149839
149839
149839
149838
149824
149809
149808
149808
149807
149823
149824
149824
149838
149838
149837
149837
149823
149807
149789
149769
149745
149718
149718
149718
149718
149745
149745
149745
149768
149768
149768
149767
149745
149719
149719
149719
149719
149744
149744
149745
149767
149766
149766
149785
149786
149786
149787
149787
149788
149788
149806
149806
149805
149821
149821
149822
149836
149836
149835
149834
149820
149804
149804
149803
149803
149818
149819
149819
149834
149833
149832
149845
149846
149847
149847
149848
149848
149849
149849
149850
149850
149851
149851
149851
149852
149852
149852
149852
149852
149853
149853
149853
149853
149853
149853
149853
149852
149852
149863
149863
149863
149872
149872
149872
149880
149880
149880
149888
149887
149887
149893
149894
149894
149900
149899
149899
149904
149904
149905
149906
149900
149894
149888
149881
149872
149863
149863
149863
149863
149873
149873
149873
149881
149881
149881
149881
149873
149863
149863
149863
149863
149873
149873
149873
149881
149882
149882
149890
149889
149889
149889
149889
149888
149888
149895
149895
149895
149902
149901
149901
149906
149907
149907
149908
149902
149896
149896
149896
149897
149903
149903
149902
149908
149909
149909
149915
149914
149914
149913
149912
149912
149911
149910
149910
149909
149909
149913
149913
149914
149918
149917
149916
149920
149921
149922
149925
149924
149923
149926
149927
149928
149931
149930
149929
149931
149932
149934
149935
149932
149929
149926
149922
149919
149915
149915
149916
149917
149921
149920
149920
149923
149924
149925
149926
149922
149918
149918
149919
149920
149925
149924
149923
149927
149928
149929
149934
149933
149931
149930
149929
149928
149927
149930
149931
149933
149936
149935
149933
149936
149938
149939
149941
149938
149934
149935
149937
149938
149942
149941
149939
149943
149945
149947
149949
149944
149940
149935
149931
149926
149921
149915
149910
149904
149897
149890
149882
149873
149863
149863
149863
149862
149873
149873
149873
149882
149882
149882
149882
149872
149862
149862
149862
149861
149872
149872
149872
149881
149881
149881
149890
149890
149890
149890
149890
149890
149890
149897
149897
149898
149905
149904
149904
149910
149911
149911
149912
149905
149898
149898
149898
149898
149906
149906
149905
149912
149913
149913
149914
149906
149898
149890
149881
149871
149861
149860
149860
149860
149870
149871
149871
149881
149881
149880
149880
149870
149859
149859
149858
149858
149869
149869
149870
149880
149880
149879
149889
149890
149890
149890
149890
149890
149890
149898
149898
149899
149907
149907
149906
149914
149914
149915
149916
149907
149899
149899
149899
149899
149908
149908
149908
149916
149917
149917
149926
149925
149924
149924
149923
149922
149921
149921
149920
149919
149919
149918
149917
149917
149916
149922
149922
149923
149929
149928
149927
149932
149933
149934
149936
149930
149924
149925
149926
149927
149933
149932
149931
149937
149938
149940
149946
149944
149943
149941
149940
149938
149937
149941
149943
149945
149950
149948
149946
149951
149953
149956
149958
149952
149947
149949
149951
149953
149959
149957
149955
149961
149963
149966
149969
149962
149955
149948
149941
149934
149928
149928
149929
149930
149938
149937
149936
149943
149944
149946
149947
149939
149931
149933
149934
149935
149944
149942
149941
149949
149951
149953
149962
149960
149958
149955
149953
149952
149950
149957
149959
149961
149970
149967
149964
149972
149975
149978
149981
149972
149964
149966
149969
149971
149981
149978
149975
149984
149987
149991
150000
149997
149993
149990
149987
149983
149980
149977
149973
149970
149967
149964
149961
149958
149956
149953
149951
149948
149946
149944
149942
149941
149939
149938
149936
149935
149933
149935
149937
149938
149941
149939
149937
149939
149941
149943
149945
149943
149941
149942
149944
149946
149948
149946
149943
149945
149947
149949
149952
149951
149949
149947
149945
149942
149940
149942
149944
149945
149948
149946
149944
149947
149949
149951
149954
149951
149948
149950
149952
149955
149959
149956
149953
149957
149960
149963
149967
149963
149960
149957
149954
149951
149949
149951
149954
149957
149959
149956
149953
149955
149958
149961
149965
149962
149960
149963
149967
149971
149974
149970
149966
149969
149973
149977
149980
149975
149971
149967
149963
149959
149956
149953
149950
149948
149946
149946
149949
149951
149952
149950
149947
149947
149950
149952
149956
149955
149954
149957
149961
149964
149965
149962
149958
149958
149962
149966
149970
149969
149968
149972
149977
149982
149984
149979
149974
149974
149979
149984
149990
149989
149988
149985
149982
149979
149975
149971
149966
149962
149957
149960
149963
149967
149972
149969
149965
149970
149974
149978
149982
149976
149970
149973
149977
149980
149988
149984
149980
149986
149991
149995
150003
149998
149993
149988
149983
149979
149975
149979
149984
149989
149994
149988
149983
149987
149993
149998
150004
149999
149994
149999
150004
150010
150016
150011
150005
150010
150016
150022
150028
150022
150015
150008
150000
149992
149984
149988
149992
149995
150004
150000
149996
150004
150009
150013
150017
150008
149999
150003
150006
150010
150019
150016
150012
150021
150024
150027
150035
150032
150029
150025
150021
150017
150012
150020
150025
150029
150036
150032
150027
150033
150038
150042
150045
150040
150033
150036
150039
150040
150045
150044
150042
150047
150048
150048
150050
150050
150050
150050
150047
150044
150039
150033
150028
150021
150015
150009
150002
149996
149991
149993
149999
150006
150008
150001
149995
149996
150002
150009
150016
150014
150012
150019
150025
150032
150034
150028
150021
150023
150029
150036
150042
150041
150038
150043
150048
150051
150053
150050
150046
150048
150052
150055
150056
150055
150053
150053
150052
150051
150051
150053
150054
150055
150053
150051
150049
150049
150049
150049
150047
150045
150042
150036
150030
150022
150013
150004
149994
149984
149974
149964
149955
149945
149936
149927
149918
149909
149899
149889
149879
149868
149857
149845
149832
149817
149802
149785
149766
149744
149719
149689
149654
149609
149554
149484
149396
149286
149147
148972
148745
148439
147991
147232
147239
147995
147999
147246
147252
148003
148447
148444
148442
148747
148749
148751
148754
148450
148007
147259
147266
148011
148015
147272
147279
148018
148457
148455
148452
148756
148758
148760
148762
148459
148022
147285
147292
148025
148029
147298
147304
148032
148466
148464
148462
148764
148766
148768
148769
148468
148036
147311
147317
148039
148042
147323
147329
148045
148474
148472
148470
148771
148773
148775
148777
148476
148048
147335
147340
148051
148054
147346
147351
148056
148482
148480
148478
148779
148780
148782
148784
148483
148059
147357
147362
148062
148064
147367
147372
148066
148488
148487
148485
148785
148787
148789
148790
148489
148068
147377
147382
148070
148072
147386
147391
148074
148493
148492
148491
148792
148794
148795
148797
148495
148076
147395
147399
148078
148079
147403
147407
148081
148498
148497
148496
148798
148800
148801
148803
148499
148082
147410
147413
148083
148084
147417
147420
148085
148502
148501
148500
148804
148806
148808
148809
148502
148086
147422
147425
148087
148088
147427
147429
148088
148505
148504
148503
148811
148812
148814
148816
148505
148089
147431
147432
148089
148090
147434
147435
148090
148507
148507
148506
148818
148819
148821
148823
148508
148090
147435
147436
148090
148090
147436
147436
148090
148510
148509
148509
148825
148827
148830
148832
148511
148090
147435
147434
148090
148090
147433
147432
148090
148513
148512
148511
148835
148837
148840
148844
148514
148090
147430
147428
148090
148091
147425
147422
148091
148519
148517
148516
148847
148851
148855
148860
148521
148091
147419
147416
148092
148093
147412
147408
148094
148531
148527
148524
148866
148872
148879
148888
148536
148096
147404
147400
148098
148101
147396
147391
148104
148561
148550
148543
148898
148910
148924
149201
149184
149171
149159
149148
149138
149130
149123
149116
149110
149104
149099
149094
149090
149085
149081
149078
149074
149071
149067
149064
149061
149058
149056
149053
149050
149048
149045
149043
149041
149038
149036
149034
149032
149030
149027
149025
149023
149021
149019
149017
149015
149013
149011
149009
149007
149005
149003
149001
148999
148997
148995
148993
148991
148989
148988
148986
148984
148982
148980
148978
148976
148974
149149
149151
149153
149292
149290
149288
149398
149400
149402
149404
149294
149155
149157
149159
149161
149300
149298
149296
149407
149409
149411
149498
149496
149494
149492
149490
149488
149486
149556
149557
149559
149614
149612
149611
149655
149656
149657
149658
149615
149561
149563
149565
149567
149620
149618
149617
149659
149660
149661
149663
149622
149569
149501
149413
149303
149163
149165
149168
149170
149310
149307
149305
149416
149418
149421
149423
149312
149172
149174
149176
149179
149319
149317
149314
149426
149428
149431
149519
149516
149513
149511
149508
149506
149503
149571
149573
149576
149628
149626
149624
149664
149666
149667
149669
149630
149578
149581
149583
149586
149637
149634
149632
149671
149673
149675
149704
149702
149701
149700
149698
149697
149696
149695
149694
149693
149693
149692
149691
149690
149690
149719
149719
149719
149744
149744
149744
149765
149765
149764
149764
149743
149720
149720
149720
149721
149743
149743
149743
149764
149763
149763
149781
149781
149782
149782
149783
149784
149784
149801
149801
149800
149815
149816
149817
149831
149830
149830
149829
149815
149799
149799
149798
149797
149813
149813
149814
149828
149828
149827
149826
149812
149797
149780
149763
149743
149721
149722
149722
149723
149744
149744
149743
149763
149762
149762
149762
149744
149724
149725
149726
149727
149746
149745
149745
149762
149762
149763
149778
149778
149779
149779
149779
149779
149780
149796
149796
149795
149810
149811
149811
149826
149825
149825
149825
149810
149795
149794
149794
149794
149809
149809
149809
149824
149824
149824
149824
149809
149794
149778
149763
149746
149728
149706
149677
149639
149589
149522
149434
149322
149181
149183
149185
149188
149330
149327
149325
149437
149440
149443
149446
149333
149190
149193
149195
149197
149341
149338
149335
149449
149452
149455
149544
149540
149537
149534
149531
149528
149524
149592
149595
149598
149648
149645
149642
149680
149682
149685
149687
149651
149601
149604
149608
149611
149661
149657
149654
149690
149693
149696
149699
149664
149615
149547
149458
149344
149200
149203
149205
149208
149353
149350
149347
149462
149465
149469
149472
149356
149210
149213
149216
149219
149366
149363
149360
149476
149480
149483
149574
149570
149566
149562
149558
149554
149551
149618
149622
149626
149675
149671
149668
149703
149706
149710
149714
149679
149630
149634
149638
149642
149692
149687
149683
149718
149722
149727
149751
149747
149743
149739
149735
149731
149728
149725
149722
149719
149716
149714
149712
149709
149707
149729
149731
149732
149749
149748
149747
149763
149764
149765
149766
149751
149734
149736
149738
149741
149756
149754
149752
149767
149768
149770
149784
149782
149781
149780
149779
149779
149779
149794
149794
149794
149810
149809
149809
149824
149825
149826
149826
149810
149795
149796
149797
149798
149814
149813
149811
149828
149829
149832
149834
149816
149800
149786
149772
149758
149743
149746
149749
149753
149767
149764
149761
149774
149777
149780
149784
149770
149756
149760
149764
149769
149783
149779
149774
149787
149792
149797
149812
149807
149802
149797
149794
149791
149788
149803
149806
149809
149827
149823
149819
149838
149842
149846
149851
149832
149813
149818
149824
149829
149845
149841
149837
149854
149857
149859
149872
149871
149870
149869
149866
149862
149858
149854
149850
149847
149845
149843
149842
149841
149840
149839
149839
149839
149839
149839
149839
149839
149840
149840
149841
149841
149842
149842
149843
149844
149844
149857
149856
149855
149867
149868
149868
149879
149879
149879
149879
149867
149855
149855
149854
149854
149866
149867
149867
149878
149878
149879
149891
149890
149890
149890
149889
149889
149889
149899
149900
149900
149910
149910
149909
149919
149920
149920
149922
149911
149900
149901
149902
149902
149914
149913
149912
149923
149924
149926
149928
149915
149903
149891
149879
149866
149853
149853
149853
149853
149867
149866
149866
149879
149880
149880
149881
149867
149853
149853
149854
149854
149870
149868
149868
149882
149883
149885
149901
149899
149897
149895
149894
149893
149892
149904
149906
149907
149921
149919
149917
149930
149932
149935
149938
149924
149909
149912
149914
149917
149934
149930
149927
149942
149946
149950
149965
149961
149957
149953
149949
149946
149943
149940
149938
149936
149934
149932
149931
149929
149928
149938
149939
149941
149951
149949
149947
149957
149959
149962
149964
149954
149943
149945
149947
149950
149962
149959
149956
149967
149970
149974
149985
149982
149978
149975
149972
149969
149967
149977
149980
149983
149993
149990
149987
149997
150000
150003
150007
149997
149986
149989
149993
149996
150007
150003
150000
150010
150013
150016
150018
150010
150000
149989
149977
149965
149953
149956
149959
149963
149976
149972
149968
149981
149985
149988
149992
149980
149967
149971
149975
149979
149990
149987
149984
149995
149998
150000
150007
150006
150005
150003
150000
149996
149992
150003
150006
150009
150016
150015
150013
150020
150021
150021
150021
150017
150011
150012
150012
150011
150014
150016
150017
150020
150018
150016
150014
150012
150010
150006
150001
149993
149982
149969
149954
149938
149921
149904
149887
149871
149855
149856
149857
149859
149877
149875
149872
149889
149892
149896
149899
149880
149861
149864
149867
149870
149891
149887
149883
149903
149908
149912
149930
149927
149923
149919
149914
149911
149907
149925
149929
149933
149950
149946
149942
149958
149962
149965
149968
149954
149937
149941
149944
149946
149958
149958
149957
149968
149968
149967
149966
149957
149946
149932
149915
149895
149874
149879
149883
149884
149901
149901
149899
149917
149917
149917
149916
149901
149885
149886
149886
149886
149901
149901
149901
149916
149915
149915
149928
149928
149929
149930
149930
149931
149932
149945
149944
149943
149953
149954
149956
149965
149963
149962
149960
149952
149942
149941
149940
149939
149948
149949
149950
149958
149957
149956
149962
149963
149965
149966
149968
149970
149972
149974
149976
149977
149978
149978
149977
149976
149973
149985
149986
149986
149993
149994
149994
150001
150000
149998
149996
149992
149986
149985
149984
149982
149987
149989
149990
149994
149992
149990
149994
149996
149998
150000
150002
150004
150005
150008
150006
150004
150007
150009
150010
150012
150011
150009
150008
150005
150002
150001
149999
149997
150000
150002
150003
150006
150004
150003
150001
149998
149995
149992
149988
149984
149980
149978
149976
149974
149979
149980
149982
149986
149985
149983
149981
149977
149972
149970
149969
149968
149973
149974
149975
149980
149979
149978
149982
149983
149984
149986
149987
149989
149990
149994
149992
149991
149994
149995
149997
149999
149998
149996
149994
149992
149989
149988
149986
149985
149988
149989
149991
149993
149991
149990
149989
149986
149984
149980
149976
149972
149967
149961
149954
149947
149938
149927
149915
149901
149887
149873
149860
149849
149835
149818
149802
149788
149773
149756
149731
149696
149647
149578
149487
149370
149222
149225
149228
149231
149381
149377
149373
149491
149495
149500
149504
149385
149234
149237
149241
149244
149397
149393
149389
149508
149513
149518
149611
149606
149601
149596
149592
149587
149583
149651
149656
149660
149710
149705
149701
149736
149741
149745
149751
149715
149665
149670
149675
149681
149731
149726
149720
149756
149761
149767
149773
149737
149686
149616
149523
149401
149248
149251
149255
149259
149415
149410
149406
149528
149533
149538
149543
149420
149263
149268
149272
149277
149436
149430
149425
149549
149555
149561
149658
149651
149645
149639
149633
149627
149622
149692
149698
149703
149755
149749
149743
149779
149785
149792
149799
149761
149710
149716
149723
149730
149783
149775
149768
149807
149815
149823
149851
149844
149836
149828
149821
149813
149806
149799
149793
149787
149781
149776
149770
149765
149760
149778
149783
149789
149805
149799
149793
149808
149815
149821
149828
149811
149795
149801
149807
149814
149833
149825
149818
149835
149841
149846
149852
149850
149846
149841
149836
149831
149825
149840
149844
149847
149855
149853
149851
149861
149863
149864
149866
149857
149850
149852
149855
149857
149861
149860
149859
149867
149868
149868
149869
149863
149858
149855
149851
149839
149821
149828
149836
149843
149856
149851
149846
149855
149857
149860
149862
149860
149850
149855
149861
149865
149868
149866
149863
149864
149865
149866
149864
149864
149863
149862
149861
149859
149857
149860
149861
149862
149865
149864
149864
149870
149870
149871
149871
149866
149863
149863
149864
149865
149868
149867
149866
149872
149873
149874
149875
149868
149865
149865
149867
149869
149868
149856
149831
149791
149737
149664
149568
149442
149282
149287
149292
149298
149460
149454
149448
149574
149581
149588
149596
149467
149304
149310
149317
149325
149491
149483
149475
149604
149613
149622
149723
149713
149704
149695
149687
149679
149671
149744
149753
149761
149816
149808
149799
149839
149845
149851
149857
149824
149770
149779
149788
149795
149842
149836
149830
149860
149863
149866
149869
149846
149802
149732
149632
149500
149333
149342
149351
149362
149532
149521
149510
149642
149652
149662
149672
149542
149374
149386
149400
149418
149585
149569
149554
149682
149695
149709
149793
149783
149773
149764
149756
149748
149740
149808
149814
149820
149857
149854
149850
149871
149873
149876
149878
149861
149826
149832
149839
149846
149874
149870
149866
149882
149885
149885
149885
149887
149886
149884
149882
149880
149879
149878
149876
149875
149873
149871
149869
149866
149862
149870
149872
149874
149872
149871
149870
149868
149868
149869
149869
149872
149875
149876
149876
149877
149874
149873
149873
149870
149870
149871
149871
149869
149868
149867
149867
149866
149865
149866
149867
149868
149872
149870
149869
149876
149878
149879
149881
149874
149869
149869
149872
149874
149880
149877
149875
149883
149885
149888
149891
149882
149876
149872
149872
149875
149878
149879
149880
149882
149879
149877
149876
149874
149875
149877
149881
149880
149883
149884
149884
149891
149892
149888
149882
149885
149887
149893
149897
149892
149887
149883
149880
149877
149874
149878
149881
149885
149892
149888
149885
149894
149897
149901
149905
149896
149888
149893
149898
149904
149912
149906
149901
149910
149915
149921
149929
149924
149919
149915
149910
149907
149903
149900
149897
149895
149892
149890
149888
149887
149885
149884
149883
149882
149881
149880
149880
149879
149879
149878
149878
149877
149877
149876
149876
149875
149874
149888
149888
149888
149901
149901
149901
149915
149914
149914
149914
149901
149889
149889
149889
149889
149901
149901
149901
149913
149913
149912
149923
149923
149924
149925
149925
149926
149927
149937
149936
149935
149944
149945
149946
149953
149952
149951
149950
149943
149934
149934
149933
149932
149941
149941
149942
149949
149949
149948
149947
149940
149932
149923
149912
149901
149889
149889
149890
149890
149901
149901
149901
149912
149912
149912
149912
149902
149891
149891
149892
149893
149904
149903
149902
149913
149913
149914
149923
149923
149922
149922
149922
149922
149922
149931
149931
149931
149939
149939
149940
149947
149947
149946
149946
149939
149931
149931
149931
149932
149940
149939
149939
149946
149946
149947
149953
149952
149952
149953
149953
149953
149953
149954
149955
149955
149956
149957
149958
149959
149960
149966
149965
149964
149969
149970
149971
149975
149974
149973
149972
149968
149963
149962
149961
149960
149965
149966
149967
149971
149970
149970
149973
149974
149975
149976
149977
149978
149979
149982
149981
149980
149983
149984
149985
149987
149986
149985
149983
149981
149979
149978
149977
149976
149978
149979
149980
149982
149981
149980
149979
149977
149975
149972
149969
149965
149960
149959
149959
149958
149963
149964
149964
149968
149968
149967
149967
149963
149958
149958
149958
149958
149962
149962
149962
149966
149966
149966
149969
149969
149969
149970
149970
149971
149972
149974
149974
149973
149975
149976
149976
149978
149977
149976
149976
149974
149972
149972
149971
149971
149973
149973
149974
149975
149974
149974
149973
149972
149971
149969
149966
149962
149958
149953
149947
149940
149932
149924
149915
149905
149894
149895
149897
149898
149909
149907
149906
149916
149917
149918
149920
149910
149900
149902
149905
149907
149917
149914
149912
149921
149923
149925
149934
149932
149930
149928
149927
149926
149925
149933
149934
149935
149942
149941
149941
149947
149948
149949
149950
149943
149936
149938
149939
149941
149948
149946
149945
149951
149952
149954
149955
149950
149943
149936
149928
149919
149910
149913
149916
149920
149928
149925
149922
149930
149933
149936
149940
149932
149924
149928
149932
149937
149945
149940
149936
149943
149947
149952
149958
149954
149950
149947
149944
149941
149938
149945
149948
149950
149956
149954
149952
149957
149959
149961
149964
149959
149953
149956
149960
149963
149968
149965
149962
149966
149969
149972
149975
149973
149970
149968
149966
149964
149962
149960
149959
149957
149956
149955
149954
149954
149953
149958
149959
149959
149963
149963
149963
149966
149966
149967
149967
149964
149960
149961
149962
149963
149966
149965
149965
149968
149968
149969
149971
149970
149970
149969
149969
149969
149969
149971
149971
149971
149972
149972
149972
149973
149973
149973
149973
149972
149971
149971
149972
149973
149973
149973
149972
149973
149973
149974
149974
149974
149973
149972
149970
149968
149964
149966
149967
149969
149972
149970
149969
149971
149973
149974
149976
149974
149971
149973
149976
149978
149980
149978
149976
149977
149979
149981
149982
149980
149978
149977
149975
149974
149973
149974
149975
149976
149976
149975
149975
149975
149975
149976
149977
149977
149977
149979
149980
149982
149981
149980
149979
149978
149979
149980
149981
149983
149983
149984
149983
149982
149981
149978
149975
149972
149967
149962
149956
149950
149943
149935
149927
149918
149910
149904
149899
149896
149899
149893
149881
149873
149851
149803
149723
149604
149440
149224
148944
148576
148111
147389
147393
148127
148149
147407
147410
148153
148647
148634
148602
148973
149001
149007
148983
148613
148093
147344
147210
148013
148262
147377
147813
148574
149071
148852
148591
149031
149236
149384
149476
149215
148792
148138
148357
148941
149168
148671
148980
149378
149629
149482
149312
149558
149682
149790
149879
149747
149538
149190
148654
148904
148157
147509
146780
146300
146615
146347
146572
147274
146680
146903
146480
146594
146967
147398
147588
147106
146719
146968
146489
146681
147524
147258
147033
146574
146928
147118
147388
147749
147278
147949
147787
148057
148843
148236
148691
147906
147491
147340
146997
147115
147281
146925
147037
147343
147844
147456
147543
148070
148155
147945
147488
147179
147427
147021
147213
147920
147503
147222
147451
147683
147355
147430
148065
147609
147350
147510
147739
147352
147468
148103
147669
147391
147616
147881
147580
147717
148267
147902
147699
147840
148045
147708
147801
148369
147972
147746
147891
148094
147742
147863
148397
148080
147851
148076
148281
148019
148188
147974
148088
148290
148611
148345
148595
148238
148783
149137
148768
149124
148701
148572
149003
148435
148100
148204
148586
148407
148014
148095
148511
149015
148587
148896
148371
148178
147741
147839
148323
148914
148405
148797
148054
147649
147750
148228
148155
148286
148853
149207
149354
149647
149534
149357
149203
149554
149391
149160
148483
147856
147707
147945
149560
149389
149678
149790
149875
149696
149790
149862
149668
149768
149838
149896
149748
149530
149235
149376
149641
149738
149534
149300
149428
149577
149376
149491
149230
148879
148807
148573
148299
147985
148092
148270
148066
148242
148455
148211
148372
148197
148309
148477
148730
148532
148745
148412
148889
149247
148948
148849
148592
148488
148256
148363
148603
148837
148649
148510
148342
148533
148233
148335
148781
148506
148323
148509
148280
148407
148574
148414
148606
148367
148472
148860
148633
148470
148648
148436
148542
148766
148976
148812
148989
148751
149080
149329
149005
148906
148683
148646
148727
148932
148643
149071
149067
149354
149080
148930
149008
148993
149041
149333
149075
149546
149446
149623
149709
149829
149765
149675
149806
149733
149649
149811
149923
149878
149819
149939
149974
150001
150059
150042
150022
149996
149962
149920
150018
149983
149936
150027
149984
149925
149847
149954
150012
150057
150089
150113
150060
150084
150102
150045
150066
150081
150093
150101
150129
150127
150123
150114
150145
150140
150129
150154
150144
150128
150104
150070
150026
149969
149900
149820
149727
149652
149594
149497
149351
149257
149272
149274
149252
149463
149478
149473
149619
149627
149621
149733
149732
149727
149785
149652
149471
149582
149681
149742
149836
149802
149741
149843
149877
149898
149940
149915
149900
149868
149819
149798
149805
149848
149845
149882
149912
149889
149869
149893
149910
149920
149929
149925
149910
149925
149941
149964
149973
149954
149936
149942
149957
149973
149990
149992
149988
149971
149936
149875
149779
149848
149916
149977
150024
149979
149928
149976
150014
150049
150079
150064
150029
150072
150105
150130
150139
150121
150096
150104
150123
150137
150127
150116
150101
150082
150058
150031
150002
150012
150035
150056
150048
150031
150012
150007
150023
150038
150052
150064
150075
150091
150103
150112
150097
150088
150077
150064
150074
150082
150071
150062
150053
150041
150028
150014
150000
149985
149970
149956
149943
149931
149919
149912
149905
149903
149911
149920
149921
149912
149903
149906
149914
149923
149933
149931
149930
149942
149954
149967
149966
149954
149942
149944
149955
149967
149969
149958
149947
149937
149928
149919
149911
149918
149925
149934
149941
149933
149925
149933
149940
149948
149956
149949
149943
149952
149962
149972
149976
149967
149958
149964
149972
149980
149989
149986
149983
149980
149979
149979
149981
149995
150008
150021
150016
150004
149992
149990
150002
150013
150024
150027
150033
150044
150053
150061
150054
150046
150037
150033
150042
150049
150046
150039
150030
150022
150012
150002
149991
149993
150002
150012
150012
150004
149995
149997
150005
150013
150020
150020
150021
150029
150036
150043
150041
150035
150028
150027
150033
150039
150044
150046
150049
150052
150056
150061
150068
150077
150089
150103
150119
150134
150146
150152
150147
150158
150164
150166
150159
150161
150159
150148
150147
150145
150140
150129
150106
150071
150022
149957
149866
149911
149944
149866
149912
149971
150023
150006
149985
150039
150052
150062
150068
150034
149994
149947
149879
149788
149669
149519
149623
149473
149573
149402
149166
149123
149208
149067
148931
148532
148437
148709
148531
148684
148777
148689
148526
148694
148490
148604
148753
148605
148779
148560
148653
149001
148854
149043
148818
148892
149072
148813
149193
149414
149195
149426
149143
149193
149558
149684
149785
149710
149811
149748
149843
149915
149945
149886
149922
149862
149900
149838
149757
149653
149529
149617
149479
149287
149251
149118
148927
148722
148623
148814
148654
148802
148912
149129
148976
149209
149133
148857
148714
148879
148649
148785
148643
148745
148887
149097
148954
149207
149331
149502
149308
149269
149215
149000
148898
148713
148859
148696
148817
148983
148778
148908
148785
148943
148741
148822
149142
148959
148819
148964
148787
148878
149002
148872
149020
148821
148947
148817
148914
149050
149211
149094
149249
149073
149135
149239
149066
149494
149300
149189
148999
149061
149185
148959
149020
149069
149251
149487
149303
149312
149307
149593
149681
149583
149659
149554
149392
149348
149435
149324
149160
149062
148889
149031
148892
149033
148875
148967
149083
148964
149101
148917
149033
148916
149004
149124
149284
149167
149307
149133
149191
149344
149184
149239
149126
149432
149587
149379
149446
149389
149222
149138
148982
149110
148977
149106
148946
149031
149146
149024
149159
148986
149106
148990
149084
149204
149338
149237
149367
149207
149270
149380
149248
149285
149202
149449
149500
149459
149539
149444
149302
149216
149065
149190
149068
149196
149049
149169
149048
149138
149266
149092
149201
149089
149216
149045
149119
149372
149243
149125
149258
149120
149244
149130
149250
149115
149194
149339
149477
149391
149493
149330
149364
149415
149480
149343
149659
149512
149424
149283
149330
149431
149249
149302
149339
149466
149279
149325
149371
149537
149648
149487
149528
149522
149646
149523
149649
149542
149478
149504
149628
149516
149717
149780
149713
149777
149711
149774
149713
149767
149703
149602
149570
149635
149550
149472
149274
149167
149292
149126
149197
149439
149355
149316
149202
149327
149192
149306
149193
149307
149176
149257
149363
149256
149378
149230
149336
149237
149353
149201
149267
149496
149380
149273
149389
149266
149379
149272
149386
149260
149363
149258
149336
149446
149305
149407
149308
149421
149285
149379
149289
149358
149458
149566
149489
149583
149510
149589
149480
149522
149604
149462
149488
149535
149593
149468
149743
149655
149697
149670
149726
149654
149700
149664
149731
149659
149540
149465
149344
149447
149346
149454
149339
149443
149341
149443
149323
149391
149479
149387
149492
149370
149464
149373
149477
149344
149405
149602
149504
149412
149515
149408
149507
149413
149513
149402
149493
149402
149470
149565
149446
149537
149447
149553
149433
149523
149436
149536
149406
149466
149654
149594
149676
149612
149679
149619
149694
149555
149597
149636
149698
149601
149638
149698
149581
149745
149817
149717
149617
149538
149549
149647
149524
149579
149651
149520
149545
149585
149673
149527
149558
149603
149729
149802
149695
149728
149721
149796
149718
149793
149709
149776
149829
149869
149831
149871
149835
149875
149842
149875
149840
149780
149763
149807
149750
149782
149754
149806
149742
149784
149748
149811
149748
149639
149570
149466
149560
149472
149565
149462
149549
149461
149526
149619
149500
149583
149501
149598
149491
149576
149494
149586
149466
149521
149697
149643
149711
149652
149735
149675
149738
149611
149645
149683
149759
149655
149699
149630
149809
149872
149780
149812
149799
149886
149769
149828
149786
149681
149619
149523
149614
149527
149620
149523
149610
149525
149610
149512
149571
149676
149772
149721
149785
149673
149697
149735
149786
149697
149735
149683
149834
149881
149843
149858
149904
149864
149917
149860
149837
149880
149826
149768
149631
149552
149642
149534
149608
149536
149591
149671
149754
149698
149831
149736
149675
149580
149662
149581
149666
149576
149658
149577
149657
149562
149616
149688
149612
149696
149599
149675
149601
149685
149585
149654
149587
149639
149712
149789
149739
149796
149747
149818
149721
149769
149823
149720
149739
149775
149838
149748
149788
149726
149882
149932
149857
149883
149872
149944
149849
149897
149860
149771
149716
149629
149708
149629
149711
149623
149705
149628
149708
149620
149694
149618
149674
149752
149654
149728
149655
149738
149645
149719
149645
149726
149619
149667
149821
149743
149670
149749
149666
149744
149669
149746
149660
149730
149658
149710
149784
149692
149763
149691
149772
149678
149748
149679
149754
149657
149703
149840
149775
149706
149779
149702
149771
149702
149770
149690
149737
149823
149897
149860
149908
149822
149839
149873
149906
149830
149988
149944
149968
149950
149982
149940
149892
149783
149715
149789
149699
149759
149698
149744
149811
149877
149837
149938
149863
149813
149735
149801
149734
149802
149724
149788
149721
149768
149835
149746
149806
149741
149810
149725
149782
149724
149768
149830
149892
149856
149917
149878
149924
149832
149858
149889
149941
149851
149871
149904
149975
150013
149953
149976
149961
150018
149947
149880
149832
149758
149823
149757
149825
149752
149816
149750
149814
149737
149781
149834
149771
149835
149750
149803
149746
149788
149850
149912
149879
149931
149863
149898
149939
149880
149909
149948
149872
149886
149917
149980
150001
149985
150011
149974
149996
149973
150008
149968
149898
149851
149777
149839
149775
149839
149765
149824
149759
149804
149867
149782
149838
149776
149840
149760
149813
149757
149798
149858
149917
149884
149942
149908
149950
149865
149891
149920
149968
149885
149904
149935
149999
150034
149978
149998
149983
150034
149965
149903
149858
149788
149846
149783
149842
149769
149810
149887
149948
149919
149962
149888
149907
149936
149995
150017
149997
150024
149985
149934
149828
149772
149811
149870
149914
149869
149799
149858
149794
149856
149782
149838
149778
149820
149877
149801
149854
149794
149853
149768
149802
149919
149860
149800
149860
149788
149843
149781
149823
149877
149794
149841
149787
149823
149880
149943
149915
149958
149907
149935
149973
149904
150006
150043
149971
149939
149893
149911
149965
149875
149907
149937
149974
149903
149918
149946
149987
150017
150045
150020
150049
150011
150023
150046
150054
150055
150055
150059
150056
150060
150054
150026
150006
150031
149992
150016
149990
149921
149878
149809
149863
149801
149856
149782
149819
149899
149958
149933
149972
149903
149922
149948
149996
150047
150012
149993
149924
149813
149779
149862
149808
149866
149900
149867
149809
149865
149795
149845
149785
149823
149875
149793
149839
149782
149820
149878
149936
149913
149961
149879
149910
149939
149970
149910
150041
149999
150022
149995
150025
149981
149919
149875
149804
149856
149796
149848
149778
149814
149859
149800
149854
149767
149801
149913
149853
149795
149848
149777
149814
149888
149939
149918
149961
149893
149998
150040
150002
149939
149892
149887
149917
149971
149893
149920
149948
150004
150050
150016
150030
150054
150062
150065
150059
150064
150052
150019
149993
150019
149971
149913
149795
149765
149854
149801
149858
149891
149845
149787
149839
149768
149804
149848
149791
149844
149757
149786
149899
149830
149773
149807
149856
149774
149817
149759
149795
149855
149915
149894
149943
149864
149985
150031
149956
149928
149879
149877
149908
149960
149884
149994
150010
150045
150026
149997
150054
150064
150060
150065
150063
150057
150061
150064
150059
150062
150065
150064
150059
150064
150059
150054
150025
150019
150032
150061
150060
150058
150062
150061
150055
150052
150054
150055
150058
150053
150055
150051
150052
150053
150051
150047
150049
150043
150035
149992
150003
150006
150035
150005
150029
150034
150029
150031
150023
150012
149982
149942
149966
150011
149979
149975
150003
150015
150022
150019
150026
150028
150032
150031
150035
150035
150037
150038
150038
150041
150041
150045
150046
150044
150043
150042
150040
150040
150041
150041
150043
150043
150045
150047
150049
150049
150049
150048
150046
150047
150047
150045
150044
150043
150040
150041
150042
150040
150041
150038
150039
150039
150039
150037
150037
150035
150034
150033
150030
150025
150019
150010
150001
149981
149909
149868
149823
149873
149829
149890
149778
149812
149849
149893
149803
149815
149850
149898
149803
149940
149978
149919
149937
149932
149938
149977
149924
149886
149834
149788
149844
149799
149848
149774
149808
149859
149764
149780
149816
149859
149782
149816
149768
149901
149922
149903
149939
149893
149921
149896
149937
149933
149972
149929
149967
149940
149909
149921
149957
149925
149970
149956
149967
149947
149928
149885
149832
149861
149923
149877
149869
149937
149954
149932
149951
149926
149903
149924
149894
149866
149787
149805
149804
149861
149794
149855
149787
149885
149912
149880
149910
149936
149953
149933
149907
149930
149905
149929
149903
149927
149901
149868
149823
149781
149727
149630
149532
149448
149533
149413
149618
149633
149592
149395
149453
149561
149391
149432
149483
149548
149411
149603
149722
149627
149637
149556
149602
149722
149625
149616
149771
149823
149771
149825
149866
149900
149868
149825
149868
149828
149871
149832
149874
149836
149786
149714
149653
149575
149389
149427
149421
149658
149732
149800
149742
149810
149750
149820
149766
149697
149610
149715
149782
149847
149799
149731
149816
149864
149899
149928
149885
149833
149873
149906
149864
149897
149854
149889
149846
149789
149841
149879
149908
149936
149913
149884
149919
149941
149958
149972
149954
149932
149905
149929
149902
149927
149901
149926
149947
149964
149949
149966
149951
149969
149983
149992
149980
149989
149978
149987
149976
149962
149945
149925
149899
149866
149824
149774
149826
149866
149900
149925
149899
149867
149899
149924
149944
149960
149945
149926
149946
149962
149947
149963
149948
149964
149951
149966
149977
149986
149978
149968
149955
149938
149915
149889
149920
149942
149958
149973
149961
149945
149963
149947
149967
149981
149970
149983
149973
149958
149942
149962
149976
149989
149979
149992
149982
149995
149986
149975
149989
149980
149993
149985
149997
149989
150002
149994
150007
150015
150022
150024
150019
150012
150016
150008
150013
150004
150010
150001
150007
149998
150005
150011
150016
150014
150018
150017
150021
150019
150023
150022
150026
150028
150028
150027
150030
150032
150033
150031
150031
150030
150029
150030
150029
150027
150028
150028
150027
150026
150025
150023
150023
150021
150021
150019
150019
150017
150014
150009
150002
150006
149999
150004
149996
149986
149994
150001
150007
150011
150009
150013
150011
150015
150017
150017
150015
150016
150014
150014
150012
150009
150005
149999
149991
149997
149989
149978
149986
149975
149984
149993
149999
149995
150001
150005
150003
150007
150010
150011
150009
150010
150007
150004
150006
150002
149997
149991
149982
149970
149980
149987
149993
149998
149994
149989
149996
150001
150005
150006
150004
150000
150003
150006
150008
150009
150007
150005
150002
149997
149992
149985
149975
149984
149974
149983
149973
149961
149973
149982
149990
149996
149990
149996
149991
149997
150001
150004
150001
150004
150000
150004
150000
149996
149990
149982
149973
149960
149944
149924
149944
149960
149973
149983
149973
149961
149974
149984
149991
149997
149991
149982
149990
149996
150000
150005
150001
149996
150002
150005
150008
150012
150009
150007
150003
149998
149993
149985
149994
150000
150004
150010
150006
150002
149996
150004
149999
150007
150002
149995
149987
149976
149963
149946
149924
149952
149932
149960
149940
149916
149950
149968
149983
150001
149991
149978
149961
149940
149915
149880
149931
149955
149973
150001
149987
149970
149949
149987
149969
150006
149990
149973
150014
150028
150038
150061
150054
150044
150072
150073
150074
150086
150089
150091
150091
150090
150086
150080
150109
150109
150108
150118
150123
150126
150135
150129
150122
150115
150113
150105
150102
150098
150093
150095
150101
150107
150108
150101
150094
150088
150089
150087
150082
150076
150064
150043
150018
150028
150002
150014
150023
150030
150011
149989
150000
150010
150017
150030
150025
150019
150034
150038
150039
150040
150033
150022
150009
149994
149975
149987
149969
149981
149992
150004
149997
150010
150003
150016
150026
150029
150020
150024
150015
150019
150010
150000
150006
150011
150014
150020
150018
150015
150022
150023
150024
150027
150027
150027
150026
150031
150030
150035
150035
150034
150040
150039
150038
150037
150034
150033
150031
150030
150029
150031
150032
150033
150035
150036
150038
150040
150042
150044
150045
150046
150046
150046
150044
150041
150035
150052
150049
150064
150075
150072
150064
150063
150054
150054
150054
150052
150050
150053
150056
150059
150061
150065
150068
150071
150076
150080
150081
150077
150073
150072
150076
150082
150082
150075
150070
150066
150067
150067
150067
150063
150061
150058
150054
150055
150058
150058
150063
150062
150061
150057
150058
150054
150054
150051
150051
150051
150050
150048
150046
150043
150041
150041
150044
150047
150047
150044
150042
150039
150039
150039
150036
150034
150034
150032
150032
150030
150029
150028
150027
150025
150021
150017
150011
150014
150009
150012
150014
150016
150012
150008
150011
150013
150014
150016
150016
150014
150017
150018
150018
150018
150017
150015
150013
150011
150007
150004
150007
150009
150007
150009
150006
150008
150006
150004
150007
150009
150010
150011
150010
150008
150010
150011
150012
150014
150013
150012
150010
150012
150011
150013
150011
150010
150012
150013
150014
150015
150014
150014
150013
150014
150014
150015
150015
150015
150015
150016
150016
150015
150015
150014
150016
150016
150016
150017
150017
150017
150018
150018
150018
150017
150017
150016
150016
150016
150016
150016
150016
150016
150015
150015
150014
150013
150012
150011
150010
150009
150008
150007
150009
150009
150010
150012
150011
150013
150013
150013
150014
150015
150015
150016
150017
150017
150018
150019
150020
150021
150021
150022
150023
150024
150024
150026
150026
150026
150025
150024
150024
150024
150023
150023
150021
150021
150020
150020
150019
150019
150018
150018
150018
150019
150019
150020
150020
150021
150021
150022
150022
150020
150019
150019
150018
150018
150017
150018
150017
150017
150017
150017
150016
150016
150015
150015
150014
150014
150013
150014
150014
150015
150015
150015
150016
150016
150016
150016
150016
150015
150015
150015
150015
150014
150014
150013
150013
150013
150012
150011
150011
150010
150011
150012
150013
150012
150013
150014
150013
150014
150014
150014
150014
150014
150014
150013
150014
150013
150012
150012
150012
150013
150014
150014
150014
150013
150014
150014
150015
150015
150015
150014
150015
150014
150015
150015
150015
150015
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150016
150017
150017
150017
150017
150018
150018
150019
150020
150021
150023
150025
150027
150029
150031
150033
150035
150035
150037
150037
150036
150035
150034
150037
150036
150038
150037
150034
150032
150033
150030
150032
150033
150034
150035
150032
150033
150031
150028
150028
150030
150029
150031
150030
150029
150028
150027
150029
150028
150031
150033
150036
150039
150041
150044
150047
150050
150049
150052
150051
150049
150047
150051
150053
150058
150063
150060
150057
150054
150051
150053
150055
150052
150050
150048
150045
150047
150049
150046
150044
150042
150040
150041
150043
150044
150046
150048
150044
150046
150043
150040
150039
150041
150040
150043
150041
150040
150038
150037
150035
150036
150037
150038
150036
150037
150035
150036
150037
150034
150033
150032
150030
150031
150032
150030
150029
150028
150027
150029
150031
150033
150032
150035
150034
150033
150031
150032
150030
150030
150028
150027
150027
150028
150028
150029
150029
150030
150032
150034
150036
150039
150041
150044
150047
150050
150053
150056
150054
150051
150049
150052
150055
150059
150064
150061
150045
150008
149978
150008
149957
149894
149847
149771
149819
149757
149792
149840
149759
149801
149743
149777
149835
149896
149877
149939
149849
149890
149920
149973
150012
149994
150033
149980
150017
150054
150062
150060
150057
150062
150059
150044
150054
150031
149984
149945
149869
149818
149729
149756
149800
149740
149776
149826
149742
149784
149725
149758
149817
149883
149863
149911
149834
149939
150012
149964
149923
149852
149804
149727
149753
149838
149887
149871
149792
149730
149763
149824
149860
149814
149734
149780
149717
149751
149796
149706
149730
149843
149773
149711
149746
149793
149699
149726
149846
149773
149710
149759
149680
149709
149748
149686
149716
149778
149844
149794
149830
149893
149810
149927
149964
149877
149811
149762
149680
149707
149743
149680
149709
149771
149844
149795
149831
149903
149928
149882
149803
149754
149674
149701
149737
149675
149704
149765
149831
149785
149819
149862
149798
149748
149666
149692
149729
149666
149695
149756
149828
149780
149816
149889
149950
149914
149941
149985
150001
150014
149972
149914
149866
149788
149738
149659
149684
149721
149657
149687
149749
149813
149769
149804
149846
149781
149731
149650
149677
149712
149649
149678
149740
149810
149762
149799
149872
149934
149896
149927
149989
150025
150046
150040
150033
150024
150012
149996
149939
149910
149972
149880
149806
149831
149933
149900
149808
149830
149855
149884
149924
149980
149954
149986
150026
149994
150004
149946
149960
150019
150032
150040
150053
150051
150045
150037
150053
150050
150043
150058
150058
150057
150059
150061
150059
150055
150053
150056
150054
150052
150051
150052
150054
150057
150055
150055
150055
150055
150054
150054
150046
150049
150053
150056
150058
150056
150055
150055
150056
150059
150059
150056
150055
150054
150054
150054
150053
150053
150052
150050
150050
150051
150052
150053
150053
150054
150056
150059
150059
150056
150054
150052
150051
150050
150049
150049
150049
150049
150050
150051
150052
150054
150056
150053
150050
150047
150046
150049
150051
150050
150049
150048
150046
150046
150047
150045
150044
150044
150042
150042
150043
150044
150045
150046
150048
150045
150044
150042
150040
150041
150042
150040
150039
150038
150037
150039
150042
150041
150040
150040
150039
150039
150039
150037
150037
150037
150037
150039
150040
150042
150044
150045
150047
150047
150047
150048
150047
150046
150045
150044
150044
150045
150046
150048
150049
150050
150052
150053
150055
150058
150062
150063
150063
150063
150063
150062
150059
150052
150035
150005
149958
149897
149847
149771
149720
149642
149669
149704
149642
149670
149732
149796
149751
149788
149828
149764
149714
149635
149662
149697
149635
149664
149725
149792
149744
149783
149855
149919
149875
149911
149979
149999
149949
149881
149829
149756
149706
149632
149659
149693
149634
149662
149720
149781
149735
149773
149812
149749
149703
149628
149651
149670
149772
149705
149647
149677
149715
149640
149664
149764
149704
149648
149679
149717
149648
149673
149773
149714
149659
149690
149731
149667
149699
149802
149747
149693
149743
149689
149729
149776
149725
149778
149832
149878
149782
149833
149869
149788
149998
149944
150007
149989
149888
149850
149793
149873
149820
149923
149869
149979
149943
150042
150018
150077
150182
150148
150079
150086
150011
150081
150031
150015
150000
150036
149943
149921
149953
150070
150119
150053
150111
150149
150119
150118
150132
150115
150100
150093
150092
150094
150089
150085
150082
150082
150085
150088
150089
150086
150082
150083
150087
150092
150099
150106
150095
150089
150084
150085
150091
150099
150109
150107
150100
150092
150086
150085
150091
150098
150109
150123
150139
150137
150135
150092
150048
150074
150123
150065
149989
149884
149827
149746
149779
149876
149936
149843
149915
149806
149734
149761
149844
149811
149733
149755
149868
149949
149894
149908
149839
149859
149897
149975
150019
150048
150033
150019
150044
150054
150067
150083
150068
150044
150006
150043
149992
150049
150103
150122
150086
150107
150073
150092
150104
150124
150118
150133
150132
150133
150138
150136
150136
150139
150132
150118
150122
150110
150098
150089
150083
150080
150088
150097
150106
150102
150113
150126
150118
150130
150123
150111
150101
150107
150097
150088
150093
150085
150078
150075
150081
150076
150084
150092
150086
150095
150104
150115
150126
150118
150128
150121
150124
150110
150091
150076
150066
150058
150064
150071
150082
150086
150074
150067
150068
150076
150088
150099
150101
150097
150113
150119
150112
150103
150111
150111
150105
150102
150094
150085
150093
150098
150095
150087
150077
150069
150069
150076
150084
150080
150074
150068
150066
150071
150075
150076
150083
150089
150089
150084
150077
150070
150076
150081
150073
150068
150063
150059
150064
150071
150078
150085
150093
150101
150110
150099
150107
150097
150089
150081
150074
150079
150072
150066
150070
150064
150068
150071
150075
150077
150079
150080
150081
150080
150080
150080
150080
150080
150080
150080
150079
150078
150077
150075
150072
150069
150069
150069
150069
150072
150072
150072
150074
150073
150073
150073
150072
150070
150070
150070
150070
150071
150071
150071
150073
150073
150072
150073
150073
150074
150074
150074
150075
150076
150077
150076
150075
150076
150076
150078
150078
150077
150076
150075
150075
150075
150074
150074
150073
150073
150073
150074
150074
150073
150072
150071
150072
150072
150072
150072
150071
150070
150070
150070
150070
150070
150071
150071
150072
150071
150071
150070
150070
150069
150069
150069
150068
150069
150069
150070
150070
150069
150069
150068
150069
150070
150070
150071
150071
150072
150072
150071
150070
150070
150070
150071
150070
150069
150068
150067
150069
150070
150069
150068
150067
150066
150067
150068
150066
150065
150064
150062
150063
150065
150066
150067
150068
150069
150070
150071
150072
150073
150074
150075
150077
150078
150078
150076
150075
150074
150076
150078
150078
150075
150073
150072
150073
150074
150072
150071
150070
150068
150070
150071
150070
150068
150067
150065
150067
150068
150070
150073
150075
150077
150077
150074
150071
150070
150073
150077
150076
150072
150068
150065
150067
150069
150067
150065
150063
150060
150062
150065
150062
150060
150057
150055
150058
150061
150063
150065
150067
150069
150067
150066
150065
150063
150064
150066
150064
150062
150061
150059
150062
150064
150063
150061
150060
150057
150059
150060
150058
150056
150055
150052
150053
150055
150056
150058
150060
150061
150059
150057
150055
150052
150054
150056
150053
150051
150049
150047
150050
150053
150052
150050
150048
150045
150047
150048
150045
150043
150041
150040
150043
150047
150050
150053
150056
150059
150061
150063
150065
150066
150067
150068
150068
150068
150068
150067
150067
150067
150067
150068
150067
150067
150066
150065
150066
150066
150065
150065
150064
150064
150065
150065
150065
150064
150063
150062
150063
150063
150064
150065
150066
150067
150066
150065
150064
150062
150063
150064
150062
150061
150060
150059
150061
150063
150062
150061
150060
150058
150059
150060
150058
150057
150056
150054
150057
150059
150061
150062
150063
150064
150063
150063
150062
150061
150062
150063
150061
150061
150060
150059
150060
150061
150061
150060
150059
150058
150059
150060
150058
150057
150057
150055
150055
150056
150057
150058
150059
150060
150058
150057
150056
150054
150055
150056
150053
150052
150051
150050
150053
150055
150054
150053
150052
150050
150051
150052
150049
150048
150047
150044
150045
150046
150047
150048
150049
150051
150052
150053
150054
150055
150056
150058
150059
150060
150057
150056
150055
150052
150053
150055
150052
150050
150049
150047
150051
150054
150052
150051
150050
150047
150048
150049
150046
150045
150043
150040
150041
150043
150044
150046
150047
150049
150045
150044
150042
150038
150040
150042
150038
150036
150035
150033
150037
150041
150039
150038
150036
150032
150034
150035
150031
150030
150029
150027
150031
150035
150038
150042
150045
150049
150047
150046
150045
150042
150043
150044
150041
150039
150038
150037
150040
150044
150043
150041
150040
150037
150038
150039
150035
150034
150033
150029
150030
150032
150033
150034
150036
150037
150033
150032
150030
150027
150028
150029
150026
150024
150023
150021
150025
150029
150028
150026
150025
150021
150022
150024
150020
150019
150017
150014
150015
150017
150018
150019
150021
150022
150023
150025
150026
150028
150029
150031
150032
150034
150036
150038
150039
150041
150043
150045
150047
150049
150052
150054
150057
150060
150063
150066
150070
150074
150072
150068
150064
150061
150065
150070
150066
150062
150057
150053
150057
150060
150057
150054
150051
150047
150050
150053
150050
150047
150044
150040
150043
150046
150050
150054
150058
150062
150059
150054
150050
150047
150050
150055
150060
150056
150061
150067
150063
150069
150075
150082
150090
150084
150092
150085
150078
150071
150077
150071
150077
150070
150064
150058
150053
150057
150052
150048
150052
150047
150043
150040
150043
150046
150043
150040
150037
150034
150037
150040
150037
150034
150031
150029
150032
150035
150038
150041
150045
150048
150046
150044
150042
150038
150040
150042
150039
150036
150034
150032
150036
150039
150037
150036
150034
150030
150032
150034
150030
150028
150027
150024
150025
150027
150029
150031
150033
150035
150032
150030
150028
150025
150027
150029
150027
150025
150023
150022
150024
150026
150024
150023
150021
150019
150020
150022
150020
150019
150017
150016
150018
150019
150020
150022
150023
150025
150027
150029
150031
150034
150037
150040
150044
150041
150045
150049
150045
150050
150054
150059
150065
150060
150065
150060
150066
150071
150065
150060
150056
150051
150055
150060
150055
150051
150047
150044
150048
150051
150056
150051
150055
150050
150046
150043
150047
150044
150047
150044
150041
150039
150041
150038
150041
150038
150040
150042
150039
150042
150038
150035
150038
150034
150032
150029
150027
150026
150028
150030
150033
150031
150033
150036
150034
150037
150035
150032
150030
150032
150029
150028
150029
150026
150025
150024
150026
150025
150027
150028
150027
150029
150031
150033
150036
150034
150036
150034
150036
150039
150041
150044
150047
150050
150054
150057
150062
150066
150069
150070
150068
150064
150060
150057
150054
150053
150051
150049
150048
150049
150051
150053
150055
150058
150061
150064
150064
150059
150059
150058
150056
150053
150051
150049
150047
150046
150045
150044
150043
150042
150041
150041
150042
150040
150040
150039
150037
150038
150039
150039
150041
150043
150044
150045
150046
150044
150043
150042
150040
150041
150041
150039
150039
150038
150038
150037
150036
150036
150036
150035
150035
150035
150036
150036
150037
150038
150035
150035
150034
150032
150033
150033
150032
150031
150031
150031
150032
150034
150034
150034
150034
150033
150032
150032
150031
150031
150031
150030
150030
150030
150030
150030
150030
150030
150028
150028
150028
150027
150027
150027
150027
150026
150026
150025
150025
150026
150026
150026
150027
150028
150026
150026
150025
150025
150026
150027
150028
150026
150027
150025
150025
150026
150024
150023
150023
150021
150022
150022
150021
150020
150020
150020
150021
150022
150024
150023
150025
150024
150024
150022
150023
150022
150022
150021
150020
150020
150021
150021
150021
150021
150022
150023
150023
150024
150024
150025
150025
150024
150023
150023
150022
150022
150021
150021
150022
150022
150022
150023
150024
150025
150024
150024
150025
150024
150024
150024
150023
150023
150023
150023
150023
150022
150022
150022
150022
150021
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150019
150020
150019
150019
150019
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150016
150016
150016
150017
150017
150017
150017
150017
150018
150018
150018
150018
150018
150019
150019
150019
150019
150020
150019
150019
150019
150019
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150015
150015
150015
150016
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150016
150017
150016
150016
150016
150015
150015
150015
150015
150015
150015
150015
150015
150015
150016
150015
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150015
150015
150015
150015
150014
150015
150015
150015
150016
150015
150015
150016
150016
150016
150016
150016
150015
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150019
150019
150019
150019
150019
150019
150018
150016
150020
150019
150022
150025
150024
150022
150022
150020
150021
150021
150020
150020
150020
150021
150022
150022
150023
150024
150025
150025
150026
150027
150026
150025
150026
150027
150028
150028
150027
150026
150025
150024
150024
150024
150023
150022
150022
150021
150021
150022
150022
150023
150023
150024
150023
150023
150022
150021
150021
150020
150020
150020
150019
150019
150019
150018
150018
150019
150019
150020
150019
150019
150018
150018
150018
150018
150017
150017
150017
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150020
150020
150020
150019
150020
150020
150021
150021
150021
150022
150023
150023
150024
150025
150026
150027
150029
150030
150031
150032
150033
150034
150037
150037
150035
150033
150033
150035
150037
150039
150042
150044
150047
150047
150044
150042
150042
150044
150047
150050
150050
150053
150053
150057
150061
150064
150069
150074
150080
150086
150092
150099
150106
150114
150121
150129
150137
150144
150150
150156
150155
150161
150164
150159
150162
150162
150159
150151
150153
150152
150149
150144
150155
150149
150142
150149
150141
150133
150125
150117
150112
150119
150127
150134
150126
150133
150139
150127
150132
150136
150139
150139
150138
150123
150124
150124
150110
150110
150107
150094
150097
150099
150099
150110
150122
150120
150116
150112
150122
150117
150111
150119
150112
150106
150099
150105
150110
150102
150095
150089
150086
150092
150098
150094
150088
150083
150080
150084
150089
150094
150100
150105
150099
150104
150108
150100
150104
150106
150109
150099
150098
150096
150094
150091
150097
150093
150089
150094
150090
150085
150081
150077
150075
150078
150082
150086
150082
150085
150088
150084
150086
150088
150089
150090
150091
150090
150089
150086
150083
150074
150078
150081
150074
150071
150067
150061
150066
150069
150072
150077
150083
150084
150084
150084
150079
150079
150078
150073
150074
150075
150071
150070
150069
150067
150065
150061
150057
150054
150058
150061
150058
150055
150051
150048
150052
150055
150057
150060
150064
150066
150067
150068
150064
150064
150062
150059
150061
150062
150062
150065
150068
150071
150075
150079
150083
150082
150080
150078
150081
150079
150076
150079
150076
150073
150071
150073
150071
150074
150076
150073
150075
150076
150078
150074
150073
150072
150070
150069
150071
150069
150067
150069
150066
150068
150070
150071
150073
150075
150078
150080
150083
150077
150072
150068
150066
150071
150075
150073
150069
150065
150061
150062
150063
150059
150057
150053
150053
150055
150059
150058
150055
150052
150052
150055
150058
150061
150064
150068
150071
150070
150066
150063
150062
150065
150068
150067
150064
150061
150059
150059
150060
150057
150054
150052
150052
150054
150057
150056
150054
150051
150049
150049
150049
150050
150050
150050
150050
150050
150047
150047
150044
150042
150040
150040
150039
150037
150035
150034
150034
150036
150037
150038
150036
150034
150033
150032
150032
150032
150031
150031
150029
150029
150028
150026
150027
150028
150028
150030
150030
150031
150029
150029
150028
150027
150026
150026
150025
150024
150024
150023
150023
150024
150025
150025
150025
150024
150024
150025
150026
150027
150027
150028
150029
150030
150031
150032
150030
150029
150028
150028
150027
150026
150026
150025
150025
150026
150027
150027
150028
150029
150030
150031
150032
150033
150035
150036
150038
150040
150042
150045
150045
150047
150047
150047
150045
150045
150043
150042
150040
150039
150037
150035
150036
150037
150039
150041
150041
150043
150043
150045
150047
150047
150045
150043
150043
150045
150047
150047
150045
150043
150041
150041
150041
150041
150039
150039
150038
150036
150036
150038
150038
150040
150040
150040
150038
150038
150036
150036
150035
150035
150035
150034
150034
150033
150031
150030
150031
150032
150033
150033
150032
150031
150030
150029
150029
150028
150027
150027
150026
150026
150025
150025
150024
150024
150023
150023
150022
150022
150021
150021
150020
150020
150020
150019
150019
150019
150019
150018
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150021
150021
150022
150022
150023
150022
150022
150021
150021
150021
150020
150020
150020
150020
150020
150021
150021
150021
150022
150022
150023
150023
150024
150023
150023
150023
150023
150024
150024
150024
150023
150023
150022
150022
150022
150021
150021
150021
150020
150021
150021
150021
150022
150022
150022
150022
150022
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150018
150018
150018
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150017
150017
150016
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150016
150016
150016
150017
150017
150016
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150022
150022
150022
150022
150023
150022
150022
150022
150022
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150022
150022
150022
150022
150023
150023
150023
150023
150024
150024
150025
150025
150026
150026
150026
150027
150027
150028
150029
150029
150029
150029
150029
150028
150028
150027
150028
150028
150028
150029
150030
150031
150032
150033
150034
150035
150035
150036
150034
150034
150033
150032
150033
150033
150033
150035
150036
150037
150037
150037
150035
150035
150035
150034
150034
150034
150032
150032
150032
150032
150032
150031
150031
150030
150030
150031
150030
150029
150029
150028
150029
150029
150029
150030
150031
150031
150031
150031
150030
150030
150030
150029
150029
150029
150029
150029
150031
150032
150033
150035
150037
150039
150042
150044
150047
150050
150051
150054
150055
150054
150052
150057
150063
150060
150056
150052
150048
150051
150054
150050
150047
150044
150041
150043
150046
150048
150050
150051
150047
150047
150044
150041
150041
150044
150043
150046
150044
150042
150040
150038
150036
150038
150039
150041
150038
150040
150037
150038
150039
150037
150036
150035
150033
150034
150035
150033
150032
150032
150031
150032
150034
150036
150035
150037
150035
150034
150033
150035
150037
150039
150042
150045
150049
150046
150043
150041
150038
150040
150043
150040
150038
150036
150034
150036
150039
150036
150034
150033
150031
150033
150035
150033
150031
150030
150029
150030
150032
150033
150034
150036
150037
150035
150034
150033
150031
150032
150034
150032
150031
150030
150029
150030
150031
150030
150029
150028
150028
150028
150029
150028
150028
150027
150026
150027
150028
150028
150029
150030
150031
150032
150033
150034
150032
150033
150032
150030
150030
150031
150030
150031
150030
150030
150029
150028
150028
150028
150029
150029
150029
150029
150028
150029
150029
150030
150030
150031
150031
150030
150030
150029
150029
150029
150029
150028
150028
150028
150028
150028
150029
150029
150028
150028
150027
150028
150028
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150027
150027
150027
150028
150027
150027
150026
150026
150026
150027
150026
150026
150025
150025
150026
150026
150026
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150026
150025
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150028
150028
150028
150027
150027
150027
150027
150026
150026
150026
150025
150025
150024
150024
150024
150025
150025
150025
150026
150026
150026
150027
150026
150026
150026
150025
150025
150025
150024
150024
150024
150023
150024
150024
150024
150023
150023
150023
150023
150023
150024
150024
150024
150024
150025
150025
150025
150026
150025
150025
150025
150024
150024
150024
150024
150024
150025
150025
150025
150025
150026
150026
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150023
150023
150023
150023
150023
150022
150022
150022
150022
150021
150021
150021
150021
150021
150020
150020
150020
150020
150021
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150022
150022
150022
150021
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150022
150022
150022
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150023
150023
150023
150024
150024
150023
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150022
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150019
150019
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150016
150017
150016
150016
150017
150017
150017
150017
150017
150017
150017
150018
150018
150017
150018
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150017
150018
150017
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150019
150018
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150022
150022
150021
150021
150021
150021
150022
150022
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150018
150018
150018
150019
150019
150019
150019
150019
150019
150019
150020
150020
150019
150020
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150019
150018
150019
150019
150019
150019
150019
150019
150018
150019
150018
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150018
150018
150017
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150018
150018
150018
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150018
150018
150018
150018
150018
150019
150018
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150022
150022
150022
150023
150023
150024
150025
150025
150026
150026
150027
150028
150028
150029
150028
150027
150027
150028
150029
150030
150031
150032
150033
150034
150032
150031
150031
150032
150034
150035
150035
150036
150036
150038
150039
150041
150043
150045
150047
150049
150051
150053
150055
150058
150060
150063
150065
150064
150062
150059
150058
150060
150062
150065
150063
150065
150067
150065
150066
150068
150069
150070
150071
150068
150067
150066
150064
150065
150065
150062
150062
150061
150060
150063
150065
150064
150063
150061
150063
150061
150059
150061
150059
150057
150055
150056
150057
150055
150052
150050
150050
150052
150054
150053
150051
150049
150048
150050
150052
150054
150055
150057
150056
150058
150059
150058
150059
150061
150062
150059
150058
150057
150055
150056
150057
150058
150059
150059
150059
150059
150059
150058
150056
150055
150052
150049
150046
150042
150037
150032
150027
150020
150014
150007
149999
149992
149984
149977
149969
149962
149954
149948
149941
149948
149954
149961
149966
149961
149955
149961
149966
149971
149977
149972
149967
149974
149981
149988
149991
149985
149978
149983
149988
149994
149996
149991
149986
149981
149976
149971
149967
149971
149975
149980
149983
149979
149975
149979
149982
149986
149989
149987
149984
149989
149994
149998
150000
149996
149991
149993
149997
150001
150004
150004
150003
150001
150000
149997
149995
150002
150008
150015
150015
150009
150003
150005
150010
150016
150021
150021
150021
150026
150031
150036
150035
150030
150026
150025
150030
150033
150032
150028
150025
150020
150016
150011
150006
150007
150012
150016
150016
150012
150008
150008
150012
150015
150018
150019
150020
150024
150027
150030
150029
150026
150023
150021
150024
150027
150025
150022
150020
150017
150014
150011
150008
150005
150001
149998
149994
149991
149988
149984
149981
149983
149986
149989
149990
149987
149985
149985
149988
149990
149992
149993
149992
149995
149998
150001
150001
149998
149995
149995
149997
150000
149998
149996
149994
149992
149990
149988
149986
149985
149987
149989
149987
149986
149984
149983
149984
149986
149987
149989
149991
149992
149994
149996
149994
149992
149991
149989
149990
149991
149993
149996
149998
150000
150002
150003
150004
150007
150010
150013
150011
150008
150006
150004
150007
150009
150011
150013
150015
150018
150020
150022
150019
150017
150015
150013
150014
150016
150013
150011
150010
150008
150006
150004
150002
150000
150002
150003
150000
149999
149997
149994
149996
149997
149998
150002
150005
150007
150008
150009
150005
150004
150003
149999
150000
150001
150002
150006
150010
150014
150018
150021
150024
150027
150029
150031
150033
150035
150037
150039
150040
150044
150047
150050
150047
150045
150042
150040
150043
150045
150047
150049
150052
150054
150055
150056
150053
150052
150051
150048
150049
150050
150047
150047
150046
150044
150043
150040
150038
150036
150038
150040
150037
150036
150034
150031
150033
150034
150036
150039
150042
150043
150044
150044
150041
150041
150040
150037
150037
150038
150038
150042
150045
150048
150051
150054
150056
150057
150056
150056
150053
150054
150054
150051
150051
150050
150050
150053
150055
150055
150054
150052
150050
150051
150052
150049
150048
150047
150044
150045
150046
150047
150048
150048
150048
150045
150045
150044
150041
150041
150042
150038
150038
150038
150037
150041
150044
150043
150042
150041
150038
150039
150040
150036
150036
150035
150031
150032
150033
150033
150034
150034
150034
150035
150034
150034
150033
150032
150031
150030
150028
150025
150027
150028
150025
150023
150022
150019
150020
150021
150021
150025
150029
150030
150030
150031
150027
150026
150026
150022
150022
150022
150018
150018
150018
150017
150017
150016
150015
150011
150012
150013
150008
150008
150007
150003
150004
150004
150004
150009
150013
150013
150014
150014
150009
150009
150009
150004
150005
150004
150004
150009
150014
150018
150022
150027
150031
150031
150030
150030
150026
150026
150027
150022
150022
150022
150021
150025
150029
150029
150028
150027
150023
150024
150025
150020
150019
150018
150014
150015
150016
150016
150017
150018
150018
150013
150013
150012
150008
150008
150009
150004
150004
150003
150002
150007
150012
150011
150010
150009
150005
150006
150006
150002
150001
150000
149999
150004
150008
150013
150017
150022
150026
150030
150034
150037
150040
150043
150046
150049
150051
150053
150056
150054
150056
150054
150052
150054
150052
150050
150048
150047
150045
150047
150049
150051
150049
150051
150052
150050
150052
150050
150048
150047
150049
150047
150046
150047
150046
150044
150042
150044
150045
150046
150047
150048
150048
150046
150044
150043
150042
150044
150046
150045
150043
150041
150040
150040
150041
150039
150038
150036
150036
150037
150039
150038
150037
150035
150034
150036
150037
150039
150041
150042
150044
150043
150041
150040
150039
150040
150042
150041
150039
150037
150036
150037
150038
150036
150035
150033
150032
150034
150035
150034
150033
150031
150030
150031
150032
150033
150034
150034
150035
150035
150033
150034
150032
150031
150030
150030
150030
150029
150028
150027
150027
150028
150029
150029
150028
150027
150026
150026
150026
150026
150026
150026
150025
150025
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150024
150024
150023
150023
150023
150023
150022
150022
150022
150022
150023
150023
150022
150022
150022
150022
150023
150023
150023
150024
150024
150024
150025
150025
150024
150023
150023
150023
150022
150023
150022
150021
150021
150022
150021
150022
150022
150022
150023
150024
150025
150026
150027
150028
150029
150030
150031
150032
150032
150033
150033
150032
150031
150031
150030
150031
150029
150028
150027
150026
150026
150027
150028
150029
150028
150030
150029
150030
150031
150031
150029
150028
150027
150028
150029
150028
150027
150026
150024
150026
150027
150028
150026
150027
150026
150025
150024
150025
150024
150026
150024
150023
150022
150023
150022
150023
150022
150023
150024
150025
150025
150024
150023
150023
150022
150023
150024
150023
150022
150021
150020
150021
150022
150021
150020
150021
150020
150021
150020
150021
150021
150021
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150020
150020
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150022
150022
150021
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150021
150021
150021
150022
150022
150022
150021
150021
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150019
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150019
150020
150020
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150022
150021
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150027
150027
150027
150027
150027
150026
150026
150027
150026
150026
150026
150026
150026
150027
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150026
150025
150025
150025
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150026
150026
150027
150027
150028
150029
150030
150031
150032
150030
150032
150030
150028
150027
150025
150026
150024
150023
150023
150022
150023
150023
150024
150025
150023
150022
150020
150020
150021
150022
150022
150020
150019
150018
150018
150019
150018
150017
150016
150016
150016
150017
150017
150016
150015
150016
150016
150017
150018
150019
150020
150021
150021
150020
150019
150019
150020
150021
150022
150022
150023
150024
150024
150025
150026
150027
150029
150028
150029
150028
150028
150027
150027
150026
150027
150025
150024
150023
150022
150023
150022
150021
150021
150020
150019
150018
150018
150018
150017
150016
150016
150016
150016
150017
150017
150017
150016
150015
150015
150015
150015
150015
150015
150015
150015
150016
150018
150020
150022
150025
150028
150032
150030
150029
150027
150024
150025
150027
150023
150022
150021
150019
150022
150026
150024
150023
150021
150018
150019
150021
150018
150016
150015
150013
150014
150015
150017
150018
150019
150021
150018
150017
150016
150014
150015
150016
150015
150014
150013
150012
150013
150015
150014
150013
150012
150011
150011
150012
150012
150011
150010
150009
150010
150011
150012
150014
150017
150020
150018
150017
150016
150013
150014
150015
150013
150012
150011
150010
150012
150015
150013
150012
150011
150009
150010
150011
150009
150008
150007
150006
150007
150008
150008
150009
150010
150011
150010
150009
150008
150008
150008
150009
150009
150008
150008
150007
150007
150008
150007
150006
150006
150006
150006
150007
150007
150006
150006
150006
150006
150007
150007
150008
150008
150009
150009
150010
150011
150011
150012
150013
150014
150014
150014
150013
150013
150013
150013
150014
150014
150013
150013
150012
150012
150012
150011
150011
150010
150010
150011
150011
150012
150011
150010
150011
150011
150012
150012
150013
150013
150014
150014
150014
150013
150013
150014
150014
150015
150014
150014
150013
150013
150013
150012
150011
150011
150011
150012
150012
150012
150012
150011
150011
150011
150010
150010
150010
150010
150010
150009
150008
150008
150008
150009
150009
150009
150009
150009
150008
150008
150008
150007
150007
150006
150006
150007
150007
150008
150007
150007
150007
150007
150008
150008
150009
150009
150010
150010
150010
150009
150009
150010
150010
150011
150010
150010
150009
150009
150009
150008
150008
150007
150008
150008
150008
150009
150008
150008
150008
150007
150007
150007
150006
150006
150006
150006
150005
150005
150005
150005
150006
150008
150010
150013
150016
150020
150024
150028
150031
150035
150039
150042
150046
150049
150051
150054
150056
150057
150059
150058
150057
150057
150055
150056
150057
150055
150054
150053
150052
150054
150056
150055
150054
150054
150052
150053
150053
150051
150051
150050
150047
150048
150049
150050
150051
150052
150053
150050
150049
150048
150045
150047
150048
150045
150043
150042
150041
150044
150047
150046
150045
150044
150041
150042
150043
150040
150039
150038
150037
150040
150043
150046
150049
150051
150053
150052
150052
150051
150049
150050
150050
150048
150047
150046
150045
150048
150050
150049
150049
150048
150046
150046
150047
150045
150044
150043
150040
150041
150042
150043
150044
150044
150045
150042
150041
150040
150037
150038
150039
150036
150035
150033
150032
150036
150039
150038
150037
150036
150033
150034
150035
150031
150030
150029
150025
150026
150027
150028
150030
150031
150032
150033
150034
150035
150037
150038
150039
150040
150041
150038
150037
150035
150032
150033
150034
150030
150029
150028
150026
150030
150034
150033
150032
150030
150026
150028
150029
150025
150024
150022
150018
150020
150021
150022
150024
150025
150026
150022
150021
150020
150016
150017
150018
150015
150013
150012
150011
150014
150018
150017
150016
150014
150010
150012
150013
150010
150008
150007
150006
150009
150013
150017
150021
150025
150029
150028
150027
150025
150021
150023
150024
150020
150018
150017
150016
150020
150024
150023
150022
150020
150016
150017
150019
150014
150013
150011
150007
150008
150010
150011
150013
150014
150016
150011
150010
150009
150005
150007
150008
150005
150004
150003
150001
150004
150007
150006
150005
150003
150000
150002
150003
150000
149999
149999
149998
149999
150002
150006
150010
150014
150019
150023
150028
150032
150035
150039
150042
150045
150047
150047
150046
150045
150042
150043
150044
150041
150040
150039
150038
150041
150044
150043
150043
150042
150039
150040
150041
150037
150036
150035
150032
150033
150034
150035
150036
150037
150038
150034
150033
150032
150028
150029
150030
150026
150025
150024
150023
150027
150031
150030
150029
150028
150023
150025
150026
150021
150020
150019
150017
150022
150026
150031
150034
150038
150041
150040
150039
150039
150035
150036
150037
150033
150032
150031
150030
150034
150038
150037
150036
150035
150031
150032
150033
150029
150028
150027
150022
150024
150025
150026
150027
150028
150030
150025
150024
150023
150018
150019
150021
150016
150014
150012
150011
150016
150021
150020
150019
150017
150011
150013
150015
150009
150007
150005
149999
150001
150003
150005
150007
150009
150010
150012
150014
150015
150017
150018
150019
150021
150022
150018
150016
150015
150010
150011
150013
150008
150007
150005
150004
150008
150013
150012
150010
150008
150003
150005
150007
150002
150001
149999
149996
149997
149999
150000
150001
150003
150004
150001
149999
149998
149996
149997
149998
149997
149996
149996
149995
149996
149997
149996
149995
149994
149994
149994
149995
149995
149994
149994
149994
149993
149994
149995
149998
150002
150007
150005
150003
150001
149997
149998
150000
149996
149995
149994
149993
149995
150000
149998
149996
149994
149991
149993
149994
149992
149991
149990
149990
149991
149991
149992
149992
149993
149994
149993
149992
149992
149992
149993
149993
149994
149993
149993
149993
149992
149992
149991
149991
149991
149992
149992
149992
149993
149993
149993
149993
149993
149994
149994
149994
149994
149994
149994
149995
149995
149995
149995
149996
149996
149997
149997
149998
149998
149999
150000
150001
150002
150003
150004
150005
150006
150007
150008
150009
150010
150011
150009
150008
150007
150005
150006
150007
150005
150005
150004
150003
150004
150006
150005
150004
150003
150002
150003
150003
150003
150002
150001
150002
150002
150002
150003
150004
150004
150005
150004
150004
150004
150004
150004
150005
150005
150004
150004
150004
150003
150003
150003
150002
150002
150002
150002
150003
150003
150003
150002
150002
150002
150001
150001
150001
150001
150002
150001
150000
150000
149999
150000
150001
150000
150000
150000
149999
149999
149999
149999
149998
149998
149998
149998
149999
149999
149999
149998
149999
149999
149999
150000
150000
150000
150001
150001
150001
150000
150001
150001
150001
150002
150001
150001
150001
150000
150000
150000
149999
149999
149999
150000
150000
150000
150000
149999
150000
150000
150000
150001
150001
150002
150002
150002
150003
150003
150003
150004
150004
150005
150005
150005
150005
150005
150005
150005
150006
150006
150005
150005
150005
150004
150004
150004
150003
150003
150003
150004
150004
150004
150004
150004
150004
150004
150005
150005
150005
150006
150006
150006
150006
150006
150006
150006
150007
150007
150007
150006
150006
150006
150005
150005
150005
150004
150005
150005
150005
150006
150005
150005
150005
150004
150004
150004
150003
150003
150003
150002
150002
150001
150002
150002
150002
150003
150002
150002
150002
150001
150001
150001
150000
150000
150000
150001
150001
150001
150001
150001
150001
150002
150002
150002
150002
150003
150003
150004
150003
150003
150003
150004
150004
150004
150004
150004
150004
150003
150003
150002
150002
150002
150002
150002
150003
150003
150003
150003
150002
150002
150001
150001
150001
150000
150000
149999
149999
149999
149999
149998
149998
149997
149997
149997
149996
149996
149997
149997
149997
149998
149997
149997
149997
149996
149996
149996
149995
149995
149996
149996
149996
149996
149996
149996
149996
149996
149997
149997
149997
149998
149998
149998
149998
149998
149998
149998
149999
149999
149998
149998
149998
149998
149997
149997
149997
149996
149997
149997
149997
149998
149997
149997
149997
149996
149996
149996
149996
149995
149995
149995
149994
149994
149995
149995
149995
149995
149995
149995
149995
149994
149994
149994
149994
149994
149994
149994
149994
149994
149994
149994
149994
149995
149995
149995
149995
149995
149996
149996
149996
149995
149996
149996
149996
149997
149996
149996
149996
149996
149995
149995
149995
149995
149995
149995
149995
149996
149996
149996
149996
149996
149996
149996
149997
149997
149997
149997
149997
149998
149998
149998
149998
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
150000
149999
149999
149999
149998
149998
149998
149998
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
150000
150001
150001
150001
150001
150001
150001
150002
150002
150002
150002
150001
150001
150000
150000
150000
150000
150000
150001
150001
150001
150001
150001
150001
150000
150000
149999
149999
149998
149998
149997
149997
149997
149998
149998
149998
149998
149998
149998
149998
149997
149997
149997
149997
149997
149997
149997
149997
149998
149998
149998
149998
149998
149998
149998
149999
149999
149999
149999
149999
149999
150000
150000
150000
150001
150000
150000
150000
150000
149999
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
150000
150001
150001
150001
150001
150001
150001
150001
150002
150002
150002
150002
150002
150003
150003
150003
150003
150004
150004
150004
150005
150005
150005
150006
150006
150006
150007
150007
150007
150008
150008
150008
150009
150009
150010
150010
150010
150011
150011
150012
150012
150013
150013
150014
150014
150015
150015
150016
150017
150017
150018
150019
150020
150020
150021
150021
150021
150022
150023
150024
150025
150025
150026
150025
150026
150027
150026
150026
150025
150024
150025
150026
150026
150025
150024
150024
150024
150024
150024
150023
150024
150023
150022
150022
150023
150022
150023
150023
150023
150022
150022
150022
150022
150021
150021
150021
150020
150020
150020
150019
150019
150018
150018
150017
150016
150016
150017
150018
150018
150018
150019
150020
150020
150020
150020
150020
150019
150019
150019
150018
150018
150017
150017
150017
150017
150018
150018
150019
150019
150019
150020
150021
150021
150021
150022
150022
150022
150023
150023
150024
150025
150025
150025
150024
150024
150024
150024
150025
150024
150024
150024
150023
150023
150023
150023
150022
150022
150022
150022
150023
150023
150022
150022
150022
150022
150023
150023
150023
150024
150024
150024
150024
150023
150023
150024
150024
150024
150024
150023
150023
150023
150023
150023
150022
150022
150022
150022
150023
150023
150022
150022
150022
150022
150022
150021
150021
150021
150021
150021
150021
150021
150020
150020
150019
150018
150018
150018
150017
150017
150017
150016
150016
150016
150016
150015
150015
150014
150014
150015
150015
150016
150015
150015
150014
150014
150014
150013
150013
150012
150012
150013
150013
150014
150013
150013
150013
150014
150014
150014
150015
150015
150016
150016
150016
150015
150015
150016
150016
150017
150017
150018
150018
150018
150019
150019
150020
150020
150020
150021
150021
150021
150021
150020
150020
150020
150019
150019
150018
150018
150018
150017
150017
150017
150016
150016
150015
150015
150015
150014
150014
150013
150014
150014
150015
150015
150015
150014
150014
150013
150013
150013
150012
150012
150012
150011
150011
150010
150011
150011
150012
150012
150012
150011
150011
150010
150010
150010
150009
150009
150009
150010
150010
150010
150010
150010
150010
150010
150011
150011
150012
150012
150012
150013
150012
150012
150012
150013
150013
150013
150013
150013
150012
150012
150012
150011
150011
150011
150011
150011
150012
150012
150012
150011
150012
150012
150013
150013
150013
150014
150014
150014
150015
150015
150015
150016
150016
150017
150017
150017
150018
150018
150018
150019
150019
150020
150020
150020
150020
150021
150021
150021
150021
150020
150021
150021
150021
150022
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150019
150019
150019
150018
150018
150018
150018
150017
150017
150016
150016
150016
150015
150015
150015
150016
150016
150016
150017
150017
150017
150018
150018
150018
150018
150018
150017
150017
150017
150016
150016
150016
150016
150016
150017
150017
150018
150018
150018
150018
150019
150019
150019
150020
150020
150020
150021
150021
150021
150021
150022
150022
150022
150023
150023
150023
150023
150024
150024
150024
150024
150023
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150024
150024
150025
150025
150025
150025
150024
150025
150024
150024
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150023
150022
150022
150022
150022
150023
150023
150022
150022
150022
150022
150022
150022
150022
150022
150022
150021
150021
150022
150022
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150024
150023
150023
150023
150023
150024
150024
150023
150023
150023
150023
150023
150022
150023
150022
150022
150022
150022
150022
150022
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150020
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150018
150018
150018
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150021
150021
150021
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150021
150020
150020
150020
150019
150020
150020
150020
150019
150019
150018
150019
150019
150019
150019
150019
150019
150019
150019
150019
150018
150019
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150019
150018
150018
150019
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150017
150017
150017
150017
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150018
150018
150019
150019
150020
150019
150020
150019
150020
150020
150020
150019
150018
150017
150018
150019
150020
150020
150021
150022
150021
150020
150019
150018
150019
150020
150021
150020
150021
150019
150020
150021
150023
150024
150025
150027
150028
150030
150031
150032
150034
150036
150037
150039
150041
150042
150044
150042
150044
150045
150043
150045
150046
150047
150045
150043
150042
150041
150039
150041
150040
150038
150040
150039
150037
150036
150034
150032
150033
150035
150037
150034
150036
150038
150035
150036
150038
150039
150041
150042
150039
150038
150036
150033
150035
150036
150032
150031
150030
150028
150032
150035
150034
150032
150031
150033
150032
150030
150033
150031
150030
150028
150030
150032
150031
150029
150028
150026
150027
150029
150027
150025
150024
150021
150023
150024
150026
150027
150029
150026
150027
150029
150026
150027
150029
150030
150027
150026
150024
150023
150021
150024
150023
150021
150024
150023
150021
150020
150018
150015
150017
150018
150020
150017
150018
150020
150016
150018
150019
150021
150022
150023
150025
150026
150027
150029
150025
150024
150022
150018
150019
150021
150016
150015
150014
150013
150017
150021
150020
150018
150017
150013
150014
150016
150011
150010
150009
150004
150006
150007
150008
150009
150011
150012
150007
150006
150005
150000
150002
150003
149998
149997
149996
149995
149999
150004
150002
150001
150000
149995
149997
149998
149993
149992
149991
149990
149994
149998
150003
150007
150011
150015
150014
150012
150011
150015
150013
150012
150015
150014
150012
150009
150010
150006
150008
150009
150005
150007
150008
150010
150006
150004
150003
150001
150000
150004
150002
150001
150005
150003
150007
150011
150014
150017
150020
150022
150024
150026
150025
150024
150022
150020
150022
150023
150021
150019
150018
150017
150019
150021
150020
150018
150017
150015
150016
150018
150015
150014
150013
150010
150011
150013
150014
150015
150017
150018
150015
150014
150013
150010
150011
150012
150009
150008
150006
150005
150008
150011
150010
150009
150007
150004
150006
150007
150004
150002
150001
150000
150003
150006
150009
150012
150014
150016
150018
150017
150019
150018
150017
150016
150017
150018
150018
150017
150016
150015
150015
150016
150015
150014
150013
150011
150012
150013
150014
150015
150016
150014
150015
150013
150010
150009
150012
150011
150013
150012
150011
150010
150009
150007
150008
150009
150010
150007
150008
150006
150007
150008
150005
150004
150003
150000
150001
150002
149999
149997
149996
149995
149999
150002
150005
150004
150006
150005
150004
150002
150003
150000
150001
149997
149994
149993
149996
149995
149999
149998
150001
150003
150006
150008
150010
150012
150014
150015
150016
150018
150018
150018
150019
150018
150017
150017
150017
150016
150017
150016
150015
150014
150015
150015
150016
150015
150016
150017
150017
150016
150016
150015
150015
150016
150015
150014
150014
150012
150013
150013
150014
150013
150013
150012
150012
150013
150011
150011
150010
150009
150011
150010
150012
150011
150011
150009
150010
150008
150009
150007
150007
150008
150009
150010
150007
150007
150006
150003
150004
150005
150003
150002
150001
150000
150003
150005
150004
150004
150006
150005
150007
150007
150009
150010
150012
150013
150014
150015
150016
150016
150017
150016
150016
150016
150016
150017
150017
150017
150017
150016
150016
150016
150016
150015
150015
150014
150015
150015
150015
150015
150016
150015
150015
150014
150013
150012
150014
150013
150014
150014
150014
150014
150013
150012
150012
150013
150013
150012
150012
150011
150011
150012
150010
150010
150009
150007
150008
150008
150006
150006
150005
150005
150007
150009
150010
150010
150011
150011
150011
150009
150010
150008
150008
150007
150005
150004
150006
150006
150008
150007
150009
150011
150012
150013
150014
150015
150016
150016
150017
150017
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150023
150024
150024
150023
150023
150023
150023
150023
150023
150023
150023
150023
150022
150022
150023
150023
150023
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150026
150025
150025
150025
150025
150026
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150022
150023
150023
150023
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150024
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150022
150022
150022
150022
150021
150022
150022
150022
150022
150022
150022
150022
150021
150021
150021
150021
150020
150021
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150023
150023
150023
150022
150023
150023
150023
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150022
150022
150023
150023
150022
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150025
150025
150025
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150025
150025
150025
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150027
150027
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150025
150025
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150025
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150026
150026
150026
150027
150027
150027
150027
150026
150027
150026
150026
150026
150026
150026
150026
150026
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150022
150022
150021
150021
150021
150022
150022
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150020
150020
150020
150019
150019
150019
150019
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150022
150022
150023
150023
150022
150022
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150025
150025
150024
150024
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150024
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150021
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150022
150022
150022
150022
150022
150021
150021
150021
150021
150021
150020
150020
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150015
150015
150015
150015
150016
150016
150016
150016
150017
150017
150017
150017
150018
150018
150019
150019
150019
150018
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150019
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150016
150016
150015
150015
150015
150015
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150015
150015
150014
150014
150014
150014
150014
150014
150014
150014
150014
150013
150013
150013
150011
150012
150012
150010
150010
150010
150010
150011
150013
150013
150012
150012
150011
150011
150011
150010
150010
150010
150008
150008
150008
150008
150008
150009
150009
150007
150007
150007
150005
150005
150005
150006
150003
150004
150002
150002
150002
150003
150003
150004
150004
150005
150003
150003
150001
150001
150002
149999
149999
149998
149995
149996
149996
149997
149998
149999
150000
149997
149996
149995
149992
149993
149994
149995
149991
149992
149989
149990
149991
149992
149993
149994
149995
149996
149998
149999
150000
150002
150003
150004
150006
150002
150001
149999
149995
149997
149998
150000
149996
149997
149998
149994
149996
149997
149999
150000
150001
149997
149996
149994
149990
149991
149993
149988
149987
149986
149984
149989
149993
149991
149990
149989
149993
149991
149990
149994
149993
149991
149990
149994
149998
149997
149995
149994
149990
149991
149993
149989
149988
149986
149982
149984
149985
149986
149987
149989
149985
149986
149987
149983
149985
149986
149987
149983
149982
149980
149979
149978
149982
149981
149979
149983
149982
149981
149980
149978
149974
149976
149977
149978
149974
149975
149977
149973
149974
149975
149976
149978
149979
149980
149981
149983
149984
149985
149987
149988
149989
149990
149991
149992
149993
149994
149995
149996
149997
149998
149998
149999
149999
150000
150000
150000
150000
150000
150000
149999
149999
149998
149997
149997
149996
149995
149994
149992
149991
149990
149989
149987
149986
149985
149983
149982
149981
149980
149979
149978
149977
149976
149975
149975
149974
149974
149973
149973
149973
149973
149973
149973
149974
149974
149974
149975
149976
149976
149977
149978
149979
149980
149981
149982
149984
149985
149986
149988
149989
149990
149992
149993
149995
149996
149998
150000
150002
150003
150005
150007
150008
150010
150011
150013
150014
150016
150018
150019
150021
150023
150024
150025
150026
150025
150024
150022
150019
150016
150013
150010
150007
150016
150019
150022
150029
150027
150025
150032
150034
150035
150036
150031
150024
150027
150028
150029
150033
150033
150032
150036
150036
150035
150036
150037
150038
150039
150039
150039
150038
150042
150042
150042
150043
150044
150045
150046
150045
150044
150042
150042
150041
150039
150038
150036
150037
150038
150040
150040
150039
150038
150036
150035
150035
150034
150033
150032
150029
150029
150028
150026
150027
150029
150030
150031
150030
150028
150027
150025
150024
150023
150021
150019
150021
150022
150024
150025
150024
150022
150024
150025
150027
150028
150029
150031
150032
150033
150032
150030
150031
150033
150034
150035
150034
150032
150031
150030
150029
150028
150026
150025
150026
150027
150029
150029
150028
150026
150027
150028
150030
150031
150033
150034
150036
150037
150038
150039
150041
150042
150044
150046
150047
150047
150046
150044
150044
150046
150047
150047
150046
150044
150043
150043
150043
150041
150040
150039
150039
150040
150042
150042
150041
150039
150038
150038
150037
150036
150035
150033
150034
150035
150036
150037
150035
150034
150032
150032
150032
150030
150029
150027
150027
150029
150031
150031
150029
150027
150026
150026
150025
150025
150025
150024
150023
150022
150021
150020
150018
150016
150015
150013
150015
150017
150018
150020
150018
150016
150015
150013
150012
150010
150008
150007
150008
150010
150012
150013
150011
150009
150010
150012
150014
150016
150017
150019
150021
150022
150020
150018
150019
150021
150022
150023
150021
150019
150018
150017
150017
150015
150013
150011
150012
150013
150015
150016
150014
150012
150010
150010
150009
150008
150008
150006
150005
150003
150001
150000
150001
150003
150005
150006
150004
150002
150000
149999
149998
149996
149995
149993
149994
149996
149998
149998
149997
149995
149996
149997
149999
150001
150003
150005
150007
150007
150005
150003
150004
150006
150008
150008
150006
150004
150002
150002
150001
150000
149998
149996
149996
149998
150000
150000
149998
149996
149996
149998
150000
150002
150004
150006
150008
150010
150012
150014
150016
150018
150020
150022
150023
150024
150022
150020
150020
150022
150024
150024
150022
150020
150019
150018
150018
150016
150014
150012
150013
150015
150017
150017
150015
150013
150011
150011
150010
150008
150006
150004
150004
150007
150009
150009
150007
150005
150002
150002
150002
150000
149998
149996
149996
149998
150000
150000
149998
149996
149994
149994
149994
149994
149994
149994
149994
149994
149993
149993
149992
149990
149989
149987
149988
149990
149991
149992
149990
149989
149987
149987
149986
149985
149983
149982
149983
149984
149985
149986
149984
149983
149983
149984
149986
149987
149989
149990
149992
149992
149991
149989
149989
149991
149992
149992
149991
149989
149987
149987
149987
149986
149984
149983
149982
149984
149985
149985
149984
149982
149980
149981
149981
149981
149981
149981
149981
149980
149979
149978
149978
149979
149980
149980
149979
149978
149977
149977
149977
149976
149975
149975
149974
149975
149976
149976
149975
149974
149973
149974
149975
149976
149977
149979
149980
149980
149978
149977
149976
149978
149979
149979
149977
149976
149975
149975
149976
149975
149974
149973
149972
149973
149974
149973
149972
149971
149970
149972
149973
149974
149975
149977
149978
149980
149982
149983
149985
149987
149989
149990
149992
149992
149990
149988
149988
149990
149992
149992
149990
149988
149986
149987
149987
149985
149983
149981
149981
149983
149985
149985
149983
149981
149979
149979
149980
149978
149977
149975
149975
149976
149978
149978
149976
149975
149973
149973
149974
149972
149971
149970
149969
149971
149972
149972
149970
149969
149968
149968
149969
149969
149970
149971
149972
149973
149973
149974
149974
149973
149973
149973
149972
149973
149973
149973
149972
149972
149971
149972
149973
149973
149973
149973
149972
149972
149972
149971
149971
149971
149969
149969
149970
149970
149971
149971
149972
149971
149970
149970
149968
149969
149970
149969
149968
149967
149967
149968
149969
149969
149968
149968
149967
149967
149967
149966
149966
149965
149965
149966
149968
149969
149971
149972
149973
149973
149974
149974
149973
149972
149972
149971
149971
149971
149972
149973
149975
149975
149976
149977
149975
149974
149974
149972
149973
149973
149971
149971
149970
149970
149969
149969
149969
149968
149968
149968
149966
149966
149966
149965
149965
149965
149965
149966
149968
149968
149969
149969
149967
149967
149966
149965
149965
149965
149964
149964
149963
149963
149963
149963
149964
149964
149964
149965
149965
149966
149967
149967
149968
149968
149967
149966
149965
149966
149967
149967
149966
149965
149964
149965
149965
149964
149964
149963
149963
149963
149964
149964
149963
149963
149962
149962
149963
149963
149963
149962
149962
149962
149962
149962
149962
149961
149961
149962
149962
149962
149962
149963
149962
149962
149962
149961
149961
149961
149962
149962
149963
149964
149966
149967
149969
149972
149974
149976
149978
149979
149980
149981
149979
149978
149977
149975
149975
149976
149977
149980
149982
149983
149985
149986
149983
149982
149981
149978
149979
149980
149977
149976
149975
149974
149974
149973
149972
149970
149971
149971
149969
149968
149968
149966
149966
149967
149967
149969
149972
149972
149973
149974
149971
149971
149970
149968
149968
149969
149970
149972
149975
149977
149981
149984
149987
149988
149989
149990
149986
149986
149985
149981
149982
149983
149984
149987
149991
149992
149993
149993
149989
149989
149988
149984
149985
149986
149982
149981
149981
149980
149980
149979
149978
149975
149976
149976
149974
149973
149972
149970
149971
149971
149972
149974
149977
149978
149978
149978
149975
149975
149975
149972
149972
149973
149971
149970
149970
149970
149969
149969
149968
149968
149967
149967
149966
149966
149965
149965
149964
149963
149963
149964
149963
149963
149962
149962
149962
149963
149963
149963
149964
149965
149965
149966
149965
149964
149964
149963
149964
149964
149965
149965
149966
149967
149967
149968
149967
149966
149966
149965
149966
149966
149967
149967
149968
149968
149969
149969
149968
149968
149967
149967
149967
149968
149968
149968
149969
149971
149973
149976
149979
149982
149986
149990
149994
149994
149995
149995
149991
149991
149990
149986
149987
149987
149987
149991
149995
149995
149995
149995
149991
149991
149991
149987
149987
149987
149983
149983
149983
149983
149983
149983
149983
149979
149979
149979
149976
149976
149976
149973
149973
149974
149974
149976
149979
149979
149979
149979
149976
149976
149976
149974
149973
149973
149973
149976
149979
149983
149986
149991
149995
149995
149994
149994
149989
149990
149990
149986
149986
149985
149985
149989
149993
149992
149992
149991
149986
149987
149988
149984
149983
149982
149979
149979
149980
149981
149981
149982
149982
149979
149978
149978
149975
149975
149975
149973
149972
149972
149971
149974
149977
149976
149976
149975
149972
149973
149973
149971
149970
149969
149967
149968
149969
149969
149970
149970
149971
149971
149971
149971
149971
149971
149971
149971
149971
149970
149970
149970
149969
149969
149969
149968
149968
149968
149968
149969
149970
149970
149970
149970
149969
149969
149969
149968
149968
149968
149968
149968
149969
149969
149969
149968
149967
149968
149968
149968
149967
149967
149967
149967
149968
149967
149967
149966
149965
149966
149966
149966
149965
149965
149964
149964
149965
149967
149969
149971
149974
149978
149982
149986
149990
149989
149988
149987
149983
149984
149985
149981
149980
149979
149978
149982
149986
149985
149983
149982
149978
149979
149980
149977
149975
149974
149971
149972
149973
149974
149975
149976
149977
149973
149973
149972
149969
149970
149970
149968
149967
149966
149965
149968
149971
149970
149969
149968
149965
149966
149967
149964
149963
149962
149961
149964
149967
149970
149973
149977
149981
149980
149979
149977
149973
149975
149976
149972
149971
149970
149969
149972
149976
149975
149974
149972
149969
149970
149971
149967
149966
149965
149962
149963
149964
149965
149966
149968
149969
149966
149964
149963
149961
149962
149963
149960
149959
149958
149957
149960
149962
149961
149960
149959
149957
149958
149959
149956
149955
149954
149953
149954
149955
149956
149957
149958
149959
149960
149961
149962
149963
149963
149964
149965
149966
149965
149964
149963
149962
149963
149964
149963
149963
149962
149961
149961
149962
149961
149960
149959
149959
149960
149961
149960
149959
149958
149958
149958
149958
149958
149957
149956
149955
149956
149957
149957
149956
149955
149954
149954
149955
149954
149953
149952
149951
149952
149953
149953
149952
149951
149950
149950
149951
149952
149953
149955
149958
149961
149964
149967
149971
149970
149969
149968
149971
149970
149969
149973
149972
149971
149969
149973
149977
149981
149985
149989
149993
149992
149990
149989
149986
149987
149988
149984
149983
149982
149981
149984
149988
149987
149986
149985
149981
149982
149983
149980
149979
149978
149974
149975
149976
149977
149978
149979
149980
149976
149975
149974
149970
149971
149972
149968
149967
149966
149965
149969
149973
149972
149971
149970
149966
149967
149968
149964
149963
149962
149959
149960
149961
149962
149963
149964
149965
149966
149967
149968
149964
149965
149966
149963
149964
149965
149966
149963
149962
149961
149960
149959
149962
149961
149960
149963
149962
149961
149960
149959
149956
149957
149958
149959
149956
149956
149958
149955
149956
149957
149958
149959
149960
149957
149956
149955
149952
149953
149954
149952
149951
149950
149949
149951
149954
149953
149952
149951
149954
149953
149952
149955
149954
149953
149952
149955
149958
149957
149956
149956
149952
149953
149954
149951
149950
149949
149947
149947
149948
149949
149950
149951
149948
149949
149950
149948
149949
149950
149951
149949
149948
149947
149946
149945
149947
149946
149945
149947
149947
149946
149945
149944
149942
149943
149944
149944
149943
149943
149944
149943
149944
149944
149945
149946
149947
149948
149949
149950
149951
149950
149949
149948
149947
149948
149949
149949
149948
149947
149946
149946
149947
149946
149945
149944
149944
149945
149946
149945
149944
149944
149943
149943
149943
149943
149942
149941
149942
149941
149940
149942
149941
149940
149939
149940
149939
149940
149940
149940
149941
149941
149942
149942
149941
149940
149940
149939
149939
149938
149938
149938
149938
149938
149940
149941
149944
149946
149949
149952
149955
149958
149962
149965
149969
149973
149977
149980
149984
149988
149987
149990
149989
149988
149988
149991
149994
149993
149993
149992
149989
149989
149990
149987
149986
149985
149985
149988
149991
149994
149997
150000
149999
150002
150001
150001
149998
149999
149996
149997
149994
149991
149990
149993
149993
149996
149995
149998
150000
150000
149999
149999
149996
149997
149997
149994
149994
149994
149990
149991
149991
149992
149989
149989
149986
149987
149987
149984
149983
149983
149982
149986
149985
149988
149988
149987
149984
149984
149981
149982
149978
149979
149979
149980
149980
149981
149982
149983
149983
149984
149985
149986
149982
149983
149979
149976
149975
149979
149978
149981
149981
149980
149979
149978
149975
149975
149976
149977
149973
149974
149970
149971
149972
149968
149967
149966
149963
149964
149964
149961
149960
149959
149958
149962
149966
149969
149969
149972
149972
149971
149967
149968
149964
149965
149961
149958
149957
149961
149960
149964
149963
149967
149970
149974
149978
149977
149976
149976
149972
149973
149973
149970
149969
149968
149968
149971
149975
149974
149974
149978
149977
149981
149980
149984
149987
149990
149993
149996
149999
150001
150001
150003
150003
150003
150002
150005
150007
150006
150006
150006
150004
150004
150004
150002
150002
150002
150001
150004
150006
150008
150009
150011
150012
150012
150012
150014
150014
150015
150015
150016
150016
150017
150017
150017
150016
150016
150016
150015
150015
150015
150014
150014
150014
150014
150012
150012
150011
150011
150011
150009
150009
150009
150009
150011
150011
150012
150012
150012
150011
150011
150009
150009
150007
150008
150008
150008
150008
150006
150006
150006
150003
150004
150004
150001
150001
150001
150001
150003
150006
150005
150005
150007
150008
150009
150009
150011
150013
150014
150015
150016
150017
150018
150018
150019
150019
150020
150020
150020
150020
150021
150021
150021
150022
150022
150022
150022
150022
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150023
150023
150023
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150023
150023
150023
150023
150022
150022
150022
150022
150021
150021
150021
150022
150022
150022
150022
150023
150023
150023
150023
150023
150022
150022
150022
150021
150021
150021
150021
150021
150020
150020
150020
150019
150019
150018
150019
150019
150019
150020
150020
150020
150020
150021
150020
150020
150019
150019
150019
150018
150018
150018
150018
150017
150017
150017
150016
150016
150016
150015
150015
150015
150016
150017
150018
150018
150018
150019
150019
150020
150020
150020
150021
150021
150021
150022
150022
150022
150023
150023
150023
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150027
150028
150027
150028
150027
150027
150027
150027
150028
150028
150028
150027
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150029
150028
150029
150028
150028
150028
150028
150028
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150028
150028
150028
150027
150027
150027
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150025
150025
150025
150025
150024
150024
150023
150023
150023
150022
150022
150021
150021
150021
150020
150020
150020
150019
150019
150019
150019
150018
150018
150018
150017
150017
150017
150016
150016
150015
150015
150015
150014
150014
150014
150014
150014
150015
150015
150015
150015
150014
150014
150013
150013
150013
150012
150013
150013
150013
150014
150014
150013
150014
150014
150014
150015
150015
150015
150016
150016
150016
150015
150016
150016
150016
150017
150017
150017
150018
150018
150018
150019
150019
150019
150020
150020
150020
150021
150020
150020
150020
150019
150019
150019
150019
150018
150018
150018
150017
150017
150017
150016
150016
150016
150015
150015
150015
150014
150015
150015
150015
150016
150016
150015
150016
150016
150016
150017
150017
150017
150018
150018
150018
150019
150019
150019
150019
150019
150020
150020
150021
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150022
150021
150021
150020
150020
150020
150019
150019
150020
150020
150020
150021
150021
150021
150021
150021
150021
150020
150020
150020
150019
150019
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150018
150019
150019
150019
150020
150020
150019
150019
150019
150019
150018
150018
150018
150018
150018
150019
150019
150019
150020
150020
150020
150020
150021
150021
150021
150022
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150024
150024
150024
150023
150023
150023
150022
150022
150022
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150025
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150024
150024
150023
150023
150022
150022
150021
150021
150021
150021
150020
150020
150020
150020
150019
150019
150019
150018
150017
150017
150016
150016
150015
150015
150014
150014
150013
150013
150012
150012
150011
150011
150010
150010
150009
150009
150008
150008
150008
150007
150008
150008
150008
150009
150009
150008
150008
150007
150007
150007
150006
150006
150006
150007
150007
150008
150007
150007
150007
150008
150008
150008
150009
150009
150009
150010
150010
150009
150010
150010
150010
150011
150010
150010
150010
150009
150009
150009
150008
150008
150009
150009
150009
150010
150009
150009
150009
150008
150008
150007
150007
150006
150006
150005
150005
150005
150005
150006
150006
150006
150006
150006
150006
150005
150005
150004
150004
150004
150004
150004
150005
150005
150005
150005
150005
150006
150006
150006
150006
150007
150007
150007
150007
150007
150007
150008
150008
150009
150008
150008
150008
150007
150007
150006
150006
150006
150006
150007
150007
150008
150007
150007
150008
150008
150008
150008
150009
150009
150009
150009
150010
150010
150010
150010
150011
150011
150011
150012
150012
150011
150012
150012
150012
150013
150013
150012
150012
150012
150011
150011
150010
150010
150011
150011
150011
150012
150012
150011
150012
150012
150012
150013
150013
150013
150013
150014
150014
150013
150014
150014
150014
150015
150015
150015
150014
150014
150013
150013
150013
150012
150013
150013
150014
150014
150014
150014
150013
150013
150012
150012
150011
150010
150010
150010
150009
150009
150010
150010
150010
150011
150011
150010
150010
150010
150009
150009
150009
150008
150009
150009
150009
150010
150010
150010
150010
150010
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150012
150011
150011
150011
150011
150011
150012
150012
150013
150012
150012
150012
150011
150011
150010
150009
150009
150008
150007
150007
150006
150006
150005
150005
150004
150003
150003
150003
150003
150003
150004
150004
150004
150004
150004
150004
150003
150003
150002
150002
150002
150003
150003
150003
150003
150003
150003
150004
150004
150004
150004
150004
150005
150005
150005
150005
150005
150006
150006
150006
150007
150006
150006
150006
150005
150005
150005
150004
150004
150005
150005
150005
150006
150006
150006
150005
150005
150004
150004
150003
150002
150002
150002
150001
150001
150002
150002
150002
150003
150003
150003
150002
150002
150001
150001
150001
150001
150002
150002
150002
150002
150002
150002
150003
150003
150003
150003
150003
150003
150003
150004
150004
150004
150004
150004
150005
150005
150005
150005
150005
150004
150004
150004
150003
150003
150004
150004
150004
150005
150005
150005
150005
150005
150005
150006
150006
150006
150006
150006
150006
150006
150007
150007
150007
150007
150007
150008
150008
150008
150008
150008
150009
150009
150009
150009
150009
150008
150007
150007
150007
150007
150007
150008
150008
150008
150008
150008
150009
150009
150009
150009
150009
150010
150010
150010
150010
150010
150011
150011
150011
150012
150012
150011
150011
150011
150010
150010
150010
150009
150010
150010
150010
150011
150011
150011
150011
150010
150009
150009
150008
150007
150007
150007
150006
150006
150007
150007
150007
150008
150008
150008
150007
150007
150006
150006
150006
150006
150007
150007
150007
150007
150007
150007
150008
150008
150008
150008
150008
150008
150008
150009
150009
150009
150010
150010
150010
150011
150010
150010
150010
150009
150009
150009
150009
150008
150009
150009
150009
150010
150010
150010
150010
150011
150011
150011
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150017
150016
150016
150015
150015
150015
150016
150016
150016
150017
150016
150016
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150020
150020
150020
150021
150021
150021
150021
150021
150022
150022
150022
150023
150023
150022
150022
150022
150021
150021
150021
150021
150021
150020
150020
150020
150019
150019
150019
150019
150018
150018
150018
150017
150018
150018
150018
150019
150019
150019
150019
150018
150017
150017
150016
150015
150015
150015
150014
150014
150015
150015
150015
150016
150016
150015
150015
150015
150014
150014
150014
150013
150014
150014
150014
150015
150015
150015
150015
150016
150016
150016
150016
150016
150016
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150017
150017
150016
150016
150016
150017
150017
150017
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150021
150021
150021
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150024
150024
150023
150023
150022
150022
150022
150023
150023
150023
150024
150024
150025
150025
150024
150024
150023
150023
150023
150022
150022
150021
150021
150021
150021
150020
150020
150020
150020
150021
150021
150021
150021
150022
150022
150022
150023
150023
150023
150023
150023
150022
150022
150022
150022
150021
150021
150022
150022
150023
150023
150023
150024
150024
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150029
150029
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150028
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150028
150028
150028
150028
150028
150028
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150028
150028
150028
150028
150028
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150025
150026
150026
150026
150026
150025
150025
150025
150025
150024
150024
150024
150024
150023
150023
150023
150023
150024
150024
150024
150025
150025
150025
150025
150026
150026
150026
150026
150026
150027
150027
150027
150027
150026
150026
150026
150027
150026
150026
150026
150026
150025
150025
150025
150025
150024
150024
150024
150023
150023
150023
150023
150022
150022
150022
150021
150021
150021
150020
150020
150020
150021
150021
150022
150022
150022
150023
150022
150022
150021
150021
150020
150020
150020
150020
150019
150019
150018
150018
150018
150017
150017
150016
150016
150016
150017
150017
150018
150019
150019
150019
150018
150018
150017
150017
150016
150015
150015
150015
150015
150014
150014
150014
150014
150013
150013
150013
150011
150011
150011
150009
150010
150010
150010
150011
150013
150013
150013
150013
150012
150012
150012
150010
150010
150010
150008
150008
150008
150008
150008
150008
150008
150008
150005
150005
150003
150003
150003
150001
150001
150001
149998
149998
149998
149998
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
149998
149998
149996
149993
149992
149995
149995
149998
149997
149997
149997
149997
149994
149994
149994
149995
149992
149992
149989
149989
149990
149986
149986
149986
149982
149983
149983
149980
149979
149979
149978
149982
149985
149989
149988
149991
149991
149991
149988
149988
149985
149985
149982
149978
149978
149981
149981
149984
149984
149987
149991
149994
149996
149996
149996
149996
149993
149993
149993
149990
149990
149990
149990
149993
149996
149996
149996
149995
149992
149993
149993
149990
149990
149989
149986
149986
149986
149987
149987
149987
149987
149984
149984
149983
149980
149980
149980
149981
149977
149978
149974
149974
149975
149975
149975
149976
149976
149977
149973
149973
149970
149970
149971
149967
149967
149966
149963
149963
149964
149964
149965
149965
149966
149962
149962
149961
149958
149958
149959
149959
149956
149956
149953
149954
149954
149955
149956
149957
149957
149954
149953
149952
149949
149950
149951
149948
149947
149947
149946
149949
149952
149951
149950
149950
149947
149947
149948
149945
149945
149944
149942
149942
149943
149943
149944
149945
149945
149943
149942
149942
149940
149940
149941
149939
149938
149938
149937
149939
149941
149940
149940
149939
149937
149938
149938
149937
149936
149936
149935
149937
149939
149941
149944
149946
149949
149952
149952
149955
149955
149954
149954
149957
149961
149960
149960
149959
149956
149956
149957
149953
149953
149952
149952
149955
149959
149962
149966
149969
149969
149973
149972
149972
149968
149969
149965
149965
149962
149958
149958
149961
149961
149965
149964
149968
149971
149971
149971
149970
149967
149967
149967
149964
149964
149963
149960
149960
149960
149961
149957
149958
149954
149955
149955
149952
149951
149951
149951
149954
149954
149957
149957
149956
149953
149953
149950
149950
149947
149948
149948
149948
149948
149949
149949
149950
149950
149950
149951
149951
149948
149949
149946
149943
149943
149945
149945
149948
149947
149947
149946
149946
149943
149944
149944
149944
149942
149942
149940
149940
149941
149938
149938
149938
149936
149936
149937
149935
149935
149934
149934
149935
149937
149939
149939
149941
149941
149941
149938
149939
149937
149937
149935
149933
149933
149935
149934
149936
149936
149938
149940
149943
149946
149945
149945
149945
149942
149942
149943
149940
149940
149940
149939
149942
149945
149944
149944
149947
149947
149950
149950
149953
149956
149960
149963
149967
149970
149974
149974
149977
149977
149977
149976
149980
149983
149983
149983
149983
149979
149980
149980
149976
149976
149976
149973
149973
149973
149973
149973
149973
149970
149970
149966
149963
149963
149966
149966
149970
149969
149969
149969
149969
149966
149966
149966
149966
149962
149963
149959
149959
149959
149956
149956
149956
149952
149953
149953
149950
149949
149949
149949
149952
149956
149959
149959
149962
149962
149962
149959
149959
149955
149956
149952
149949
149949
149952
149952
149955
149955
149959
149962
149965
149969
149972
149976
149979
149983
149986
149989
149992
149995
149998
150001
150003
150003
150006
150006
150006
150003
150003
150001
150001
149998
149995
149995
149998
149998
150001
150001
150003
150006
150006
150006
150006
150004
150004
150003
150001
150001
150001
150001
150004
150006
150008
150010
150012
150014
150014
150015
150015
150016
150017
150017
150018
150019
150019
150020
150021
150021
150022
150022
150022
150023
150023
150024
150024
150024
150025
150025
150025
150025
150026
150026
150026
150026
150026
150025
150025
150025
150024
150024
150024
150023
150023
150023
150022
150022
150023
150023
150024
150024
150024
150025
150025
150025
150026
150026
150026
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150028
150028
150028
150028
150027
150027
150027
150027
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150030
150029
150029
150029
150029
150030
150030
150030
150029
150030
150030
150030
150030
150030
150030
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150030
150030
150029
150029
150029
150029
150029
150030
150030
150029
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150031
150031
150031
150030
150030
150030
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150030
150030
150030
150029
150029
150029
150028
150028
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150028
150028
150028
150029
150029
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150029
150029
150029
150029
150029
150029
150028
150028
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150026
150026
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150028
150028
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150029
150030
150030
150030
150030
150031
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150031
150031
150031
150031
150031
150031
150031
150031
150030
150031
150031
150031
150031
150031
150031
150031
150032
150032
150032
150031
150031
150031
150031
150031
150032
150032
150032
150032
150032
150032
150032
150032
150031
150031
150031
150031
150031
150031
150031
150030
150030
150030
150030
150030
150031
150030
150030
150031
150031
150031
150032
150031
150031
150031
150031
150031
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150033
150033
150033
150033
150033
150033
150033
150032
150032
150032
150032
150032
150032
150032
150031
150031
150031
150031
150031
150031
150031
150030
150030
150030
150030
150030
150029
150029
150029
150029
150029
150029
150030
150030
150030
150030
150030
150030
150030
150030
150031
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150030
150031
150031
150031
150031
150030
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150031
150032
150031
150031
150031
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150031
150031
150031
150032
150032
150032
150032
150031
150031
150031
150031
150031
150031
150031
150030
150030
150030
150030
150030
150029
150029
150029
150029
150028
150028
150028
150028
150028
150027
150027
150027
150027
150027
150027
150027
150027
150026
150027
150027
150027
150027
150028
150028
150028
150028
150029
150029
150029
150028
150028
150028
150028
150027
150028
150028
150028
150029
150029
150029
150029
150029
150029
150030
150030
150030
150030
150030
150030
150030
150029
150029
150029
150030
150030
150030
150030
150030
150030
150031
150031
150031
150031
150031
150031
150030
150031
150031
150031
150031
150030
150030
150030
150030
150029
150029
150029
150029
150028
150028
150028
150027
150027
150027
150026
150026
150026
150026
150025
150025
150025
150024
150024
150023
150023
150022
150022
150022
150021
150021
150020
150020
150019
150019
150019
150017
150018
150018
150017
150016
150016
150016
150015
150014
150014
150012
150012
150010
150011
150011
150013
150013
150013
150015
150015
150015
150014
150013
150012
150011
150011
150009
150009
150009
150008
150006
150006
150007
150004
150004
150004
150001
150001
150002
150002
150004
150007
150007
150009
150010
150010
150012
150012
150014
150016
150017
150018
150019
150020
150021
150021
150021
150020
150020
150019
150019
150017
150016
150016
150018
150018
150019
150020
150021
150022
150022
150023
150023
150024
150024
150024
150025
150025
150025
150026
150026
150026
150025
150025
150025
150024
150024
150023
150022
150022
150021
150021
150020
150020
150021
150022
150022
150023
150023
150024
150024
150025
150025
150026
150026
150026
150027
150027
150027
150027
150027
150026
150026
150026
150027
150026
150026
150025
150025
150025
150024
150024
150023
150022
150021
150021
150020
150019
150019
150019
150018
150017
150016
150015
150015
150014
150012
150013
150013
150013
150015
150015
150017
150018
150018
150016
150016
150014
150014
150012
150011
150011
150011
150010
150010
150008
150008
150007
150005
150005
150002
150002
150002
150005
150005
150006
150008
150008
150009
150006
150006
150003
150003
150003
150000
150000
149999
149999
149999
149999
149999
149999
149998
149998
149998
149998
149998
149995
149995
149992
149992
149992
149989
149989
149989
149989
149992
149992
149995
149995
149996
149992
149992
149989
149989
149986
149986
149986
149986
149986
149983
149983
149983
149979
149979
149979
149976
149976
149976
149976
149979
149983
149983
149983
149986
149986
149989
149989
149993
149996
149996
149996
149996
149993
149993
149993
149990
149990
149990
149990
149993
149996
149996
149996
149997
149994
149993
149993
149990
149990
149990
149987
149987
149987
149987
149986
149986
149986
149986
149983
149983
149979
149979
149979
149976
149976
149976
149976
149979
149979
149983
149983
149983
149980
149980
149976
149976
149973
149972
149972
149972
149972
149972
149972
149972
149972
149969
149969
149969
149965
149965
149965
149962
149962
149962
149962
149965
149969
149969
149969
149969
149966
149965
149965
149962
149962
149962
149959
149959
149959
149959
149959
149959
149959
149955
149955
149955
149952
149952
149952
149952
149949
149949
149946
149946
149946
149946
149946
149946
149947
149947
149944
149944
149941
149942
149942
149939
149939
149939
149937
149937
149937
149937
149937
149938
149938
149936
149935
149935
149934
149934
149934
149934
149933
149933
149932
149932
149932
149933
149933
149933
149934
149934
149935
149935
149936
149936
149937
149937
149938
149937
149936
149936
149935
149936
149936
149937
149937
149938
149938
149936
149936
149935
149935
149935
149935
149935
149934
149934
149933
149934
149934
149934
149934
149933
149933
149933
149933
149933
149932
149932
149932
149932
149932
149932
149932
149931
149931
149931
149932
149931
149931
149931
149930
149931
149931
149931
149931
149930
149930
149930
149931
149931
149931
149932
149932
149932
149932
149933
149935
149935
149935
149935
149933
149933
149933
149932
149932
149932
149932
149933
149935
149937
149939
149941
149941
149944
149944
149944
149941
149941
149939
149939
149937
149935
149935
149936
149936
149939
149939
149941
149944
149943
149943
149943
149941
149941
149941
149939
149939
149939
149936
149936
149936
149936
149934
149934
149933
149933
149933
149931
149931
149931
149931
149933
149933
149935
149935
149935
149933
149933
149932
149931
149930
149930
149930
149930
149930
149930
149930
149931
149931
149931
149931
149931
149930
149930
149930
149930
149930
149930
149930
149930
149930
149930
149930
149930
149929
149929
149929
149930
149929
149929
149929
149929
149929
149929
149929
149930
149930
149930
149930
149929
149929
149929
149929
149929
149929
149929
149929
149930
149930
149930
149930
149931
149932
149932
149933
149935
149937
149939
149941
149943
149946
149946
149949
149949
149949
149949
149952
149955
149955
149956
149956
149953
149952
149952
149949
149949
149950
149950
149953
149956
149959
149962
149966
149969
149969
149969
149973
149973
149976
149976
149980
149983
149983
149984
149984
149980
149980
149980
149977
149977
149977
149973
149973
149973
149973
149969
149969
149966
149966
149966
149962
149962
149963
149963
149966
149966
149970
149970
149970
149967
149966
149963
149963
149960
149959
149959
149959
149959
149956
149956
149956
149953
149953
149953
149950
149950
149950
149950
149953
149956
149957
149957
149960
149960
149963
149964
149967
149970
149974
149977
149981
149984
149987
149991
149994
149997
149997
150000
150000
150001
150003
150004
150006
150009
150009
150010
150012
150012
150014
150015
150017
150018
150019
150020
150020
150022
150022
150023
150023
150024
150025
150025
150025
150025
150024
150024
150023
150022
150021
150021
150019
150019
150017
150017
150015
150015
150016
150018
150018
150020
150020
150022
150022
150023
150024
150022
150021
150021
150019
150019
150017
150016
150014
150014
150013
150013
150013
150010
150010
150007
150007
150007
150004
150004
150005
150005
150008
150008
150011
150011
150011
150009
150009
150006
150005
150003
150002
150002
150002
150001
150001
149998
149998
149997
149994
149994
149991
149991
149991
149995
149995
149995
149998
149999
149999
149996
149995
149992
149992
149992
149988
149988
149988
149988
149984
149984
149985
149981
149981
149981
149977
149978
149978
149978
149981
149985
149985
149989
149989
149989
149993
149993
149996
149999
150000
150000
150003
150003
150006
150007
150009
150012
150012
150015
150015
150017
150018
150019
150020
150022
150023
150024
150025
150026
150026
150027
150027
150028
150028
150028
150029
150029
150029
150030
150030
150030
150030
150031
150031
150031
150031
150030
150030
150030
150029
150029
150029
150028
150028
150028
150027
150028
150028
150028
150029
150029
150029
150030
150030
150030
150031
150031
150031
150031
150031
150031
150031
150031
150031
150032
150032
150032
150032
150032
150032
150032
150032
150032
150033
150033
150033
150032
150032
150033
150033
150033
150033
150033
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150033
150033
150033
150033
150033
150033
150032
150032
150032
150032
150032
150032
150031
150032
150032
150032
150032
150031
150031
150031
150032
150032
150032
150032
150032
150033
150033
150033
150033
150033
150033
150033
150033
150032
150032
150033
150033
150033
150033
150033
150033
150033
150033
150033
150033
150033
150033
150033
150033
150032
150032
150032
150032
150032
150032
150033
150032
150032
150033
150033
150033
150033
150033
150032
150033
150033
150033
150033
150033
150033
150033
150033
150033
150034
150034
150033
150033
150033
150033
150033
150033
150033
150033
150034
150033
150033
150033
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150035
150035
150034
150034
150034
150034
150033
150033
150033
150033
150033
150034
150034
150033
150034
150034
150034
150034
150034
150033
150033
150033
150033
150033
150033
150033
150033
150034
150034
150034
150034
150034
150034
150034
150034
150034
150033
150033
150033
150032
150032
150031
150031
150030
150030
150029
150028
150028
150027
150027
150026
150026
150025
150025
150024
150024
150024
150024
150024
150023
150023
150023
150023
150022
150022
150021
150021
150020
150020
150020
150019
150020
150020
150020
150021
150021
150021
150021
150020
150019
150019
150019
150019
150020
150020
150020
150021
150020
150020
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150023
150023
150023
150023
150024
150024
150024
150025
150025
150025
150025
150025
150025
150026
150026
150027
150027
150026
150026
150025
150025
150025
150025
150025
150024
150024
150024
150024
150024
150023
150023
150023
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150022
150022
150021
150020
150019
150019
150018
150017
150017
150016
150015
150015
150014
150013
150013
150013
150013
150013
150014
150014
150014
150014
150014
150014
150013
150013
150012
150012
150012
150013
150013
150013
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150016
150015
150015
150015
150015
150016
150016
150016
150017
150016
150016
150016
150015
150015
150014
150013
150013
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150012
150011
150011
150011
150011
150012
150012
150012
150013
150013
150012
150013
150013
150013
150014
150014
150014
150014
150015
150014
150014
150015
150015
150015
150016
150016
150016
150016
150015
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150019
150018
150018
150019
150019
150019
150020
150020
150020
150020
150019
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150020
150020
150020
150020
150020
150021
150021
150021
150021
150021
150022
150022
150022
150023
150023
150022
150022
150022
150021
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150021
150020
150020
150019
150018
150018
150017
150017
150017
150018
150018
150018
150019
150019
150019
150018
150018
150017
150017
150017
150016
150017
150017
150017
150018
150018
150018
150019
150019
150019
150019
150019
150019
150020
150020
150020
150020
150021
150021
150021
150022
150021
150021
150021
150020
150020
150020
150019
150019
150020
150020
150020
150021
150021
150021
150020
150020
150019
150018
150018
150017
150016
150016
150015
150014
150014
150013
150012
150012
150011
150010
150010
150009
150008
150008
150007
150006
150006
150005
150005
150004
150003
150003
150002
150002
150001
150000
150000
149999
149999
149998
149998
149997
149997
149996
149996
149995
149995
149994
149994
149994
149993
149993
149993
149992
149991
149990
149990
149991
149993
149997
150003
150009
150015
150021
150026
150030
150034
150038
150041
150041
150039
150036
150032
150028
150024
150018
150010
150011
150011
150012
150013
150013
150014
150015
150016
150016
150017
150018
150019
150020
150021
150022
150023
150022
150022
150021
150021
150021
150020
150020
150020
150019
150019
150019
150019
150018
150018
150023
150023
150023
150027
150028
150028
150032
150031
150031
150030
150027
150023
150023
150023
150023
150026
150026
150027
150029
150029
150028
150031
150031
150032
150033
150034
150034
150035
150038
150037
150036
150038
150039
150040
150040
150039
150038
150037
150037
150035
150034
150033
150032
150033
150035
150036
150036
150035
150034
150032
150032
150031
150030
150028
150026
150023
150023
150023
150023
150025
150025
150025
150027
150027
150026
150026
150025
150023
150023
150023
150024
150024
150024
150025
150025
150025
150024
150024
150025
150026
150027
150028
150028
150029
150030
150029
150028
150028
150029
150031
150031
150029
150028
150026
150027
150027
150026
150025
150024
150023
150024
150026
150024
150023
150021
150019
150021
150023
150023
150024
150024
150024
150023
150022
150023
150025
150026
150027
150028
150029
150030
150030
150030
150028
150025
150017
150020
150023
150025
150026
150026
150026
150025
150025
150024
150024
150024
150024
150024
150023
150023
150024
150023
150022
150021
150020
150022
150024
150023
150023
150022
150017
150019
150021
150018
150016
150012
150008
150012
150015
150018
150020
150021
150022
150021
150020
150018
150016
150018
150020
150017
150015
150013
150010
150013
150015
150013
150009
150006
150005
150007
150010
150007
150005
150003
150003
150005
150004
150004
150007
150013
150019
150015
150012
150011
150006
150007
150008
150004
150003
150005
150006
150003
150003
150004
150005
150007
150007
150006
150005
150002
150002
150003
149997
149997
149997
149998
150000
150001
150003
150005
150008
150011
150014
150016
150018
150020
150022
150024
150026
150027
150029
150030
150031
150032
150033
150034
150035
150036
150037
150033
150032
150031
150027
150028
150029
150024
150023
150022
150020
150025
150030
150029
150028
150027
150021
150023
150024
150019
150017
150015
150008
150010
150012
150014
150016
150018
150019
150014
150012
150010
150003
150005
150007
150001
149999
149997
149995
150001
150008
150005
150003
150001
149994
149996
149999
149993
149991
149990
149988
149992
149998
150006
150013
150020
150026
150024
150023
150022
150015
150016
150018
150011
150009
150006
150004
150012
150020
150018
150016
150013
150005
150007
150010
150001
149999
149996
149990
149992
149994
149996
149998
150001
150003
149996
149994
149992
149988
149989
149990
149988
149987
149987
149987
149987
149990
149989
149988
149987
149987
149987
149987
149987
149987
149987
149989
149988
149988
149987
149987
149987
149987
149987
149988
149988
149989
149991
149992
149994
149995
149992
149990
149989
149989
149989
149990
149990
149989
149989
149989
149988
149989
149988
149988
149988
149988
149988
149988
149989
149989
149990
149991
149991
149990
149990
149990
149990
149990
149991
149991
149991
149992
149992
149992
149993
149992
149992
149992
149992
149991
149991
149991
149991
149992
149992
149992
149992
149992
149992
149992
149992
149991
149991
149990
149989
149988
149988
149988
149988
149990
149989
149989
149990
149990
149991
149991
149990
149989
149989
149990
149990
149991
149991
149990
149991
149992
149992
149992
149992
149992
149992
149991
149991
149991
149992
149992
149992
149992
149992
149992
149992
149992
149993
149993
149992
149992
149992
149992
149993
149993
149993
149993
149993
149993
149994
149994
149994
149993
149993
149992
149992
149991
149989
149988
149987
149987
149989
149994
150002
150010
150007
150004
150002
149995
149997
149999
149992
149991
149990
149989
149993
149999
149997
149996
149994
149990
149991
149992
149989
149989
149989
149989
149988
149988
149988
149988
149988
149988
149987
149987
149987
149988
149988
149987
149989
149989
149990
149991
149989
149988
149989
149989
149990
149992
149991
149990
149991
149992
149993
149994
149993
149991
149990
149990
149990
149993
149993
149993
149995
149994
149992
149991
149991
149992
149994
149995
149993
149991
149993
149994
149997
149998
149996
149994
149995
149997
149999
150000
149998
149996
149995
149994
149993
149993
149992
149991
149991
149990
149991
149992
149992
149993
149993
149992
149993
149993
149994
149994
149994
149993
149993
149994
149995
149996
149995
149994
149995
149995
149996
149997
149996
149995
149995
149994
149994
149993
149994
149994
149994
149995
149994
149994
149994
149995
149995
149996
149995
149995
149996
149996
149997
149998
149997
149996
149997
149997
149998
149999
149999
149998
149998
149997
149997
149996
149997
149999
150001
150002
149999
149998
149999
150000
150002
150003
150001
149999
150000
150001
150003
150004
150002
150000
150001
150002
150004
150004
150003
150001
150000
149999
149998
149997
149996
149996
149995
149995
149994
149994
149994
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149993
149994
149994
149994
149994
149993
149993
149993
149993
149993
149993
149993
149993
149994
149994
149994
149994
149994
149994
149994
149994
149994
149994
149995
149994
149994
149995
149995
149995
149995
149995
149995
149995
149995
149994
149994
149994
149995
149995
149995
149995
149995
149995
149996
149996
149995
149995
149994
149994
149993
149993
149993
149993
149993
149994
149994
149993
149994
149994
149994
149994
149994
149993
149994
149994
149994
149995
149995
149994
149995
149995
149995
149996
149996
149995
149995
149995
149994
149994
149995
149995
149995
149996
149996
149995
149996
149996
149996
149997
149996
149995
149996
149996
149996
149997
149997
149996
149997
149997
149998
149998
149998
149997
149997
149997
149997
149996
149996
149996
149996
149996
149996
149996
149996
149996
149996
149996
149996
149997
149997
149997
149998
149997
149997
149998
149997
149996
149996
149997
149997
149997
149997
149997
149998
149998
149998
149998
149998
149998
149998
149998
149998
149998
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
149999
149999
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
149999
149999
149998
149998
149997
149997
149997
149997
149997
149998
149998
149997
149998
149998
149998
149999
149998
149998
149998
149998
149999
149999
149999
149998
149999
149999
150000
150000
150000
149999
149999
149999
149999
149999
149999
149999
149999
150000
150000
150000
150000
150000
150001
150001
150000
150000
150000
150000
150001
150001
150001
150001
150001
150001
150002
150002
150002
150001
150001
150000
149999
149999
149998
149998
149997
149997
149996
149996
149995
149995
149995
149996
149996
149997
149996
149996
149996
149997
149997
149998
149997
149997
149998
149998
149999
150000
149999
149998
149999
149999
150000
150001
150000
149999
149999
149998
149997
149997
149997
149998
149998
149999
149998
149998
149998
149999
149999
150000
150000
149999
150000
150001
150001
150002
150001
150000
150001
150002
150002
150003
150003
150002
150002
150001
150001
150000
150002
150003
150005
150005
150004
150002
150003
150004
150005
150006
150004
150003
150004
150005
150006
150006
150005
150004
150004
150005
150006
150007
150006
150005
150004
150003
150002
150001
150001
150000
149999
149999
149999
150000
150000
150001
150000
150000
150000
150001
150001
150002
150002
150001
150002
150002
150003
150004
150003
150002
150003
150003
150004
150005
150004
150003
150003
150002
150001
150001
150001
150002
150002
150003
150002
150002
150002
150003
150003
150004
150003
150003
150004
150004
150005
150005
150005
150004
150004
150005
150006
150006
150006
150006
150005
150005
150005
150004
150005
150006
150007
150007
150006
150005
150006
150007
150007
150008
150007
150006
150006
150007
150008
150008
150007
150007
150007
150007
150008
150008
150008
150007
150007
150006
150005
150005
150004
150004
150003
150003
150003
150002
150002
150002
150001
150001
150001
150001
150001
150001
150000
150000
150000
150000
150000
150000
150001
150001
150001
150001
150001
150001
150002
150002
150002
150002
150001
150001
150001
150001
150001
150002
150002
150002
150002
150002
150002
150003
150003
150003
150003
150003
150003
150003
150003
150003
150003
150004
150004
150004
150005
150004
150004
150004
150004
150003
150003
150003
150003
150004
150004
150004
150004
150005
150005
150005
150004
150003
150003
150002
150002
150001
150001
150001
150002
150002
150002
150002
150002
150003
150003
150003
150002
150002
150002
150002
150003
150003
150003
150003
150003
150003
150004
150004
150004
150004
150004
150003
150003
150003
150004
150004
150004
150004
150004
150004
150005
150005
150005
150005
150005
150004
150004
150004
150005
150005
150005
150005
150005
150006
150006
150006
150006
150006
150006
150006
150005
150005
150005
150005
150005
150005
150005
150005
150005
150005
150006
150006
150006
150006
150006
150006
150007
150007
150007
150007
150006
150006
150006
150006
150006
150006
150006
150006
150007
150007
150007
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150009
150009
150009
150010
150010
150009
150009
150009
150008
150008
150008
150008
150009
150009
150009
150009
150009
150009
150009
150009
150008
150008
150007
150006
150006
150006
150006
150006
150007
150007
150006
150007
150007
150007
150007
150007
150006
150006
150007
150007
150007
150007
150007
150007
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150009
150009
150009
150009
150009
150009
150009
150009
150008
150008
150008
150009
150009
150009
150009
150009
150009
150010
150010
150009
150009
150008
150008
150007
150007
150006
150006
150006
150005
150005
150004
150004
150003
150003
150004
150004
150005
150004
150004
150004
150005
150005
150006
150005
150005
150005
150006
150006
150007
150006
150006
150006
150006
150007
150007
150007
150006
150006
150006
150005
150005
150005
150006
150006
150006
150006
150006
150006
150007
150007
150007
150007
150006
150007
150007
150008
150008
150007
150007
150007
150008
150008
150008
150008
150008
150008
150007
150007
150007
150007
150008
150008
150009
150008
150008
150008
150008
150009
150009
150009
150008
150008
150009
150009
150009
150009
150009
150009
150009
150009
150010
150009
150009
150009
150008
150008
150008
150008
150007
150007
150007
150007
150007
150008
150008
150008
150008
150008
150008
150008
150009
150008
150008
150008
150008
150009
150009
150009
150008
150009
150009
150009
150009
150009
150009
150009
150009
150009
150008
150009
150009
150009
150010
150009
150009
150010
150010
150010
150010
150010
150009
150009
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150009
150009
150009
150009
150009
150010
150010
150010
150009
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150011
150011
150011
150011
150011
150011
150011
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150011
150011
150011
150011
150010
150011
150011
150011
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150014
150013
150013
150014
150014
150014
150015
150015
150015
150014
150014
150013
150013
150013
150013
150013
150014
150014
150014
150014
150014
150014
150013
150013
150012
150012
150011
150010
150010
150010
150010
150011
150011
150011
150012
150012
150011
150011
150011
150010
150010
150010
150010
150011
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150013
150014
150014
150014
150013
150013
150012
150012
150012
150012
150013
150013
150013
150013
150013
150013
150014
150014
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150015
150015
150016
150016
150016
150016
150017
150017
150017
150018
150017
150017
150017
150016
150016
150016
150015
150015
150016
150016
150016
150017
150017
150016
150017
150017
150017
150018
150018
150018
150018
150019
150019
150018
150019
150019
150019
150020
150020
150020
150020
150019
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150018
150017
150017
150016
150016
150015
150015
150015
150015
150015
150015
150015
150016
150016
150016
150015
150015
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150017
150017
150016
150016
150016
150016
150016
150017
150017
150017
150017
150016
150016
150016
150015
150015
150014
150014
150013
150013
150013
150012
150012
150011
150011
150010
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150012
150012
150012
150012
150012
150012
150012
150012
150013
150012
150012
150012
150012
150012
150012
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150013
150013
150014
150014
150013
150014
150014
150014
150015
150014
150014
150014
150014
150013
150013
150013
150013
150013
150013
150013
150014
150014
150013
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150015
150015
150016
150016
150016
150016
150015
150015
150015
150014
150014
150014
150014
150014
150015
150015
150015
150014
150014
150014
150014
150013
150013
150013
150013
150013
150012
150012
150012
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150014
150014
150013
150013
150013
150014
150014
150014
150015
150015
150015
150016
150016
150016
150017
150017
150017
150017
150018
150018
150018
150019
150019
150019
150019
150020
150020
150020
150020
150021
150021
150021
150021
150021
150022
150022
150022
150022
150022
150022
150023
150023
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150024
150025
150025
150025
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150028
150028
150027
150027
150027
150026
150026
150027
150027
150028
150028
150028
150029
150029
150028
150028
150028
150028
150027
150026
150026
150026
150026
150025
150025
150025
150025
150024
150024
150025
150025
150025
150025
150026
150026
150026
150027
150027
150027
150027
150027
150027
150027
150027
150026
150026
150026
150026
150026
150027
150027
150027
150028
150028
150028
150028
150028
150029
150029
150029
150029
150029
150029
150029
150029
150030
150030
150030
150030
150031
150031
150031
150031
150031
150031
150031
150031
150030
150030
150030
150030
150031
150031
150031
150031
150031
150031
150032
150032
150032
150032
150032
150032
150032
150032
150032
150032
150033
150033
150033
150033
150033
150033
150033
150033
150032
150032
150032
150032
150033
150033
150033
150033
150033
150033
150033
150033
150032
150032
150031
150031
150030
150029
150029
150029
150029
150029
150029
150028
150028
150028
150028
150027
150027
150026
150026
150025
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150025
150024
150024
150024
150023
150023
150024
150024
150024
150025
150025
150025
150025
150026
150026
150026
150026
150026
150026
150027
150027
150027
150027
150027
150027
150028
150028
150028
150028
150029
150029
150029
150029
150029
150030
150030
150031
150031
150031
150030
150030
150030
150030
150030
150030
150030
150029
150029
150029
150028
150028
150028
150028
150027
150026
150026
150026
150026
150027
150027
150027
150028
150028
150027
150027
150027
150026
150025
150025
150024
150023
150023
150023
150023
150023
150024
150024
150024
150024
150024
150024
150023
150022
150022
150022
150022
150023
150023
150023
150024
150023
150023
150024
150024
150024
150025
150025
150025
150025
150026
150026
150025
150026
150026
150026
150027
150027
150027
150027
150026
150025
150025
150025
150025
150025
150025
150026
150026
150026
150026
150027
150027
150027
150027
150027
150028
150028
150028
150028
150028
150028
150028
150029
150029
150029
150029
150030
150030
150030
150030
150030
150030
150031
150031
150032
150032
150032
150032
150032
150032
150033
150033
150033
150033
150033
150033
150033
150033
150032
150032
150032
150031
150031
150031
150031
150032
150032
150032
150033
150033
150033
150033
150033
150032
150032
150031
150031
150031
150030
150030
150030
150029
150029
150029
150029
150029
150029
150030
150030
150030
150030
150031
150031
150031
150031
150032
150032
150032
150031
150031
150031
150030
150030
150030
150031
150031
150031
150032
150032
150032
150032
150032
150033
150033
150033
150033
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150033
150034
150034
150034
150035
150034
150034
150034
150035
150035
150035
150035
150035
150035
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150036
150035
150035
150036
150036
150036
150036
150036
150036
150036
150036
150035
150035
150035
150035
150035
150034
150034
150034
150034
150033
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150034
150034
150034
150034
150034
150034
150034
150034
150034
150033
150033
150033
150033
150033
150032
150032
150032
150031
150031
150031
150030
150030
150030
150029
150029
150029
150028
150028
150027
150027
150027
150026
150027
150027
150026
150026
150025
150024
150025
150025
150026
150027
150027
150028
150028
150029
150029
150029
150029
150029
150028
150028
150027
150026
150027
150027
150028
150028
150029
150029
150030
150030
150030
150031
150031
150031
150031
150031
150030
150030
150030
150029
150030
150030
150030
150031
150031
150031
150032
150032
150032
150033
150032
150032
150032
150032
150032
150032
150032
150032
150031
150031
150030
150030
150030
150029
150029
150028
150028
150027
150026
150026
150025
150025
150024
150024
150023
150022
150022
150023
150021
150021
150020
150019
150018
150016
150016
150013
150013
150010
150010
150007
150008
150008
150011
150011
150014
150014
150017
150017
150019
150020
150020
150022
150023
150024
150024
150025
150023
150023
150022
150021
150021
150022
150020
150019
150019
150018
150018
150015
150015
150012
150012
150009
150008
150006
150005
150005
150004
150004
150001
150000
149997
149997
149996
149993
149994
149994
149994
149998
149998
150001
150002
150002
149999
149998
149995
149995
149991
149991
149991
149990
149990
149990
149986
149986
149985
149982
149982
149978
149979
149979
149982
149983
149983
149986
149987
149987
149984
149983
149980
149980
149979
149976
149976
149975
149975
149975
149974
149974
149974
149970
149971
149971
149968
149967
149967
149964
149964
149964
149965
149968
149971
149972
149972
149972
149969
149968
149968
149965
149965
149966
149962
149962
149962
149961
149961
149961
149961
149960
149957
149957
149954
149954
149954
149951
149951
149951
149951
149954
149954
149957
149958
149958
149955
149955
149952
149952
149949
149949
149948
149948
149948
149948
149947
149947
149947
149947
149947
149947
149947
149946
149946
149946
149944
149944
149941
149939
149939
149941
149941
149944
149944
149944
149944
149944
149942
149942
149941
149941
149939
149939
149937
149937
149937
149935
149935
149935
149933
149933
149933
149932
149932
149932
149932
149934
149935
149937
149937
149939
149939
149939
149937
149937
149935
149935
149934
149932
149933
149934
149934
149936
149936
149938
149940
149942
149944
149944
149945
149945
149942
149942
149942
149940
149940
149940
149941
149943
149945
149945
149946
149946
149943
149943
149943
149941
149941
149941
149939
149939
149939
149939
149938
149938
149938
149936
149936
149937
149935
149935
149935
149934
149933
149933
149932
149932
149931
149931
149931
149931
149931
149931
149930
149930
149929
149929
149929
149929
149929
149929
149929
149929
149930
149930
149930
149930
149930
149930
149929
149929
149930
149930
149930
149930
149931
149931
149931
149931
149930
149930
149930
149930
149930
149931
149931
149931
149932
149932
149933
149934
149934
149934
149935
149937
149937
149937
149938
149936
149936
149936
149934
149935
149935
149934
149934
149933
149933
149933
149932
149932
149932
149931
149931
149931
149931
149932
149932
149932
149933
149933
149933
149933
149932
149932
149932
149932
149931
149932
149932
149933
149933
149933
149934
149934
149935
149937
149938
149940
149942
149944
149946
149946
149947
149949
149950
149952
149953
149955
149958
149959
149959
149959
149956
149956
149956
149953
149953
149954
149954
149957
149960
149963
149966
149969
149972
149973
149976
149977
149977
149980
149981
149984
149988
149988
149988
149992
149992
149996
149996
149999
150003
150003
150006
150007
150009
150010
150013
150013
150016
150016
150017
150017
150015
150014
150014
150011
150010
150008
150007
150004
150003
150000
150000
149996
149997
149997
150001
150001
150004
150005
150008
150009
150012
150012
150013
150016
150018
150020
150022
150024
150025
150027
150027
150028
150028
150029
150029
150030
150030
150031
150031
150032
150031
150031
150030
150030
150029
150029
150028
150028
150026
150026
150025
150023
150023
150025
150026
150027
150027
150028
150029
150029
150030
150030
150031
150032
150032
150032
150033
150033
150033
150033
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150035
150036
150036
150036
150036
150035
150035
150035
150035
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150037
150037
150036
150037
150037
150037
150037
150037
150037
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150037
150037
150037
150037
150037
150037
150037
150037
150037
150037
150037
150037
150038
150038
150038
150038
150037
150037
150037
150037
150036
150036
150036
150035
150035
150035
150035
150035
150035
150035
150035
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150036
150036
150036
150035
150035
150035
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150037
150036
150036
150036
150037
150037
150037
150037
150037
150037
150037
150037
150037
150037
150037
150037
150038
150038
150038
150038
150037
150037
150037
150037
150037
150037
150037
150037
150036
150036
150035
150035
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150035
150035
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150036
150036
150036
150036
150036
150036
150036
150036
150036
150036
150037
150037
150037
150037
150037
150037
150037
150037
150036
150036
150037
150037
150037
150037
150037
150037
150037
150037
150038
150038
150038
150038
150038
150038
150038
150037
150037
150037
150038
150037
150038
150038
150038
150038
150038
150038
150038
150038
150038
150038
150039
150038
150038
150038
150039
150038
150039
150039
150038
150038
150038
150038
150038
150038
150038
150038
150038
150038
150038
150038
150038
150039
150039
150039
150038
150039
150039
150039
150039
150039
150039
150039
150039
150039
150040
150039
150039
150039
150039
150039
150039
150039
150039
150039
150038
150038
150038
150038
150039
150039
150039
150039
150039
150039
150040
150040
150039
150039
150039
150039
150039
150039
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150039
150039
150039
150039
150038
150038
150038
150038
150037
150037
150037
150037
150036
150036
150036
150035
150035
150035
150034
150034
150034
150034
150033
150033
150033
150033
150034
150034
150034
150034
150035
150035
150035
150035
150035
150035
150034
150034
150034
150033
150033
150033
150032
150033
150033
150033
150032
150032
150032
150032
150032
150033
150033
150034
150034
150034
150034
150035
150035
150035
150035
150034
150034
150034
150033
150034
150034
150034
150035
150035
150035
150035
150036
150036
150036
150036
150037
150037
150036
150036
150036
150036
150036
150037
150037
150037
150037
150037
150038
150038
150037
150037
150037
150037
150038
150038
150037
150037
150037
150036
150036
150036
150035
150036
150036
150036
150036
150035
150035
150035
150034
150034
150033
150033
150032
150032
150031
150031
150030
150030
150028
150028
150027
150027
150026
150025
150024
150022
150021
150021
150019
150019
150020
150017
150017
150016
150013
150014
150015
150015
150018
150020
150023
150023
150025
150026
150026
150025
150024
150022
150021
150019
150016
150017
150019
150020
150022
150023
150025
150027
150028
150029
150030
150031
150031
150030
150029
150028
150027
150026
150024
150025
150025
150027
150028
150030
150031
150032
150032
150033
150033
150032
150032
150031
150030
150031
150031
150030
150029
150029
150027
150026
150024
150023
150022
150021
150021
150018
150017
150014
150014
150013
150012
150012
150011
150010
150010
150009
150006
150006
150002
150002
149999
149998
149995
149994
149994
149993
149993
149989
149989
149985
149985
149985
149981
149982
149982
149979
149978
149978
149977
149974
149974
149973
149970
149969
149966
149967
149967
149970
149971
149971
149974
149975
149975
149972
149971
149968
149968
149967
149964
149964
149963
149963
149960
149960
149961
149958
149957
149957
149954
149955
149955
149955
149958
149961
149962
149965
149965
149965
149969
149969
149972
149976
149979
149982
149986
149986
149990
149990
149991
149987
149987
149983
149983
149979
149976
149977
149980
149980
149984
149984
149988
149991
149992
149995
149996
149999
150000
150003
150004
150007
150007
150008
150009
150005
150005
150004
150001
150000
149997
149996
149993
149992
149989
149988
149985
149985
149986
149989
149990
149993
149994
149997
149998
150001
150002
150003
150006
150009
150010
150011
150011
150008
150007
150007
150003
150004
150005
150001
150000
150000
149999
149999
149995
149994
149991
149990
149987
149986
149983
149982
149982
149981
149981
149977
149977
149974
149973
149973
149969
149970
149970
149971
149974
149975
149978
149978
149979
149976
149975
149972
149971
149968
149968
149967
149967
149966
149966
149963
149962
149962
149959
149959
149956
149956
149957
149960
149960
149960
149963
149964
149964
149961
149961
149958
149958
149957
149955
149954
149954
149953
149953
149952
149952
149952
149951
149951
149951
149950
149950
149947
149947
149945
149944
149944
149942
149942
149943
149943
149945
149945
149948
149948
149948
149946
149946
149944
149943
149941
149941
149941
149940
149940
149938
149939
149939
149938
149937
149937
149936
149936
149936
149937
149938
149939
149940
149940
149942
149942
149944
149944
149947
149949
149949
149950
149950
149948
149947
149947
149945
149945
149946
149946
149948
149950
149951
149951
149952
149950
149949
149949
149947
149947
149948
149946
149945
149945
149944
149944
149943
149943
149943
149941
149941
149939
149939
149938
149937
149937
149938
149938
149940
149940
149941
149942
149942
149941
149940
149939
149939
149938
149937
149937
149937
149936
149936
149935
149935
149935
149934
149934
149935
149934
149934
149933
149933
149934
149934
149934
149935
149935
149935
149936
149936
149936
149935
149935
149935
149935
149936
149936
149936
149937
149937
149938
149938
149939
149940
149940
149941
149943
149943
149944
149944
149943
149942
149942
149941
149941
149941
149941
149940
149940
149939
149938
149938
149938
149937
149937
149936
149937
149937
149938
149938
149938
149939
149939
149940
149939
149939
149939
149938
149939
149940
149940
149940
149941
149942
149943
149945
149946
149948
149950
149952
149953
149955
149956
149956
149959
149959
149962
149965
149965
149966
149969
149969
149972
149973
149976
149980
149980
149983
149984
149988
149988
149992
149992
149996
149996
149997
149998
149994
149993
149993
149989
149989
149985
149985
149981
149981
149977
149977
149974
149974
149975
149978
149979
149982
149982
149986
149986
149990
149991
149987
149984
149983
149980
149979
149976
149975
149972
149972
149971
149970
149970
149967
149966
149963
149963
149962
149960
149960
149961
149961
149964
149965
149967
149968
149969
149966
149965
149962
149962
149959
149959
149958
149958
149957
149957
149954
149954
149953
149951
149951
149948
149949
149949
149952
149952
149953
149955
149955
149956
149954
149953
149951
149951
149950
149948
149948
149947
149947
149945
149946
149946
149945
149944
149944
149942
149943
149943
149944
149945
149947
149947
149949
149949
149950
149952
149952
149954
149956
149957
149957
149960
149960
149963
149964
149966
149969
149970
149973
149973
149976
149977
149980
149981
149984
149988
149991
149995
149998
150002
150005
150009
150012
150015
150016
150019
150019
150020
150021
150022
150024
150025
150027
150028
150026
150023
150023
150020
150019
150018
150017
150017
150013
150013
150009
150006
150007
150010
150011
150014
150015
150016
150017
150017
150021
150021
150024
150027
150029
150031
150032
150033
150034
150034
150035
150035
150035
150036
150036
150036
150036
150037
150037
150038
150037
150037
150037
150036
150037
150037
150037
150037
150036
150036
150035
150035
150035
150034
150034
150033
150033
150034
150035
150035
150036
150036
150036
150037
150037
150036
150036
150035
150034
150034
150033
150032
150031
150030
150030
150031
150029
150028
150028
150025
150026
150027
150028
150030
150032
150033
150034
150035
150036
150036
150035
150035
150033
150033
150031
150029
150030
150032
150033
150034
150035
150036
150037
150037
150037
150037
150038
150038
150038
150038
150038
150038
150038
150038
150039
150039
150039
150039
150038
150038
150039
150039
150039
150039
150039
150039
150040
150040
150040
150040
150039
150039
150040
150040
150040
150040
150040
150039
150039
150039
150038
150038
150039
150039
150039
150038
150038
150038
150038
150039
150039
150039
150039
150040
150040
150040
150040
150040
150039
150039
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150041
150041
150041
150040
150041
150041
150041
150041
150041
150041
150041
150041
150040
150041
150041
150041
150040
150040
150040
150039
150039
150038
150038
150038
150037
150037
150036
150035
150035
150034
150034
150034
150033
150033
150033
150033
150033
150032
150032
150032
150031
150031
150031
150030
150029
150029
150028
150028
150028
150029
150029
150029
150030
150030
150029
150029
150029
150028
150028
150027
150027
150028
150028
150028
150029
150029
150029
150029
150029
150030
150030
150030
150030
150030
150031
150031
150031
150031
150032
150032
150032
150032
150033
150033
150033
150033
150034
150034
150034
150034
150034
150035
150035
150035
150035
150035
150034
150034
150034
150034
150034
150033
150033
150033
150032
150032
150032
150032
150031
150031
150030
150030
150030
150031
150031
150031
150032
150031
150031
150032
150032
150032
150032
150033
150033
150033
150034
150034
150034
150034
150035
150035
150035
150035
150035
150036
150036
150036
150037
150036
150036
150037
150037
150037
150038
150038
150038
150037
150037
150036
150036
150036
150035
150035
150035
150036
150036
150036
150036
150037
150037
150037
150037
150037
150036
150036
150036
150035
150035
150034
150034
150034
150033
150033
150033
150033
150032
150033
150033
150034
150034
150034
150034
150035
150035
150035
150036
150036
150036
150035
150035
150035
150034
150034
150034
150034
150035
150035
150035
150036
150036
150036
150036
150037
150037
150037
150037
150038
150038
150038
150038
150038
150038
150038
150038
150038
150039
150039
150039
150039
150039
150039
150039
150039
150039
150038
150038
150038
150038
150039
150039
150039
150039
150039
150039
150040
150040
150040
150040
150040
150040
150040
150040
150040
150040
150041
150041
150041
150041
150041
150041
150041
150041
150040
150040
150040
150040
150041
150041
150041
150041
150041
150041
150041
150041
150040
150040
150039
150039
150038
150038
150038
150037
150037
150037
150037
150037
150036
150036
150036
150035
150035
150034
150033
150033
150032
150032
150031
150030
150030
150029
150028
150028
150027
150026
150026
150025
150024
150024
150023
150022
150022
150021
150021
150021
150022
150022
150022
150023
150023
150022
150022
150021
150021
150021
150020
150020
150021
150021
150021
150022
150021
150021
150022
150022
150022
150023
150023
150023
150023
150024
150024
150024
150024
150025
150025
150025
150025
150025
150025
150024
150023
150023
150023
150022
150023
150023
150024
150024
150024
150024
150023
150023
150022
150021
150021
150020
150020
150019
150019
150019
150019
150020
150020
150021
150020
150020
150020
150019
150019
150018
150018
150018
150018
150018
150019
150019
150019
150018
150019
150019
150020
150020
150020
150021
150021
150022
150021
150021
150022
150022
150022
150023
150023
150022
150022
150021
150021
150020
150020
150019
150020
150020
150021
150021
150021
150020
150021
150021
150022
150022
150023
150023
150023
150024
150024
150025
150025
150025
150026
150026
150026
150027
150026
150026
150027
150027
150027
150028
150028
150027
150027
150026
150026
150026
150025
150025
150025
150026
150026
150027
150026
150026
150027
150027
150027
150028
150028
150028
150029
150029
150029
150029
150029
150030
150030
150031
150030
150030
150030
150029
150028
150028
150028
150027
150028
150028
150029
150029
150029
150029
150028
150027
150027
150026
150026
150025
150024
150024
150024
150023
150024
150024
150025
150025
150025
150024
150024
150023
150023
150022
150022
150021
150022
150022
150023
150023
150023
150022
150023
150023
150024
150024
150025
150025
150026
150026
150026
150025
150026
150027
150027
150028
150027
150027
150026
150026
150025
150024
150024
150023
150024
150024
150025
150025
150025
150024
150024
150023
150023
150022
150022
150021
150021
150020
150020
150019
150019
150019
150018
150018
150017
150017
150017
150016
150017
150017
150017
150018
150017
150017
150017
150016
150016
150016
150015
150015
150015
150015
150016
150016
150016
150015
150016
150016
150016
150017
150017
150018
150018
150019
150018
150018
150018
150018
150019
150019
150019
150018
150018
150018
150017
150017
150016
150016
150016
150017
150017
150017
150017
150016
150016
150016
150015
150015
150015
150015
150015
150014
150014
150014
150014
150014
150014
150015
150014
150014
150014
150014
150015
150015
150015
150014
150014
150015
150015
150015
150015
150014
150015
150015
150016
150016
150017
150017
150018
150018
150019
150019
150020
150020
150020
150019
150020
150020
150021
150021
150021
150020
150019
150019
150019
150018
150017
150017
150017
150018
150018
150019
150018
150017
150018
150018
150019
150020
150020
150021
150022
150022
150021
150021
150021
150022
150022
150023
150022
150022
150021
150020
150020
150019
150019
150018
150018
150019
150020
150020
150019
150019
150018
150018
150017
150017
150017
150017
150016
150016
150015
150015
150015
150016
150016
150016
150016
150015
150015
150016
150017
150017
150016
150015
150016
150016
150017
150017
150016
150016
150016
150017
150017
150018
150019
150020
150020
150021
150022
150023
150023
150024
150025
150025
150026
150027
150027
150028
150028
150029
150029
150030
150030
150030
150031
150031
150031
150032
150032
150031
150032
150032
150033
150033
150033
150033
150032
150032
150031
150031
150030
150030
150030
150031
150031
150032
150031
150031
150032
150032
150032
150033
150033
150033
150034
150034
150034
150034
150034
150035
150035
150035
150036
150036
150036
150037
150037
150037
150037
150038
150038
150038
150039
150039
150039
150039
150039
150038
150038
150038
150037
150037
150037
150036
150036
150036
150035
150035
150035
150034
150033
150033
150033
150032
150033
150033
150034
150034
150034
150033
150033
150032
150032
150031
150031
150030
150029
150029
150028
150028
150028
150029
150029
150030
150030
150029
150028
150028
150027
150027
150026
150025
150026
150027
150027
150028
150027
150026
150027
150028
150028
150029
150030
150030
150031
150031
150031
150030
150031
150031
150032
150032
150032
150031
150031
150030
150030
150029
150028
150027
150028
150029
150029
150030
150029
150029
150029
150030
150031
150031
150032
150033
150033
150034
150034
150034
150035
150035
150036
150036
150037
150037
150037
150038
150038
150038
150038
150038
150039
150039
150040
150040
150040
150040
150040
150040
150041
150041
150041
150041
150041
150041
150041
150040
150040
150039
150039
150039
150039
150038
150039
150039
150040
150040
150040
150041
150041
150040
150040
150040
150039
150039
150038
150038
150037
150037
150037
150036
150036
150035
150035
150035
150035
150036
150036
150036
150037
150037
150038
150038
150039
150039
150039
150039
150038
150038
150037
150037
150036
150036
150036
150037
150038
150038
150038
150039
150039
150039
150040
150040
150040
150041
150041
150041
150041
150041
150042
150042
150042
150042
150042
150042
150042
150041
150041
150041
150041
150041
150041
150041
150041
150041
150041
150041
150042
150041
150042
150041
150041
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150041
150041
150041
150041
150041
150041
150041
150041
150041
150041
150041
150041
150041
150042
150042
150041
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150041
150041
150041
150040
150040
150040
150039
150039
150039
150038
150038
150038
150038
150038
150038
150038
150037
150037
150038
150038
150038
150039
150039
150039
150039
150040
150040
150039
150039
150039
150039
150040
150039
150039
150039
150038
150038
150037
150036
150036
150036
150037
150036
150035
150034
150033
150031
150030
150028
150027
150026
150025
150024
150023
150022
150019
150018
150015
150014
150013
150012
150012
150008
150007
150004
150003
150003
149999
150000
150000
149997
149996
149995
149992
149993
149993
149994
149998
150001
150005
150006
150009
150010
150011
150007
150006
150003
150002
149998
149995
149996
149999
150000
150004
150004
150008
150012
150012
150016
150017
150020
150021
150018
150014
150013
150010
150009
150005
150006
150007
150011
150011
150015
150019
150022
150023
150024
150025
150022
150021
150020
150016
150017
150018
150014
150013
150012
150009
150008
150004
150003
150002
150001
150001
149997
149996
149993
149992
149991
149990
149990
149989
149988
149985
149986
149986
149983
149982
149982
149978
149978
149975
149974
149971
149970
149967
149967
149964
149965
149965
149968
149969
149972
149972
149975
149976
149979
149980
149980
149984
149987
149988
149988
149989
149986
149985
149984
149981
149982
149982
149979
149979
149978
149977
149976
149973
149973
149970
149969
149967
149966
149963
149963
149962
149962
149961
149959
149958
149956
149955
149955
149953
149953
149954
149954
149956
149957
149959
149960
149960
149958
149958
149956
149955
149953
149953
149952
149951
149951
149950
149949
149948
149948
149946
149946
149945
149945
149946
149947
149947
149948
149949
149950
149950
149949
149948
149947
149947
149946
149945
149945
149944
149944
149943
149943
149942
149942
149941
149941
149942
149941
149941
149940
149940
149941
149941
149942
149942
149942
149943
149943
149944
149944
149943
149942
149942
149943
149943
149944
149944
149945
149945
149946
149946
149947
149948
149948
149950
149951
149952
149952
149954
149954
149956
149957
149959
149961
149962
149964
149965
149967
149968
149971
149971
149974
149975
149975
149976
149973
149973
149972
149969
149968
149966
149965
149963
149962
149960
149959
149957
149958
149959
149961
149961
149963
149964
149967
149967
149970
149970
149971
149974
149977
149980
149983
149986
149990
149993
149994
149998
149999
149999
150000
150001
150005
150006
150010
150011
150007
150003
150002
149998
149998
149997
149996
149995
149991
149991
149987
149984
149985
149988
149989
149992
149993
149994
149995
149996
149999
150000
150004
150008
150012
150015
150019
150023
150026
150029
150030
150032
150033
150034
150035
150036
150037
150038
150039
150039
150038
150038
150037
150036
150037
150037
150038
150039
150040
150040
150040
150040
150040
150040
150041
150041
150041
150041
150040
150040
150041
150041
150041
150041
150041
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150041
150041
150041
150040
150040
150040
150041
150041
150040
150040
150039
150040
150040
150041
150041
150041
150042
150042
150042
150042
150042
150042
150041
150042
150042
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150042
150043
150043
150043
150043
150043
150043
150043
150043
150042
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150044
150044
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150043
150043
150043
150042
150042
150042
150042
150042
150042
150042
150042
150043
150043
150043
150043
150042
150042
150042
150042
150042
150042
150042
150042
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150043
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150043
150043
150044
150044
150044
150044
150044
150044
150045
150045
150045
150045
150045
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150044
150045
150045
150045
150045
150045
150045
150045
150045
150044
150045
150044
150044
150044
150043
150043
150043
150043
150043
150043
150044
150043
150043
150043
150043
150044
150044
150044
150044
150044
150044
150045
150045
150044
150044
150044
150044
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150046
150046
150046
150046
150046
150046
150045
150045
150045
150045
150045
150045
150045
150045
150045
150045
150046
150046
150046
150046
150046
150046
150046
150046
150046
150046
150046
150046
150045
150045
150045
150045
150044
150044
150044
150043
150043
150042
150042
150041
150041
150040
150039
150038
150037
150037
150036
150035
150034
150033
150032
150031
150028
150027
150024
150020
150021
150025
150026
150029
150030
150031
150032
150033
150030
150029
150028
150027
150023
150022
150018
150017
150016
150013
150014
150015
150011
150010
150009
150005
150006
150007
150008
150012
150016
150020
150021
150024
150026
150027
150023
150022
150018
150017
150013
150009
150010
150014
150015
150019
150020
150024
150028
150031
150034
150035
150036
150037
150035
150034
150033
150029
150031
150032
150033
150036
150038
150039
150040
150041
150039
150038
150037
150034
150036
150037
150034
150032
150031
150030
150028
150027
150026
150022
150023
150024
150020
150019
150017
150016
150012
150011
150007
150006
150005
150004
150003
150002
150001
149997
149996
149993
149992
149991
149990
149990
149986
149985
149982
149981
149981
149978
149978
149979
149976
149975
149975
149972
149973
149973
149974
149977
149980
149983
149984
149987
149988
149989
149985
149984
149981
149981
149978
149975
149975
149978
149979
149982
149983
149986
149989
149990
149994
149995
149998
149999
149996
149992
149991
149988
149987
149984
149984
149985
149989
149989
149993
149996
150000
150001
150002
150003
149999
149998
149997
149994
149995
149996
149992
149991
149990
149987
149986
149983
149982
149981
149981
149980
149977
149976
149974
149973
149972
149971
149971
149970
149969
149969
149968
149965
149965
149963
149962
149960
149959
149957
149957
149956
149956
149955
149953
149953
149951
149951
149950
149949
149950
149950
149949
149949
149948
149948
149947
149946
149946
149945
149945
149944
149945
149946
149946
149946
149947
149947
149948
149949
149948
149948
149947
149947
149946
149948
149949
149949
149949
149950
149951
149952
149953
149954
149955
149955
149954
149953
149952
149951
149950
149950
149950
149951
149952
149953
149953
149954
149956
149956
149958
149959
149961
149961
149963
149964
149966
149967
149967
149968
149966
149965
149965
149963
149962
149960
149959
149958
149957
149956
149955
149954
149955
149955
149956
149957
149958
149959
149961
149961
149963
149964
149965
149967
149969
149970
149970
149971
149969
149968
149967
149965
149966
149967
149965
149964
149963
149963
149962
149960
149960
149958
149958
149957
149956
149955
149954
149954
149953
149952
149952
149951
149951
149950
149949
149949
149950
149950
149951
149951
149952
149952
149953
149954
149953
149952
149952
149952
149953
149954
149954
149954
149955
149956
149956
149957
149958
149959
149960
149961
149962
149962
149963
149962
149961
149960
149959
149959
149958
149957
149956
149956
149955
149954
149954
149955
149955
149956
149956
149957
149958
149958
149959
149960
149961
149960
149959
149958
149958
149957
149957
149956
149957
149958
149958
149959
149960
149960
149961
149962
149964
149966
149967
149970
149972
149974
149975
149978
149979
149979
149980
149981
149984
149985
149988
149989
149986
149983
149982
149979
149978
149977
149977
149976
149973
149973
149970
149968
149969
149971
149972
149974
149975
149976
149976
149977
149980
149981
149983
149986
149990
149993
149997
150000
150004
150008
150009
150013
150015
150016
150017
150021
150026
150027
150028
150030
150026
150024
150023
150018
150020
150021
150017
150015
150014
150013
150012
150010
150006
150005
150001
149998
149999
150002
150004
150008
150009
150010
150011
150012
150008
150007
150006
150005
150001
150000
149996
149995
149994
149991
149992
149992
149989
149988
149987
149984
149985
149986
149987
149990
149993
149997
149998
150002
150003
150004
150000
149999
149995
149994
149991
149988
149989
149992
149993
149997
149998
150001
150005
150009
150014
150018
150023
150027
150031
150035
150038
150040
150042
150042
150043
150044
150043
150042
150041
150039
150040
150042
150042
150044
150044
150044
150045
150045
150045
150045
150044
150043
150044
150045
150044
150043
150042
150040
150039
150038
150036
150033
150034
150036
150032
150030
150029
150024
150026
150027
150029
150033
150037
150039
150040
150042
150038
150037
150035
150031
150032
150034
150036
150040
150043
150045
150045
150046
150045
150046
150046
150046
150046
150046
150046
150046
150046
150047
150047
150047
150046
150046
150046
150046
150046
150046
150046
150046
150046
150046
150047
150047
150047
150047
150047
150047
150047
150047
150046
150046
150046
150046
150046
150045
150045
150045
150044
150044
150043
150043
150042
150042
150041
150041
150041
150040
150040
150040
150039
150039
150038
150038
150038
150037
150037
150036
150035
150035
150034
150034
150033
150033
150033
150034
150034
150035
150034
150034
150033
150033
150032
150031
150031
150030
150030
150031
150032
150032
150032
150031
150032
150032
150033
150034
150034
150035
150036
150036
150036
150035
150036
150036
150037
150037
150038
150038
150039
150039
150040
150040
150040
150040
150041
150041
150042
150042
150042
150042
150041
150041
150040
150040
150040
150039
150039
150038
150038
150037
150037
150036
150036
150035
150034
150034
150033
150032
150033
150034
150034
150035
150034
150033
150033
150032
150031
150031
150030
150030
150029
150028
150028
150027
150027
150026
150026
150025
150025
150024
150023
150022
150023
150024
150024
150025
150024
150023
150022
150022
150022
150021
150020
150019
150019
150020
150021
150022
150021
150020
150020
150021
150022
150023
150024
150025
150025
150026
150025
150024
150025
150026
150026
150027
150026
150025
150024
150024
150023
150022
150021
150020
150021
150022
150023
150023
150022
150021
150020
150020
150019
150019
150019
150019
150018
150018
150017
150016
150016
150017
150018
150018
150017
150016
150017
150017
150018
150019
150018
150017
150017
150018
150019
150019
150018
150017
150017
150018
150019
150020
150021
150023
150024
150025
150026
150027
150028
150028
150027
150026
150027
150028
150029
150029
150028
150027
150026
150026
150025
150024
150023
150022
150022
150023
150024
150025
150024
150023
150023
150024
150025
150027
150028
150029
150030
150030
150029
150028
150029
150030
150031
150032
150031
150030
150028
150028
150027
150026
150025
150023
150024
150025
150027
150027
150026
150024
150023
150022
150022
150022
150021
150021
150021
150020
150019
150017
150018
150019
150020
150020
150019
150018
150018
150019
150020
150021
150019
150018
150018
150020
150021
150021
150020
150019
150019
150020
150022
150023
150025
150026
150028
150029
150030
150031
150032
150033
150034
150035
150036
150036
150037
150037
150038
150039
150039
150040
150040
150040
150041
150041
150042
150042
150042
150043
150043
150043
150043
150043
150043
150043
150044
150044
150044
150044
150044
150043
150043
150042
150042
150041
150041
150041
150041
150042
150042
150042
150043
150043
150043
150043
150042
150042
150041
150041
150040
150040
150039
150039
150038
150037
150037
150036
150035
150035
150035
150036
150037
150038
150038
150039
150039
150040
150040
150041
150040
150040
150039
150039
150038
150037
150037
150036
150037
150037
150038
150039
150039
150040
150041
150041
150041
150042
150042
150043
150043
150044
150044
150044
150044
150044
150044
150045
150045
150045
150045
150045
150045
150046
150046
150045
150045
150045
150044
150044
150044
150044
150044
150045
150045
150045
150045
150045
150045
150045
150046
150046
150046
150046
150046
150046
150046
150046
150046
150046
150046
150047
150047
150047
150047
150046
150046
150046
150046
150046
150046
150046
150046
150047
150047
150046
150046
150046
150045
150045
150045
150044
150044
150043
150043
150042
150042
150041
150041
150040
150039
150039
150038
150037
150036
150036
150035
150034
150034
150033
150032
150031
150031
150033
150034
150034
150033
150032
150031
150030
150030
150028
150027
150025
150026
150027
150029
150029
150028
150026
150027
150029
150030
150031
150033
150034
150035
150036
150034
150033
150034
150035
150036
150037
150038
150039
150039
150040
150041
150041
150042
150042
150043
150043
150044
150044
150044
150043
150043
150042
150042
150041
150041
150040
150039
150038
150038
150037
150036
150035
150034
150033
150032
150031
150029
150028
150028
150030
150031
150032
150031
150029
150027
150026
150026
150025
150025
150024
150024
150022
150021
150019
150019
150021
150023
150023
150021
150019
150020
150021
150023
150024
150022
150020
150020
150022
150024
150025
150023
150021
150021
150023
150025
150028
150030
150031
150033
150034
150035
150037
150037
150038
150039
150040
150041
150041
150042
150042
150043
150043
150044
150044
150045
150045
150045
150045
150045
150045
150046
150046
150046
150046
150045
150045
150044
150044
150043
150042
150042
150041
150042
150042
150043
150044
150044
150045
150044
150044
150043
150042
150042
150041
150040
150040
150039
150038
150037
150036
150035
150033
150032
150030
150031
150033
150034
150036
150036
150038
150039
150039
150040
150041
150040
150039
150038
150037
150036
150035
150033
150032
150032
150034
150035
150036
150038
150039
150040
150041
150042
150042
150043
150044
150044
150045
150045
150046
150046
150046
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150047
150048
150048
150047
150047
150047
150046
150045
150044
150045
150046
150044
150043
150041
150038
150039
150041
150043
150045
150047
150047
150048
150048
150048
150047
150046
150044
150045
150047
150044
150042
150041
150039
150037
150035
150033
150031
150029
150028
150026
150024
150023
150021
150020
150015
150017
150018
150013
150012
150011
150007
150008
150009
150010
150015
150020
150021
150023
150025
150020
150018
150016
150012
150013
150015
150010
150009
150008
150006
150005
150004
150003
149999
150000
150001
149997
149996
149995
149994
149991
149990
149987
149986
149985
149984
149983
149982
149981
149979
149978
149976
149975
149974
149973
149972
149970
149970
149968
149967
149966
149965
149965
149966
149965
149964
149963
149962
149963
149963
149964
149965
149967
149968
149969
149971
149972
149973
149971
149970
149968
149968
149966
149965
149966
149967
149968
149969
149970
149971
149973
149974
149976
149977
149980
149981
149978
149976
149975
149973
149972
149971
149971
149972
149974
149975
149977
149979
149981
149982
149983
149984
149981
149981
149980
149977
149978
149979
149977
149976
149975
149974
149973
149971
149971
149970
149969
149968
149967
149966
149965
149965
149964
149963
149962
149962
149961
149960
149961
149962
149961
149960
149960
149960
149959
149960
149961
149962
149962
149962
149963
149964
149965
149964
149963
149963
149962
149963
149964
149964
149965
149965
149966
149967
149968
149968
149969
149970
149971
149972
149973
149974
149975
149974
149972
149972
149970
149970
149969
149968
149967
149967
149966
149965
149965
149966
149966
149967
149967
149968
149969
149970
149970
149971
149972
149973
149974
149976
149978
149980
149982
149985
149988
149989
149992
149993
149994
149995
149998
150002
150003
150005
150006
150002
150001
150000
149996
149997
149998
150000
150003
150007
150012
150016
150021
150026
150028
150030
150032
150027
150025
150023
150018
150020
150022
150024
150029
150034
150036
150038
150040
150035
150033
150031
150026
150028
150030
150024
150022
150020
150019
150017
150015
150013
150009
150010
150012
150008
150006
150005
150001
150002
150003
150005
150009
150014
150015
150017
150019
150014
150012
150011
150006
150008
150010
150005
150004
150002
150001
150000
149998
149997
149996
149995
149994
149993
149992
149991
149990
149987
149986
149983
149981
149982
149984
149985
149988
149989
149990
149991
149992
149989
149988
149987
149986
149984
149983
149980
149980
149979
149977
149978
149979
149977
149976
149975
149974
149975
149975
149976
149978
149979
149981
149982
149984
149985
149986
149984
149983
149981
149980
149979
149977
149978
149979
149980
149982
149983
149985
149987
149990
149993
149994
149995
149996
149993
149992
149991
149988
149989
149990
149991
149994
149997
149999
150000
150001
149998
149997
149995
149992
149994
149995
149992
149991
149990
149989
149988
149987
149986
149984
149985
149986
149984
149983
149982
149981
149980
149979
149978
149977
149976
149975
149974
149974
149973
149972
149971
149971
149970
149969
149968
149968
149967
149967
149968
149969
149970
149970
149971
149971
149972
149973
149974
149973
149973
149972
149974
149974
149974
149975
149976
149977
149976
149975
149975
149974
149975
149976
149977
149977
149978
149978
149979
149981
149981
149982
149983
149985
149987
149988
149989
149990
149988
149987
149986
149984
149985
149986
149985
149984
149983
149982
149981
149980
149979
149978
149978
149978
149978
149979
149980
149980
149981
149982
149983
149984
149983
149982
149981
149980
149980
149979
149981
149982
149983
149983
149984
149984
149985
149987
149989
149991
149993
149996
149999
150003
150007
150011
150016
150021
150026
150032
150037
150042
150046
150048
150049
150048
150048
150048
150048
150048
150048
150048
150047
150047
150047
150047
150047
150047
150047
150047
150048
150048
150048
150048
150048
150048
150048
150048
150048
150049
150049
150049
150049
150049
150049
150049
150049
150049
150049
150049
150049
150049
150049
150050
150050
150050
150050
150049
150048
150047
150044
150046
150047
150043
150041
150039
150034
150036
150039
150041
150045
150048
150050
150050
150050
150050
150050
150050
150049
150049
150048
150048
150047
150047
150047
150047
150046
150047
150047
150047
150047
150047
150047
150047
150047
150046
150046
150045
150045
150045
150046
150046
150047
150046
150046
150046
150047
150047
150047
150048
150048
150048
150048
150048
150048
150049
150049
150049
150050
150050
150050
150049
150049
150048
150048
150047
150047
150048
150048
150048
150049
150049
150048
150049
150050
150050
150050
150051
150051
150051
150051
150051
150051
150050
150049
150047
150043
150045
150049
150050
150051
150051
150052
150052
150052
150052
150052
150052
150051
150049
150047
150043
150040
150038
150035
150033
150031
150028
150023
150025
150027
150022
150020
150018
150013
150015
150017
150019
150024
150029
150032
150034
150037
150031
150028
150026
150021
150023
150025
150027
150033
150039
150045
150047
150050
150051
150052
150053
150052
150051
150051
150051
150050
150052
150052
150052
150053
150053
150053
150053
150053
150052
150051
150050
150049
150044
150042
150036
150030
150032
150039
150041
150047
150049
150050
150052
150053
150050
150048
150046
150044
150038
150035
150029
150026
150024
150022
150020
150018
150016
150014
150012
150010
150009
150004
150006
150008
150004
150002
150001
149997
149999
150000
150002
150006
150010
150012
150013
150015
150011
150009
150007
150003
150005
150007
150003
150001
150000
149998
149997
149996
149994
149992
149993
149994
149992
149991
149990
149988
149989
149990
149991
149993
149995
149997
149998
150000
149997
149995
149994
149992
149993
149994
149996
149998
150002
150005
150009
150013
150017
150019
150021
150023
150019
150017
150015
150011
150013
150015
150016
150020
150025
150031
150034
150041
150043
150046
150048
150052
150053
150053
150052
150051
150050
150049
150048
150047
150047
150046
150045
150045
150044
150044
150043
150042
150041
150041
150039
150038
150037
150036
150034
150033
150031
150030
150030
150029
150028
150026
150024
150021
150022
150024
150027
150027
150025
150022
150022
150025
150028
150029
150026
150023
150023
150026
150029
150032
150033
150035
150036
150037
150039
150040
150041
150042
150043
150044
150044
150045
150044
150044
150043
150042
150041
150040
150038
150036
150036
150033
150031
150030
150027
150024
150024
150028
150028
150032
150034
150035
150037
150039
150040
150042
150042
150043
150044
150045
150045
150046
150045
150045
150045
150046
150047
150047
150047
150046
150045
150045
150044
150043
150042
150041
150040
150038
150039
150041
150041
150043
150044
150044
150043
150042
150041
150040
150038
150037
150036
150033
150032
150029
150025
150025
150026
150030
150031
150034
150035
150032
150027
150027
150028
150032
150036
150039
150039
150041
150042
150044
150045
150046
150047
150048
150048
150049
150049
150048
150049
150050
150051
150052
150051
150051
150050
150048
150047
150046
150045
150043
150045
150046
150048
150049
150048
150046
150047
150049
150051
150051
150052
150053
150053
150054
150054
150053
150054
150053
150053
150050
150052
150053
150053
150054
150053
150052
150051
150049
150050
150052
150053
150053
150053
150051
150049
150048
150047
150045
150044
150043
150041
150040
150038
150037
150033
150029
150030
150034
150035
150039
150040
150041
150037
150036
150031
150030
150033
150034
150039
150042
150044
150040
150035
150036
150041
150045
150046
150042
150038
150038
150043
150047
150049
150051
150052
150052
150052
150050
150048
150045
150043
150040
150037
150030
150028
150022
150018
150020
150025
150027
150033
150036
150039
150042
150045
150039
150036
150032
150030
150024
150022
150018
150016
150015
150013
150011
150009
150007
150004
150006
150008
150004
150002
150000
149997
149999
150001
150003
150006
150010
150011
150013
150015
150012
150010
150008
150005
150008
150010
150007
150005
150003
150000
149998
149997
149995
149994
149992
149991
149990
149989
149988
149987
149986
149985
149986
149987
149987
149986
149985
149984
149985
149986
149987
149988
149988
149989
149990
149991
149990
149989
149988
149988
149989
149990
149991
149991
149992
149993
149995
149996
149995
149994
149992
149992
149993
149994
149995
149996
149998
150000
150002
150005
150002
150000
149998
149997
149998
150000
150003
150005
150007
150009
150011
150014
150016
150020
150022
150026
150029
150032
150036
150042
150048
150050
150050
150050
150047
150046
150045
150039
150041
150042
150034
150033
150032
150029
150027
150024
150020
150018
150015
150013
150014
150017
150018
150022
150023
150025
150025
150025
150020
150020
150020
150019
150017
150016
150013
150012
150011
150009
150011
150012
150015
150011
150008
150006
150010
150011
150016
150017
150014
150014
150014
150017
150017
150017
150017
150019
150025
150034
150042
150046
150049
150046
150043
150038
150037
150041
150044
150040
150038
150033
150027
150030
150032
150023
150023
150021
150019
150019
150019
150017
150017
150017
150017
150015
150015
150014
150015
150014
150015
150014
150021
150014
150021
150020
150025
150014
150015
150013
150016
150015
150024
150019
150025
150021
150023
150013
150009
150023
150007
149730
149766
149953
149979
149998
149767
149825
149911
149853
149862
149783
149750
149825
149871
149933
149893
149960
149864
149879
149745
149777
149801
149919
149938
149965
149977
149967
149997
150012
149999
149879
149778
149862
149802
149861
149903
149863
149716
149805
149731
149799
149851
149549
149658
149566
149648
149713
149526
149611
149472
149562
149703
149680
149581
149435
149164
149319
149192
149300
149381
149549
149502
149325
148604
148941
148934
148099
148287
148680
148386
148413
148130
148014
148286
148418
148675
148481
148787
148228
147842
147989
148410
147623
146955
147139
150043
150046
150044
150045
150041
150034
150027
150015
150024
150034
150022
150020
150016
150015
150012
150010
150008
150008
150008
150008
150007
150003
150001
150001
150001
150002
150003
150004
150005
150006
150006
150006
150007
150007
150007
150007
150007
150007
150008
150008
150008
150008
150008
150008
150008
150008
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150011
150011
150011
150011
150011
150011
150011
150011
150011
150012
150012
150012
150012
150012
150012
150012
150012
150013
150013
150013
150013
150013
150013
150013
150013
150013
150014
150014
150014
150014
150014
150014
150014
150014
150015
150015
150015
150015
150015
150015
150015
150015
150015
150016
150016
150016
150016
150016
150016
150016
150016
150016
150017
150017
150017
150017
150017
150017
150017
150017
150017
150018
150018
150018
150018
150018
150018
150018
150019
150019
150019
150019
150019
150020
150020
150020
150021
150021
150022
150022
150023
150024
150025
150026
150026
150025
150022
150020
150018
150018
150018
150017
150017
150020
)
;
boundaryField
{
bottomEmptyFaces
{
type empty;
}
topEmptyFaces
{
type empty;
}
inlet
{
type calculated;
value nonuniform List<scalar>
159
(
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150018
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150017
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150016
150015
150015
150015
150015
150015
150015
150015
150015
150015
150015
150015
150015
150014
150014
150014
150014
150014
150014
150014
150014
150014
150014
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150013
150012
150012
150012
150012
150012
150012
150012
150012
150012
150012
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150011
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150010
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150009
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150008
150018
150007
150008
150008
)
;
}
outlet
{
type calculated;
value nonuniform List<scalar>
60
(
149937
149937
149937
149936
149935
149934
149933
149932
149931
149929
149927
149925
149923
149921
149918
149916
149912
149909
149905
149901
149897
149892
149887
149880
149874
149866
149857
149847
149836
149823
149807
149789
149768
149743
149714
149678
149635
149583
149520
149443
149350
149235
149093
148919
148697
148418
148030
147498
146138
147002
145824
145466
144680
143873
143227
141989
149937
134670
137861
139941
)
;
}
walls
{
type calculated;
value nonuniform List<scalar>
1732
(
126318
126431
126509
126618
126691
126791
126858
126954
127016
127105
127163
127248
127302
127382
127431
127508
127554
127626
127669
127739
127779
127844
127882
127945
127980
128039
128072
128130
128160
128214
128243
128295
128322
128371
128396
128444
128468
128513
128535
128579
128600
128641
128661
128701
128720
128758
128775
128812
128828
128863
128878
128912
128927
128959
128972
129004
129017
129047
129058
129088
129099
129127
129137
129164
129174
129200
129209
129234
129243
129267
129274
129298
129305
129328
129334
129356
129363
129384
129389
129410
129416
129435
129440
129460
129464
129483
129487
129505
129509
129526
129530
129547
129550
129567
129569
129585
129588
129603
129605
129621
129623
129638
129639
129654
129655
129669
129670
129684
129685
129698
129698
129712
129712
129725
129725
129738
129737
129750
129749
129761
129761
129773
129772
129784
129783
129794
129793
129804
129803
129814
129812
129823
129821
129832
129830
129841
129838
129849
129846
129857
129854
129864
129862
129872
129869
129879
129876
129886
129883
129892
129889
129899
129895
129904
129901
129910
129907
129916
129912
129921
129918
129926
129922
129931
129928
129936
129932
129941
129937
129945
129941
129949
129945
129953
129949
129957
129953
129961
129956
129964
129960
129968
129963
129971
129967
129974
129969
129977
129973
129980
129975
129983
129978
129986
129980
129988
129983
129990
129985
129993
129988
129995
129990
129997
129992
129999
129994
130001
129996
130003
129997
130005
129999
130006
130001
130008
130002
130009
130004
130011
130005
130012
130006
130013
130008
130014
130009
130016
130010
130017
130011
130018
130012
130018
130013
130019
130014
130020
130014
130021
130015
130022
130016
130022
130016
130023
130017
130023
130017
130024
130018
130024
130018
130024
130018
130025
130019
130025
130019
130025
130019
130025
130019
130026
130019
130026
130019
130026
130020
130026
130019
130026
130019
130025
130019
130025
130019
130025
130019
130025
130019
130025
130018
130024
130018
130024
130018
130024
130018
130023
130017
130023
130017
130022
130016
130022
130016
130021
130015
130021
130014
130020
130014
130020
130013
130019
130012
130018
130012
130017
130011
130016
130010
130015
130009
130015
130008
130014
130007
130012
130006
130011
130005
130010
130003
130009
130002
130007
130001
130006
129999
130004
129997
130002
129995
130001
129993
129998
129991
129996
129989
129994
129986
129991
129984
129988
129980
129985
129977
129982
129974
129978
129970
129974
129966
129970
129962
129966
129958
129962
129953
129957
129948
129952
129943
129946
129937
129940
129930
129932
129920
129922
129909
129911
129904
129928
129997
130069
145564
145517
145500
145435
145334
145374
145314
145542
145469
145956
145894
146012
145967
145989
145922
146057
146216
146260
146136
146079
146150
146096
146066
146073
145689
145732
145688
145833
145755
145848
145879
145760
145699
145779
145743
145639
145586
145594
145533
145737
145511
145889
146087
145978
147787
147849
147583
147682
147627
147681
147741
147685
147662
147758
147729
147773
147705
147859
147834
147783
147725
147421
147409
147485
147496
147436
147578
147310
147340
147200
147114
147155
147094
147173
147124
147185
147135
147271
147197
147235
147119
147010
147282
147234
147360
147361
147313
147476
147472
147292
147352
147281
147205
147411
147421
147367
147563
147505
147646
147578
147638
147522
147604
147469
147707
147599
147469
147491
147439
147514
147436
147540
147390
147280
147651
147487
147412
146434
146260
146068
146612
146562
146687
146556
146658
146592
146557
146501
146421
146424
146343
146448
146400
146482
146418
146590
146530
146911
146861
146850
146802
146817
146678
146571
146878
146835
146966
146905
146991
146934
147022
147133
147056
147081
147064
147000
147037
147250
147163
146929
146958
146891
146984
146706
146684
146732
146658
146755
146690
146763
146673
146577
146683
146314
146233
146179
146101
146239
146078
146277
146044
145984
146374
146297
146334
146284
146398
146221
147077
147176
147946
148036
148012
148075
148109
148117
148042
148088
147918
148035
148047
147873
148038
148101
148060
148156
148204
148180
148172
148192
148006
148218
148001
148178
148230
148037
148210
148249
148132
148091
148099
148146
148015
148124
148138
148230
148158
148213
148044
148221
148179
148208
148242
148136
148182
148076
148257
148183
148085
148207
148118
148188
148238
148051
148099
148261
148169
148097
148074
148131
148061
148131
148182
147920
148118
148054
148111
148095
148104
148048
147939
148135
148058
147969
148070
148173
148126
148158
148166
148058
148222
148244
148229
148235
148235
148269
148127
148269
148105
148255
148273
148255
148278
148094
148264
148238
148236
148300
148242
148273
148112
148257
148186
148342
148065
148219
148261
148271
148238
148240
148263
148266
148264
148313
148223
148257
148278
148249
148303
148206
148224
148237
148065
148253
148079
148211
148244
148223
148258
148266
148204
148234
148198
148203
148153
148329
148260
148229
147901
147956
147995
147851
148112
148001
148268
148271
148772
149027
149581
150075
150316
150412
150422
150407
150295
150320
150207
150103
150194
147939
147885
147984
147910
147981
147975
147998
147977
147949
148069
150036
149956
149913
149888
149828
149776
149762
149736
149664
149778
149648
149629
149581
149503
149552
149525
149500
149494
149386
149456
149419
149414
149406
149310
149371
149355
149342
149325
149316
149330
149216
149289
149262
149257
149229
149245
149250
149232
149210
149203
149186
149173
149173
149186
149081
149157
149145
149137
149124
149114
149106
149095
149125
148999
149102
149084
149074
149067
149063
149053
149042
149029
149036
149074
148942
149036
149024
149014
149010
149005
148996
148984
148982
148974
148969
148960
148950
148935
149000
148895
148979
148961
148951
148945
148939
148937
148934
148927
148921
148921
148920
148916
148915
148919
148921
148924
148925
148932
148938
148943
148947
148951
148954
148958
148961
148963
148966
148969
147910
147879
147895
147842
147912
147852
148066
148043
147985
147981
147911
148060
147760
148060
148123
147821
148067
147969
148132
147830
148009
147977
147927
147889
148031
147982
147894
147882
147817
147872
147759
147674
147823
147774
147828
147768
147923
147681
148971
148973
148975
148977
148979
148980
148982
148983
148985
148986
148987
148988
148989
148990
148991
148992
148993
148993
148994
148995
148995
148996
148997
148997
148998
148998
148999
148999
148999
149000
149000
149001
149001
149001
149002
149002
149002
149002
149003
149003
149003
149003
149003
149004
149004
149004
149004
149004
149004
149004
149004
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149005
149004
149004
149004
149004
149004
149004
149004
149004
149004
149004
149004
149004
149003
149003
149003
149003
149003
149003
149003
149003
149002
149002
149002
149002
149002
149002
149002
149002
149001
149001
149001
149001
149001
149001
149000
149000
149000
149000
149000
148999
148999
148999
148999
149000
149000
148999
148999
149000
149002
142485
142438
142316
142905
142840
142951
142923
142941
142842
142678
142612
142739
142652
142570
142489
142595
142563
142836
142752
142654
140021
140166
140094
140105
140051
136903
136523
136498
136735
136584
138155
138012
137813
137599
137369
137569
137552
137396
137630
137789
137147
137139
137378
137507
137416
137269
137200
136980
136966
139181
138511
138737
138670
138617
138542
138892
138982
138850
139007
138845
138966
138927
138827
138645
139673
139774
139745
139466
139454
139312
139321
139620
139508
139877
139828
139942
139879
138278
138249
138438
138344
141446
141243
141081
141367
141235
141634
141568
141828
141836
141798
141679
141659
141523
141461
141114
141039
140881
140911
140829
140806
140752
140653
140951
140917
140206
140373
140351
140498
140477
140608
140598
140216
139973
141147
141084
141241
141115
142114
141911
141831
141986
141913
142016
141957
142091
141965
142200
142175
142167
142072
142344
142292
134201
135304
134806
134842
135094
134906
134531
134020
134087
134237
134009
133322
132879
133080
132948
131532
132037
131923
131857
131729
131663
132019
131670
132036
132142
131939
132185
132506
133862
133681
133630
134011
133908
134109
133968
133489
133505
129701
130287
129832
129766
129658
129295
129826
129348
129276
128939
128807
127479
126906
126236
128553
127955
128088
129600
129378
129319
127167
126981
126751
126086
125341
125420
126743
126318
126365
124319
124494
124255
123518
124390
124132
123802
123627
124395
124009
123131
127127
127260
127051
131066
131291
131196
130668
130665
121622
121587
121393
121423
120971
119715
117630
118341
117145
120160
120321
118980
118953
118843
118389
118422
117961
116510
114413
116668
114836
117068
117004
116734
116295
116121
116368
114690
115050
113252
116250
115631
114725
115542
116770
117516
117447
118019
119061
119956
120571
121103
121533
121963
122321
122683
122978
123285
123531
123793
124001
124230
144835
144766
144875
144809
124409
124612
124768
124951
125088
125255
125378
125531
125642
125785
125886
126018
126111
126233
121745
122512
122924
120069
121442
120408
144145
144089
144244
144221
144026
144189
144101
144313
144252
144363
144297
136009
144425
144355
144453
144384
135698
135583
135486
135866
135774
135914
135772
144666
144612
136279
144593
144546
144541
144474
144347
144619
144582
135967
135885
136031
144771
144806
144562
144728
144637
135896
135443
135371
143570
143500
143468
143375
143249
143336
143262
143509
143461
143757
143699
143793
143743
144072
144006
144015
143899
143785
143856
143813
143919
143826
143670
143599
143432
143605
143533
143129
143192
143126
143235
143173
143309
143247
143090
142951
144090
144038
145140
145089
145211
145158
145172
145135
145052
144983
144995
145184
145076
144917
144846
144949
144889
145112
145037
145286
145334
145280
145351
145306
145388
145324
145321
145116
130086
149002
148232
148225
148218
148211
148206
148200
148197
148192
148189
148185
148183
148180
148178
148176
148175
148173
148172
148170
148170
148169
148168
148167
148167
148167
148167
148166
148167
148167
148167
148167
148168
148168
148169
148169
148171
148171
148172
148173
148175
148175
148177
148178
148180
148181
148183
148184
148186
148188
148190
148191
148194
148196
148198
148200
148203
148204
148207
148209
148212
148214
148218
148220
148223
148225
148229
148231
148235
148237
148241
148243
148247
148250
148254
148257
148261
148264
148268
148271
148276
148279
148283
148286
148291
148294
148299
148303
148308
148311
148317
148320
148325
148329
148335
148339
148344
148348
148354
148358
148364
148368
148374
148379
148385
148389
148396
148400
148407
148412
148418
148423
148430
148435
148442
148447
148454
148460
148467
148472
148480
148485
148493
148499
148506
148512
148520
148526
148534
148540
148548
148555
148563
148570
148578
148585
148593
148600
148608
148615
148624
148631
148640
148647
148656
148664
148673
148680
148689
148697
148706
148714
148723
148731
148741
148749
148758
148766
148775
148783
148793
148801
148811
148819
148828
148836
148846
148854
148863
148871
148881
148888
148898
148906
148915
148922
148931
148939
148948
148955
148964
148971
148979
148986
148994
149001
149008
149015
149022
149028
149035
149040
149047
149052
149058
149063
149069
149073
149078
149082
149087
149090
149094
149097
149101
149103
149106
149108
149111
149112
149114
149115
149116
149117
149118
149118
149118
149118
149118
149118
149117
149116
149116
149114
149113
149112
149111
149108
149107
149105
149104
149101
149100
149097
149095
149093
149091
149088
149087
149084
149082
149079
149078
149075
149073
149071
149069
149066
149065
149062
149061
149058
149057
149055
149053
149051
149050
149048
149046
149044
149043
149041
149041
149039
149038
149036
149035
149034
149033
149031
149031
149029
149029
149027
149027
149025
149025
149024
149023
149022
149022
149020
149020
149019
149019
149017
149017
149016
149016
149015
149015
149014
149014
149013
149012
149011
149011
149010
149010
149009
149009
149008
149008
149007
149007
149006
149006
149005
149005
149003
149004
149002
149002
149001
149003
149004
149003
149002
148250
149002
)
;
}
rightWall
{
type calculated;
value nonuniform List<scalar>
51
(
149771
149875
149931
149956
149964
149981
149994
150004
150012
150021
150027
150032
150035
150038
150040
150041
150042
150042
150042
150041
150040
150039
150038
150036
150034
150032
150029
150027
150023
150020
150016
150011
150006
150000
149994
149986
149978
149967
149956
149939
149923
149896
149877
149851
149793
149273
149522
149662
149117
149384
149570
)
;
}
symmetryLine
{
type symmetryPlane;
}
}
// ************************************************************************* //
| [
"[email protected]"
] | ||
3dd11fb2997facfc68d20f3a70974943eb7363c1 | 1e9e30be02490012735fac38ea70605ccdc127fd | /src/IThreadPoolItemBase.cpp | bc4bd2875ddf2e5efe2cd05ab2d5bf4962d7b069 | [
"MIT"
] | permissive | mosjin/ThreadPool | daacca634610f235514c66d048712fbb781fd8f7 | c7730258ad118ebcf0f50da04450b611c745a98e | refs/heads/master | 2020-05-03T18:17:34.155835 | 2019-03-31T06:59:53 | 2019-03-31T07:04:11 | 178,759,500 | 2 | 0 | null | 2019-04-01T00:48:11 | 2019-04-01T00:48:10 | null | UTF-8 | C++ | false | false | 1,474 | cpp | #include"../header/IThreadPoolItemBase.hpp"
#include<future>
#include<utility> //forward, move
#include"../../lib/header/thread/CSemaphore.hpp"
using namespace std;
namespace nThread
{
struct IThreadPoolItemBase::Impl
{
static IThreadPoolItemBase::id class_id;
bool alive;
CSemaphore wait; //to wake up thr
future<void> fut; //must destroying before alive and wait
const IThreadPoolItemBase::id id;
function<void()> func;
Impl();
template<class FuncFwdRef>
void exec(FuncFwdRef &&val)
{
func=forward<decltype(val)>(val);
wake();
}
inline void wake()
{
wait.signal();
}
~Impl();
};
IThreadPoolItemBase::Impl::Impl()
:alive{true},fut{async(launch::async,[this]{
while(wait.wait(),alive)
func();
})},id{class_id++}{}
IThreadPoolItemBase::Impl::~Impl()
{
alive=false;
wake();
}
IThreadPoolItemBase::IThreadPoolItemBase()=default;
IThreadPoolItemBase::IThreadPoolItemBase(IThreadPoolItemBase &&val) noexcept=default;
IThreadPoolItemBase::id IThreadPoolItemBase::get_id() const noexcept
{
return impl_->id;
}
void IThreadPoolItemBase::exec_(const function<void()> &val)
{
impl_->exec(val);
}
void IThreadPoolItemBase::exec_(function<void()> &&val)
{
impl_->exec(move(val));
}
IThreadPoolItemBase& IThreadPoolItemBase::operator=(IThreadPoolItemBase &&) noexcept=default;
IThreadPoolItemBase::~IThreadPoolItemBase()=default;
IThreadPoolItemBase::id IThreadPoolItemBase::Impl::class_id{0};
} | [
"[email protected]"
] | |
37f98c3ec284c05443a69e1029b6dc3a5310ea66 | f7d539aab069f87238108f7db64e8d61d53f7d5c | /src/Unit1.h | 83cd0f9876c9e34c55a67e06ed37a0942081c74a | [] | no_license | dzmat/dslam_tester | 225ca2c74af0325dda364adc6a773e08b474aef0 | 095741f2823b930c701a2ff43dc72fdb08edfff9 | refs/heads/master | 2021-07-19T12:09:33.815757 | 2021-02-02T03:03:53 | 2021-02-02T03:03:53 | 98,995,719 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,050 | h | // (c) [email protected] 2015-2017 --------------------------------------------
#ifndef Unit1H
#define Unit1H
//---------------------------------------------------------------------------
#include <Classes.hpp>
#include <Controls.hpp>
#include <StdCtrls.hpp>
#include <Forms.hpp>
#include <ExtCtrls.hpp>
#include <ComCtrls.hpp>
#include <Buttons.hpp>
#include <Dialogs.hpp>
//---------------------------------------------------------------------------
class TForm1 : public TForm
{
__published: // IDE-managed Components
TButton *btOpenLPT;
TMemo *Memo1;
TEdit *Edit1;
TButton *btWriteLPT;
TButton *btCloseLPT;
TButton *btLEDtest;
TButton *btNextPort;
TTimer *Timer1;
TScrollBox *ScrollBox1;
TEdit *Estart;
TLabel *Label1;
TEdit *Eend;
TLabel *Label2;
TButton *btGenerateTasks;
TTimer *Timer_heartbeat;
TLabel *Label3;
TLabel *LTaskCount;
TButton *btOpenCOM;
TButton *btCloseCOM;
TButton *bt_SendCommand;
TButton *bt_Profile8;
TComboBox *ComboBox1;
TButton *btExport;
TButton *btImport;
TPageControl *PageControl1;
TTabSheet *PagePorts;
TTabSheet *PageTasks;
TGroupBox *GroupBox1;
TGroupBox *GroupBox2;
TTabSheet *PageResults;
TTabSheet *PageLog;
TMemo *Memo2;
TButton *Button1_64;
TButton *Button1_16;
TButton *Button33_48;
TButton *Button49_64;
TButton *Button17_32;
TButton *bt_SendCommands;
TMemo *Memo_Commands;
TButton *btClearQueue;
TLabeledEdit *LabeledEdit1;
TLabeledEdit *LabeledEdit2;
TLabeledEdit *LabeledEdit3;
TLabeledEdit *LabeledEdit4;
TLabeledEdit *LabeledEdit5;
TLabeledEdit *LabeledEdit6;
TButton *btApplyLimits;
TOpenDialog *OpenDialog1;
TSaveDialog *SaveDialog1;
void __fastcall btOpenLPTClick(TObject *Sender);
void __fastcall btWriteLPTClick(TObject *Sender);
void __fastcall btLEDtestClick(TObject *Sender);
void __fastcall btCloseLPTClick(TObject *Sender);
void __fastcall btNextPortClick(TObject *Sender);
void __fastcall PortCheckClick(TObject *Sender);
void __fastcall PortSelectClick(TObject *Sender);
void __fastcall Timer1Timer(TObject *Sender);
void __fastcall FormCreate(TObject *Sender);
void __fastcall FormDestroy(TObject *Sender);
void __fastcall btGenerateTasksClick(TObject *Sender);
void __fastcall Timer_heartbeatTimer(TObject *Sender);
void __fastcall btCloseCOMClick(TObject *Sender);
void __fastcall btOpenCOMClick(TObject *Sender);
void __fastcall bt_SendCommandClick(TObject *Sender);
void __fastcall bt_Profile8Click(TObject *Sender);
void __fastcall btExportClick(TObject *Sender);
void __fastcall ScrollBox1MouseWheelDown(TObject *Sender,
TShiftState Shift, TPoint &MousePos, bool &Handled);
void __fastcall ScrollBox1MouseWheelUp(TObject *Sender,
TShiftState Shift, TPoint &MousePos, bool &Handled);
void __fastcall FormMouseWheel(TObject *Sender, TShiftState Shift,
int WheelDelta, TPoint &MousePos, bool &Handled);
void __fastcall btImportClick(TObject *Sender);
void __fastcall Button1_64Click(TObject *Sender);
void __fastcall Button1_16Click(TObject *Sender);
void __fastcall Button17_32Click(TObject *Sender);
void __fastcall Button33_48Click(TObject *Sender);
void __fastcall Button49_64Click(TObject *Sender);
void __fastcall bt_SendCommandsClick(TObject *Sender);
void __fastcall btClearQueueClick(TObject *Sender);
void __fastcall LabeledEditParamChange(TObject *Sender);
void __fastcall btApplyLimitsClick(TObject *Sender);
private:
unsigned char current_port;
bool get_input_port_range(int& start, int& end); // User declarations
public: // User declarations
__fastcall TForm1(TComponent* Owner);
void set_port(unsigned char p);
};
//---------------------------------------------------------------------------
extern PACKAGE TForm1 *Form1;
//---------------------------------------------------------------------------
#endif
| [
"[email protected]"
] | |
501a86d223fe1a003e4bfec21e44b2edc1be2dfc | 4fe0d37eb4810d3aa5fca50a60bd8f57c2558673 | /src/navigation/map_server/src/multi_map_saver.cpp | 4712c8c84c5b16b9058f8dd4c5477b1a6f35cd55 | [] | no_license | jim1949/gpsbot_ws | f0aa961472d65633f1d385426e6e0fd489a8e104 | 0dfa36223620ae226f6a40735179b6cae265693d | refs/heads/master | 2021-05-07T05:55:08.584882 | 2017-11-22T08:45:06 | 2017-11-22T08:45:06 | 103,118,141 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 5,868 | cpp | /*
* map_saver
* Copyright (c) 2008, Willow Garage, Inc.
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above copyright
* notice, this list of conditions and the following disclaimer in the
* documentation and/or other materials provided with the distribution.
* * Neither the name of the <ORGANIZATION> nor the names of its
* contributors may be used to endorse or promote products derived from
* this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
* AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
* IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
* ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
* LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
* CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
* SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
* INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
* CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
* ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
* POSSIBILITY OF SUCH DAMAGE.
/**
# @Date : 2017-07-11 16:44:33
# @Author : Jian Jiao ([email protected])
# @Link : http://github.com/jim1949
# @Version : 2
*Here we change the code from map_saver to save the map frequently to the server.(default frequency is 1 HZ).
*/
#include <cstdio>
#include "ros/ros.h"
#include "ros/console.h"
#include "nav_msgs/GetMap.h"
#include "tf/LinearMath/Matrix3x3.h"
#include "geometry_msgs/Quaternion.h"
#include "std_msgs/Int32.h"
#include <sstream>
using namespace std;
/**
* @brief Map generation node.
*/
class MapGenerator
{
public:
MapGenerator(const std::string& mapname) : mapname_(mapname), saved_map_(false)
{
ros::NodeHandle n;
ROS_INFO("Waiting for the map");
map_sub_ = n.subscribe("map", 1, &MapGenerator::mapCallback, this);
// map_status_pub_=n.advertise<std_msgs::Int32>("map_status", 100);
}
void mapCallback(const nav_msgs::OccupancyGridConstPtr& map)
{
ROS_INFO("Received a %d X %d map @ %.3f m/pix",
map->info.width,
map->info.height,
map->info.resolution);
std::string mapdatafile = mapname_ + ".pgm";
ROS_INFO("Writing map occupancy data to %s", mapdatafile.c_str());
FILE* out = fopen(mapdatafile.c_str(), "w");
if (!out)
{
ROS_ERROR("Couldn't save map file to %s", mapdatafile.c_str());
return;
}
fprintf(out, "P5\n# CREATOR: Map_generator.cpp %.3f m/pix\n%d %d\n255\n",
map->info.resolution, map->info.width, map->info.height);
for(unsigned int y = 0; y < map->info.height; y++) {
for(unsigned int x = 0; x < map->info.width; x++) {
unsigned int i = x + (map->info.height - y - 1) * map->info.width;
if (map->data[i] == 0) { //occ [0,0.1)
fputc(254, out);
} else if (map->data[i] == +100) { //occ (0.65,1]
fputc(000, out);
} else { //occ [0.1,0.65]
fputc(205, out);
}
}
}
fclose(out);
std::string mapmetadatafile = mapname_ + ".yaml";
ROS_INFO("Writing map occupancy data to %s", mapmetadatafile.c_str());
FILE* yaml = fopen(mapmetadatafile.c_str(), "w");
/*
resolution: 0.100000
origin: [0.000000, 0.000000, 0.000000]
#
negate: 0
occupied_thresh: 0.65
free_thresh: 0.196
*/
geometry_msgs::Quaternion orientation = map->info.origin.orientation;
tf::Matrix3x3 mat(tf::Quaternion(orientation.x, orientation.y, orientation.z, orientation.w));
double yaw, pitch, roll;
mat.getEulerYPR(yaw, pitch, roll);
fprintf(yaml, "image: %s\nresolution: %f\norigin: [%f, %f, %f]\nnegate: 0\noccupied_thresh: 0.65\nfree_thresh: 0.196\n\n",
mapdatafile.c_str(), map->info.resolution, map->info.origin.position.x, map->info.origin.position.y, yaw);
fclose(yaml);
// std_msgs::Int32 msg;
// //The message of 1 represents the map is drawn already.
// msg.data=1;
// map_status_pub_.publish(msg);
// msg.data=0;
ROS_INFO("Done\n");
saved_map_ = true;
}
std::string mapname_;
ros::Subscriber map_sub_;
// ros::Publisher map_status_pub_;
bool saved_map_;
};
#define USAGE "Usage: \n" \
" map_saver -h\n"\
" map_saver [-f <mapname>] [ROS remapping args]"
int main(int argc, char** argv)
{
ros::init(argc, argv, "map_saver");
std::string mapname = "/var/www/map";
ros::Rate loop_rate(1);
int count=1;
for(int i=1; i<argc; i++)
{
if(!strcmp(argv[i], "-h"))
{
puts(USAGE);
return 0;
}
else if(!strcmp(argv[i], "-f"))
{
if(++i < argc)
mapname = argv[i];
else
{
puts(USAGE);
return 1;
}
}
else
{
puts(USAGE);
return 1;
}
}
if(*mapname.rbegin() == '/')
mapname += "map";
// MapGenerator mg(mapname);
// while(ros::ok())
// {
// while(!mg.saved_map_ )
// // loop_rate.sleep();
// ros::spinOnce();
// }
// printf("Count:%d",count++);
// return 0;
MapGenerator mg(mapname);
while(!mg.saved_map_ && ros::ok())
ros::spinOnce();
printf("hehe");
return 0;
}
| [
"[email protected]"
] | |
901c5919fd3ab6fe3f588e66ab09127e47d8d6c2 | 293d62b2afbcfe0ca3f06f21320022afd802cafe | /RenderCore/render/core/rendering/RenderLayerStackingNodeIterator.cpp | cdde01cd7bb4a4c5db7da01043213c8d3de94faa | [
"Apache-2.0"
] | permissive | pouloghost/weexuikit | 9b2e911a3cc34f3b8ab9cf0b3c9e57d245583a4e | 2eaf54e4c1f4a1c94398b0990ad9767e3ffb9213 | refs/heads/master | 2022-02-20T05:49:23.025281 | 2019-08-14T03:17:52 | 2019-08-14T03:17:52 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,816 | cpp | /*
* Copyright (C) 2013 Google Inc. All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are
* met:
*
* * Redistributions of source code must retain the above copyright
* notice, this list of conditions and the following disclaimer.
* * Redistributions in binary form must reproduce the above
* copyright notice, this list of conditions and the following disclaimer
* in the documentation and/or other materials provided with the
* distribution.
* * Neither the name of Google Inc. nor the names of its
* contributors may be used to endorse or promote products derived from
* this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
* "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
* LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
* A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
* OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
* SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
* LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
* THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
* (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
* OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#include "render/core/rendering/RenderLayerStackingNodeIterator.h"
#include "render/core/rendering/RenderLayer.h"
#include "render/core/rendering/RenderLayerStackingNode.h"
namespace blink {
RenderLayerStackingNode* RenderLayerStackingNodeIterator::next() {
if (m_remainingChildren & NormalFlowChildren) {
Vector<RenderLayerStackingNode*>* normalFlowList = m_root.normalFlowList();
if (normalFlowList && m_index < normalFlowList->size())
return normalFlowList->at(m_index++);
m_index = 0;
m_remainingChildren &= ~NormalFlowChildren;
}
if (m_remainingChildren & PositiveZOrderChildren) {
Vector<RenderLayerStackingNode*>* zOrderList = m_root.zOrderList();
if (zOrderList && m_index < zOrderList->size())
return zOrderList->at(m_index++);
m_index = 0;
m_remainingChildren &= ~PositiveZOrderChildren;
}
return 0;
}
RenderLayerStackingNode* RenderLayerStackingNodeReverseIterator::next() {
if (m_remainingChildren & NormalFlowChildren) {
Vector<RenderLayerStackingNode*>* normalFlowList = m_root.normalFlowList();
if (normalFlowList && m_index >= 0)
return normalFlowList->at(m_index--);
m_remainingChildren &= ~NormalFlowChildren;
setIndexToLastItem();
}
if (m_remainingChildren & PositiveZOrderChildren) {
Vector<RenderLayerStackingNode*>* zOrderList = m_root.zOrderList();
if (zOrderList && m_index >= 0)
return zOrderList->at(m_index--);
m_remainingChildren &= ~PositiveZOrderChildren;
setIndexToLastItem();
}
return 0;
}
void RenderLayerStackingNodeReverseIterator::setIndexToLastItem() {
if (m_remainingChildren & NormalFlowChildren) {
Vector<RenderLayerStackingNode*>* normalFlowList = m_root.normalFlowList();
if (normalFlowList) {
m_index = normalFlowList->size() - 1;
return;
}
m_remainingChildren &= ~NormalFlowChildren;
}
if (m_remainingChildren & PositiveZOrderChildren) {
Vector<RenderLayerStackingNode*>* zOrderList = m_root.zOrderList();
if (zOrderList) {
m_index = zOrderList->size() - 1;
return;
}
m_remainingChildren &= ~PositiveZOrderChildren;
}
// No more list to visit.
ASSERT(!m_remainingChildren);
m_index = -1;
}
} // namespace blink
| [
"[email protected]"
] | |
844e1954a3a3761ebc202acaa64b3e1a924b6d30 | 2c4fec686fbe909fc27e168ecd115280f3fefc5d | /cpp-test/公司/网易互娱1.cpp | 2f4885b9837e1259f9c45f0477ab3cf7a0af366d | [] | no_license | mianhk/learn_cpp | 346196ec15df2a5d7db31d57b29a56297f7995b6 | 09686fba74195e85b1112b590d375aaf44a5166c | refs/heads/master | 2021-10-08T12:51:03.198670 | 2018-12-12T12:41:29 | 2018-12-12T12:41:29 | 91,341,701 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,270 | cpp | #include <bits/stdc++.h>
using namespace std;
int main(int argc, char const *argv[])
{
int t;
cin >> t;
vector<string> svec(t);
for (int i = 0; i < t; ++i)
cin >> svec[i];
for (int i = 0; i < t; ++i)
cout << svec[i] << endl;
;
for (int k = 0; k < t; ++k)
{
cout << "dsasd: " << k << endl;
string s = svec[k], res = "";
//cin >> s;
int begin = 0, end = 1;
while (end <= s.size())
{
int begin0 = begin;
if (s[begin] != s[end] - 1)
{
res += s[begin++];
end++;
begin++;
}
else
{
// res = res + s[begin] + '-';
while (s[begin] == s[end] - 1)
{
begin++;
end++;
}
if (end - begin0 >= 4)
{
res = res + s[begin0] + '-' + s[end - 1];
begin = end++;
}
else
{
begin = end++;
continue;
}
}
}
cout << res << endl;
}
system("pause");
return 0;
}
| [
"[email protected]"
] | |
afc8d368e51d6972f417b85fd0c7ba8a192d18ec | 6ced41da926682548df646099662e79d7a6022c5 | /aws-cpp-sdk-fsx/include/aws/fsx/model/ServiceLimitExceeded.h | 8e988d29c1748bfe3434721cbf761b94e2514528 | [
"Apache-2.0",
"MIT",
"JSON"
] | permissive | irods/aws-sdk-cpp | 139104843de529f615defa4f6b8e20bc95a6be05 | 2c7fb1a048c96713a28b730e1f48096bd231e932 | refs/heads/main | 2023-07-25T12:12:04.363757 | 2022-08-26T15:33:31 | 2022-08-26T15:33:31 | 141,315,346 | 0 | 1 | Apache-2.0 | 2022-08-26T17:45:09 | 2018-07-17T16:24:06 | C++ | UTF-8 | C++ | false | false | 3,116 | h | /**
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
* SPDX-License-Identifier: Apache-2.0.
*/
#pragma once
#include <aws/fsx/FSx_EXPORTS.h>
#include <aws/fsx/model/ServiceLimit.h>
#include <aws/core/utils/memory/stl/AWSString.h>
#include <utility>
namespace Aws
{
namespace Utils
{
namespace Json
{
class JsonValue;
class JsonView;
} // namespace Json
} // namespace Utils
namespace FSx
{
namespace Model
{
/**
* <p>An error indicating that a particular service limit was exceeded. You can
* increase some service limits by contacting Amazon Web Services
* Support.</p><p><h3>See Also:</h3> <a
* href="http://docs.aws.amazon.com/goto/WebAPI/fsx-2018-03-01/ServiceLimitExceeded">AWS
* API Reference</a></p>
*/
class AWS_FSX_API ServiceLimitExceeded
{
public:
ServiceLimitExceeded();
ServiceLimitExceeded(Aws::Utils::Json::JsonView jsonValue);
ServiceLimitExceeded& operator=(Aws::Utils::Json::JsonView jsonValue);
Aws::Utils::Json::JsonValue Jsonize() const;
/**
* <p>Enumeration of the service limit that was exceeded. </p>
*/
inline const ServiceLimit& GetLimit() const{ return m_limit; }
/**
* <p>Enumeration of the service limit that was exceeded. </p>
*/
inline bool LimitHasBeenSet() const { return m_limitHasBeenSet; }
/**
* <p>Enumeration of the service limit that was exceeded. </p>
*/
inline void SetLimit(const ServiceLimit& value) { m_limitHasBeenSet = true; m_limit = value; }
/**
* <p>Enumeration of the service limit that was exceeded. </p>
*/
inline void SetLimit(ServiceLimit&& value) { m_limitHasBeenSet = true; m_limit = std::move(value); }
/**
* <p>Enumeration of the service limit that was exceeded. </p>
*/
inline ServiceLimitExceeded& WithLimit(const ServiceLimit& value) { SetLimit(value); return *this;}
/**
* <p>Enumeration of the service limit that was exceeded. </p>
*/
inline ServiceLimitExceeded& WithLimit(ServiceLimit&& value) { SetLimit(std::move(value)); return *this;}
inline const Aws::String& GetMessage() const{ return m_message; }
inline bool MessageHasBeenSet() const { return m_messageHasBeenSet; }
inline void SetMessage(const Aws::String& value) { m_messageHasBeenSet = true; m_message = value; }
inline void SetMessage(Aws::String&& value) { m_messageHasBeenSet = true; m_message = std::move(value); }
inline void SetMessage(const char* value) { m_messageHasBeenSet = true; m_message.assign(value); }
inline ServiceLimitExceeded& WithMessage(const Aws::String& value) { SetMessage(value); return *this;}
inline ServiceLimitExceeded& WithMessage(Aws::String&& value) { SetMessage(std::move(value)); return *this;}
inline ServiceLimitExceeded& WithMessage(const char* value) { SetMessage(value); return *this;}
private:
ServiceLimit m_limit;
bool m_limitHasBeenSet;
Aws::String m_message;
bool m_messageHasBeenSet;
};
} // namespace Model
} // namespace FSx
} // namespace Aws
| [
"[email protected]"
] | |
ecb4141384333b7a60a37d72a765c963cbbcb949 | d0c44dd3da2ef8c0ff835982a437946cbf4d2940 | /cmake-build-debug/programs_tiling/function14087/function14087_schedule_18/function14087_schedule_18.cpp | 0bf5680956694aaa3173a4bf247e2d8b6cd40160 | [] | no_license | IsraMekki/tiramisu_code_generator | 8b3f1d63cff62ba9f5242c019058d5a3119184a3 | 5a259d8e244af452e5301126683fa4320c2047a3 | refs/heads/master | 2020-04-29T17:27:57.987172 | 2019-04-23T16:50:32 | 2019-04-23T16:50:32 | 176,297,755 | 1 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 878 | cpp | #include <tiramisu/tiramisu.h>
using namespace tiramisu;
int main(int argc, char **argv){
tiramisu::init("function14087_schedule_18");
constant c0("c0", 8192), c1("c1", 64), c2("c2", 64);
var i0("i0", 0, c0), i1("i1", 0, c1), i2("i2", 0, c2), i01("i01"), i02("i02"), i03("i03"), i04("i04"), i05("i05"), i06("i06");
input input00("input00", {i0, i1}, p_int32);
computation comp0("comp0", {i0, i1, i2}, input00(i0, i1));
comp0.tile(i0, i1, i2, 128, 32, 32, i01, i02, i03, i04, i05, i06);
comp0.parallelize(i01);
buffer buf00("buf00", {8192, 64}, p_int32, a_input);
buffer buf0("buf0", {8192, 64, 64}, p_int32, a_output);
input00.store_in(&buf00);
comp0.store_in(&buf0);
tiramisu::codegen({&buf00, &buf0}, "../data/programs/function14087/function14087_schedule_18/function14087_schedule_18.o");
return 0;
} | [
"[email protected]"
] | |
54ed387b8ffb1d889090dd4b8c732947aaa501c8 | eea72893d7360d41901705ee4237d7d2af33c492 | /src/rich/CsRCGauPolFit.cc | ee9f538d1cf07769e912f913dc9e165018439d3e | [] | no_license | lsilvamiguel/Coral.Efficiencies.r14327 | 5488fca306a55a7688d11b1979be528ac39fc433 | 37be8cc4e3e5869680af35b45f3d9a749f01e50a | refs/heads/master | 2021-01-19T07:22:59.525828 | 2017-04-07T11:56:42 | 2017-04-07T11:56:42 | 87,541,002 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 14,867 | cc | /*!
\file CsRCGauPolFit.cc
\-----------------------
\brief CsRCGauPolFit class implementation.
\author Paolo Schiavon
\version 1.0
\date December 2003
*/
//----------------------------
#include "CsRCChiSqFit.h"
#include "CsRCGauPolFit.h"
#include "CsRCHistos.h"
#include "CsRCRecConst.h"
//--------------------------
# include <ostream>
#include "CLHEP/Matrix/Matrix.h"
#include "CLHEP/Matrix/SymMatrix.h"
#include "CLHEP/Matrix/DiagMatrix.h"
#include "CLHEP/Matrix/Vector.h"
using namespace std;
using namespace CLHEP;
//===========================================================================
CsRCGauPolFit::CsRCGauPolFit(): CsRCChiSqFit() {}
//-------------------------------------------------
//===========================================================================
CsRCGauPolFit::CsRCGauPolFit( const int nPoint,
//-----------------------------------------------------------------------
const double *xMeas, const double *yMeas,
const int nParam, const double *param,
const int *iPaFit ):
CsRCChiSqFit( nPoint, xMeas, yMeas, nParam, param, iPaFit ) {
printKey_ = false;
double error[nPoint];
for( int kp=0; kp < nPoint; kp++ ) error[kp] = fabs( yMeas[kp] );
getCovMax( error );
// ------------------
convTolSet_ = false;
}
//===========================================================================
CsRCGauPolFit::CsRCGauPolFit( const int nPoint,
//-----------------------------------------------------------------------
const double *xMeas, const double *yMeas,
const double *error,
const int nParam, const double *param,
const int *iPaFit ):
CsRCChiSqFit( nPoint, xMeas, yMeas, nParam, param, iPaFit ) {
printKey_ = false;
//printKey_ = true;
//std::cout << setprecision( 7 );
getCovMax( error );
// ------------------
convTolSet_ = false;
}
//===========================================================================
CsRCGauPolFit::CsRCGauPolFit( const int nPoint,
//-----------------------------------------------------------------------
const double *xMeas, const double *yMeas,
const double *error,
const int nParam, const double *param,
const double *toll, const int *iPaFit ):
CsRCChiSqFit( nPoint, xMeas, yMeas, nParam, param, iPaFit ) {
printKey_ = false;
//printKey_ = true;
//std::cout << setprecision( 7 );
getCovMax( error );
// ------------------
convTolSet_ = false;
getConvTol( toll );
// ------------------
}
//===========================================================================
void CsRCGauPolFit::print() const { CsRCChiSqFit::print(); }
//------------------------------------------------------------
//===========================================================================
CsRCGauPolFit::~CsRCGauPolFit() {}
//----------------------------------
//===========================================================================
void CsRCGauPolFit::getConvTol( const double *convTol ) {
//---------------------------------------------------------
//- Version : 1.0
//- Date : April 2006
if( convTolSet_ ) return;
HepVector VP( nPaF_, 0 );
convTol_ = VP;
int kPaFit = 0;
for( int kParam=0; kParam < nParam_; kParam++ ) {
if( iPaF_[kParam] == 0 ) {
convTol_[kPaFit] = convTol[kParam];
kPaFit++;
}
}
//std::cout << "getConvTol" << setprecision(6) << std::endl;
//for( int k=0; k<nPaF_; k++ ) std::cout << convTol_[k] << " ";
//std::cout << setprecision(2) << std::endl;
convTolSet_ = true;
return;
}
//===========================================================================
bool CsRCGauPolFit::doChiFit() {
//--------------------------------
//- Version : 1.0
//- Date : December 2003
//- Fit procedure :
// ---------------
if( !flagFit_ ) return false;
flagFit_ = true;
//- Start fitting procedure :
// -------------------------
if( !fitStart() ) return false;
// -----------
int nIterMax = 10;
bool doIter = true;
while( doIter ) {
//--- Perform next iteration :
// ------------------------
nIter_++;
if( !getDeriv() ) break;
// -----------
if( !fitIteration() ) break;
// ---------------
doIter = fitCheckConv();
// --------------
if( nIter_ >= nIterMax ) {
doIter = false;
flagFit_ = false;
}
} /* end iteration loop */
if( !flagFit_ ) return flagFit_;
if( !fitEnd() ) return false;
// ---------
if( !fitPulls() ) return false;
// -----------
return flagFit_;
}
//===========================================================================
bool CsRCGauPolFit::fitStart() {
//--------------------------------
//--- Version : 1.0
//--- Date : December 2003
//--- Degrees of freedom of the fit :
// -------------------------------
nDegFree_ = nPoint_ - nPaF_;
if( printKey_ ) {
cout << endl;
cout << "nPoint, nPara = " << nPoint_;
cout << " , " << nPaF_ << endl;
}
//--- Set convergence tolerancies on parameters to be fitted :
// --------------------------------------------------------
//static HepVector convTol( nParam_, 0 );
double convTol[nParam_];
convTol[0] = 0.1;
convTol[1] = 0.00001;
convTol[2] = 0.00001;
convTol[3] = 0.1;
convTol[4] = 0.00001;
convTol[5] = 0.00001;
convTol[6] = 0.1;
convTol[7] = 0.1;
convTol[8] = 0.1;
convTol[9] = 0.1;
getConvTol( convTol );
//-------------------------
//HepVector VP( nPaF_, 0 );
//convTol_ = VP;
//int kPaFit = 0;
//for( int kParam=0; kParam < nParam_; kParam++ ) {
// if( iPaF_[kParam] == 0 ) {
// convTol_[kPaFit] = convTol[kParam];
// kPaFit++;
// }
//}
//--- Compute initial residuals :
// ---------------------------
HepVector VY( nPoint_, 0 );
Ya_ = VY;
dYm_ = VY;
double G1 = Pa_[0];
double m1 = Pa_[1];
double s1 = Pa_[2];
double G2 = Pa_[3];
double m2 = Pa_[4];
double s2 = Pa_[5];
double P0 = Pa_[6];
double P1 = Pa_[7];
double P2 = Pa_[8];
double P3 = Pa_[9];
for( int kp=0; kp < nPoint_; kp++ ) {
double xms1 = 0.;
if( s1 > 0. ) xms1 = (Xm_[kp] - m1) / s1;
double expv1 = exp( - xms1*xms1 / 2. );
double xms2 = 0.;
if( s2 > 0. ) xms2 = (Xm_[kp] - m2) / s2;
double expv2 = exp( - xms2*xms2 / 2. );
Ya_[kp] = G1* expv1 + G2* expv2 +
P0 + P1* Xm_[kp] + P2* pow( Xm_[kp], 2 ) + P3* pow( Xm_[kp], 3 );
dYm_[kp] = Ya_[kp] - Ym_[kp];
}
if( printKey_ ) {
cout << endl;
cout << "Xm Start = " << Xm_.num_row();
cout << Xm_.T() << endl;
cout << "Ym Start = " << Ym_.num_row();
cout << Ym_.T() << endl;
cout << "dYm Start = " << dYm_.num_row();
cout << dYm_.T() << endl;
cout << "conv Toll = " << convTol_.num_row();
cout << convTol_.T() << endl;
}
return true;
}
//===========================================================================
bool CsRCGauPolFit::getDeriv() {
//--------------------------------
//--- Version : 1.0
//--- Date : December 2003
//--- Compute the derivative Matrix dYdX :
// ------------------------------------
int kPaFit = 0;
for( int kParam=0; kParam < nParam_; kParam++ ) {
if( iPaF_[kParam] == 0 ) {
Pa_[kParam] = Xp_[kPaFit];
kPaFit++;
} else {
Pa_[kParam] = PaIn_[kParam];
}
}
double G1 = Pa_[0];
double m1 = Pa_[1];
double s1 = Pa_[2];
double G2 = Pa_[3];
double m2 = Pa_[4];
double s2 = Pa_[5];
double P0 = Pa_[6];
double P1 = Pa_[7];
double P2 = Pa_[8];
double P3 = Pa_[9];
HepMatrix AA( nPoint_, nPaF_, 0 );
mA_ = AA;
for( int kp=0; kp < nPoint_; kp++ ) {
double xms1 = 0.;
if( s1 > 0. ) xms1 = (Xm_[kp] - m1) / s1;
double expv1 = exp( - xms1*xms1 / 2. );
double xms2 = 0.;
if( s2 > 0. ) xms2 = (Xm_[kp] - m2) / s2;
double expv2 = exp( - xms2*xms2 / 2. );
int kq = 0;
if( iPaF_[0] == 0 ) { mA_[kp][kq] = expv1; kq++; }
if( iPaF_[1] == 0 ) { mA_[kp][kq] = G1* expv1* xms1/ s1; kq++; }
if( iPaF_[2] == 0 ) { mA_[kp][kq] = G1* expv1* xms1*xms1/ s1; kq++; }
if( iPaF_[3] == 0 ) { mA_[kp][kq] = expv2; kq++; }
if( iPaF_[4] == 0 ) { mA_[kp][kq] = G2* expv2* xms2/ s2; kq++; }
if( iPaF_[5] == 0 ) { mA_[kp][kq] = G2* expv2* xms2*xms2/ s2; kq++; }
if( iPaF_[6] == 0 ) { mA_[kp][kq] = 1.; kq++; }
if( iPaF_[7] == 0 ) { mA_[kp][kq] = Xm_[kp]; kq++; }
if( iPaF_[8] == 0 ) { mA_[kp][kq] = pow( Xm_[kp], 2 ); kq++; }
if( iPaF_[9] == 0 ) { mA_[kp][kq] = pow( Xm_[kp], 3 ); kq++; }
}
if( printKey_ ) {
cout << endl;
cout << "derA = " << mA_.num_row() << " x " << mA_.num_col();
cout << mA_ << endl;
}
return true;
}
//===========================================================================
bool CsRCGauPolFit::fitIteration() {
//------------------------------------
//--- Version : 1.0
//--- Date : December 2003
if( printKey_ ) {
cout << endl << "------ Iter = " << nIter_ << endl;
}
//--- Compute the covariance matrix on parameters Epf_
// as Epf = inv(mAT * Wgm * mA) :
// ------------------------------
int invFlag;
HepMatrix Wa = mA_.T() * Wgm_;
Epf_ = (Wa * mA_).inverse( invFlag );
if( invFlag != 0 ) flagFit_ = false;
if( printKey_ ) {
cout << endl;
cout << "Epf = " << Epf_.num_row() << " x " << Epf_.num_col();
cout << Epf_ << endl;
}
if( flagFit_ ) {
//----- Compute the vector of changes in parameters dXp_
// as dXp = - Epf * mAT * Wgm * dYm :
// ----------------------------------
dXp_ = - (Epf_ * Wa * dYm_);
//----- and the vector of residuals dYm_, as dYm = dYm + mA * dXp :
// -----------------------------------------------------------
//dYm_ += mA_ * dXp_;
//----- and the new parameters Xp_, as Xp = Xp + dXp :
// ----------------------------------------------
Xp_ += dXp_;
//----- Compute the new full vector of parameters :
// -------------------------------------------
int kPaFit = 0;
for( int kParam=0; kParam < nParam_; kParam++ ) {
if( iPaF_[kParam] == 0 ) {
Pa_[kParam] = Xp_[kPaFit];
kPaFit++;
} else {
Pa_[kParam] = PaIn_[kParam];
}
}
double G1 = Pa_[0];
double m1 = Pa_[1];
double s1 = Pa_[2];
double G2 = Pa_[3];
double m2 = Pa_[4];
double s2 = Pa_[5];
double P0 = Pa_[6];
double P1 = Pa_[7];
double P2 = Pa_[8];
double P3 = Pa_[9];
//----- Compute the vector of new approximate var.s as Ya = F( Xp ) :
// -------------------------------------------------------------
for( int kp=0; kp < nPoint_; kp++ ) {
double xms1 = 0.;
if( s1 > 0. ) xms1 = (Xm_[kp] - m1) / s1;
double expv1 = exp( - xms1*xms1 / 2. );
double xms2 = 0.;
if( s2 > 0. ) xms2 = (Xm_[kp] - m2) / s2;
double expv2 = exp( - xms2*xms2 / 2. );
Ya_[kp] = G1* expv1 + G2* expv2 +
P0 + P1* Xm_[kp] + P2* pow( Xm_[kp], 2 ) + P3* pow( Xm_[kp], 3 );
//----- and the vector of residuals dYm_, as dYm = Ya - Ym :
// ----------------------------------------------------
dYm_[kp] = Ya_[kp] - Ym_[kp];
}
if( printKey_ ) {
cout << "dXp = " << dXp_.T() << endl;
cout << "Xp = " << Xp_.T() << endl;
cout << "dYm = " << dYm_.T() << endl;
}
}
return flagFit_;
}
//===========================================================================
bool CsRCGauPolFit::fitCheckConv() {
//------------------------------------
//- Version : 1.0
//- Date : December 2003
bool doIter = false;
for( int kp=0; kp < nPaF_; kp++ )
if( fabs( dXp_[kp] ) > convTol_[kp] ) doIter = true;
return doIter;
}
//===========================================================================
bool CsRCGauPolFit::fitEnd() {
//------------------------------
//--- Version : 1.0
//--- Date : December 2003
//--- Compute Chi Square of the fit :
// -------------------------------
HepMatrix Ch = dYm_.T() * Wgm_ * dYm_;
Ch /= nDegFree_;
chiSquare_ = Ch[0][0];
//--- Output fitted parameters :
// --------------------------
int kPaFit = 0;
for( int kParam=0; kParam < nParam_; kParam++ ) {
if( iPaF_[kParam] == 0 ) {
Pa_[kParam] = Xp_[kPaFit];
kPaFit++;
} else {
Pa_[kParam] = PaIn_[kParam];
}
}
Pf_ = Pa_;
return true;
}
//===========================================================================
bool CsRCGauPolFit::fitPulls() {
//--------------------------------
//--- Version : 1.0
//--- Date : December 2003
//--- Compute the fitted qq.s :
// -------------------------
Yf_ = Ym_ + dYm_;
//cout << Yf_ << endl;
//--- Compute Covariance Matrix on fitted qq.s :
// ------------------------------------------
Erf_ = mA_ * Epf_ * mA_.T();
//cout << Erf_ << endl;
//--- Compute Pulls :
// ---------------
HepVector VY( nPoint_, 0 );
pully_ = VY;
for( int kp=0; kp<nPoint_; kp++ ) {
double den = Erm_[kp][kp] - Erf_[kp][kp];
pully_[kp] = 1000000.;
if( den > 0. ) pully_[kp] = (Ym_[kp] - Yf_[kp]) / sqrt( den );
//cout << pully_[k] << " ";
}
//cout << endl;
return true;
}
//===========================================================================
bool CsRCGauPolFit::doHist( const vector<CsHist2D*> vHisto ) {
//--------------------------------------------------------------
//--- Version : 1.0
//--- Date : May 2000, rev. 11/9/00, rev 19/4/01, rev 12/03
CsRCHistos& hist = CsRCHistos::Ref();
float xh, yh, wh;
xh = Pa_[1];
yh = Pa_[2];
if( vHisto[0] ) vHisto[0]->Fill( xh, yh );
// -------------------------
xh = PaIn_[0] - Pa_[0];
yh = nPoint_;
if( vHisto[1] ) vHisto[1]->Fill( xh, yh );
// -------------------------
xh = chiSquare_;
yh = nPoint_;
if( vHisto[2] ) vHisto[2]->Fill( xh, yh );
// -------------------------
xh = nIter_;
yh = nPoint_;
if( vHisto[3] ) vHisto[3]->Fill( xh, yh );
// -------------------------
for( int kp=0; kp<nPoint_; kp++ ) {
xh = pully_[kp];
yh = nPoint_;
if( vHisto[4] ) vHisto[4]->Fill( xh, yh );
// -------------------------
}
return true;
}
| [
"[email protected]"
] | |
302b24ad7130d3806c99143ca5c965273e106ade | b912fcaee546ff17371bc2fcc86b050e23412d27 | /deb/Dobby-master/builtin-plugin/ApplicationEventMonitor/dynamic_loader_monitor.cc | c08d3064370bff25aa25aded428e1b3eba9caa5a | [
"Apache-2.0"
] | permissive | XLsn0w/__asm__ | 4031dd4afdbed7bd2de06c2277e6e8babd920b09 | 59c4bebc0b8855a390003b031b8e909e32f938fd | refs/heads/master | 2022-12-19T06:48:03.499886 | 2020-09-26T02:29:49 | 2020-09-26T02:29:49 | 295,941,433 | 1 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 2,964 | cc | #include <stdlib.h> /* getenv */
#include <stdio.h>
#include <string.h>
#include <iostream>
#include <fstream>
#include <set>
#include <unordered_map>
#include <dlfcn.h>
#include <sys/param.h>
#include "dobby.h"
#include "common/headers/common_header.h"
#define LOG_TAG "DynamicLoaderMonitor"
std::unordered_map<void *, const char *> traced_dlopen_handle_list;
static void *(*orig_dlopen)(const char *__file, int __mode);
static void *fake_dlopen(const char *__file, int __mode) {
void *result = orig_dlopen(__file, __mode);
if (result != NULL && __file) {
char *traced_filename = (char *)malloc(MAXPATHLEN);
// FIXME: strncpy
strcpy(traced_filename, __file);
LOG("[-] dlopen handle: %s", __file);
traced_dlopen_handle_list.insert(std::make_pair(result, (const char *)traced_filename));
}
return result;
}
static void *(*orig_loader_dlopen)(const char *filename, int flags, const void *caller_addr);
static void *fake_loader_dlopen(const char *filename, int flags, const void *caller_addr) {
void *result = orig_loader_dlopen(filename, flags, caller_addr);
if (result != NULL) {
char *traced_filename = (char *)malloc(MAXPATHLEN);
// FIXME: strncpy
strcpy(traced_filename, filename);
LOG("[-] dlopen handle: %s", filename);
traced_dlopen_handle_list.insert(std::make_pair(result, (const char *)traced_filename));
}
return result;
}
static const char *get_traced_filename(void *handle, bool removed) {
std::unordered_map<void *, const char *>::iterator it;
it = traced_dlopen_handle_list.find(handle);
if (it != traced_dlopen_handle_list.end()) {
if (removed)
traced_dlopen_handle_list.erase(it);
return it->second;
}
return NULL;
}
static void *(*orig_dlsym)(void *__handle, const char *__symbol);
static void *fake_dlsym(void *__handle, const char *__symbol) {
const char *traced_filename = get_traced_filename(__handle, false);
if (traced_filename) {
LOG("[-] dlsym: %s, symbol: %s", traced_filename, __symbol);
}
return orig_dlsym(__handle, __symbol);
}
static int (*orig_dlclose)(void *__handle);
static int fake_dlclose(void *__handle) {
const char *traced_filename = get_traced_filename(__handle, true);
if (traced_filename) {
LOG("[-] dlclose: %s", traced_filename);
free((void *)traced_filename);
}
return orig_dlclose(__handle);
}
#if 1
__attribute__((constructor)) static void ctor() {
#if defined(__ANDROID__)
#if 0
void *dl = dlopen("libdl.so", RTLD_LAZY);
void *__loader_dlopen = dlsym(dl, "__loader_dlopen");
#endif
DobbyHook((void *)DobbySymbolResolver(NULL, "__loader_dlopen"), (void *)fake_loader_dlopen, (void **)&orig_loader_dlopen);
#else
DobbyHook((void *)DobbySymbolResolver(NULL, "dlopen"), (void *)fake_dlopen, (void **)&orig_dlopen);
#endif
DobbyHook((void *)dlsym, (void *)fake_dlsym, (void **)&orig_dlsym);
DobbyHook((void *)dlclose, (void *)fake_dlclose, (void **)&orig_dlclose);
}
#endif
| [
"[email protected]"
] | |
3f31bdc6caa33446b00851cbbcca96c301ad7bcc | 38c10c01007624cd2056884f25e0d6ab85442194 | /base/trace_event/process_memory_totals.h | 1bf8bdcd7b49698d12aed051a675dfad12df4a49 | [
"BSD-3-Clause"
] | permissive | zenoalbisser/chromium | 6ecf37b6c030c84f1b26282bc4ef95769c62a9b2 | e71f21b9b4b9b839f5093301974a45545dad2691 | refs/heads/master | 2022-12-25T14:23:18.568575 | 2016-07-14T21:49:52 | 2016-07-23T08:02:51 | 63,980,627 | 0 | 2 | BSD-3-Clause | 2022-12-12T12:43:41 | 2016-07-22T20:14:04 | null | UTF-8 | C++ | false | false | 1,680 | 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 BASE_TRACE_EVENT_PROCESS_MEMORY_TOTALS_H_
#define BASE_TRACE_EVENT_PROCESS_MEMORY_TOTALS_H_
#include "base/base_export.h"
#include "base/basictypes.h"
namespace base {
namespace trace_event {
class TracedValue;
// Data model for process-wide memory stats.
class BASE_EXPORT ProcessMemoryTotals {
public:
ProcessMemoryTotals();
// Called at trace generation time to populate the TracedValue.
void AsValueInto(TracedValue* value) const;
// Clears up all the data collected.
void Clear();
uint64 resident_set_bytes() const { return resident_set_bytes_; }
void set_resident_set_bytes(uint64 value) { resident_set_bytes_ = value; }
uint64 peak_resident_set_bytes() const { return peak_resident_set_bytes_; }
void set_peak_resident_set_bytes(uint64 value) {
peak_resident_set_bytes_ = value;
}
// On some platforms (recent linux kernels, see goo.gl/sMvAVz) the peak rss
// can be reset. When is_peak_rss_resettable == true, the peak refers to
// peak from the previous measurement. When false, it is the absolute peak
// since the start of the process.
bool is_peak_rss_resetable() const { return is_peak_rss_resetable_; }
void set_is_peak_rss_resetable(bool value) { is_peak_rss_resetable_ = value; }
private:
uint64 resident_set_bytes_;
uint64 peak_resident_set_bytes_;
bool is_peak_rss_resetable_;
DISALLOW_COPY_AND_ASSIGN(ProcessMemoryTotals);
};
} // namespace trace_event
} // namespace base
#endif // BASE_TRACE_EVENT_PROCESS_MEMORY_TOTALS_H_
| [
"[email protected]"
] | |
805c7a8738890209c1ab017922a214a68bf65194 | 756fc247a5cac0ea442f3b7ee856d77d9e90ad72 | /Libraries/SdFs-master/examples/ExFatUnicodeTest/ExFatUnicodeTest.ino | d44ecef0dbc3b8d16a1d35a2beaf1a69abc33fbf | [
"MIT"
] | permissive | surgtechlab/MagSense | a45eda8c236223e71a348301bcf18c6d3bab4bc7 | 491937caec71c44ec58feec587109f27b50dfece | refs/heads/master | 2021-07-24T02:19:07.440262 | 2020-06-29T09:09:18 | 2020-06-29T09:09:18 | 150,331,491 | 2 | 0 | MIT | 2019-01-22T14:41:08 | 2018-09-25T21:29:08 | C++ | UTF-8 | C++ | false | false | 1,175 | ino | // Simple test of Unicode file name.
// Note: Unicode is only supported by the SdExFat class.
// No exFAT functions will be defined for char* paths.
// The SdFs class cannot be used.
#include "SdFs.h"
#if USE_UNICODE_NAMES
// SDCARD_SS_PIN is defined for the built-in SD on some boards.
#ifndef SDCARD_SS_PIN
const uint8_t SD_CS_PIN = SS;
#else // SDCARD_SS_PIN
// Assume built-in SD is used.
const uint8_t SD_CS_PIN = SDCARD_SS_PIN;
#endif // SDCARD_SS_PIN
// Use SPI, SD_CS_PIN, SHARED_SPI, FULL_SPEED.
#define SD_CONFIG SdSpiConfig(SD_CS_PIN)
SdExFat sd;
ExFile file;
void setup() {
Serial.begin(9600);
while (!Serial) {
yield();
}
Serial.println("Type any character to begin");
while (!Serial.available()) {
yield();
}
if (!sd.begin(SD_CONFIG)) {
sd.initErrorHalt(&Serial);
}
if (!file.open(u"Euros \u20AC test.txt", FILE_WRITE)) {
Serial.println("file.open failed");
return;
}
file.println("This is not Unicode");
file.close();
Serial.println("Done!");
}
void loop() {
}
#else // USE_UNICODE_NAMES
#error USE_UNICODE_NAMES must be nonzero in SdFs/src/ExFatLib/ExFatCongfig.h
#endif // USE_UNICODE_NAMES
| [
"[email protected]"
] | |
4536744039d723f45d4107e4b2c9ca6e24c6b231 | 7c592a9e75e76f2b8d208742c1ef0f8f12495d30 | /clc/clc/os/RWLock.h | 917c764654cd6944bb2f7bb247cc023646d04ae3 | [
"MIT",
"BSD-2-Clause"
] | permissive | jean/OcherBook | ae390fe93a34cb5f19772ddc31809df1f0f4a4ca | 750a78e60313eaa6cab18174feefb52d7a869c2b | refs/heads/master | 2021-01-20T06:18:06.899782 | 2014-09-16T05:21:14 | 2014-09-16T05:21:14 | 39,835,439 | 0 | 0 | null | 2015-07-28T13:27:55 | 2015-07-28T13:27:55 | null | UTF-8 | C++ | false | false | 1,242 | h | #ifndef LIBCLC_RWLOCK_H
#define LIBCLC_RWLOCK_H
#if defined(__BEOS__) || defined(__HAIKU__)
#include <be/support/Locker.h>
#elif defined(USE_LIBTASK)
#include <task.h>
#else
#include <pthread.h>
#endif
namespace clc
{
/**
* A read/write lock.
* @note Not exception safe; must always be explicitly unlocked.
*/
class RWLock
{
public:
/**
* Constructor. Lock starts out unlocked.
*/
RWLock();
/**
* Destructor. Behavior is undefined if the lock is still locked.
*/
~RWLock();
/**
* Lock for reader. Multiple readers may have the lock simultaneously.
* Guaranteed that readers and writer may not simultaneously hold the lock.
*/
void readLock();
/**
* Lock for writer. When the writer gets the lock, no other readers or writers exist.
*/
void writeLock();
/**
* Unlocks the read or write lock previously obtained by this thread.
* Behavior undefined if thread did not previously call readLock or writeLock.
*/
void unlock();
protected:
#if defined(__BEOS__) || defined(__HAIKU__)
// TODO
#elif defined(USE_LIBTASK)
::RWLock m_rwlock;
bool m_writer;
#else
pthread_rwlock_t m_rwlock;
#endif
};
}
#endif
| [
"[email protected]"
] | |
ea80ddaf069a814e7d9b01d2b826279fd4678327 | b7185d22cba6df7a006ada6f9d113e601c442fdc | /src/Call/Call.cpp | e24f49006808cb4af4e68a537618a8580cdf8784 | [] | no_license | wenni21/chilli | 680fb32154b1625cb931c1976964c9cdada2a99e | e91e4533b4fe48946d7275a24ee631f7c7891ff5 | refs/heads/master | 2021-10-09T11:35:45.189439 | 2018-11-27T06:22:15 | 2018-11-27T06:22:15 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,873 | cpp | #include "Call.h"
#include <log4cplus/loggingmacros.h>
#include <scxml/TriggerEvent.h>
#include "../model/ProcessModule.h"
using namespace chilli::model;
namespace chilli {
namespace Call {
Call::Call(ProcessModule * model, const std::string &callid, const std::string &smFileName)
:PerformElement(model, callid), m_SMFileName(smFileName)
{
std::string logName = "Call";
log = log4cplus::Logger::getInstance(logName);
LOG4CPLUS_DEBUG(log, "." + this->getId(), " new a call object.");
}
Call::~Call() {
m_StateMachines.clear();
LOG4CPLUS_DEBUG(log, "." + this->getId(), " destruction a call object.");
}
void Call::Start()
{
LOG4CPLUS_INFO(log, "." + this->getId(), " Start.");
for (auto & it : m_StateMachines) {
it.second->start(false);
}
}
void Call::Stop()
{
for (auto & it : m_StateMachines) {
for (auto & it : m_StateMachines) {
Json::Value shutdown;
shutdown["id"] = this->m_Id;
shutdown["event"] = "ShutDown";
shutdown["param"]["callID"] = it.first;
this->PushEvent(model::EventType_t(new model::_EventType(shutdown)));
}
}
LOG4CPLUS_INFO(log, "." + this->getId(), " Stop.");
}
bool Call::IsClosed()
{
return m_StateMachines.empty();
}
bool Call::pushEvent(const model::EventType_t & evt)
{
return m_EvtBuffer.Put(evt);
}
void Call::mainEventLoop()
{
try
{
model::PerformElementPtr call;
model::EventType_t Event;
if (m_EvtBuffer.Get(Event, 0) && !Event->eventName.empty()) {
const Json::Value & jsonEvent = Event->jsonEvent;
std::string connectid;
fsm::TriggerEvent evt(Event->eventName, Event->type);
for (auto & it : jsonEvent.getMemberNames()) {
evt.addVars(it, jsonEvent[it]);
}
if (m_StateMachines.empty()) {
StateMachine call(this->m_model->createStateMachine(m_SMFileName));
if (call == nullptr) {
LOG4CPLUS_ERROR(log, "." + getId(), m_SMFileName << " parse filed.");
return;
}
call->setLoggerId(this->log.getName());
call->setSessionID(m_Id);
call->setOnTimer(this->m_model);
m_StateMachines[m_Id] = call;
for (auto & itt : this->m_Vars.getMemberNames())
{
call->setVar(itt, this->m_Vars[itt]);
}
for (auto & itt : ProcessModule::g_Modules) {
call->addSendImplement(itt.get());
}
call->addSendImplement(this);
call->start(false);
}
LOG4CPLUS_DEBUG(log, "." + this->getId(), " Recived a event," << Event->origData);
const auto & it = m_StateMachines.begin();
it->second->pushEvent(evt);
it->second->mainEventLoop();
if (it->second->isInFinalState()) {
it->second->stop();
m_StateMachines.erase(it);
}
}
}
catch (std::exception & e)
{
LOG4CPLUS_ERROR(log, "." + this->getId(), e.what());
}
}
void Call::processSend(const fsm::FireDataType & fireData, const void * param, bool & bHandled)
{
/*
Json::Value newEvent;
newEvent["from"] = fireData.from;
newEvent["id"] = fireData.dest;
newEvent["event"] = fireData.event;
newEvent["type"] = fireData.type;
newEvent["param"] = fireData.param;
const auto & pe = this->m_model->getPerformElementByGlobal(fireData.dest);
if (pe != nullptr) {
pe->PushEvent(model::EventType_t(new model::_EventType(newEvent)));
}
else {
LOG4CPLUS_WARN(log, "." + this->getId(), "not find device:" << fireData.dest);
}
*/
LOG4CPLUS_WARN(log, "." + this->getId(), "processSend not implement.");
bHandled = true;
}
void Call::fireSend(const fsm::FireDataType & fireData, const void * param)
{
LOG4CPLUS_TRACE(log, "." + this->getId(), " fireSend:" << fireData.event);
bool bHandled = false;
this->processSend(fireData, param, bHandled);
}
}
} | [
"[email protected]"
] | |
bf74f8a4e16f78c9259cfc1700a334ed645d0a2a | 04477649068f495937c9559cd8ab2e84a4ec4b5b | /src/SkyBox.h | bea66d887c978dca3af511b23dbea65797748f60 | [] | no_license | Steback/opengl-course | 994658cf393032498a1f4208068f56da5dfd660f | 63f79e5ec2eaf2573865d8eb2cc2f6af4d087c9a | refs/heads/master | 2022-10-11T09:18:07.511018 | 2020-06-13T00:17:48 | 2020-06-13T00:17:48 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 539 | h | #ifndef SKY_BOX_H
#define SKY_BOX_H
#include <vector>
#include <string>
#include <memory>
#include "GL/glew.h"
#include "glm/glm.hpp"
class Shader;
class Mesh;
class SkyBox {
public:
explicit SkyBox(const std::vector<std::string>& _faceLocations);
~SkyBox();
void DrawSkyBox(glm::mat4 _viewMatrix, glm::mat4 _projectionMatrix);
private:
std::unique_ptr<Mesh> skyMesh;
std::unique_ptr<Shader> skyShader;
GLuint textureID;
GLuint uniformProjection, uniformView;
};
#endif | [
"[email protected]"
] | |
0c359b1154b869f5cdda8c4191b877f66cf6d25b | c332bcab63948644de367dee0500a2260492ba2c | /luaroutine.cc | 6206c3547825ed8886d5efe8088e4841df7d41a7 | [] | no_license | vanleo2001/giraffe | a0721fafcb2c44b1de28b25a27dbc1952ca2dedc | bd14a28e68bb415420f41bce560ab159721bb38d | refs/heads/master | 2020-04-16T23:12:06.897697 | 2015-07-28T08:19:42 | 2015-07-28T08:19:42 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 12,690 | cc | /**
* @file luaroutine.cc
* @brief send to lua script
* @author ly
* @version 0.1.0
* @date 2013-11-28
*/
#include "luaroutine.h"
#include <sys/time.h>
#include <netinet/in.h>
#include <unistd.h>
#include <csignal>
using namespace std;
using namespace log4cxx;
LoggerPtr LuaRoutine::logger_(Logger::getLogger("luaroutine"));
const char load_file[] = "process.lua";
unsigned long count_pack = 0;
struct itimerval tick;
/**
* @brief init luaroute thread
*/
void LuaRoutine::Init()
{
InitZMQ();
InitLua();
}
//void * LuaRoutine::ChildThreadFunc(void *arg)
//{
// ChildThreadArg* item = (ChildThreadArg*)arg;
// lua_State * state = item->lua_state;
// while(true)
// {
// sleep(FLAGS_ROLL_OVERTIME);
// lua_getglobal(state, "ObserverOvertime");
// lua_pushinteger(state, item->market_id);
//
// LOG4CXX_INFO(logger_, "ObserverOvertime send to lua");
// if(lua_pcall(state, 1, 0, 0) != 0)
// {
// LOG4CXX_ERROR(logger_, lua_tostring(state, -1));
// lua_pop(state,-1);
// lua_close(state);
// }
// else
// {
// lua_pop(state, -1);
// }
// }
// return 0;
//}
/**
* @brief init lua related
*/
void LuaRoutine::InitLua()
{
lua_state_ = luaL_newstate();
assert(NULL != lua_state_);
luaL_openlibs(lua_state_);
luaL_dofile(lua_state_ , load_file);
lua_getglobal(lua_state_, "InitZMQ");
//lua_pushinteger(lua_state_, lua_zmqpattern_);
//lua_pushstring(lua_state_, lua_zmqsocketaction_.c_str());
//lua_pushstring(lua_state_, lua_zmqsocketaddr_.c_str());
//lua_pushlightuserdata(lua_state_, context_);
if(lua_pcall(lua_state_, 0, 0, 0) != 0)
{
string s = lua_tostring(lua_state_,-1);
lua_pop(lua_state_,-1);
lua_close(lua_state_);
}
else
{
lua_pop(lua_state_, -1);
}
vector<std::string> & did_template_ids = listening_item_.get_did_template_ids();
for(vector<std::string>::iterator iter = did_template_ids.begin();iter != did_template_ids.end();iter++)
{
lua_getglobal(lua_state_, "init");
lua_pushstring(lua_state_, (*iter).c_str());
if(lua_pcall(lua_state_,1,0,0) != 0)
{
string s = lua_tostring(lua_state_,-1);
lua_pop(lua_state_,-1);
lua_close(lua_state_);
}
else
{
lua_pop(lua_state_, -1);
}
}
//init ObserverOvertime
//LOG4CXX_INFO(logger_, "before ObserverOvertime");
//lua_getglobal(lua_state_, "ObserverOvertime");
//lua_pushinteger(lua_state_, market_id_);
//if(lua_pcall(lua_state_, 1, 0, 0) != 0)
//{
// string s = lua_tostring(lua_state_,-1);
// lua_pop(lua_state_,-1);
// lua_close(lua_state_);
//}
//else
//{
// lua_pop(lua_state_, -1);
//}
//child_thread_arg_.lua_state = lua_state_;
//child_thread_arg_.market_id = market_id_;
//int err;
//err = pthread_create(&tid_, NULL, ChildThreadFunc,(void*)&child_thread_arg_);
//if (err!=0)
//{
// printf("exit\n");
// LOG4CXX_ERROR(logger_, "luarout create child thread error");
//}
//LOG4CXX_INFO(logger_, "after ObserverOvertime");
}
/**
* @brief init zmq
*/
void LuaRoutine::InitZMQ()
{
assert(-1 != this->zmqitems_[0].zmqpattern);
sock_ = new zmq::socket_t(*context_,this->zmqitems_[0].zmqpattern);
//sock_->setsockopt(ZMQ_RCVHWM, &ZMQ_RCVHWM_SIZE, sizeof(ZMQ_RCVHWM_SIZE));
if("bind" == this->zmqitems_[0].zmqsocketaction)
{
sock_->bind(this->zmqitems_[0].zmqsocketaddr.c_str());
}
else if("connect" == this->zmqitems_[0].zmqsocketaction)
{
sock_->connect(this->zmqitems_[0].zmqsocketaddr.c_str());
}
assert(-1 != this->zmqitems_[1].zmqpattern);
sock_business_error_ = new zmq::socket_t(*context_, this->zmqitems_[1].zmqpattern);
if("bind" == this->zmqitems_[1].zmqsocketaction)
{
sock_business_error_->bind(this->zmqitems_[1].zmqsocketaddr.c_str());
}
else if("connect" == this->zmqitems_[1].zmqsocketaction)
{
sock_business_error_->connect(this->zmqitems_[1].zmqsocketaddr.c_str());
}
}
/**
* @brief return pointer of stk_static by stk_id
*
* @param stk_id
*
* @return
*/
struct STK_STATIC * LuaRoutine::GetStkByID(int stk_id)
{
assert(NULL != stk_static_);
return stk_static_ + stk_id;
}
//void LuaRoutine::DispatchToMonitor(int stk_id, const char *value)
//{
// assert(NULL != value);
// STK_STATIC * pstkstaticitem = GetStkByID(stk_id);
// MonitorMsg *monitor_msg = (MonitorMsg *)(monitor_mapping_file_->GetMapMsg());
// time_t t;
// t = time(&t);
// dzh_time_t current_time(t);
// monitor_msg->time = current_time;
// strcpy(monitor_msg->error_type,"BUSINESS");
// strcpy(monitor_msg->error_level,"WARNING");
// strcpy(monitor_msg->stock_label, pstkstaticitem->m_strLabel);
// strcpy(monitor_msg->error_info, value);
//}
/**
* @brief dispatch data to lua script
*
* @param pdcdata
* @param dc_type
* @param dc_general_intype
* @param stk_num
* @param did_template_id
*/
void LuaRoutine::DispatchToLua(unsigned char * pdcdata, int dc_type,int dc_general_intype, int stk_num, int did_template_id)
{
assert(NULL != pdcdata);
LOG4CXX_INFO(logger_, "dc_type:" << dc_type);
//did
if(DCT_DID == dc_type)
{
lua_getglobal(lua_state_, "process_did_type");
lua_pushinteger(lua_state_, market_id_);
lua_pushinteger(lua_state_, did_template_id);
lua_pushinteger(lua_state_, stk_num);
lua_pushlightuserdata(lua_state_, pdcdata);
if(lua_pcall(lua_state_, 4, 1, 0) != 0)
{
//LOG4CXX_ERROR(logger_, lua_tostring(lua_state_,-1));
lua_pop(lua_state_,-1);
//lua_close(lua_state_);
}
else
{
if(lua_istable(lua_state_, -1))
{
lua_pushnil(lua_state_);
while(0 != lua_next(lua_state_, -2))
{
if(lua_isstring(lua_state_, -1))
{
LOG4CXX_INFO(logger_, "return string from lua:" << lua_tostring(lua_state_, -1));
//zmq to business;
size_t len = lua_strlen(lua_state_, -1);
zmq::message_t msg(len);
memcpy(msg.data(), lua_tostring(lua_state_, -1), len);
sock_business_error_->send(msg);
}
lua_remove(lua_state_, -1);
}
}
lua_pop(lua_state_, -1);
}
}
//static || dyna || shl2-mmpex || szl2-order-stat || szl2-order-five || szl2-trade-five
else if ( DCT_STKSTATIC == dc_type || \
DCT_STKDYNA == dc_type || \
DCT_SHL2_MMPEx == dc_type || \
DCT_SZL2_ORDER_STAT == dc_type || \
DCT_SZL2_ORDER_FIVE == dc_type || \
DCT_SZL2_TRADE_FIVE == dc_type)
{
//working_lua
//for(int i=0;i<stk_num;i++)
//{
// count_pack += 1;
// //count_pack += stk_num*struct_size;
// lua_getglobal(lua_state_,"process");
// lua_pushinteger(lua_state_, dc_type);
// lua_pushlightuserdata(lua_state_,pdcdata+struct_size * i);
// //Sleep(50);
// if(lua_pcall(lua_state_,2,0,0) != 0)
// {
// string s = lua_tostring(lua_state_,-1);
// std::cout<<s<<endl;
// lua_pop(lua_state_,-1);
// lua_close(lua_state_);
// }
// else
// {
// //const char * lua_ret = lua_tostring(lua_state_,-1);
// //int stkid = lua_tonumber(lua_state_, -2);
// //if(NULL != lua_ret)
// //{
// // //cout<<"lua stkid:"<<stkid<<" lua_ret:"<<lua_ret<<endl;
// // //DispatchToMonitor(stkid, lua_ret);
// //}
// lua_pop(lua_state_,-1);
// }
//}
lua_getglobal(lua_state_, "process_basic_type");
lua_pushinteger(lua_state_, market_id_);
lua_pushinteger(lua_state_, dc_type);
lua_pushinteger(lua_state_, stk_num);
lua_pushlightuserdata(lua_state_, pdcdata);
if(lua_pcall(lua_state_,4,1,0) != 0)
{
string s = lua_tostring(lua_state_,-1);
LOG4CXX_ERROR(logger_, s);
lua_pop(lua_state_,-1);
//lua_close(lua_state_);
}
else
{
if(lua_istable(lua_state_, -1))
{
lua_pushnil(lua_state_);
while(0 != lua_next(lua_state_, -2))
{
if(lua_isstring(lua_state_, -1))
{
LOG4CXX_INFO(logger_, "return string from lua:" << lua_tostring(lua_state_, -1));
//zmq to business;
size_t len = lua_strlen(lua_state_, -1);
zmq::message_t msg(len);
memcpy(msg.data(), lua_tostring(lua_state_, -1), len);
sock_business_error_->send(msg);
}
lua_remove(lua_state_, -1);
}
}
lua_pop(lua_state_, -1);
}
}
else if(DCT_GENERAL == dc_type)
{
unsigned char *pdata = pdcdata + stk_num *sizeof(WORD);
if(dc_general_intype == 5)
{
LOG4CXX_INFO(logger_, "intype is 5");
}
lua_getglobal(lua_state_, "process_general_type");
lua_pushinteger(lua_state_, market_id_);
lua_pushinteger(lua_state_, dc_general_intype);
lua_pushinteger(lua_state_, stk_num);
lua_pushlightuserdata(lua_state_, pdata);
if(lua_pcall(lua_state_, 4, 1, 0) != 0)
{
//string s = lua_tostring(lua_state_,-1);
//LOG4CXX_ERROR(logger_, s);
lua_pop(lua_state_,-1);
//lua_close(lua_state_);
}
else
{
if(lua_istable(lua_state_, -1))
{
lua_pushnil(lua_state_);
while(0 != lua_next(lua_state_, -2))
{
if(lua_isstring(lua_state_, -1))
{
LOG4CXX_INFO(logger_, "return string from lua:" << lua_tostring(lua_state_, -1));
//zmq to business;
size_t len = lua_strlen(lua_state_, -1);
zmq::message_t msg(len);
memcpy(msg.data(), lua_tostring(lua_state_, -1), len);
//sock_business_error_->send(msg);
}
lua_remove(lua_state_, -1);
}
}
lua_pop(lua_state_, -1);
}
//for(int i=0;i<stk_num;i++)
//{
// lua_getglobal(lua_state_,"process_general");
// lua_pushinteger(lua_state_,dc_general_intype);
// lua_pushlightuserdata(lua_state_,pdata + struct_size * i);
//
// if(lua_pcall(lua_state_,2,0,0) != 0)
// {
// string s = lua_tostring(lua_state_,-1);
// LOG4CXX_ERROR(logger_, s);
// lua_pop(lua_state_,-1);
// lua_close(lua_state_);
// }
// else
// {
// lua_pop(lua_state_, -1);
// }
//}
}
else if (DCT_SHL2_QUEUE)
{
/* code */
}
else
{
}
free(pdcdata);
pdcdata = NULL;
}
/**
* @brief thread running function
*/
void LuaRoutine::RunThreadFunc()
{
//unsigned char * pdata = (unsigned char *)malloc(2000*sizeof(struct STK_STATIC));
//memset(pdata, 0, 2000*sizeof(struct STK_STATIC));
//struct STK_STATIC stk_static;
//memset(stk_static.m_strLabel, 0, sizeof(stk_static.m_strLabel));
//memcpy(stk_static.m_strLabel, "fdafsdf",5);
//memset(stk_static.m_strName, 0, sizeof(stk_static.m_strName));
//memcpy(stk_static.m_strName,"hhhhh",3);
//stk_static.m_cType = DCT_STKSTATIC;
//stk_static.m_nPriceDigit = '1';
//stk_static.m_nVolUnit = 321;
//stk_static.m_mFloatIssued = 134;
//stk_static.m_mTotalIssued = 321;
//stk_static.m_dwLastClose = 4324;
//stk_static.m_dwAdvStop = 432;
//stk_static.m_dwDecStop = 23423;
//struct STK_STATIC *p = (struct STK_STATIC *)pdata;
//for(int i=0;i<2000;i++)
//{
// memcpy(p+i,(unsigned char *)&stk_static,sizeof(stk_static));
//}
zmq::message_t msg_rcv(sizeof(Lua_ZMQ_MSG_Item));
zmq::pollitem_t items[] = {*sock_, 0, ZMQ_POLLIN, 0};
while(true)
{
if(NULL == sock_)
{
LOG4CXX_INFO(logger_, "sock_ == NULL");
continue;
}
int rc = zmq::poll(&items[0], 1, FLAGS_ROLL_OVERTIME * 1000);
if(rc > 0)
{
if(items[0].revents & ZMQ_POLLIN)
{
LOG4CXX_INFO(logger_, "LuaRoutine:recv from uncomress");
msg_rcv.rebuild();
sock_->recv(&msg_rcv);
Lua_ZMQ_MSG_Item *msg_item = (Lua_ZMQ_MSG_Item*)(msg_rcv.data());
stk_static_ = msg_item->stk_static;
market_id_ = msg_item->market_id;
//free(msg_item->pdcdata);
//msg_item->pdcdata = NULL;
DispatchToLua(msg_item->pdcdata, msg_item->dc_type, msg_item->dc_general_intype, msg_item->stk_num, msg_item->did_template_id);
//DispatchToLua(pdata, DCT_STKSTATIC, 0, 2000, sizeof(stk_static), 0);
}
}
else if (rc == 0)//timeout
{
//sleep(FLAGS_ROLL_OVERTIME);
lua_getglobal(lua_state_, "ObserverOvertime");
if(market_id_ != 0)
{
lua_pushinteger(lua_state_, market_id_);
}
else
{
lua_pushinteger(lua_state_, 1);
}
LOG4CXX_INFO(logger_, "ObserverOvertime send to lua");
if(lua_pcall(lua_state_, 1, 1, 0) != 0)
{
//LOG4CXX_ERROR(logger_, lua_tostring(lua_state_, -1));
lua_pop(lua_state_,-1);
//lua_close(lua_state_);
}
else
{
if(lua_istable(lua_state_, -1))
{
lua_pushnil(lua_state_);
while(0 != lua_next(lua_state_, -2))
{
if(lua_isstring(lua_state_, -1))
{
LOG4CXX_INFO(logger_, "return string from lua:" << lua_tostring(lua_state_, -1));
//zmq to business;
size_t len = lua_strlen(lua_state_, -1);
zmq::message_t msg(len);
memcpy(msg.data(), lua_tostring(lua_state_, -1), len);
sock_business_error_->send(msg);
}
lua_remove(lua_state_, -1);
}
}
lua_pop(lua_state_, -1);
}
}
else
{
LOG4CXX_ERROR(logger_, "lua zmq poll fail");
}
}
}
| [
"[email protected]"
] | |
26e70a3329acad4579318d00f670b0c9740ea8f6 | 6845b50ecfaf987d17f202c60f803bab8666fe7b | /src/layout/ContigActualloc.cc | 0b85799c6f736137e3b4faecc02d9727a60dc864 | [
"MIT"
] | permissive | ljyanesm/w2rap-contigger | e92a966ae0d9e88e03f41bab319facfc9ef09006 | bb018e00c65d2fc17dcb1b1a526850389003277b | refs/heads/master | 2021-01-24T03:07:55.599252 | 2016-05-09T15:35:29 | 2016-05-09T15:35:29 | 58,552,768 | 0 | 0 | null | 2016-05-11T14:35:25 | 2016-05-11T14:35:25 | null | UTF-8 | C++ | false | false | 2,408 | cc | ///////////////////////////////////////////////////////////////////////////////
// SOFTWARE COPYRIGHT NOTICE AGREEMENT //
// This software and its documentation are copyright (2010) by the //
// Broad Institute. All rights are reserved. This software is supplied //
// without any warranty or guaranteed support whatsoever. The Broad //
// Institute is not responsible for its use, misuse, or functionality. //
///////////////////////////////////////////////////////////////////////////////
#include "layout/ContigActualloc.h"
ostream& operator<<( ostream &o, const contig_actualloc &a ) {
o << a.Weight() << " "
<< a.Start() << " "
<< BoolToInt( a.rc_ );
return o;
}
istream& operator>>( istream &in, contig_actualloc &a ) {
in >> a.weight_
>> a.start_;
int dummy;
in >> dummy;
a.rc_ = ( Bool ) dummy;
return in;
}
bool operator<( const contig_actualloc &a1, const contig_actualloc &a2 ) {
if ( a1.Weight() != a2.Weight() ) return a1.Weight() < a2.Weight();
else return a1.Start() < a2.Start();
}
ostream& operator<<( ostream &o, const arachne_contig &a ) {
o << a.id_ << " "
<< a.length_ << " "
<< a.sc_id_ << " "
<< a.sc_pos_ << std::endl;
o << a.actuallocs_.size() << std::endl;
ctg_actloc_itr curr = a.actuallocs_.begin();
ctg_actloc_itr end = a.actuallocs_.end();
for ( ;
curr != end;
++curr )
o << *curr << std::endl;
return o;
}
istream& operator>>( istream &in, arachne_contig &a ) {
in >> a.id_
>> a.length_
>> a.sc_id_
>> a.sc_pos_;
int len;
in >> len;
Assert( len >= 0 );
for ( int i = 0;
i < len;
++i ) {
contig_actualloc cactl;
in >> cactl;
a.actuallocs_.insert( cactl );
}
return in;
}
void contig_actualloc::Print( ostream &o ) const {
o << "<weight: " << weight_
<< "; start,dir: " << start_
<< "." << (int)rc_
<< ">";
}
void arachne_contig::Print( ostream &o ) const {
o << "ID: " << id_ << "; SC = " << sc_id_ << ":" << sc_pos_
<< "; l = " << length_
<< "; actlocs: { ";
ctg_actloc_itr curractloc_itr = actuallocs_.begin();
ctg_actloc_itr end_actloc_itr = actuallocs_.end();
for ( ;
curractloc_itr != end_actloc_itr;
++curractloc_itr ) {
curractloc_itr->Print( o );
o << ",";
}
o << "}";
}
| [
"[email protected]"
] | |
4d3d2a8d4914716b7e441eca1d16c86d845a1d8a | 191707dd19837f7abd6f4255cd42b78d3ca741c5 | /X11R4/contrib/toolkits/InterViews/src/InterViews/Graphic/picture.h | 80c92988e853c440997db0e05011ebca2870c142 | [
"LicenseRef-scancode-warranty-disclaimer",
"LicenseRef-scancode-mit-old-style",
"LicenseRef-scancode-other-permissive"
] | permissive | yoya/x.org | 4709089f97b1b48f7de2cfbeff1881c59ea1d28e | fb9e6d4bd0c880cfc674d4697322331fe39864d9 | refs/heads/master | 2023-08-08T02:00:51.277615 | 2023-07-25T14:05:05 | 2023-07-25T14:05:05 | 163,954,490 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,584 | h | /*
* Copyright (c) 1987, 1988, 1989 Stanford University
*
* Permission to use, copy, modify, distribute, and sell this software and its
* documentation for any purpose is hereby granted without fee, provided
* that the above copyright notice appear in all copies and that both that
* copyright notice and this permission notice appear in supporting
* documentation, and that the name of Stanford not be used in advertising or
* publicity pertaining to distribution of the software without specific,
* written prior permission. Stanford makes no representations about
* the suitability of this software for any purpose. It is provided "as is"
* without express or implied warranty.
*
* STANFORD DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE,
* INCLUDING ALL IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS.
* IN NO EVENT SHALL STANFORD BE LIABLE FOR ANY SPECIAL, INDIRECT OR
* CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING FROM LOSS OF USE,
* DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT, NEGLIGENCE OR
* OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION
* WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
*/
/*
* Interface to Picture, a composite of one or more Graphics.
*/
#ifndef picture_h
#define picture_h
#include <InterViews/Graphic/base.h>
class Picture : public FullGraphic {
public:
Picture(Graphic* gr = nil);
virtual ~Picture();
void Append(Graphic*, Graphic* =nil, Graphic* =nil, Graphic* =nil);
void Prepend(Graphic*, Graphic* =nil, Graphic* =nil, Graphic* =nil);
void InsertAfterCur(Graphic*, Graphic* =nil, Graphic* =nil, Graphic* =nil);
void InsertBeforeCur(Graphic*, Graphic* =nil, Graphic* =nil,Graphic* =nil);
void Remove(Graphic* p);
void RemoveCur();
void SetCurrent(Graphic* p);
Graphic* GetCurrent();
Graphic* First();
Graphic* Last();
Graphic* Next();
Graphic* Prev();
boolean IsEmpty () { return refList->IsEmpty(); }
boolean AtEnd () { return cur == refList; }
Graphic* FirstGraphicContaining(PointObj&);
Graphic* LastGraphicContaining(PointObj&);
int GraphicsContaining(PointObj&, Graphic**&);
Graphic* FirstGraphicIntersecting(BoxObj&);
Graphic* LastGraphicIntersecting(BoxObj&);
int GraphicsIntersecting(BoxObj&, Graphic**&);
Graphic* FirstGraphicWithin(BoxObj&);
Graphic* LastGraphicWithin(BoxObj&);
int GraphicsWithin(BoxObj&, Graphic**&);
virtual boolean HasChildren();
virtual void Propagate();
virtual Graphic* Copy();
virtual ClassId GetClassId();
virtual boolean IsA(ClassId);
protected:
Graphic* getGraphic(RefList*);
virtual void draw(Canvas*, Graphic*);
virtual void drawClipped(Canvas*, Coord, Coord, Coord, Coord, Graphic*);
virtual void getExtent(float&, float&, float&, float&, float&, Graphic*);
virtual boolean contains(PointObj&, Graphic*);
virtual boolean intersects(BoxObj&, Graphic*);
void getCachedExtent(float&, float&, float&, float&, float&);
virtual boolean extentCached();
virtual void cacheExtent(float, float, float, float, float);
virtual void uncacheExtent();
virtual void uncacheChildren();
virtual boolean read(PFile*);
virtual boolean write(PFile*);
virtual boolean readObjects(PFile*);
virtual boolean writeObjects(PFile*);
protected:
RefList* refList, *cur;
private:
Extent* extent;
};
/*
* inlines
*/
inline Graphic* Picture::getGraphic (RefList* r) { return (Graphic*) (*r)(); }
inline Graphic* Picture::GetCurrent () { return getGraphic(cur); }
#endif
| [
"[email protected]"
] | |
73728070e044ef028bb38326d73634e8541877f4 | ac17ed8f8406c789af7023cbf39dcf28eff1519f | /neUtilities/src/neUtilities_MathConstants.cpp | 4ee3253d108a38a857d48180cb8a6a53c1142553 | [] | no_license | ne3ko0/neEngine | f7108db2f7223a1d36e3d7d60b4e9e6dabd88bdd | cf9c0eab182844c4706e7c1382dadbbcadb0d80c | refs/heads/master | 2021-01-23T10:57:21.892604 | 2017-08-18T01:33:03 | 2017-08-18T01:33:03 | 93,111,355 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,848 | cpp | #include "neMathConstants.h"
#include "neMathRadians.h"
#include "neMathDegrees.h"
namespace neEngineSDK
{
const float CMath::PI = atanf(1.f)*4.f;
const float CMath::INVERSEPI = 1.0f / PI;
const float CMath::PIBYTWO = PI / 2.0f;
const float CMath::TWOPI = 2.0f * PI;
const float CMath::EULER = 2.7182818284590f;
const uint8 CMath::MIN_UINT8 = std::numeric_limits<uint8>::min();
const uint16 CMath::MIN_UINT16 = std::numeric_limits<uint16>::min();
const uint32 CMath::MIN_UINT32 = std::numeric_limits<uint32>::min();
const int8 CMath::MIN_INT8 = std::numeric_limits<int8>::min();
const int16 CMath::MIN_INT16 = std::numeric_limits<int16>::min();
const int32 CMath::MIN_INT32 = std::numeric_limits<int32>::min();
const float CMath::MIN_FLOAT = std::numeric_limits<float>::min();
const uint8 CMath::MAX_UINT8 = std::numeric_limits<uint8>::max();
const uint16 CMath::MAX_UINT16 = std::numeric_limits<uint16>::max();
const uint32 CMath::MAX_UINT32 = std::numeric_limits<uint32>::max();
const int8 CMath::MAX_INT8 = std::numeric_limits<int8>::max();
const int16 CMath::MAX_INT16 = std::numeric_limits<int16>::max();
const int32 CMath::MAX_INT32 = std::numeric_limits<int32>::max();
const float CMath::MAX_FLOAT = std::numeric_limits<float>::max();
const float CMath::F_INFINITE = std::numeric_limits<float>::infinity();
const float CMath::LOG2 = std::log(2.0f);
const float CMath::DELTA = 0.0f;
const float CMath::DEG_TO_RAD = CMath::PI / 180.0f;
const float CMath::RAD_TO_DEG = 180.0f / CMath::PI;
float CMath::Log2(float prm_Value)
{
return (float)(std::log(prm_Value) / LOG2);
}
CDegree CMath::Sqrt(const CDegree & prm_Value)
{
return CDegree(Sqrt(prm_Value.ValueDegrees()));
}
CRadian CMath::Sqrt(const CRadian & prm_Value)
{
return CRadian(Sqrt(prm_Value.ValueRadians()));
}
float CMath::RadianSine(const CRadian & prm_Radian)
{
return std::sinf(prm_Radian.ValueRadians());
}
float CMath::RadianCosine(const CRadian & prm_Radian)
{
return std::cosf(prm_Radian.ValueRadians());
}
float CMath::RadianTangent(const CRadian & prm_Radian)
{
return std::tanf(prm_Radian.ValueRadians());
}
CRadian CMath::Acos(float prm_Value)
{
return CRadian( std::acosf(prm_Value) );
}
CRadian CMath::Asin(float prm_Value) {
if (prm_Value > -1.0f) {
if (prm_Value < 1.0f) {
return (CRadian)(std::asin(prm_Value));
}
else
return CRadian(0.0f);
}
else {
return CRadian(PI);
}
}
CRadian CMath::Atan(float prm_Value)
{
return CRadian(std::atan(prm_Value));
}
CRadian CMath::Atan2(float prm_Y, float prm_X)
{
return CRadian(std::atan2(prm_Y, prm_X));
}
}
| [
"[email protected]"
] | |
d8ed1330ef36a7335d49b82daa5cedcc8c078999 | dc7d03e764b9da3f80090c0b05676ddb6cdecec6 | /alphaEngine/alphaEngine/Particale.cpp | 927886455b0718c7a7193886c7beff508e0c2960 | [] | no_license | winstonho/simplealphaEngine | ba9b2fe879d02c7c05dc436767bbaaf47827b55f | 54a82474c5e21f911c5d862de77a238234e86935 | refs/heads/main | 2023-03-25T03:10:33.658972 | 2021-03-23T05:46:16 | 2021-03-23T05:46:16 | 335,191,865 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 10,675 | cpp | #include "Particale.h"
#include <algorithm>
#include <iostream>
#include <fstream>
#include <sstream>
#define GETVarName(name) GetName(#name)
std::string GetName(std::string name)
{
auto id = name.find(".");
if (id != std::string::npos)
{
name.erase(name.begin(), name.begin() + id + 1);
}
return std::move(name) + ":";
}
void CircleEmitter::Init()
{
m_particleBuffer.resize(m_maxParticle);
for (unsigned int i = 0; i < m_maxParticle; i++) {
m_particleBuffer[i].m_fLifeTime = -1.0f;
}
}
void CircleEmitter::Update(float dt)
{
int count = 0;
for (unsigned int i = 0; i < lastUsedParticle; ++i)
{
auto& particle = m_particleBuffer[i];
if (m_particleBuffer[i].GetActive())
{
particle.m_fAge += dt;
float lifeRatio = Math::Clamp(particle.m_fAge / particle.m_fLifeTime, 0.0f, 1.0f);
particle.m_Position += particle.m_Velocity * dt;
particle.m_fSize = GetValue(this->sizeEffect, setting.m_minSize, particle.m_finalSize, lifeRatio);
switch (this->colourEffect)
{
case EFFECT::FADEIN:
particle.m_Color = setting.m_colourStart + (setting.m_colourEnd - setting.m_colourStart) * lifeRatio;
break;
case EFFECT::FADEOUT:
particle.m_Color = setting.m_colourEnd + (setting.m_colourStart - setting.m_colourEnd) * lifeRatio;
break;
}
if (particle.m_fAge > particle.m_fLifeTime)
{
particle.SetActive(false);
--lastUsedParticle;
}
}
}
std::sort(m_particleBuffer.begin(), m_particleBuffer.end());
}
void CircleEmitter::EmitParticle(const AEVec2& pos, bool random)
{
if (lastUsedParticle < m_maxParticle)
{
if (!m_particleBuffer[lastUsedParticle].GetActive())
{
AEVec2 spawnDir;
float angle = Math::RandomFloat(m_minAngleInDeg, this->m_maxAngleInDeg);
//std::cout << angle << std::endl;
spawnDir.x = cosf(AEDegToRad(angle));
spawnDir.y = sinf(AEDegToRad(angle));
m_particleBuffer[lastUsedParticle].SetActive(true);
m_particleBuffer[lastUsedParticle].m_fAge = 0.0f;
m_particleBuffer[lastUsedParticle].m_fLifeTime = Math::RandomFloat(setting.m_minlifeTime, setting.m_maxlifeTime);
m_particleBuffer[lastUsedParticle].m_finalSize = m_particleBuffer[lastUsedParticle].m_fSize = Math::RandomFloat(setting.m_minSize, setting.m_maxSize);
m_particleBuffer[lastUsedParticle].m_Position = pos + spawnDir * Math::RandomFloat(m_minRadius, m_maxRadius);
if (random)
{
m_particleBuffer[lastUsedParticle].m_Velocity = RandomVelocity() * Math::RandomFloat(setting.m_minSpeed, setting.m_maxSpeed);
}
else
{
AEVec2 dir = pos - m_particleBuffer[lastUsedParticle].m_Position;
AEVec2Normalize(&dir, &dir);
m_particleBuffer[lastUsedParticle].m_Velocity = dir * Math::RandomFloat(setting.m_minSpeed, setting.m_maxSpeed);
}
m_particleBuffer[lastUsedParticle].m_Color = setting.m_colourStart;
++lastUsedParticle;
}
else
{
std::cout << "error in creating go and look at your sort algo" << std::endl;
}
}
}
AEVec2 CircleEmitter::RandomVelocity()
{
AEVec2 temp;
float angle = Math::RandomFloat(setting.mindirInDegree, setting.maxdirInDegree);
//std::cout << angle << std::endl;
temp.x = cosf(AEDegToRad(angle));
temp.y = sinf(AEDegToRad(angle));
return temp;
}
const ParticleBuffer& CircleEmitter::GetParticaleBuffer() const
{
return m_particleBuffer;
}
const unsigned int CircleEmitter::GetNumberOFActiveParticale() const
{
return lastUsedParticle;
}
void CircleEmitter::SetMaxParticale(unsigned int newsize)
{
this->m_maxParticle = newsize;
}
unsigned int CircleEmitter::GetMaxParticale() const
{
return this->m_maxParticle;
}
float CircleEmitter::GetValue(EFFECT effect, float startValue, float maxValue, float ratio)
{
switch (effect)
{
case EFFECT::FADEIN:
return Math::Lerp(startValue, maxValue, ratio);
break;
case EFFECT::FADEOUT:
return Math::Lerp(maxValue, startValue, ratio);
break;
}
return maxValue;
}
void Particle::SetActive(bool active)
{
m_active = active;
m_Color.SetA(active ? m_Color.GetA() : 0.0f);
m_fSize = active ? m_fSize : 0.0f;
m_finalSize = active ? m_finalSize : 0.0f;
}
bool Particle::GetActive()
{
return m_active;
}
bool Particle::operator<(Particle& rhs)
{
if (this->m_active == rhs.m_active && this->m_active == true)
{
return m_fAge > rhs.m_fAge;
}
else
{
return this->m_active;
}
}
void CircleEmitter::SaveSetting(const std::string& name)
{
std::ofstream NewData;
NewData.open(name, std::ios::trunc);
NewData << GETVarName(setting.mindirInDegree) << setting.mindirInDegree << std::endl;
NewData << GETVarName(setting.maxdirInDegree) << setting.maxdirInDegree << std::endl;
NewData << GETVarName(setting.m_minSize) << setting.m_minSize << std::endl;
NewData << GETVarName(setting.m_maxSize) << setting.m_maxSize << std::endl;
NewData << GETVarName(setting.m_minlifeTime) << setting.m_minlifeTime << std::endl;
NewData << GETVarName(setting.m_maxlifeTime) << setting.m_maxlifeTime << std::endl;
NewData << GETVarName(setting.m_minSpeed) << setting.m_minSpeed << std::endl;
NewData << GETVarName(setting.m_maxSpeed) << setting.m_maxSpeed << std::endl;
NewData << GETVarName(m_minRadius) << m_minRadius << std::endl;
NewData << GETVarName(m_maxRadius) << m_maxRadius << std::endl;
NewData << GETVarName(m_minAngleInDeg) << m_minAngleInDeg << std::endl;
NewData << GETVarName(m_maxAngleInDeg) << m_maxAngleInDeg << std::endl;
NewData << GETVarName(m_maxParticle) << m_maxParticle << std::endl;
//std::cout << m_maxParticle << std::endl;
//v = &m_maxParticle;
//*std::get<unsigned int *>(v) = 10;
//std::cout << m_maxParticle << std::endl;
NewData.close();
}
void CircleEmitter::LoadSetting(const std::string& name)
{
std::ifstream file(name.c_str());
if (file.is_open())
{
std::string aLineOfText = "";
std::istringstream iss(aLineOfText);
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.mindirInDegree;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.maxdirInDegree;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.m_minSize;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.m_maxSize;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.m_minlifeTime;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.m_maxlifeTime;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.m_minSpeed;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> setting.m_maxSpeed;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> m_minRadius;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> m_maxRadius;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> m_minAngleInDeg;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> m_maxAngleInDeg;
std::getline(file, aLineOfText);
iss = std::move(std::istringstream{ aLineOfText.substr(aLineOfText.find(":") + 1) });
iss >> m_maxParticle;
}
//perFrameTime_ = maxTime_ / (float)spriteList.size();
//std::cout << maxTime_;
file.close();
}
void CircleEmitter::SaveSetting2(const std::string& name)
{
//unlike SaveSeeting we can't order how we save the data if we using unordermap.
//try change to std::map and see got any differnt in your txt file;
std::ofstream NewData;
NewData.open(name, std::ios::trunc);
std::variant < std::ostream*> temp = &NewData;
for ( auto& elem : meamberVarPtrList)
{
NewData << elem.first;
std::visit( [](auto arg,auto temp) {*temp << *arg << std::endl; }, elem.second, temp);
}
NewData.close();
}
void CircleEmitter::LoadSetting2(const std::string& name)
{
//unlike LoadSetting2 first we no need to care the order on how we save the data
std::ifstream file(name.c_str());
if (file.is_open())
{
std::string aLineOfText = "";
std::istringstream iss(aLineOfText);
//yet we shorthen the code
while (!file.eof())
{
std::getline(file, aLineOfText);
auto index = aLineOfText.find(":") + 1;
iss = std::move(std::istringstream{ aLineOfText.substr(index) });
//sadly std::vist only take in std::variant so we just enclose on iss into a varient
std::variant <std::istringstream*> temp = &iss;
auto itor = meamberVarPtrList.find(aLineOfText.substr(0, index));
if (itor != meamberVarPtrList.end())
{
std::visit([](auto arg, auto temp) {*temp >> *arg; }, itor->second, temp);
}
}
}
}
CircleEmitter::CircleEmitter()
:lastUsedParticle{0},m_maxParticle{0},m_maxRadius{0},m_minRadius{0},
m_minAngleInDeg{ 0 }, m_maxAngleInDeg{ 0 }, m_particleBuffer{},
sizeEffect {EFFECT::FADEIN}, colourEffect{ EFFECT::FADEIN },emiteTime{0.0f}
{
//here i set up using a unorder map to use to store the a ptr to data.
//this we do a fake refelction system !!
//but it will help us to use to solve the problem where
//we load the data the order must be same as the save data!!
meamberVarPtrList[GETVarName(setting.mindirInDegree)] = &setting.mindirInDegree;
meamberVarPtrList[GETVarName(setting.maxdirInDegree)] = &setting.maxdirInDegree;
meamberVarPtrList[GETVarName(setting.m_minSize)] = &setting.m_minSize;
meamberVarPtrList[GETVarName(setting.m_maxSize)] = &setting.m_maxSize;
meamberVarPtrList[GETVarName(setting.m_minlifeTime)] = &setting.m_minlifeTime;
meamberVarPtrList[GETVarName(setting.m_maxlifeTime)] = &setting.m_maxlifeTime;
meamberVarPtrList[GETVarName(setting.m_minSpeed)] = &setting.m_minSpeed;
meamberVarPtrList[GETVarName(setting.m_maxSpeed)] = &setting.m_maxSpeed;
meamberVarPtrList[GETVarName(m_minRadius)] = &m_minRadius;
meamberVarPtrList[GETVarName(m_maxRadius)] = &m_maxRadius;
meamberVarPtrList[GETVarName(m_minAngleInDeg)] = &m_minAngleInDeg;
meamberVarPtrList[GETVarName(m_maxAngleInDeg)] = &m_maxAngleInDeg;
meamberVarPtrList[GETVarName(m_maxParticle)] = &m_maxParticle;
}
| [
"[email protected]"
] | |
e659ea6bcf7373711f58fa237e617e62ddbd491b | af260b99d9f045ac4202745a3c7a65ac74a5e53c | /branches/engine/2.4/src/SeedHash.h | e65516385dd7d9b218d4faf1db38a005fe16ddff | [] | no_license | BackupTheBerlios/snap-svn | 560813feabcf5d01f25bc960d474f7e218373da0 | a99b5c64384cc229e8628b22f3cf6a63a70ed46f | refs/heads/master | 2021-01-22T09:43:37.862180 | 2008-02-17T15:50:06 | 2008-02-17T15:50:06 | 40,819,397 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,682 | h | #ifndef _SeedSearcher_SeedHash_h
#define _SeedSearcher_SeedHash_h
//
// File : $RCSfile: $
// $Workfile: SeedHash.h $
// Version : $Revision: 15 $
// $Author: Aviad $
// $Date: 7/09/04 9:39 $
// Description :
// Concrete and interface classes for a hash-table of positions
//
// Author:
// Aviad Rozenhek (mailto:[email protected]) 2003-2004
//
// written for the SeedSearcher program.
// for details see www.huji.ac.il/~hoan
// and also http://www.cs.huji.ac.il/~nirf/Abstracts/BGF1.html
//
// this file and as well as its library are released for academic research
// only. the LESSER GENERAL PUBLIC LICENSE (LPGL) license
// as well as any other restrictions as posed by the computational biology lab
// and the library authors appliy.
// see http://www.cs.huji.ac.il/labs/compbio/LibB/LICENSE
//
#include "Assignment.h"
#include "Cluster.h"
#include "DebugLog.h"
#include "core/HashTable.h"
//
//
class SeedHash {
public:
//
//
class AssgKey {
//
//
public:
AssgKey (const Str&, const Langauge&);
AssgKey (const Assignment&, const Langauge&);
AssgKey (const AssgKey& o) : _assg (o._assg), _hash (o._hash) {
}
HashValue hash () const {
return _hash;
}
const Assignment& assignment () const {
return _assg;
}
private:
Assignment _assg;
HashValue _hash;
};
//
//
template <class UserCluster>
class Cluster : public HashLinkEntry <UserCluster> {
public:
typedef AssgKey Key;
inline Cluster (const AssgKey& key) : _key (key) {
debug_mustbe (_key.assignment ().length () > 0);
_cluster = new SeqCluster;
}
inline bool fitsKey (const AssgKey& key) {
return _key.assignment () == key.assignment ();
}
inline const AssgKey& getKey() const {
return _key;
}
const Assignment& assignment () const {
return _key.assignment ();
}
inline static HashValue hash (const AssgKey& inKey) {
return inKey.hash ();
}
bool hasSequence (const SeqWeightFunction& wf) const{
return _cluster->hasSequence (wf);
}
const SeqCluster& getCluster () const {
return *_cluster;
}
SeqCluster* releaseCluster () {
return _cluster.release ();
}
protected:
AssgKey _key;
AutoPtr <SeqCluster> _cluster;
};
//
//
template <class C, class D = BOOST_DEDUCED_TYPENAME HashTable <C>::Deallocator>
class Table : public HashTable <C, D> {
public:
typedef C UserCluster;
typedef D Deallocator;
typedef HashTable <UserCluster, Deallocator> HashTableBase;
Table (int tableSize, const Langauge& langauge)
: HashTableBase (tableSize), _langauge (langauge)
{
}
virtual ~Table () {
}
//
// increase table size if necessary
void adjustTableSize (int overloadFactor = 8, int expFactor = 3) {
// TODO: is this working properly?
int tableSize = this->getTableSize ();
int numberOfEntries = this->getSize ();
if (numberOfEntries > overloadFactor * tableSize) {
int newTableSize = (expFactor * numberOfEntries) - 1;
DLOG << "Increasing table size from "
<< tableSize << " to "<< newTableSize << DLOG.EOL ();
this->resize (newTableSize);
}
}
protected:
const Langauge& _langauge;
};
};
#endif
| [
"aviadr1@1f8b7f26-7806-0410-ba70-a23862d07478"
] | aviadr1@1f8b7f26-7806-0410-ba70-a23862d07478 |
49be904ced6591a096dd80b8af65c42a7b1addf2 | 7396a56d1f6c61b81355fc6cb034491b97feb785 | /include/algorithms/neural_networks/layers/eltwise_sum/eltwise_sum_layer_forward_types.h | 9a18a711161e9be4bea4d10e13032c8fe428dacb | [
"Apache-2.0",
"Intel"
] | permissive | francktcheng/daal | 0ad1703be1e628a5e761ae41d2d9f8c0dde7c0bc | 875ddcc8e055d1dd7e5ea51e7c1b39886f9c7b79 | refs/heads/master | 2018-10-01T06:08:39.904147 | 2017-09-20T22:37:02 | 2017-09-20T22:37:02 | 119,408,979 | 0 | 0 | null | 2018-01-29T16:29:51 | 2018-01-29T16:29:51 | null | UTF-8 | C++ | false | false | 11,941 | h | /* file: eltwise_sum_layer_forward_types.h */
/*******************************************************************************
* Copyright 2014-2017 Intel Corporation
* All Rights Reserved.
*
* If this software was obtained under the Intel Simplified Software License,
* the following terms apply:
*
* The source code, information and material ("Material") contained herein is
* owned by Intel Corporation or its suppliers or licensors, and title to such
* Material remains with Intel Corporation or its suppliers or licensors. The
* Material contains proprietary information of Intel or its suppliers and
* licensors. The Material is protected by worldwide copyright laws and treaty
* provisions. No part of the Material may be used, copied, reproduced,
* modified, published, uploaded, posted, transmitted, distributed or disclosed
* in any way without Intel's prior express written permission. No license under
* any patent, copyright or other intellectual property rights in the Material
* is granted to or conferred upon you, either expressly, by implication,
* inducement, estoppel or otherwise. Any license under such intellectual
* property rights must be express and approved by Intel in writing.
*
* Unless otherwise agreed by Intel in writing, you may not remove or alter this
* notice or any other notice embedded in Materials by Intel or Intel's
* suppliers or licensors in any way.
*
*
* If this software was obtained under the Apache License, Version 2.0 (the
* "License"), the following terms apply:
*
* 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.
*******************************************************************************/
/*
//++
// Implementation of forward element-wise sum layer.
//--
*/
#ifndef __ELTWISE_SUM_LAYER_FORWARD_TYPES_H__
#define __ELTWISE_SUM_LAYER_FORWARD_TYPES_H__
#include "algorithms/algorithm.h"
#include "services/daal_defines.h"
#include "data_management/data/tensor.h"
#include "algorithms/neural_networks/layers/layer_forward_types.h"
#include "algorithms/neural_networks/layers/eltwise_sum/eltwise_sum_layer_types.h"
namespace daal
{
namespace algorithms
{
namespace neural_networks
{
namespace layers
{
namespace eltwise_sum
{
/**
* @defgroup eltwise_sum_forward Forward Element-wise Sum Layer
* \copydoc daal::algorithms::neural_networks::layers::eltwise_sum::forward
* @ingroup eltwise_sum
* @{
*/
/**
* \brief Contains classes for the forward element-wise sum layer
*/
namespace forward
{
/**
* <a name="DAAL-ENUM-ALGORITHMS__NEURAL_NETWORKS__LAYERS__ELTWISE_SUM__FORWARD__INPUTID"></a>
* Available identifiers of input objects for the element-wise sum layer
*/
enum InputId
{
coefficients = layers::forward::lastInputLayerDataId + 1, /*!< Input coefficients */
lastInputId = coefficients
};
/**
* \brief Contains version 1.0 of Intel(R) Data Analytics Acceleration Library (Intel(R) DAAL) interface.
*/
namespace interface1
{
/**
* <a name="DAAL-CLASS-ALGORITHMS__NEURAL_NETWORKS__LAYERS__ELTWISE_SUM__FORWARD__INPUT"></a>
* \brief %Input objects for the forward element-wise sum layer
*/
class DAAL_EXPORT Input : public layers::forward::Input
{
public:
typedef layers::forward::Input super;
/**
* Default constructor
*/
Input();
/** Copy constructor */
Input(const Input& other);
virtual ~Input() {}
/**
* Sets an input object for the forward element-wise sum layer
*/
using layers::forward::Input::set;
/**
* Returns an input object for the forward element-wise sum layer
*/
using layers::forward::Input::get;
/**
* Returns an input tensor of the forward element-wise sum layer
* \param[in] id Identifier of the input tensor
* \return Input tensor that corresponds to the given identifier
*/
data_management::TensorPtr get(InputId id) const;
/**
* Sets an input tensor of the forward element-wise sum layer
* \param[in] id Identifier of the input tensor
* \param[in] value Pointer to the tensor
*/
void set(InputId id, const data_management::TensorPtr &value);
/**
* Returns an input tensor of the forward element-wise sum layer
* \param[in] id Identifier of the input tensor
* \param[in] index Index of the input tensor
* \return Input tensor that corresponds to the given identifier
*/
data_management::TensorPtr get(layers::forward::InputLayerDataId id, size_t index) const;
/**
* Sets an input tensor for the forward element-wise sum layer
* \param[in] id Identifier of the input tensor
* \param[in] value Pointer to the tensor
* \param[in] index Index of the input tensor
*/
void set(layers::forward::InputLayerDataId id, const data_management::TensorPtr &value, size_t index);
/**
* Adds tensor with data to the input object of the forward element-wise sum layer
* \param[in] dataTensor Tensor with data
* \param[in] index Index of the tensor with data
*
* \return Status of computations
*/
virtual services::Status addData(const data_management::TensorPtr &dataTensor, size_t index) DAAL_C11_OVERRIDE;
/**
* Erases input data tensor from the input of the forward layer
*
* \return Status of computations
*/
virtual services::Status eraseInputData() DAAL_C11_OVERRIDE;
/**
* Checks input object of the forward element-wise sum layer
* \param[in] parameter %Parameter of layer
* \param[in] method Computation method of the layer
*
* \return Status of computations
*/
services::Status check(const daal::algorithms::Parameter *parameter, int method) const DAAL_C11_OVERRIDE;
private:
/** \private */
services::Status checkInputTensors(const LayerData &layerData) const;
services::Status checkCoefficients(const LayerData &layerData) const;
LayerDataPtr getInputLayerDataAllocateIfEmpty();
};
/**
* <a name="DAAL-CLASS-ALGORITHMS__NEURAL_NETWORKS__LAYERS__ELTWISE_SUM__FORWARD__RESULT"></a>
* \brief Results obtained with the compute() method of the forward element-wise sum layer
* in the batch processing mode
*/
class DAAL_EXPORT Result : public layers::forward::Result
{
public:
DECLARE_SERIALIZABLE_CAST(Result);
/**
* Default constructor
*/
Result();
virtual ~Result() {}
/**
* Returns the result of the forward element-wise sum layer
*/
using layers::forward::Result::get;
/**
* Sets the result of the forward element-wise sum layer
*/
using layers::forward::Result::set;
/**
* Allocates memory to store the result of forward element-wise sum layer
* \param[in] input %Input object for the algorithm
* \param[in] parameter %Parameter of forward element-wise sum layer
* \param[in] method Computation method for the layer
*
* \return Status of computations
*/
template <typename algorithmFPType>
DAAL_EXPORT services::Status allocate(const daal::algorithms::Input *input,
const daal::algorithms::Parameter *parameter, const int method);
/**
* Returns dimensions of value tensor
* \return Dimensions of value tensor
*/
virtual const services::Collection<size_t> getValueSize(const services::Collection<size_t> &inputSize,
const daal::algorithms::Parameter *par, const int method) const DAAL_C11_OVERRIDE;
/**
* Returns collection of dimensions of element-wise sum layer output
* \param[in] inputSize Collection of input tensors dimensions
* \param[in] parameter Parameters of the algorithm
* \param[in] method Method of the algorithm
* \return Collection of dimensions of element-wise sum layer output
*/
virtual services::Collection<size_t> getValueSize(const services::Collection< services::Collection<size_t> > &inputSize,
const daal::algorithms::Parameter *parameter, const int method) DAAL_C11_OVERRIDE;
/**
* Returns the result tensor of forward element-wise sum layer
* \param[in] id Identifier of the result tensor
* \return Result tensor that corresponds to the given identifier
*/
data_management::TensorPtr get(LayerDataId id) const;
/**
* Returns the result numeric table of the forward element-wise sum layer
* \param[in] id Identifier of the result numeric table
* \return Result numeric table that corresponds to the given identifier
*/
data_management::NumericTablePtr get(LayerDataNumericTableId id) const;
/**
* Sets the result tensor of forward element-wise sum layer
* \param[in] id Identifier of the result tensor
* \param[in] value Result tensor
*/
void set(LayerDataId id, const data_management::TensorPtr &value);
/**
* Sets the result numeric table of the forward element-wise sum layer
* \param[in] id Identifier of the result numeric table
* \param[in] value Result numeric tensor
*/
void set(LayerDataNumericTableId id, const data_management::NumericTablePtr &value);
/**
* Sets the result that is used in backward layer
* \param[in] input Pointer to an object containing the input data
*
* \return Status of operation
*/
virtual services::Status setResultForBackward(const daal::algorithms::Input *input) DAAL_C11_OVERRIDE;
/**
* Checks the result of the forward element-wise sum layer
* \param[in] input %Input object of the layer
* \param[in] par %Parameter of the layer
* \param[in] method Computation method of the layer
*
* \return Status of computations
*/
virtual services::Status check(const daal::algorithms::Input *input,
const daal::algorithms::Parameter *par, int method) const DAAL_C11_OVERRIDE;
protected:
/** \private */
template<typename Archive, bool onDeserialize>
services::Status serialImpl(Archive *arch)
{
daal::algorithms::Result::serialImpl<Archive, onDeserialize>(arch);
return services::Status();
}
services::Status serializeImpl(data_management::InputDataArchive *arch) DAAL_C11_OVERRIDE
{
serialImpl<data_management::InputDataArchive, false>(arch);
return services::Status();
}
services::Status deserializeImpl(const data_management::OutputDataArchive *arch) DAAL_C11_OVERRIDE
{
serialImpl<const data_management::OutputDataArchive, true>(arch);
return services::Status();
}
private:
/** \private */
services::Status checkValue(const Input *input) const;
services::Status checkAuxCoefficients(const Input *input) const;
services::Status checkAuxNumberOfCoefficients(const Input *input) const;
LayerDataPtr getResultLayerDataAllocateIfEmpty();
template<typename algorithmFPType>
services::Status allocateValueTensor(const Input *eltwiseInput);
};
typedef services::SharedPtr<Result> ResultPtr;
} // namespace interface1
using interface1::Input;
using interface1::Result;
using interface1::ResultPtr;
} // namespace forward
/** @} */
} // namespace eltwise_sum
} // namespace layers
} // namespace neural_networks
} // namespace algorithms
} // namespace daal
#endif
| [
"[email protected]"
] | |
4b2b1a67d71be8a3260fcc7a197f10ba65c0963a | a124cb63c292beb4185cd5904cf2b755c6b2a83b | /weex_core/Source/core/layout/measure_func_adapter_impl_android.h | 162df296be037d03cb4e24d25612b07ab6148840 | [
"BSD-3-Clause",
"MIT",
"Apache-2.0",
"BSD-2-Clause"
] | permissive | drfia/incubator-weex | e782b7cf7af3e30904b753c3468ffd70d31e8cd1 | 2e654f6ae7edbd711a47c4d1ff9ca864fd89bc95 | refs/heads/master | 2020-03-18T23:42:04.907937 | 2018-05-30T02:03:15 | 2018-05-30T09:17:17 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,285 | h | /**
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
*/
#include "measure_func_adapter.h"
#include <core/render/node/render_object.h>
#include <android/bridge/impl/content_box_measurement_impl_android.h>
#include <android/bridge/impl/measure_mode_impl_android.h>
#include <android/base/jni/scoped_java_ref.h>
namespace WeexCore {
class MeasureFunctionAdapterImplAndroid : public MeasureFunctionAdapter {
public:
MeasureFunctionAdapterImplAndroid() {}
~MeasureFunctionAdapterImplAndroid() {}
inline WXCoreSize Measure(WXCoreLayoutNode *node, float width,
MeasureMode widthMeasureMode, float height,
MeasureMode heightMeasureMode) {
WXCoreSize size;
size.height = 0;
size.width = 0;
jobject measureFunc = static_cast<jobject>(GetMeasureFuncFromComponent(node));
if (node == nullptr || measureFunc == nullptr) {
return size;
}
JNIEnv *env = getJNIEnv();
int widthMode = Unspecified(env);
int heightMode = Unspecified(env);
if (widthMeasureMode == kExactly)
widthMode = Exactly(env);
if (heightMeasureMode == kExactly)
heightMode = Exactly(env);
cumsmeasure_Imple_Android(env, measureFunc,
width, height,
widthMode, heightMode);
size.width = GetLayoutWidth(env, measureFunc);
size.height = GetLayoutHeight(env, measureFunc);
env->DeleteLocalRef(measureFunc);
return size;
}
inline void LayoutBefore(WXCoreLayoutNode *node) {
jobject measureFunc = static_cast<jobject>(GetMeasureFuncFromComponent(node));
if(nullptr == measureFunc) {
return;
}
JNIEnv *env = getJNIEnv();
LayoutBeforeImplAndroid(env, measureFunc);
env->DeleteLocalRef(measureFunc);
}
inline void LayoutAfter(WXCoreLayoutNode *node, float width, float height) {
jobject measureFunc = static_cast<jobject>(GetMeasureFuncFromComponent(node));
if(nullptr == measureFunc) {
return;
}
JNIEnv *env = getJNIEnv();
LayoutAfterImplAndroid(env, measureFunc, width, height);
env->DeleteLocalRef(measureFunc);
}
inline void* GetMeasureFuncFromComponent(WXCoreLayoutNode *node) {
if (!node->haveMeasureFunc()) {
return nullptr;
}
return Bridge_Impl_Android::getInstance()->getMeasureFunc(((RenderObject *) node)->PageId().c_str(), ((RenderObject *) node)->Ref().c_str());
}
};
}
| [
"[email protected]"
] | |
0142e5239b57b9c394dbd658ae60b3f7f4547b2e | 5f85b63b66833c453177c8357167fa4a16fd2e16 | /Workshops/Workshop-3/ex-servo-variable-resistance/servo-example-variable-resistance/servo-example-variable-resistance.ino | 7fcb7f20220856794bbe38864a6dfa706aeccca6 | [] | no_license | Runtime-Learner/McGill-BattleBots-Club | 20526651c3776c976a440f24f310812d9f405149 | aa497b8e3b06e8457fb5f533dc3947369d6ebb87 | refs/heads/master | 2021-06-28T05:13:56.355517 | 2021-03-12T15:56:22 | 2021-03-12T15:56:22 | 215,663,084 | 2 | 0 | null | 2020-06-14T19:19:51 | 2019-10-16T23:33:59 | C++ | UTF-8 | C++ | false | false | 1,533 | ino | /*
Controlling a servo position using a potentiometer (variable resistor)
by Michal Rinott <http://people.interaction-ivrea.it/m.rinott>
modified on 8 Nov 2013
by Scott Fitzgerald
http://www.arduino.cc/en/Tutorial/Knob
*/
/*
Code edited to support a variable resistance range
(using graphite on paper as a potentiometer substitute)
*/
#include <Servo.h>
Servo myservo; // create servo object to control a servo
//~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
//ENTER YOUR VALUES HERE
int lowInput = 0;
int highInput = 1023;
//~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
#define potpin A0 // analog pin used to connect the potentiometer
int val; // variable to read the value from the analog pin
void setup() {
myservo.attach(9); // attaches the servo on pin 9 to the servo object
pinMode(potpin, INPUT_PULLUP); //set pin A0 to be an input pin.
//and set it to standby at 5V
Serial.begin(9600); //begin a serial connection with the computer
}
void loop() {
val = analogRead(potpin); // reads the value of the 'potentiometer' (value between lowInput and highInput)
Serial.print(val); //write the value of the input pin to the computer
Serial.print("\n");
val = map(val, lowInput, highInput, 0, 180); // scale it to use it with the servo (value between 0 and 180)
myservo.write(val); // sets the servo position according to the scaled value
delay(100); // waits for the servo to get there
}
| [
"[email protected]"
] | |
0490266c5d653fdd67bcda800522d2df2cf0367a | b9a3eec20124cf8663802c5b41084f59a31c739f | /project/OOP/Resume.h | ce2903086e522a93419d7a55555b7b00b9f7c7bf | [] | no_license | ShaharAviv/project-oop1 | 1d6967352a48c3c64e844d04a9dd9c7a37968579 | 70b24b9b263c45d7b3ce652cf9427b9ac1a104b1 | refs/heads/master | 2020-04-17T03:44:18.348990 | 2019-01-17T10:02:06 | 2019-01-17T10:02:06 | 166,198,408 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 531 | h |
//=============================includes========================================
#pragma once
#include <iostream>
#include "Command.h"
//====================class decerations========================================
class Resume :public Command
{
public:
virtual void execute(sf::RenderWindow& window)
{
// stoping menu background music
//ImageResource::getSource().stopMenuBackground();
// starting level backgrounfd music
//ImageResource::getSource().playBackgroundMusic();
window.close();
};
//Resume();
};
| [
"[email protected]"
] | |
faa6b9e33a1162379c950f22e13a4bb016f5e247 | fa659fbb3ae62b3d16c551a6499776c2ec75e017 | /Computer graphics/lab3/GL2/main.cpp | febbee8a27a9783badfbd990dc307e985be8ed68 | [] | no_license | stepanplaunov/bmstu-ics9 | fe5683371a7806154c735085b075ba94132afd05 | d3b1294626512fa0faf347c14856c65d7fa663d6 | refs/heads/master | 2023-03-16T03:32:06.492608 | 2020-09-17T08:54:09 | 2020-09-17T08:54:09 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 11,367 | cpp | #define GL_SILENCE_DEPRECATION //эпл не любит опенгл :с
#include <GLFW/glfw3.h>
#include <stdlib.h> //needed for exit function
#include <iostream>
#include <stdio.h>
#include <cmath>
struct circleData {
int pointsAmount = 6;
float** pointData;
};
void keyboard_callback(GLFWwindow *window, int key, int scancode, int action, int mods);
void drawCylinder(float cylinderHeight, circleData circle, float cylinderRadius, circleData *massOfCircles);
void mouseButtonCallback( GLFWwindow *window, int button, int action, int mods);
void dimetria();
circleData* init(float cylinderHeight, circleData circle, float cylinderRadius);
int rotate_y = 0;
int rotate_x = 0;
int rotate_z = 0;
float trans_x = 0;
float trans_y = 0;
float trans_z = 0;
float sc_x = 0.5;
float sc_y = 0.5;
float sc_z = 0.5;
int circlesAmount = 3;
float fi = (asin(0.625/sqrt(2.0-0.625*0.625))); //62,82
float teta = (asin(0.625/sqrt(2.0))); //41,6
GLfloat m[16] = { cos(fi), sin(fi)*sin(teta), sin(fi)*cos(teta), 0,
0, cos(teta), -sin(teta), 0,
sin(fi), -cos(fi)*sin(teta), -cos(fi)*cos(teta), 0,
0, 0, 0, 1
}; //как получилась матрица расписать два поворота по х, у
circleData circle;
circleData *mass;
circleData *massOfCircles;
int main(int argc, char const *argv[]) {
if(!glfwInit()) {
exit(EXIT_FAILURE);
}
//glfwWindowHint(GLFW_RESIZABLE, GL_TRUE);
GLFWwindow *window = glfwCreateWindow(620, 620, "Rorate Cube", NULL, NULL);
if (!window) {
glfwTerminate();
exit(EXIT_FAILURE);
}
glfwSetMouseButtonCallback(window, mouseButtonCallback);
glfwMakeContextCurrent(window);
glfwSwapInterval(1);
glEnable(GL_DEPTH_TEST);
mass = init(1.0, circle, 0.5);
while (!glfwWindowShouldClose(window))
{
float ratio;
int width, height;
glfwGetFramebufferSize(window, &width, &height);
ratio = width / (float) height;
glViewport(0, 0, width, height);
glfwSetKeyCallback(window, keyboard_callback);
glClearColor(0, 0, 0, 0);
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
glLoadIdentity();
glOrtho(-ratio, ratio, -1.f, 1.f, 1.f, -1.f);
//вращение
glTranslatef(0.4, 0.4, 0.4);
glTranslatef(trans_x, trans_y, trans_z);
glScalef(sc_x, sc_y, sc_z);
glRotatef(rotate_x, 1.0, 0.0, 0.0); //повороты подломаны???
glRotatef(rotate_y, 0.0, 1.0, 0.0);
glRotatef(rotate_z, 0.0, 0.0, 1.0);
dimetria(); //проекция через повороты/ротейты
//glMultMatrixf(m);
glLineWidth(2);
glColor3f(0.9,0.6, 0.3);
glBegin(GL_LINES);
glVertex3f(0,0,0);
glVertex3f(0.7, 0.0, 0.0);
glEnd();
glBegin(GL_LINES);
glVertex3f(0,0,0);
glVertex3f(0, 0.7, 0);
glEnd();
glBegin(GL_LINES);
glVertex3f(0,0,0);
glVertex3f(0, 0, 0.7);
glEnd();
//drawCube();
drawCylinder(1.0, circle, 0.5, mass);
glLoadIdentity();
glOrtho(-ratio, ratio, -1.f, 1.f, 1.f, -1.f);
glTranslatef(-0.6, -0.4, -0.6);
glScalef(0.2, 0.2, 0.2);
//
//glRotatef(15, 0.0, -1.0, 0.0);
//glRotatef(15, -1.0, 0.0, 0.0);
//
//dimetria();
glMultMatrixf(m); //проекция через формулу с лекции
//drawCube();
drawCylinder(1.0, circle, 0.5, mass);
glfwSwapBuffers(window);
glfwPollEvents();
}
glfwTerminate();
return 0;
}
circleData* init(float cylinderHeight, circleData circle, float cylinderRadius) {
circleData *massOfCircles = new circleData[circlesAmount]; //массив из 4 элементов, каждый из которых содержит кол-во точек 1 кольца и координаты хуz каждой точки
for (int ii=0; ii<circlesAmount; ii++) {
massOfCircles[ii].pointData = new float*[circle.pointsAmount];
for (int i=0; i<circle.pointsAmount; i++)
massOfCircles[ii].pointData[i] = new float[3];
}
float dh = cylinderHeight / circlesAmount;
float dy = 0.0;
for(int j=0; j<circlesAmount; j++) {
for(int i=0; i<circle.pointsAmount; i++) { //пробег по точкам j-го круга
float degInRad = ((3.14159*2)*i)/circle.pointsAmount;
massOfCircles[j].pointData[i][0] = cos(degInRad)*cylinderRadius;
massOfCircles[j].pointData[i][1] = dy+dh-0.6;
massOfCircles[j].pointData[i][2] = sin(degInRad)*cylinderRadius;
std::cout << massOfCircles[j].pointData[i][0] << std::endl;
std::cout << massOfCircles[j].pointData[i][1] << std::endl;
std::cout << massOfCircles[j].pointData[i][2] << std::endl;
}
dy += dh;
}
return massOfCircles;
}
void dimetria() {
//glRotatef(180.0, 0.0, 1.0, 0.0);
glRotatef(-fi*(180/3.14) , 1.0, 0.0, 0.0);
glRotatef(-teta*(180/3.14) , 0.0, 1.0, 0.0);
//glRotatef(180.0 , 0.0, 1.0, 0.0);
}
void drawCylinder(float cylinderHeight, circleData circle, float cylinderRadius, circleData *massOfCircles) {
float dh = cylinderHeight / circlesAmount;
float dy = 0.0;
for(int j=0; j<circlesAmount; j++) {
glBegin(GL_POLYGON);
for(int i=0; i<circle.pointsAmount; i++) { //пробег по точкам j-го круга
glVertex3f(massOfCircles[j].pointData[i][0], massOfCircles[j].pointData[i][1], massOfCircles[j].pointData[i][2]);
}
glEnd();
dy += dh;
}
for (int j=0; j<circlesAmount-1; j++) {
for (int i=0; i<circle.pointsAmount-1; i++) {
glBegin(GL_POLYGON);
glColor3f(0.3, 0.0, 0.7);
glVertex3f(massOfCircles[j].pointData[i][0], massOfCircles[j].pointData[i][1], massOfCircles[j].pointData[i][2]);
glVertex3f(massOfCircles[j].pointData[i+1][0], massOfCircles[j].pointData[i+1][1], massOfCircles[j].pointData[i+1][2]);
glVertex3f(massOfCircles[j+1].pointData[i][0], massOfCircles[j+1].pointData[i][1], massOfCircles[j+1].pointData[i][2]);
glEnd();
glBegin(GL_POLYGON);
glColor3f(0.04, 0.14, 0.6);
glVertex3f(massOfCircles[j+1].pointData[i][0], massOfCircles[j+1].pointData[i][1], massOfCircles[j+1].pointData[i][2]);
glVertex3f(massOfCircles[j].pointData[i+1][0], massOfCircles[j].pointData[i+1][1], massOfCircles[j].pointData[i+1][2]);
glVertex3f(massOfCircles[j+1].pointData[i+1][0], massOfCircles[j+1].pointData[i+1][1], massOfCircles[j+1].pointData[i+1][2]);
glEnd();
}
}
for (int j=0; j<circlesAmount-1; j++) {
glBegin(GL_POLYGON);
glColor3f(0.3, 0.0, 0.7);
glVertex3f(massOfCircles[j].pointData[circle.pointsAmount-1][0], massOfCircles[j].pointData[circle.pointsAmount-1][1], massOfCircles[j].pointData[circle.pointsAmount-1][2]);
glVertex3f(massOfCircles[j].pointData[0][0], massOfCircles[j].pointData[0][1], massOfCircles[j].pointData[0][2]);
glVertex3f(massOfCircles[j+1].pointData[circle.pointsAmount-1][0], massOfCircles[j+1].pointData[circle.pointsAmount-1][1], massOfCircles[j+1].pointData[circle.pointsAmount-1][2]);
glEnd();
glBegin(GL_POLYGON);
glColor3f(0.04, 0.14, 0.6);
glVertex3f(massOfCircles[j+1].pointData[circle.pointsAmount-1][0], massOfCircles[j+1].pointData[circle.pointsAmount-1][1], massOfCircles[j+1].pointData[circle.pointsAmount-1][2]);
glVertex3f(massOfCircles[j].pointData[0][0], massOfCircles[j].pointData[0][1], massOfCircles[j].pointData[0][2]);
glVertex3f(massOfCircles[j+1].pointData[0][0], massOfCircles[j+1].pointData[0][1], massOfCircles[j+1].pointData[0][2]);
glEnd();
}
}
void keyboard_callback(GLFWwindow* window, int key, int scancode, int action, int mods) {
if (key == GLFW_KEY_ESCAPE && action == GLFW_PRESS)
glfwSetWindowShouldClose(window, GL_TRUE);
if (key == GLFW_KEY_UP && action == GLFW_PRESS)
rotate_x += 5;
if (key == GLFW_KEY_DOWN && action == GLFW_PRESS)
rotate_x -= 5;
if (key == GLFW_KEY_RIGHT && action == GLFW_PRESS)
rotate_y -= 5;
if (key == GLFW_KEY_LEFT && action == GLFW_PRESS)
rotate_y += 5;
if (key == GLFW_KEY_O && action == GLFW_PRESS)
rotate_z -= 5;
if (key == GLFW_KEY_L && action == GLFW_PRESS)
rotate_z += 5;
if (key == GLFW_KEY_W && action == GLFW_PRESS)
trans_y += 0.05;
if (key == GLFW_KEY_A && action == GLFW_PRESS)
trans_x -= 0.05;
if (key == GLFW_KEY_D && action == GLFW_PRESS)
trans_x += 0.05;
if (key == GLFW_KEY_S && action == GLFW_PRESS)
trans_y -= 0.05;
//
if (key == GLFW_KEY_Z && action == GLFW_PRESS)
glPolygonMode(GL_FRONT_AND_BACK, GL_LINE);
if (key == GLFW_KEY_X && action == GLFW_PRESS)
glPolygonMode(GL_FRONT_AND_BACK, GL_FILL);
//
if (key == GLFW_KEY_C && action == GLFW_PRESS){
circle.pointsAmount++;
delete massOfCircles;
delete mass;
mass = init(1.0, circle, 0.5);
}
if (key == GLFW_KEY_V && action == GLFW_PRESS){
circle.pointsAmount--;
delete massOfCircles;
delete mass;
mass = init(1.0, circle, 0.5);
}
if (key == GLFW_KEY_B && action == GLFW_PRESS){
circlesAmount++;
delete massOfCircles;
delete mass;
mass = init(1.0, circle, 0.5);
}
if (key == GLFW_KEY_N && action == GLFW_PRESS){
glPushMatrix();
glLoadIdentity();
glEnable(GL_LIGHTING);
// двухсторонний расчет освещения
glLightModelf(GL_LIGHT_MODEL_TWO_SIDE, GL_TRUE);
// автоматическое приведение нормалей к
// единичной длине
glEnable(GL_NORMALIZE);
GLfloat light1_diffuse[] = {0.4, 0.7, 0.2};
GLfloat light1_position[] = {0.0, 0.0, 1.0, 1.0};
glEnable(GL_LIGHT1);
glLightfv(GL_LIGHT1, GL_DIFFUSE, light1_diffuse);
glLightfv(GL_LIGHT1, GL_POSITION, light1_position);
glPopMatrix();
}
}
void mouseButtonCallback( GLFWwindow *window, int button, int action, int mods) {
if (button == GLFW_MOUSE_BUTTON_RIGHT && action == GLFW_PRESS) {
std::cout << fi << std::endl;
sc_x += 0.2;
sc_y += 0.2;
//sc_z += 0.2;
}
if (button == GLFW_MOUSE_BUTTON_LEFT && action == GLFW_PRESS) {
if (sc_x > 0.2 && sc_y > 0.2) {
std::cout << teta << std::endl;
sc_x -= 0.2;
sc_y -= 0.2;
//sc_z -= 0.2;
}
}
}
| [
"[email protected]"
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.