blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
4
201
content_id
stringlengths
40
40
detected_licenses
listlengths
0
85
license_type
stringclasses
2 values
repo_name
stringlengths
7
100
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringclasses
260 values
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
11.4k
681M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
17 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
80 values
src_encoding
stringclasses
28 values
language
stringclasses
1 value
is_vendor
bool
1 class
is_generated
bool
2 classes
length_bytes
int64
8
9.86M
extension
stringclasses
52 values
content
stringlengths
8
9.86M
authors
listlengths
1
1
author
stringlengths
0
119
69d5e3f9ef28362b035b5c02d32d8b44168ab7af
04ac3624f4f2008eb01db05bdcc49de4e2c736c2
/leccion3/clases/plantillas.cpp
e4ea1010ff67b4ea081fbce08ff1bd6c959549c9
[ "MIT" ]
permissive
neustart/cursocpp
8bfd65f2e35dbfffd4462b913ce0a9fcf7c51c13
fc91fb64f13f12ef234b3aa1289661d1e2eefa81
refs/heads/master
2021-09-06T23:47:46.116001
2018-02-13T15:43:14
2018-02-13T15:43:14
null
0
0
null
null
null
null
UTF-8
C++
false
false
2,276
cpp
#include<iostream> #include<cstdlib> #include<typeinfo> #define MAX_P_SIZE 100 using namespace std; template<class T> class polinomio { public: polinomio(int grado, const T coefs[MAX_P_SIZE]); void set_coef(int j, T value); T get_coef(int j) const; int get_grado() const; polinomio<T> operator+(const polinomio &other) const; polinomio<T>& operator+=(const polinomio &other); T& operator[](const int j); private: int n; T coeficientes[MAX_P_SIZE]; }; template<class T> polinomio<T>::polinomio(int grado, const T coefs[MAX_P_SIZE]) { int j; n = grado; for (j=0; j < n; j++) { coeficientes[j]=coefs[j]; } for (j=n; j < MAX_P_SIZE; j++) { coeficientes[j] = 0.0; } } template<class T> polinomio<T> polinomio<T>::operator+(const polinomio &other) const { int suma_grado = max(n, other.get_grado()); //Grado del nuevo polinomio T coefs[MAX_P_SIZE]; //Coeficientes int i; //Contador for (i=0; i < suma_grado; i++) { coefs[i] = coeficientes[i] + other[i]; //Suma coeficientes } while (coefs[suma_grado-1] == 0 && suma_grado > 0) { suma_grado--; } return polinomio(suma_grado, coefs); //Crea un nuevo polinomio } template<class T> polinomio<T>& polinomio<T>::operator+=(const polinomio &other) { n = max(n, other.get_grado()); //Grado del nuevo polinomio int i; //Contador for (i=0; i < n; i++) { coeficientes[i] += other.get_coef(i); //Suma coeficientes } while (coeficientes[n-1] == 0 && n > 0) { n--; } return *this; //Crea un nuevo polinomio } template<class T> T& polinomio<T>::operator[](const int j) { return coeficientes[j]; } template<class T> void polinomio<T>::set_coef(int j, T value) { coeficientes[j] = value; return; } template<class T> T polinomio<T>::get_coef(int j) const { return coeficientes[j]; } template<class T> int polinomio<T>::get_grado() const { return n; } int main(void) { int c1[3] = {1, 3, 1}; int c2[3] = {1, 3, -1}; polinomio<int> p(3, c1); polinomio<int> q(3, c2); polinomio<int> w = p+q; cout << w.get_grado() << " (" << w[0] << ", " << w[1] << ", " << w[2] << ")" << endl; return 0; }
[ "vbuendiar@gmail.com" ]
vbuendiar@gmail.com
83cb090f8c20258e2c72e542a8f7537c656c23fc
3efca607aefbd6cf558517bae689ccdacb7b383e
/src/random.h
671ea1f613ae2a607441d052f6340a58cb64f1ac
[ "MIT" ]
permissive
MicroBitcoinOrg/MicroBitcoin
f761b2ff04bdcb650d7c0ddbef431ef95cd69541
0119e8eff44ec4d94313eaa30022a97692b71143
refs/heads/snapshot
2022-12-27T10:04:21.040945
2021-02-09T05:51:45
2021-02-09T05:51:45
132,959,214
21
33
MIT
2020-06-12T04:38:45
2018-05-10T22:07:51
C++
UTF-8
C++
false
false
4,121
h
// Copyright (c) 2009-2010 Satoshi Nakamoto // Copyright (c) 2009-2018 The Bitcoin Core developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #ifndef MICRO_RANDOM_H #define MICRO_RANDOM_H #include <crypto/chacha20.h> #include <crypto/common.h> #include <uint256.h> #include <stdint.h> #include <limits> /* Seed OpenSSL PRNG with additional entropy data */ void RandAddSeed(); /** * Functions to gather random data via the OpenSSL PRNG */ void GetRandBytes(unsigned char* buf, int num); uint64_t GetRand(uint64_t nMax); int GetRandInt(int nMax); uint256 GetRandHash(); /** * Add a little bit of randomness to the output of GetStrongRangBytes. * This sleeps for a millisecond, so should only be called when there is * no other work to be done. */ void RandAddSeedSleep(); /** * Function to gather random data from multiple sources, failing whenever any * of those sources fail to provide a result. */ void GetStrongRandBytes(unsigned char* buf, int num); /** * Fast randomness source. This is seeded once with secure random data, but * is completely deterministic and insecure after that. * This class is not thread-safe. */ class FastRandomContext { private: bool requires_seed; ChaCha20 rng; unsigned char bytebuf[64]; int bytebuf_size; uint64_t bitbuf; int bitbuf_size; void RandomSeed(); void FillByteBuffer() { if (requires_seed) { RandomSeed(); } rng.Output(bytebuf, sizeof(bytebuf)); bytebuf_size = sizeof(bytebuf); } void FillBitBuffer() { bitbuf = rand64(); bitbuf_size = 64; } public: explicit FastRandomContext(bool fDeterministic = false); /** Initialize with explicit seed (only for testing) */ explicit FastRandomContext(const uint256& seed); /** Generate a random 64-bit integer. */ uint64_t rand64() { if (bytebuf_size < 8) FillByteBuffer(); uint64_t ret = ReadLE64(bytebuf + 64 - bytebuf_size); bytebuf_size -= 8; return ret; } /** Generate a random (bits)-bit integer. */ uint64_t randbits(int bits) { if (bits == 0) { return 0; } else if (bits > 32) { return rand64() >> (64 - bits); } else { if (bitbuf_size < bits) FillBitBuffer(); uint64_t ret = bitbuf & (~(uint64_t)0 >> (64 - bits)); bitbuf >>= bits; bitbuf_size -= bits; return ret; } } /** Generate a random integer in the range [0..range). */ uint64_t randrange(uint64_t range) { --range; int bits = CountBits(range); while (true) { uint64_t ret = randbits(bits); if (ret <= range) return ret; } } /** Generate random bytes. */ std::vector<unsigned char> randbytes(size_t len); /** Generate a random 32-bit integer. */ uint32_t rand32() { return randbits(32); } /** generate a random uint256. */ uint256 rand256(); /** Generate a random boolean. */ bool randbool() { return randbits(1); } // Compatibility with the C++11 UniformRandomBitGenerator concept typedef uint64_t result_type; static constexpr uint64_t min() { return 0; } static constexpr uint64_t max() { return std::numeric_limits<uint64_t>::max(); } inline uint64_t operator()() { return rand64(); } }; /* Number of random bytes returned by GetOSRand. * When changing this constant make sure to change all call sites, and make * sure that the underlying OS APIs for all platforms support the number. * (many cap out at 256 bytes). */ static const int NUM_OS_RANDOM_BYTES = 32; /** Get 32 bytes of system entropy. Do not use this in application code: use * GetStrongRandBytes instead. */ void GetOSRand(unsigned char *ent32); /** Check that OS randomness is available and returning the requested number * of bytes. */ bool Random_SanityCheck(); /** Initialize the RNG. */ void RandomInit(); #endif // MICRO_RANDOM_H
[ "iamstenman@protonmail.com" ]
iamstenman@protonmail.com
976736343f9f3a6c4d00e1e20280039e81473b93
8485882016c33f612b242de28545586479a13de0
/include/blink/raster/gdal_raster_view.h
918f6189283c5adc76fd41543fc7118e086bc58f
[]
no_license
jeffrey-newman/raster
cd44314e521320c41edfdb9cab864cf2feef5e97
c0b87fdcc6d279d4a0464b80d30d845768b78a85
refs/heads/master
2021-01-22T14:46:57.089612
2017-05-20T06:26:11
2017-05-20T06:26:11
58,506,659
0
0
null
2016-05-11T02:04:50
2016-05-11T02:04:50
null
UTF-8
C++
false
false
3,447
h
// //======================================================================= // Copyright 2015 // Author: Alex Hagen-Zanker // University of Surrey // // Distributed under the MIT Licence (http://opensource.org/licenses/MIT) //======================================================================= // // This header file provides the default raster view for iterators that are // initialized by the raster and implement the find_begin and find_end functions #ifndef BLINK_RASTER_GDAL_RASTER_VIEW_H_AHZ #define BLINK_RASTER_GDAL_RASTER_VIEW_H_AHZ #include <blink/raster/default_raster_view.h> #include <blink/raster/gdal_raster.h> #include <blink/raster/gdal_raster_iterator.h> #include <blink/raster/raster_iterator.h> #include <blink/raster/raster_view.h> namespace blink { namespace raster { template<class Raster> using gdal_raster_view = default_raster_view<Raster, gdal_iterator>; //class gdal_raster_view : public default_raster_view<Raster, gdal_iterator> //{ //public: // gdal_raster_view(Raster* r = std::nullptr_t) : default_raster_view(r) // {} //}; template<class Raster> class gdal_trans_raster_view : public default_raster_view<Raster, gdal_trans_iterator> { public: gdal_trans_raster_view(Raster* r = std::nullptr_t) : default_raster_view<Raster, gdal_trans_iterator>(r) {} index_type size1() const { return m_raster->size2(); // transposed } index_type size2() const { return m_raster->size1(); // transposed } }; //template <typename OrientationTag, typename ElementTag, typename AccessTag, typename RasterType> // struct raster_view_lookup; template <class T> struct raster_view_lookup< orientation::row_major, element::pixel, access::read_write, gdal_raster<T> > { using type = gdal_raster_view<gdal_raster<T> >; }; template <class T> struct raster_view_lookup< orientation::col_major, element::pixel, access::read_write, gdal_raster<T> > { using type = gdal_trans_raster_view<gdal_raster<T> >; }; template <class T> struct raster_view_lookup< orientation::row_major, element::pixel, access::read_only, gdal_raster<T> > { using type = gdal_raster_view<const gdal_raster<T> >; }; template <class T> struct raster_view_lookup< orientation::col_major, element::pixel, access::read_only, gdal_raster<T> > { typedef gdal_trans_raster_view<const gdal_raster<T> > type; }; template <class T> struct raster_view_lookup< orientation::row_major, element::pixel, access::read_write, const gdal_raster<T> > { using type = gdal_raster_view<const gdal_raster<T> >; }; template <class T> struct raster_view_lookup< orientation::col_major, element::pixel, access::read_write, const gdal_raster<T> > { using type = gdal_trans_raster_view<const gdal_raster<T> >; }; template <class T> struct raster_view_lookup< orientation::row_major, element::pixel, access::read_only, const gdal_raster<T> > { using type = gdal_raster_view<const gdal_raster<T> >; }; template <class T> struct raster_view_lookup< orientation::col_major, element::pixel, access::read_only, const gdal_raster<T> > { typedef gdal_trans_raster_view<const gdal_raster<T> > type; }; } } #endif
[ "a.hagen-zanker@surrey.ac.uk" ]
a.hagen-zanker@surrey.ac.uk
0bd7346945239810e92748f7341a2b4bfcb15c32
14c922edd1e358bde86dea6fbddd779593ee8e30
/include/SpeechRangeVO.h
229d5e44de4fee897f47ae7f28b2251957efb33b
[]
no_license
MickZr/SpeechVisualization
e7b134acba1b990aa50765a5d833e2204229f2f0
ae45362614c3c2ea26edc3040e6936bec5d352dd
refs/heads/master
2016-09-05T09:45:51.473521
2015-01-29T10:23:56
2015-01-29T10:23:56
30,014,434
0
0
null
null
null
null
UTF-8
C++
false
false
168
h
#pragma once #include "VisualObject.h" class SpeechRangeVO : public VisualObject { public: SpeechRangeVO(AudioDataRef audioDataRef); virtual void draw(); private: };
[ "P.Panyanithisakul@gmail.com" ]
P.Panyanithisakul@gmail.com
31a8b03f5208df9a5413c897d08dc8411ec4b427
d09945668f19bb4bc17087c0cb8ccbab2b2dd688
/codeforce/261-280/cf269/e2.cpp
8a039ee0fddc98fbc6eb0fb8c850bf4645d8a1bd
[]
no_license
kmjp/procon
27270f605f3ae5d80fbdb28708318a6557273a57
8083028ece4be1460150aa3f0e69bdb57e510b53
refs/heads/master
2023-09-04T11:01:09.452170
2023-09-03T15:25:21
2023-09-03T15:25:21
30,825,508
23
2
null
2023-08-18T14:02:07
2015-02-15T11:25:23
C++
UTF-8
C++
false
false
4,384
cpp
#include <bits/stdc++.h> using namespace std; typedef signed long long ll; #undef _P #define _P(...) (void)printf(__VA_ARGS__) #define FOR(x,to) for(x=0;x<to;x++) #define ITR(x,c) for(__typeof(c.begin()) x=c.begin();x!=c.end();x++) #define ZERO(a) memset(a,0,sizeof(a)) #define MINUS(a) memset(a,0xff,sizeof(a)) //------------------------------------------------------- class UF { public: static const int ufmax=200052; int ufpar[ufmax],ufrank[ufmax],ufcnt[ufmax]; UF() { init();} void init(){int i; FOR(i,ufmax) { ufpar[i]=i; ufrank[i]=0; ufcnt[i]=1; } } int find(int x) { return (ufpar[x]==x)?(x):(ufpar[x] = find(ufpar[x]));} int operator[](int x) {return find(x);} int count(int x) {return ufcnt[find(x)];} void unite(int x,int y) { x = find(x); y = find(y); if(x==y) return; if(ufrank[x]<ufrank[y]) ufpar[x]=y, ufcnt[y]+=ufcnt[x]; else {ufpar[y]=x; ufcnt[x]+=ufcnt[y]; if(ufrank[x]==ufrank[y]) ufrank[x]++;} } }; template<class V, int ME> class BIT { public: V bit[1<<ME]; V total(int e) {V s=0;e++;while(e) s+=bit[e-1],e-=e&-e; return s;} void update(int e, V val) {e++; while(e<=1<<ME) bit[e-1]+=val,e+=e&-e;} }; BIT<int,20> bt; int N; int X1[300000],Y1[300000],X2[300000],Y2[300000]; ll L[300000]; set<int> E, SY; map<int,vector<pair<int,int> > > H1,V,H2; UF uf; set<pair<pair<int,int>,int> > S; // bottom,top,id map<int,int> Ys; void solve() { int i,j,k,l,r,x,y; string s; cin>>N; Ys[1<<30]=Ys[-1<<30]=0; FOR(i,N) { cin>>X1[i]>>Y1[i]>>X2[i]>>Y2[i]; if(X1[i]>X2[i]) swap(X1[i],X2[i]); if(Y1[i]>Y2[i]) swap(Y1[i],Y2[i]); L[i]=((ll)X2[i])-X1[i]+Y2[i]-Y1[i]; Ys[Y1[i]]=Ys[Y2[i]]=0; } i=0; ITR(it,Ys) it->second=i++; FOR(i,N) { Y1[i]=Ys[Y1[i]]; Y2[i]=Ys[Y2[i]]; E.insert(X1[i]); E.insert(X2[i]); if(X1[i]==X2[i]) V[X1[i]].push_back(make_pair(Y1[i],i)); if(X1[i]!=X2[i]) H1[X1[i]].push_back(make_pair(Y1[i],i)),H2[X2[i]].push_back(make_pair(Y1[i],i)); } ITR(it,E) { set<pair<pair<int,int>,int> >::iterator seg,seg2; set<int>::iterator sit,sit2; pair<pair<int,int>,int> p,p2; ITR(it2,H1[*it]) { // add seg=S.lower_bound(make_pair(make_pair(it2->first,0),0)); if(seg!=S.end() && seg->first.second<=it2->first) { //insert p=make_pair(make_pair(0,seg->first.second),seg->second); p2=make_pair(make_pair(seg->first.first,0),seg->second); S.erase(seg); sit=SY.lower_bound(it2->first); p2.first.second=*sit; sit--; p.first.first=*sit; S.insert(p); S.insert(p2); } p=make_pair(make_pair(it2->first,it2->first),it2->second); bt.update(it2->first,1); SY.insert(it2->first); S.insert(p); } ITR(it2,V[*it]) { // conn seg=S.lower_bound(make_pair(make_pair(Y1[it2->second],0),0)); seg2=S.lower_bound(make_pair(make_pair(Y2[it2->second],0),0)); if(seg2!=S.end() && seg2->first.second<=Y2[it2->second]) seg2++; if(seg==seg2) continue; if(seg->first.first>Y2[it2->second] && seg->first.second<Y1[it2->second]) { // in single seg if(bt.total(Y2[it2->second])-bt.total(Y1[it2->second]-1)==0) continue; } pair<pair<int,int>,int> p=make_pair(make_pair(-1<<30,1<<30),it2->second); L[it2->second] -= bt.total(Y2[it2->second])-bt.total(Y1[it2->second]-1); // conn seg-seg2 for(; seg!=seg2;) { x=uf[p.second]; y=uf[seg->second]; if(x!=y) L[x]=L[y]=L[x]+L[y]+1, uf.unite(x,y); p.first.first=max(p.first.first,seg->first.first); p.first.second=min(p.first.second,seg->first.second); S.erase(seg++); } S.insert(p); } ITR(it2,H2[*it]) { // del seg=S.lower_bound(make_pair(make_pair(it2->first,0),0)); p=*seg; S.erase(seg); bt.update(it2->first,-1); SY.erase(it2->first); if(p.first.first==p.first.second) continue; if(p.first.first==it2->first) { sit=SY.lower_bound(it2->first); p.first.first=*(--sit); } else if(p.first.second==it2->first) { p.first.second=*SY.lower_bound(it2->first); } S.insert(p); } } ll ma=0; FOR(i,N) ma=max(ma,L[i]); cout << ma << endl; } int main(int argc,char** argv){ string s;int i; if(argc==1) ios::sync_with_stdio(false); FOR(i,argc-1) s+=argv[i+1],s+='\n'; FOR(i,s.size()) ungetc(s[s.size()-1-i],stdin); solve(); return 0; }
[ "kmjp" ]
kmjp
754e795618fd46eaeba2f9180d5ab43451736cf6
edbc1218a188eb61e71418c8a4994cd53de8b608
/2014/완전수 판별/프로젝터코드(이규하).cpp
203437b720346f5afedf3b342aba06b12103dedc
[]
no_license
gyuha-wa-vect0r/MiddleSchool
2837fb78c2d4b73b45041843fc10d4b9d8fdbdb0
92996061cfe802e0cb8290c1cf7a19bbf3e8fa22
refs/heads/main
2023-05-30T04:12:23.891230
2021-06-22T08:53:55
2021-06-22T08:53:55
null
0
0
null
null
null
null
UHC
C++
false
false
424
cpp
#include <stdio.h> int main() { int n, i, j, sum; int cnt = 0; printf("수를 입력하세요\n"); scanf_s("%d", &n); for (i = 1; i <= n; i++) { sum = 0; for (j = 1; j<i; j++) { if (i % j == 0) sum += j; } if (sum == i) { printf("%d ", i); cnt++; } } printf("\n완전수는 %d개 입니다.\n", cnt); return 0; } // Visual Studio Express 2013 으로 작성됨
[ "noreply@github.com" ]
noreply@github.com
3aed84c19cc45b3d5cbf09fcb6997aa8bc3f3b0f
c776476e9d06b3779d744641e758ac3a2c15cddc
/examples/litmus/c/run-scripts/tmp_1/2+2W+dmb.sylp+dmb.syll.c.cbmc_out.cpp
6bc40ff2035a27f2f4cff3aeaaa1f32b927b6588
[]
no_license
ashutosh0gupta/llvm_bmc
aaac7961c723ba6f7ffd77a39559e0e52432eade
0287c4fb180244e6b3c599a9902507f05c8a7234
refs/heads/master
2023-08-02T17:14:06.178723
2023-07-31T10:46:53
2023-07-31T10:46:53
143,100,825
3
4
null
2023-05-25T05:50:55
2018-08-01T03:47:00
C++
UTF-8
C++
false
false
24,131
cpp
// 0:vars:2 // 2:thr0:1 // 3:thr1:1 #define ADDRSIZE 4 #define NPROC 3 #define NCONTEXT 1 #define ASSUME(stmt) __CPROVER_assume(stmt) #define ASSERT(stmt) __CPROVER_assert(stmt, "error") #define max(a,b) (a>b?a:b) char __get_rng(); char get_rng( char from, char to ) { char ret = __get_rng(); ASSUME(ret >= from && ret <= to); return ret; } char get_rng_th( char from, char to ) { char ret = __get_rng(); ASSUME(ret >= from && ret <= to); return ret; } int main(int argc, char **argv) { // declare arrays for intial value version in contexts int meminit_[ADDRSIZE*NCONTEXT]; #define meminit(x,k) meminit_[(x)*NCONTEXT+k] int coinit_[ADDRSIZE*NCONTEXT]; #define coinit(x,k) coinit_[(x)*NCONTEXT+k] int deltainit_[ADDRSIZE*NCONTEXT]; #define deltainit(x,k) deltainit_[(x)*NCONTEXT+k] // declare arrays for running value version in contexts int mem_[ADDRSIZE*NCONTEXT]; #define mem(x,k) mem_[(x)*NCONTEXT+k] int co_[ADDRSIZE*NCONTEXT]; #define co(x,k) co_[(x)*NCONTEXT+k] int delta_[ADDRSIZE*NCONTEXT]; #define delta(x,k) delta_[(x)*NCONTEXT+k] // declare arrays for local buffer and observed writes int buff_[NPROC*ADDRSIZE]; #define buff(x,k) buff_[(x)*ADDRSIZE+k] int pw_[NPROC*ADDRSIZE]; #define pw(x,k) pw_[(x)*ADDRSIZE+k] // declare arrays for context stamps char cr_[NPROC*ADDRSIZE]; #define cr(x,k) cr_[(x)*ADDRSIZE+k] char iw_[NPROC*ADDRSIZE]; #define iw(x,k) iw_[(x)*ADDRSIZE+k] char cw_[NPROC*ADDRSIZE]; #define cw(x,k) cw_[(x)*ADDRSIZE+k] char cx_[NPROC*ADDRSIZE]; #define cx(x,k) cx_[(x)*ADDRSIZE+k] char is_[NPROC*ADDRSIZE]; #define is(x,k) is_[(x)*ADDRSIZE+k] char cs_[NPROC*ADDRSIZE]; #define cs(x,k) cs_[(x)*ADDRSIZE+k] char crmax_[NPROC*ADDRSIZE]; #define crmax(x,k) crmax_[(x)*ADDRSIZE+k] char sforbid_[ADDRSIZE*NCONTEXT]; #define sforbid(x,k) sforbid_[(x)*NCONTEXT+k] // declare arrays for synchronizations int cl[NPROC]; int cdy[NPROC]; int cds[NPROC]; int cdl[NPROC]; int cisb[NPROC]; int caddr[NPROC]; int cctrl[NPROC]; int cstart[NPROC]; int creturn[NPROC]; // declare arrays for contexts activity int active[NCONTEXT]; int ctx_used[NCONTEXT]; int r0= 0; char creg_r0; int r1= 0; char creg_r1; int r2= 0; char creg_r2; int r3= 0; char creg_r3; int r4= 0; char creg_r4; int r5= 0; char creg_r5; int r6= 0; char creg_r6; char old_cctrl= 0; char old_cr= 0; char old_cdy= 0; char old_cw= 0; char new_creg= 0; buff(0,0) = 0; pw(0,0) = 0; cr(0,0) = 0; iw(0,0) = 0; cw(0,0) = 0; cx(0,0) = 0; is(0,0) = 0; cs(0,0) = 0; crmax(0,0) = 0; buff(0,1) = 0; pw(0,1) = 0; cr(0,1) = 0; iw(0,1) = 0; cw(0,1) = 0; cx(0,1) = 0; is(0,1) = 0; cs(0,1) = 0; crmax(0,1) = 0; buff(0,2) = 0; pw(0,2) = 0; cr(0,2) = 0; iw(0,2) = 0; cw(0,2) = 0; cx(0,2) = 0; is(0,2) = 0; cs(0,2) = 0; crmax(0,2) = 0; buff(0,3) = 0; pw(0,3) = 0; cr(0,3) = 0; iw(0,3) = 0; cw(0,3) = 0; cx(0,3) = 0; is(0,3) = 0; cs(0,3) = 0; crmax(0,3) = 0; cl[0] = 0; cdy[0] = 0; cds[0] = 0; cdl[0] = 0; cisb[0] = 0; caddr[0] = 0; cctrl[0] = 0; cstart[0] = get_rng(0,NCONTEXT-1); creturn[0] = get_rng(0,NCONTEXT-1); buff(1,0) = 0; pw(1,0) = 0; cr(1,0) = 0; iw(1,0) = 0; cw(1,0) = 0; cx(1,0) = 0; is(1,0) = 0; cs(1,0) = 0; crmax(1,0) = 0; buff(1,1) = 0; pw(1,1) = 0; cr(1,1) = 0; iw(1,1) = 0; cw(1,1) = 0; cx(1,1) = 0; is(1,1) = 0; cs(1,1) = 0; crmax(1,1) = 0; buff(1,2) = 0; pw(1,2) = 0; cr(1,2) = 0; iw(1,2) = 0; cw(1,2) = 0; cx(1,2) = 0; is(1,2) = 0; cs(1,2) = 0; crmax(1,2) = 0; buff(1,3) = 0; pw(1,3) = 0; cr(1,3) = 0; iw(1,3) = 0; cw(1,3) = 0; cx(1,3) = 0; is(1,3) = 0; cs(1,3) = 0; crmax(1,3) = 0; cl[1] = 0; cdy[1] = 0; cds[1] = 0; cdl[1] = 0; cisb[1] = 0; caddr[1] = 0; cctrl[1] = 0; cstart[1] = get_rng(0,NCONTEXT-1); creturn[1] = get_rng(0,NCONTEXT-1); buff(2,0) = 0; pw(2,0) = 0; cr(2,0) = 0; iw(2,0) = 0; cw(2,0) = 0; cx(2,0) = 0; is(2,0) = 0; cs(2,0) = 0; crmax(2,0) = 0; buff(2,1) = 0; pw(2,1) = 0; cr(2,1) = 0; iw(2,1) = 0; cw(2,1) = 0; cx(2,1) = 0; is(2,1) = 0; cs(2,1) = 0; crmax(2,1) = 0; buff(2,2) = 0; pw(2,2) = 0; cr(2,2) = 0; iw(2,2) = 0; cw(2,2) = 0; cx(2,2) = 0; is(2,2) = 0; cs(2,2) = 0; crmax(2,2) = 0; buff(2,3) = 0; pw(2,3) = 0; cr(2,3) = 0; iw(2,3) = 0; cw(2,3) = 0; cx(2,3) = 0; is(2,3) = 0; cs(2,3) = 0; crmax(2,3) = 0; cl[2] = 0; cdy[2] = 0; cds[2] = 0; cdl[2] = 0; cisb[2] = 0; caddr[2] = 0; cctrl[2] = 0; cstart[2] = get_rng(0,NCONTEXT-1); creturn[2] = get_rng(0,NCONTEXT-1); // Dumping initializations mem(0+0,0) = 0; mem(0+1,0) = 0; mem(2+0,0) = 0; mem(3+0,0) = 0; // Dumping context matching equalities co(0,0) = 0; delta(0,0) = -1; co(1,0) = 0; delta(1,0) = -1; co(2,0) = 0; delta(2,0) = -1; co(3,0) = 0; delta(3,0) = -1; // Dumping thread 1 int ret_thread_1 = 0; cdy[1] = get_rng(0,NCONTEXT-1); ASSUME(cdy[1] >= cstart[1]); T1BLOCK0: // call void @llvm.dbg.value(metadata i8* %arg, metadata !31, metadata !DIExpression()), !dbg !40 // br label %label_1, !dbg !41 goto T1BLOCK1; T1BLOCK1: // call void @llvm.dbg.label(metadata !39), !dbg !42 // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0), metadata !32, metadata !DIExpression()), !dbg !43 // call void @llvm.dbg.value(metadata i64 2, metadata !35, metadata !DIExpression()), !dbg !43 // store atomic i64 2, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0) release, align 8, !dbg !44 // ST: Guess // : Release iw(1,0) = get_rng(0,NCONTEXT-1);// 1 ASSIGN STIW old_cw = cw(1,0); cw(1,0) = get_rng(0,NCONTEXT-1);// 1 ASSIGN STCOM // Check ASSUME(active[iw(1,0)] == 1); ASSUME(active[cw(1,0)] == 1); ASSUME(sforbid(0,cw(1,0))== 0); ASSUME(iw(1,0) >= 0); ASSUME(iw(1,0) >= 0); ASSUME(cw(1,0) >= iw(1,0)); ASSUME(cw(1,0) >= old_cw); ASSUME(cw(1,0) >= cr(1,0)); ASSUME(cw(1,0) >= cl[1]); ASSUME(cw(1,0) >= cisb[1]); ASSUME(cw(1,0) >= cdy[1]); ASSUME(cw(1,0) >= cdl[1]); ASSUME(cw(1,0) >= cds[1]); ASSUME(cw(1,0) >= cctrl[1]); ASSUME(cw(1,0) >= caddr[1]); ASSUME(cw(1,0) >= cr(1,0+0)); ASSUME(cw(1,0) >= cr(1,0+1)); ASSUME(cw(1,0) >= cr(1,2+0)); ASSUME(cw(1,0) >= cr(1,3+0)); ASSUME(cw(1,0) >= cw(1,0+0)); ASSUME(cw(1,0) >= cw(1,0+1)); ASSUME(cw(1,0) >= cw(1,2+0)); ASSUME(cw(1,0) >= cw(1,3+0)); // Update caddr[1] = max(caddr[1],0); buff(1,0) = 2; mem(0,cw(1,0)) = 2; co(0,cw(1,0))+=1; delta(0,cw(1,0)) = -1; is(1,0) = iw(1,0); cs(1,0) = cw(1,0); ASSUME(creturn[1] >= cw(1,0)); // call void (...) @dmbsy(), !dbg !45 // dumbsy: Guess old_cdy = cdy[1]; cdy[1] = get_rng(0,NCONTEXT-1); // Check ASSUME(cdy[1] >= old_cdy); ASSUME(cdy[1] >= cisb[1]); ASSUME(cdy[1] >= cdl[1]); ASSUME(cdy[1] >= cds[1]); ASSUME(cdy[1] >= cctrl[1]); ASSUME(cdy[1] >= cw(1,0+0)); ASSUME(cdy[1] >= cw(1,0+1)); ASSUME(cdy[1] >= cw(1,2+0)); ASSUME(cdy[1] >= cw(1,3+0)); ASSUME(cdy[1] >= cr(1,0+0)); ASSUME(cdy[1] >= cr(1,0+1)); ASSUME(cdy[1] >= cr(1,2+0)); ASSUME(cdy[1] >= cr(1,3+0)); ASSUME(creturn[1] >= cdy[1]); // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1), metadata !36, metadata !DIExpression()), !dbg !46 // call void @llvm.dbg.value(metadata i64 1, metadata !38, metadata !DIExpression()), !dbg !46 // store atomic i64 1, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1) monotonic, align 8, !dbg !47 // ST: Guess iw(1,0+1*1) = get_rng(0,NCONTEXT-1);// 1 ASSIGN STIW old_cw = cw(1,0+1*1); cw(1,0+1*1) = get_rng(0,NCONTEXT-1);// 1 ASSIGN STCOM // Check ASSUME(active[iw(1,0+1*1)] == 1); ASSUME(active[cw(1,0+1*1)] == 1); ASSUME(sforbid(0+1*1,cw(1,0+1*1))== 0); ASSUME(iw(1,0+1*1) >= 0); ASSUME(iw(1,0+1*1) >= 0); ASSUME(cw(1,0+1*1) >= iw(1,0+1*1)); ASSUME(cw(1,0+1*1) >= old_cw); ASSUME(cw(1,0+1*1) >= cr(1,0+1*1)); ASSUME(cw(1,0+1*1) >= cl[1]); ASSUME(cw(1,0+1*1) >= cisb[1]); ASSUME(cw(1,0+1*1) >= cdy[1]); ASSUME(cw(1,0+1*1) >= cdl[1]); ASSUME(cw(1,0+1*1) >= cds[1]); ASSUME(cw(1,0+1*1) >= cctrl[1]); ASSUME(cw(1,0+1*1) >= caddr[1]); // Update caddr[1] = max(caddr[1],0); buff(1,0+1*1) = 1; mem(0+1*1,cw(1,0+1*1)) = 1; co(0+1*1,cw(1,0+1*1))+=1; delta(0+1*1,cw(1,0+1*1)) = -1; ASSUME(creturn[1] >= cw(1,0+1*1)); // ret i8* null, !dbg !48 ret_thread_1 = (- 1); // Dumping thread 2 int ret_thread_2 = 0; cdy[2] = get_rng(0,NCONTEXT-1); ASSUME(cdy[2] >= cstart[2]); T2BLOCK0: // call void @llvm.dbg.value(metadata i8* %arg, metadata !51, metadata !DIExpression()), !dbg !59 // br label %label_2, !dbg !41 goto T2BLOCK1; T2BLOCK1: // call void @llvm.dbg.label(metadata !58), !dbg !61 // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1), metadata !52, metadata !DIExpression()), !dbg !62 // call void @llvm.dbg.value(metadata i64 2, metadata !54, metadata !DIExpression()), !dbg !62 // store atomic i64 2, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1) release, align 8, !dbg !44 // ST: Guess // : Release iw(2,0+1*1) = get_rng(0,NCONTEXT-1);// 2 ASSIGN STIW old_cw = cw(2,0+1*1); cw(2,0+1*1) = get_rng(0,NCONTEXT-1);// 2 ASSIGN STCOM // Check ASSUME(active[iw(2,0+1*1)] == 2); ASSUME(active[cw(2,0+1*1)] == 2); ASSUME(sforbid(0+1*1,cw(2,0+1*1))== 0); ASSUME(iw(2,0+1*1) >= 0); ASSUME(iw(2,0+1*1) >= 0); ASSUME(cw(2,0+1*1) >= iw(2,0+1*1)); ASSUME(cw(2,0+1*1) >= old_cw); ASSUME(cw(2,0+1*1) >= cr(2,0+1*1)); ASSUME(cw(2,0+1*1) >= cl[2]); ASSUME(cw(2,0+1*1) >= cisb[2]); ASSUME(cw(2,0+1*1) >= cdy[2]); ASSUME(cw(2,0+1*1) >= cdl[2]); ASSUME(cw(2,0+1*1) >= cds[2]); ASSUME(cw(2,0+1*1) >= cctrl[2]); ASSUME(cw(2,0+1*1) >= caddr[2]); ASSUME(cw(2,0+1*1) >= cr(2,0+0)); ASSUME(cw(2,0+1*1) >= cr(2,0+1)); ASSUME(cw(2,0+1*1) >= cr(2,2+0)); ASSUME(cw(2,0+1*1) >= cr(2,3+0)); ASSUME(cw(2,0+1*1) >= cw(2,0+0)); ASSUME(cw(2,0+1*1) >= cw(2,0+1)); ASSUME(cw(2,0+1*1) >= cw(2,2+0)); ASSUME(cw(2,0+1*1) >= cw(2,3+0)); // Update caddr[2] = max(caddr[2],0); buff(2,0+1*1) = 2; mem(0+1*1,cw(2,0+1*1)) = 2; co(0+1*1,cw(2,0+1*1))+=1; delta(0+1*1,cw(2,0+1*1)) = -1; is(2,0+1*1) = iw(2,0+1*1); cs(2,0+1*1) = cw(2,0+1*1); ASSUME(creturn[2] >= cw(2,0+1*1)); // call void (...) @dmbsy(), !dbg !45 // dumbsy: Guess old_cdy = cdy[2]; cdy[2] = get_rng(0,NCONTEXT-1); // Check ASSUME(cdy[2] >= old_cdy); ASSUME(cdy[2] >= cisb[2]); ASSUME(cdy[2] >= cdl[2]); ASSUME(cdy[2] >= cds[2]); ASSUME(cdy[2] >= cctrl[2]); ASSUME(cdy[2] >= cw(2,0+0)); ASSUME(cdy[2] >= cw(2,0+1)); ASSUME(cdy[2] >= cw(2,2+0)); ASSUME(cdy[2] >= cw(2,3+0)); ASSUME(cdy[2] >= cr(2,0+0)); ASSUME(cdy[2] >= cr(2,0+1)); ASSUME(cdy[2] >= cr(2,2+0)); ASSUME(cdy[2] >= cr(2,3+0)); ASSUME(creturn[2] >= cdy[2]); // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0), metadata !55, metadata !DIExpression()), !dbg !65 // call void @llvm.dbg.value(metadata i64 1, metadata !57, metadata !DIExpression()), !dbg !65 // store atomic i64 1, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0) release, align 8, !dbg !47 // ST: Guess // : Release iw(2,0) = get_rng(0,NCONTEXT-1);// 2 ASSIGN STIW old_cw = cw(2,0); cw(2,0) = get_rng(0,NCONTEXT-1);// 2 ASSIGN STCOM // Check ASSUME(active[iw(2,0)] == 2); ASSUME(active[cw(2,0)] == 2); ASSUME(sforbid(0,cw(2,0))== 0); ASSUME(iw(2,0) >= 0); ASSUME(iw(2,0) >= 0); ASSUME(cw(2,0) >= iw(2,0)); ASSUME(cw(2,0) >= old_cw); ASSUME(cw(2,0) >= cr(2,0)); ASSUME(cw(2,0) >= cl[2]); ASSUME(cw(2,0) >= cisb[2]); ASSUME(cw(2,0) >= cdy[2]); ASSUME(cw(2,0) >= cdl[2]); ASSUME(cw(2,0) >= cds[2]); ASSUME(cw(2,0) >= cctrl[2]); ASSUME(cw(2,0) >= caddr[2]); ASSUME(cw(2,0) >= cr(2,0+0)); ASSUME(cw(2,0) >= cr(2,0+1)); ASSUME(cw(2,0) >= cr(2,2+0)); ASSUME(cw(2,0) >= cr(2,3+0)); ASSUME(cw(2,0) >= cw(2,0+0)); ASSUME(cw(2,0) >= cw(2,0+1)); ASSUME(cw(2,0) >= cw(2,2+0)); ASSUME(cw(2,0) >= cw(2,3+0)); // Update caddr[2] = max(caddr[2],0); buff(2,0) = 1; mem(0,cw(2,0)) = 1; co(0,cw(2,0))+=1; delta(0,cw(2,0)) = -1; is(2,0) = iw(2,0); cs(2,0) = cw(2,0); ASSUME(creturn[2] >= cw(2,0)); // ret i8* null, !dbg !48 ret_thread_2 = (- 1); // Dumping thread 0 int ret_thread_0 = 0; cdy[0] = get_rng(0,NCONTEXT-1); ASSUME(cdy[0] >= cstart[0]); T0BLOCK0: // %thr0 = alloca i64, align 8 // %thr1 = alloca i64, align 8 // call void @llvm.dbg.value(metadata i32 %argc, metadata !76, metadata !DIExpression()), !dbg !100 // call void @llvm.dbg.value(metadata i8** %argv, metadata !77, metadata !DIExpression()), !dbg !100 // %0 = bitcast i64* %thr0 to i8*, !dbg !61 // call void @llvm.lifetime.start.p0i8(i64 8, i8* %0) #6, !dbg !61 // call void @llvm.dbg.declare(metadata i64* %thr0, metadata !78, metadata !DIExpression()), !dbg !102 // %1 = bitcast i64* %thr1 to i8*, !dbg !63 // call void @llvm.lifetime.start.p0i8(i64 8, i8* %1) #6, !dbg !63 // call void @llvm.dbg.declare(metadata i64* %thr1, metadata !82, metadata !DIExpression()), !dbg !104 // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1), metadata !83, metadata !DIExpression()), !dbg !105 // call void @llvm.dbg.value(metadata i64 0, metadata !85, metadata !DIExpression()), !dbg !105 // store atomic i64 0, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1) monotonic, align 8, !dbg !66 // ST: Guess iw(0,0+1*1) = get_rng(0,NCONTEXT-1);// 0 ASSIGN STIW old_cw = cw(0,0+1*1); cw(0,0+1*1) = get_rng(0,NCONTEXT-1);// 0 ASSIGN STCOM // Check ASSUME(active[iw(0,0+1*1)] == 0); ASSUME(active[cw(0,0+1*1)] == 0); ASSUME(sforbid(0+1*1,cw(0,0+1*1))== 0); ASSUME(iw(0,0+1*1) >= 0); ASSUME(iw(0,0+1*1) >= 0); ASSUME(cw(0,0+1*1) >= iw(0,0+1*1)); ASSUME(cw(0,0+1*1) >= old_cw); ASSUME(cw(0,0+1*1) >= cr(0,0+1*1)); ASSUME(cw(0,0+1*1) >= cl[0]); ASSUME(cw(0,0+1*1) >= cisb[0]); ASSUME(cw(0,0+1*1) >= cdy[0]); ASSUME(cw(0,0+1*1) >= cdl[0]); ASSUME(cw(0,0+1*1) >= cds[0]); ASSUME(cw(0,0+1*1) >= cctrl[0]); ASSUME(cw(0,0+1*1) >= caddr[0]); // Update caddr[0] = max(caddr[0],0); buff(0,0+1*1) = 0; mem(0+1*1,cw(0,0+1*1)) = 0; co(0+1*1,cw(0,0+1*1))+=1; delta(0+1*1,cw(0,0+1*1)) = -1; ASSUME(creturn[0] >= cw(0,0+1*1)); // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0), metadata !86, metadata !DIExpression()), !dbg !107 // call void @llvm.dbg.value(metadata i64 0, metadata !88, metadata !DIExpression()), !dbg !107 // store atomic i64 0, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0) monotonic, align 8, !dbg !68 // ST: Guess iw(0,0) = get_rng(0,NCONTEXT-1);// 0 ASSIGN STIW old_cw = cw(0,0); cw(0,0) = get_rng(0,NCONTEXT-1);// 0 ASSIGN STCOM // Check ASSUME(active[iw(0,0)] == 0); ASSUME(active[cw(0,0)] == 0); ASSUME(sforbid(0,cw(0,0))== 0); ASSUME(iw(0,0) >= 0); ASSUME(iw(0,0) >= 0); ASSUME(cw(0,0) >= iw(0,0)); ASSUME(cw(0,0) >= old_cw); ASSUME(cw(0,0) >= cr(0,0)); ASSUME(cw(0,0) >= cl[0]); ASSUME(cw(0,0) >= cisb[0]); ASSUME(cw(0,0) >= cdy[0]); ASSUME(cw(0,0) >= cdl[0]); ASSUME(cw(0,0) >= cds[0]); ASSUME(cw(0,0) >= cctrl[0]); ASSUME(cw(0,0) >= caddr[0]); // Update caddr[0] = max(caddr[0],0); buff(0,0) = 0; mem(0,cw(0,0)) = 0; co(0,cw(0,0))+=1; delta(0,cw(0,0)) = -1; ASSUME(creturn[0] >= cw(0,0)); // %call = call i32 @pthread_create(i64* noundef %thr0, %union.pthread_attr_t* noundef null, i8* (i8*)* noundef @t0, i8* noundef null) #6, !dbg !69 // dumbsy: Guess old_cdy = cdy[0]; cdy[0] = get_rng(0,NCONTEXT-1); // Check ASSUME(cdy[0] >= old_cdy); ASSUME(cdy[0] >= cisb[0]); ASSUME(cdy[0] >= cdl[0]); ASSUME(cdy[0] >= cds[0]); ASSUME(cdy[0] >= cctrl[0]); ASSUME(cdy[0] >= cw(0,0+0)); ASSUME(cdy[0] >= cw(0,0+1)); ASSUME(cdy[0] >= cw(0,2+0)); ASSUME(cdy[0] >= cw(0,3+0)); ASSUME(cdy[0] >= cr(0,0+0)); ASSUME(cdy[0] >= cr(0,0+1)); ASSUME(cdy[0] >= cr(0,2+0)); ASSUME(cdy[0] >= cr(0,3+0)); ASSUME(creturn[0] >= cdy[0]); ASSUME(cstart[1] >= cdy[0]); // %call3 = call i32 @pthread_create(i64* noundef %thr1, %union.pthread_attr_t* noundef null, i8* (i8*)* noundef @t1, i8* noundef null) #6, !dbg !70 // dumbsy: Guess old_cdy = cdy[0]; cdy[0] = get_rng(0,NCONTEXT-1); // Check ASSUME(cdy[0] >= old_cdy); ASSUME(cdy[0] >= cisb[0]); ASSUME(cdy[0] >= cdl[0]); ASSUME(cdy[0] >= cds[0]); ASSUME(cdy[0] >= cctrl[0]); ASSUME(cdy[0] >= cw(0,0+0)); ASSUME(cdy[0] >= cw(0,0+1)); ASSUME(cdy[0] >= cw(0,2+0)); ASSUME(cdy[0] >= cw(0,3+0)); ASSUME(cdy[0] >= cr(0,0+0)); ASSUME(cdy[0] >= cr(0,0+1)); ASSUME(cdy[0] >= cr(0,2+0)); ASSUME(cdy[0] >= cr(0,3+0)); ASSUME(creturn[0] >= cdy[0]); ASSUME(cstart[2] >= cdy[0]); // %2 = load i64, i64* %thr0, align 8, !dbg !71, !tbaa !72 // LD: Guess old_cr = cr(0,2); cr(0,2) = get_rng(0,NCONTEXT-1);// 0 ASSIGN LDCOM // Check ASSUME(active[cr(0,2)] == 0); ASSUME(cr(0,2) >= iw(0,2)); ASSUME(cr(0,2) >= 0); ASSUME(cr(0,2) >= cdy[0]); ASSUME(cr(0,2) >= cisb[0]); ASSUME(cr(0,2) >= cdl[0]); ASSUME(cr(0,2) >= cl[0]); // Update creg_r1 = cr(0,2); crmax(0,2) = max(crmax(0,2),cr(0,2)); caddr[0] = max(caddr[0],0); if(cr(0,2) < cw(0,2)) { r1 = buff(0,2); } else { if(pw(0,2) != co(2,cr(0,2))) { ASSUME(cr(0,2) >= old_cr); } pw(0,2) = co(2,cr(0,2)); r1 = mem(2,cr(0,2)); } ASSUME(creturn[0] >= cr(0,2)); // %call4 = call i32 @pthread_join(i64 noundef %2, i8** noundef null), !dbg !76 // dumbsy: Guess old_cdy = cdy[0]; cdy[0] = get_rng(0,NCONTEXT-1); // Check ASSUME(cdy[0] >= old_cdy); ASSUME(cdy[0] >= cisb[0]); ASSUME(cdy[0] >= cdl[0]); ASSUME(cdy[0] >= cds[0]); ASSUME(cdy[0] >= cctrl[0]); ASSUME(cdy[0] >= cw(0,0+0)); ASSUME(cdy[0] >= cw(0,0+1)); ASSUME(cdy[0] >= cw(0,2+0)); ASSUME(cdy[0] >= cw(0,3+0)); ASSUME(cdy[0] >= cr(0,0+0)); ASSUME(cdy[0] >= cr(0,0+1)); ASSUME(cdy[0] >= cr(0,2+0)); ASSUME(cdy[0] >= cr(0,3+0)); ASSUME(creturn[0] >= cdy[0]); ASSUME(cdy[0] >= creturn[1]); // %3 = load i64, i64* %thr1, align 8, !dbg !77, !tbaa !72 // LD: Guess old_cr = cr(0,3); cr(0,3) = get_rng(0,NCONTEXT-1);// 0 ASSIGN LDCOM // Check ASSUME(active[cr(0,3)] == 0); ASSUME(cr(0,3) >= iw(0,3)); ASSUME(cr(0,3) >= 0); ASSUME(cr(0,3) >= cdy[0]); ASSUME(cr(0,3) >= cisb[0]); ASSUME(cr(0,3) >= cdl[0]); ASSUME(cr(0,3) >= cl[0]); // Update creg_r2 = cr(0,3); crmax(0,3) = max(crmax(0,3),cr(0,3)); caddr[0] = max(caddr[0],0); if(cr(0,3) < cw(0,3)) { r2 = buff(0,3); } else { if(pw(0,3) != co(3,cr(0,3))) { ASSUME(cr(0,3) >= old_cr); } pw(0,3) = co(3,cr(0,3)); r2 = mem(3,cr(0,3)); } ASSUME(creturn[0] >= cr(0,3)); // %call5 = call i32 @pthread_join(i64 noundef %3, i8** noundef null), !dbg !78 // dumbsy: Guess old_cdy = cdy[0]; cdy[0] = get_rng(0,NCONTEXT-1); // Check ASSUME(cdy[0] >= old_cdy); ASSUME(cdy[0] >= cisb[0]); ASSUME(cdy[0] >= cdl[0]); ASSUME(cdy[0] >= cds[0]); ASSUME(cdy[0] >= cctrl[0]); ASSUME(cdy[0] >= cw(0,0+0)); ASSUME(cdy[0] >= cw(0,0+1)); ASSUME(cdy[0] >= cw(0,2+0)); ASSUME(cdy[0] >= cw(0,3+0)); ASSUME(cdy[0] >= cr(0,0+0)); ASSUME(cdy[0] >= cr(0,0+1)); ASSUME(cdy[0] >= cr(0,2+0)); ASSUME(cdy[0] >= cr(0,3+0)); ASSUME(creturn[0] >= cdy[0]); ASSUME(cdy[0] >= creturn[2]); // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0), metadata !90, metadata !DIExpression()), !dbg !119 // %4 = load atomic i64, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 0) seq_cst, align 8, !dbg !80 // LD: Guess old_cr = cr(0,0); cr(0,0) = get_rng(0,NCONTEXT-1);// 0 ASSIGN LDCOM // Check ASSUME(active[cr(0,0)] == 0); ASSUME(cr(0,0) >= iw(0,0)); ASSUME(cr(0,0) >= 0); ASSUME(cr(0,0) >= cdy[0]); ASSUME(cr(0,0) >= cisb[0]); ASSUME(cr(0,0) >= cdl[0]); ASSUME(cr(0,0) >= cl[0]); // Update creg_r3 = cr(0,0); crmax(0,0) = max(crmax(0,0),cr(0,0)); caddr[0] = max(caddr[0],0); if(cr(0,0) < cw(0,0)) { r3 = buff(0,0); } else { if(pw(0,0) != co(0,cr(0,0))) { ASSUME(cr(0,0) >= old_cr); } pw(0,0) = co(0,cr(0,0)); r3 = mem(0,cr(0,0)); } ASSUME(creturn[0] >= cr(0,0)); // call void @llvm.dbg.value(metadata i64 %4, metadata !92, metadata !DIExpression()), !dbg !119 // %conv = trunc i64 %4 to i32, !dbg !81 // call void @llvm.dbg.value(metadata i32 %conv, metadata !89, metadata !DIExpression()), !dbg !100 // %cmp = icmp eq i32 %conv, 2, !dbg !82 // %conv6 = zext i1 %cmp to i32, !dbg !82 // call void @llvm.dbg.value(metadata i32 %conv6, metadata !93, metadata !DIExpression()), !dbg !100 // call void @llvm.dbg.value(metadata i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1), metadata !95, metadata !DIExpression()), !dbg !123 // %5 = load atomic i64, i64* getelementptr inbounds ([2 x i64], [2 x i64]* @vars, i64 0, i64 1) seq_cst, align 8, !dbg !84 // LD: Guess old_cr = cr(0,0+1*1); cr(0,0+1*1) = get_rng(0,NCONTEXT-1);// 0 ASSIGN LDCOM // Check ASSUME(active[cr(0,0+1*1)] == 0); ASSUME(cr(0,0+1*1) >= iw(0,0+1*1)); ASSUME(cr(0,0+1*1) >= 0); ASSUME(cr(0,0+1*1) >= cdy[0]); ASSUME(cr(0,0+1*1) >= cisb[0]); ASSUME(cr(0,0+1*1) >= cdl[0]); ASSUME(cr(0,0+1*1) >= cl[0]); // Update creg_r4 = cr(0,0+1*1); crmax(0,0+1*1) = max(crmax(0,0+1*1),cr(0,0+1*1)); caddr[0] = max(caddr[0],0); if(cr(0,0+1*1) < cw(0,0+1*1)) { r4 = buff(0,0+1*1); } else { if(pw(0,0+1*1) != co(0+1*1,cr(0,0+1*1))) { ASSUME(cr(0,0+1*1) >= old_cr); } pw(0,0+1*1) = co(0+1*1,cr(0,0+1*1)); r4 = mem(0+1*1,cr(0,0+1*1)); } ASSUME(creturn[0] >= cr(0,0+1*1)); // call void @llvm.dbg.value(metadata i64 %5, metadata !97, metadata !DIExpression()), !dbg !123 // %conv10 = trunc i64 %5 to i32, !dbg !85 // call void @llvm.dbg.value(metadata i32 %conv10, metadata !94, metadata !DIExpression()), !dbg !100 // %cmp11 = icmp eq i32 %conv10, 2, !dbg !86 // %conv12 = zext i1 %cmp11 to i32, !dbg !86 // call void @llvm.dbg.value(metadata i32 %conv12, metadata !98, metadata !DIExpression()), !dbg !100 // %and = and i32 %conv6, %conv12, !dbg !87 creg_r5 = max(max(creg_r3,0),max(creg_r4,0)); ASSUME(active[creg_r5] == 0); r5 = (r3==2) & (r4==2); // call void @llvm.dbg.value(metadata i32 %and, metadata !99, metadata !DIExpression()), !dbg !100 // %cmp13 = icmp eq i32 %and, 1, !dbg !88 // br i1 %cmp13, label %if.then, label %if.end, !dbg !90 old_cctrl = cctrl[0]; cctrl[0] = get_rng(0,NCONTEXT-1); ASSUME(cctrl[0] >= old_cctrl); ASSUME(cctrl[0] >= creg_r5); ASSUME(cctrl[0] >= 0); if((r5==1)) { goto T0BLOCK1; } else { goto T0BLOCK2; } T0BLOCK1: // call void @__assert_fail(i8* noundef getelementptr inbounds ([2 x i8], [2 x i8]* @.str, i64 0, i64 0), i8* noundef getelementptr inbounds ([107 x i8], [107 x i8]* @.str.1, i64 0, i64 0), i32 noundef 50, i8* noundef getelementptr inbounds ([23 x i8], [23 x i8]* @__PRETTY_FUNCTION__.main, i64 0, i64 0)) #7, !dbg !91 // unreachable, !dbg !91 r6 = 1; T0BLOCK2: // %6 = bitcast i64* %thr1 to i8*, !dbg !94 // call void @llvm.lifetime.end.p0i8(i64 8, i8* %6) #6, !dbg !94 // %7 = bitcast i64* %thr0 to i8*, !dbg !94 // call void @llvm.lifetime.end.p0i8(i64 8, i8* %7) #6, !dbg !94 // ret i32 0, !dbg !95 ret_thread_0 = 0; ASSERT(r6== 0); }
[ "tuan-phong.ngo@it.uu.se" ]
tuan-phong.ngo@it.uu.se
30d6964ca2a660423fa2671f56142193ae4c863b
2aa898dbe14af58220cd90d58ee42a60373d4983
/Polycarps Pockets.cpp
b16f1bd7b01c0c0551ea0034ee615dfbb725bdda
[]
no_license
saidul-islam98/Codeforces-Codes
f87a93d10a29aceea1cda4b4ff6b7470ddadc604
69db958e0b1918524336139dfeec39696a00d847
refs/heads/main
2023-07-12T03:27:31.196702
2021-08-09T11:09:30
2021-08-09T11:09:30
320,839,008
0
0
null
null
null
null
UTF-8
C++
false
false
319
cpp
#include<bits/stdc++.h> using namespace std; int main(){ int n; cin>>n; int b[105]={0}; for(int i=0;i<n;i++){ int x; cin>>x; b[x]++; } int mx=-99999; for(int i=0;i<105;i++){ if(b[i]>mx){ mx=b[i]; } } cout<<mx; return 0; }
[ "noreply@github.com" ]
noreply@github.com
3d802fa1d00b3c4883ae0c3743ebf529b00ffbdb
d82f32eb0e7e94135c73eb30149b94a136f1c684
/Combinations.cpp
efcad235356dcc36bcb2c64faa3d0ee2823d78d7
[]
no_license
prestonkt/MyRepo
1bf351349d22dad99973cc5625a5c795eca078f6
15b16095d5f48994629eadca27bc67de54dba8ba
refs/heads/master
2021-05-28T10:59:32.729504
2015-03-04T22:01:28
2015-03-04T22:01:28
null
0
0
null
null
null
null
UTF-8
C++
false
false
1,297
cpp
/* * * Author: peytonT * * Created on October 30, 2014, 12:17 PM */ #include <iostream> using namespace std; int factorial(int n) { return (n == 1 || n == 0) ? 1 : factorial(n - 1) * n; } int combination(int n, int r) { return factorial(n)/ (factorial(r) * factorial(n-r)); } int generateCombinations(int n, int r) { int s[10]; for(int i=0; i<r; i++) { s[i] = i+1; cout << s[i]; } cout <<"\t"; int m, max_val; for (int i=1; i<combination(n,r); i++) { m=r; max_val=n; while (s[m-1] == max_val) { m -= 1; max_val--; } s[m-1] = s[m-1]+1; for(int j=m; j<r;j++) { s[j] = s[j-1]+1; } for(int i=0; i<r; i++) { cout<< s[i]; } cout <<"\t"; } return 0; } int main() { int r; int n; cout <<"*** This program lists all the r-combinations of {1,2,...,n} in increasing lexicographic order ***\n"; cout << "Input n: "; cin >> n; cout <<"Input r: "; cin >> r; cout <<"\n"; generateCombinations(n,r); return 0; }
[ "peyton.tran2013@gmail.com" ]
peyton.tran2013@gmail.com
6e783c20e45486cb97ffb095a7910de5b915f3cb
a2f6660488fed555d720cc0df72ae2cfd526d0ec
/src/hssh/local_metric/map_rectification.h
a385a97f986e4d5d74a09672aa122f9d13ac6b1e
[ "MIT" ]
permissive
h2ssh/Vulcan
91a517fb89dbed8ec8c126ee8165dc2b2142896f
cc46ec79fea43227d578bee39cb4129ad9bb1603
refs/heads/master
2022-05-03T02:31:24.433878
2019-05-04T17:12:12
2019-05-04T17:12:12
184,834,960
6
11
NOASSERTION
2022-04-29T02:03:07
2019-05-04T00:21:10
C++
UTF-8
C++
false
false
1,576
h
/* Copyright (C) 2010-2019, The Regents of The University of Michigan. All rights reserved. This software was developed as part of the The Vulcan project in the Intelligent Robotics Lab under the direction of Benjamin Kuipers, kuipers@umich.edu. Use of this code is governed by an MIT-style License that can be found at "https://github.com/h2ssh/Vulcan". */ /** * \file map_rectification.h * \author Collin Johnson * * Declaration of functions for map rectification: * * - calculate_map_orientation * - rotate_lpm */ #ifndef HSSH_LOCAL_METRIC_MAP_RECTIFICATION_H #define HSSH_LOCAL_METRIC_MAP_RECTIFICATION_H namespace vulcan { namespace hssh { class LocalPerceptualMap; /** * calculate_map_orientation determines the orientation of an LPM by calculating the first and second * moments of the free space in the map. The formula for determining the orientation is taken from * Horn's "Robot Vision" somewhere in Chapter 3. * * \param lpm LPM to be evaluated * \return Orientation of the x-axis in the LPM. */ float calculate_map_orientation(const LocalPerceptualMap& lpm); /** * rotate_lpm rotates every cell in the map by the specified angle. The LPM won't be resized, so some * information will be lost. A new LPM is calculated from the old LPM. * * \param lpm LPM to be rotated * \param angle Angle by which to rotate * \return A new LPM with each cell rotated by the specified angle. */ LocalPerceptualMap rotate_lpm(const LocalPerceptualMap& lpm, float angle); } } #endif // HSSH_LOCAL_METRIC_MAP_RECTIFICATION_H
[ "collinej@umich.edu" ]
collinej@umich.edu
377c1a156c5142321909e5c2e18920ea38b157a1
b4e2870e505b3a576115fa9318aabfb971535aef
/zParserExtender/ZenGin/Gothic_I_Classic/API/zSky.h
7b85102b3efb0faa35117740145d5197c917e7a0
[]
no_license
Gratt-5r2/zParserExtender
4289ba2e71748bbac0c929dd1941d151cdde46ff
ecf51966e4d8b4dc27e3bfaff06848fab69ec9f1
refs/heads/master
2023-01-07T07:35:15.720162
2022-10-08T15:58:41
2022-10-08T15:58:41
208,900,373
6
1
null
2023-01-02T21:53:03
2019-09-16T21:21:28
C++
UTF-8
C++
false
false
15,256
h
// Supported with union (c) 2018 Union team #ifndef __ZSKY_H__VER0__ #define __ZSKY_H__VER0__ namespace Gothic_I_Classic { const int zSKY_NUM_LAYER = 2; const int NUM_PLANETS = 2; enum zESkyLayerMode { zSKY_MODE_POLY, zSKY_MODE_BOX }; enum zTSkyStateEffect { zSKY_STATE_EFFECT_SUN, zSKY_STATE_EFFECT_CLOUDSHADOW }; class zCSkyLayerData { public: zESkyLayerMode skyMode; zCTexture* texBox[5]; zCTexture* tex; zSTRING texName; float texAlpha; float texScale; zVEC2 texSpeed; void zCSkyLayerData_OnInit() zCall( 0x005BB830 ); zCSkyLayerData() zInit( zCSkyLayerData_OnInit() ); ~zCSkyLayerData() zCall( 0x005BB8A0 ); // user API #include "zCSkyLayerData.inl" }; class zCSkyState { public: float time; zVEC3 polyColor; zVEC3 fogColor; zVEC3 domeColor1; zVEC3 domeColor0; float fogDist; int sunOn; int cloudShadowOn; zCSkyLayerData layer[zSKY_NUM_LAYER]; void zCSkyState_OnInit() zCall( 0x005BB960 ); zCSkyState() zInit( zCSkyState_OnInit() ); ~zCSkyState() zCall( 0x005BB990 ); void PresetDay0() zCall( 0x005BB9B0 ); void PresetDay1() zCall( 0x005BBB50 ); void PresetDay2() zCall( 0x005BBCD0 ); void PresetEvening() zCall( 0x005BBDA0 ); void PresetNight0() zCall( 0x005BBE70 ); void PresetNight1() zCall( 0x005BC070 ); void PresetNight2() zCall( 0x005BC1F0 ); void PresetDawn() zCall( 0x005BC370 ); // user API #include "zCSkyState.inl" }; class zCSkyLayer { public: zCMesh* skyPolyMesh; zCPolygon* skyPoly; zVEC2 skyTexOffs; zCMesh* skyBoxMesh; zESkyLayerMode skyMode; void zCSkyLayer_OnInit() zCall( 0x005BEC80 ); zCSkyLayer() zInit( zCSkyLayer_OnInit() ); ~zCSkyLayer() zCall( 0x005BECD0 ); void SetSkyBoxTexture( int, zCTexture* ) zCall( 0x005BED20 ); void SetSkyPolyTexture( zCTexture* ) zCall( 0x005BED60 ); void RenderSkyLayer( zCSkyState* ) zCall( 0x005BED70 ); void RenderSkyPoly( zCSkyState* ) zCall( 0x005BEE20 ); void RenderRainCloudLayer( zCOLOR ) zCall( 0x005BF230 ); void RenderSkyBox( zCSkyState* ) zCall( 0x005BFEF0 ); static zCMesh* CreateSkyPoly() zCall( 0x005BEAA0 ); static zCMesh* CreateSkyBoxMesh( int ) zCall( 0x005BFEE0 ); // user API #include "zCSkyLayer.inl" }; class zCSkyPlanet { public: zCMesh* mesh; zVEC4 color0; zVEC4 color1; float size; zVEC3 pos; zVEC3 rotAxis; void zCSkyPlanet_OnInit() zCall( 0x005BC750 ); zCSkyPlanet() zInit( zCSkyPlanet_OnInit() ); ~zCSkyPlanet() zCall( 0x005BC760 ); // user API #include "zCSkyPlanet.inl" }; class zCUnderwaterPFX : public zCParticleFX { public: zVEC3 camPosLastFrame; zCUnderwaterPFX() {} void ProcessParticles() zCall( 0x005BADC0 ); void CreateParticles() zCall( 0x005BB1C0 ); virtual ~zCUnderwaterPFX() zCall( 0x005BA960 ); virtual int Render( zTRenderContext& ) zCall( 0x005BADA0 ); // user API #include "zCUnderwaterPFX.inl" }; class zCSkyControler : public zCObject { public: zCLASS_DECLARATION( zCSkyControler ) enum zTCamLocationHint { zCAM_OUTSIDE_SECTOR, zCAM_INSIDE_SECTOR_CANT_SEE_OUTSIDE, zCAM_INSIDE_SECTOR_CAN_SEE_OUTSIDE }; zCOLOR* polyLightCLUTPtr; float cloudShadowScale; zCOLOR backgroundColor; int fillBackground; zCTexture* backgroundTexture; void zCSkyControler_OnInit() zCall( 0x005BA160 ); zCSkyControler() zInit( zCSkyControler_OnInit() ); void ClearBackground( zCOLOR ) zCall( 0x005BA2F0 ); virtual zCClassDef* _GetClassDef() const zCall( 0x005B80A0 ); virtual ~zCSkyControler() zCall( 0x005BA280 ); virtual void SetTime( float ) zPureCall; virtual float GetTime() const zPureCall; virtual void ResetTime() zPureCall; virtual void SetFarZ( float ) zPureCall; virtual float GetFarZ() const zPureCall; virtual void SetFarZScalability( float ) zPureCall; virtual float GetFarZScalability() const zPureCall; virtual void SetBackgroundColor( zCOLOR ) zPureCall; virtual zCOLOR GetBackgroundColor() const zPureCall; virtual void SetFillBackground( int ) zCall( 0x005B7EE0 ); virtual int GetFillBackground() const zCall( 0x005B7EF0 ); virtual void SetUnderwaterFX( int ) zPureCall; virtual int GetUnderwaterFX() const zPureCall; virtual void UpdateWorldDependencies() zPureCall; virtual int GetRelightCtr() zCall( 0x005B7F00 ); virtual zCOLOR GetDaylightColorFromIntensity( int ) zCall( 0x005B7F10 ); virtual void RenderSkyPre() zPureCall; virtual void RenderSkyPost() zPureCall; virtual void SetCameraLocationHint( zTCamLocationHint ) zCall( 0x005B7F30 ); // static properties static zCSkyControler*& s_activeSkyControler; static int& s_skyEffectsEnabled; // user API #include "zCSkyControler.inl" }; class zCSkyControler_Mid : public zCSkyControler { public: zCLASS_DECLARATION( zCSkyControler_Mid ) int underwaterFX; zCOLOR underwaterColor; float underwaterFarZ; float underwaterStartTime; float oldFovX; float oldFovY; zCVob* vobUnderwaterPFX; zCPolygon* scrPoly; zCMesh* scrPolyMesh; int scrPolyAlpha; zCOLOR scrPolyColor; zTRnd_AlphaBlendFunc scrPolyAlphaFunc; void zCSkyControler_Mid_OnInit() zCall( 0x005BA5A0 ); zCSkyControler_Mid() zInit( zCSkyControler_Mid_OnInit() ); void InitUnderwaterPFX() zCall( 0x005BA6A0 ); void InitScreenBlend() zCall( 0x005BB2A0 ); void RenderScreenBlend() zCall( 0x005BB3D0 ); void SetScreenBlendAlpha( int ) zCall( 0x005BB5A0 ); void SetScreenBlendColor( zCOLOR const& ) zCall( 0x005BB5B0 ); void SetScreenBlendAlphaFunc( zTRnd_AlphaBlendFunc ) zCall( 0x005BB5C0 ); virtual zCClassDef* _GetClassDef() const zCall( 0x005B7F40 ); virtual ~zCSkyControler_Mid() zCall( 0x005BA970 ); virtual void SetTime( float ) zPureCall; virtual float GetTime() const zPureCall; virtual void ResetTime() zPureCall; virtual void SetFarZ( float ) zPureCall; virtual float GetFarZ() const zPureCall; virtual void SetFarZScalability( float ) zPureCall; virtual float GetFarZScalability() const zPureCall; virtual void SetBackgroundColor( zCOLOR ) zPureCall; virtual zCOLOR GetBackgroundColor() const zPureCall; virtual void SetUnderwaterFX( int ) zCall( 0x005BAA30 ); virtual int GetUnderwaterFX() const zCall( 0x005BAAA0 ); virtual void UpdateWorldDependencies() zPureCall; virtual void RenderSkyPre() zCall( 0x005BAAB0 ); virtual void RenderSkyPost() zCall( 0x005BAB80 ); // user API #include "zCSkyControler_Mid.inl" }; class zCSkyControler_Indoor : public zCSkyControler_Mid { public: zCLASS_DECLARATION( zCSkyControler_Indoor ) float userFarZ; float userFarZScalability; float time; void zCSkyControler_Indoor_OnInit() zCall( 0x005BB5D0 ); zCSkyControler_Indoor() zInit( zCSkyControler_Indoor_OnInit() ); static zCObject* _CreateNewInstance() zCall( 0x005B7DD0 ); virtual zCClassDef* _GetClassDef() const zCall( 0x005B7F70 ); virtual ~zCSkyControler_Indoor() zCall( 0x005B7FE0 ); virtual void SetTime( float ) zCall( 0x005BB690 ); virtual float GetTime() const zCall( 0x005B7F80 ); virtual void ResetTime() zCall( 0x005B7F90 ); virtual void SetFarZ( float ) zCall( 0x005BB700 ); virtual float GetFarZ() const zCall( 0x005BB710 ); virtual void SetFarZScalability( float ) zCall( 0x005BB720 ); virtual float GetFarZScalability() const zCall( 0x005BB760 ); virtual void SetBackgroundColor( zCOLOR ) zCall( 0x005BB770 ); virtual zCOLOR GetBackgroundColor() const zCall( 0x005BB780 ); virtual void UpdateWorldDependencies() zCall( 0x005B7FA0 ); virtual void RenderSkyPre() zCall( 0x005BB790 ); virtual void RenderSkyPost() zCall( 0x005BB820 ); // user API #include "zCSkyControler_Indoor.inl" }; class zCSkyControler_Outdoor : public zCSkyControler_Mid { public: zCLASS_DECLARATION( zCSkyControler_Outdoor ) struct zTRainFX { zCOutdoorRainFX* outdoorRainFX; zTCamLocationHint camLocationHint; float outdoorRainFXWeight; float soundVolume; float timerInsideSectorCantSeeOutside; float timeStartRain; float timeStopRain; zTRainFX() {} // user API #include "zCSkyControler_Outdoor_zTRainFX.inl" }; int initDone; float masterTime; float masterTimeLast; zCSkyState masterState; zCSkyState* state0; zCSkyState* state1; zCArray<zCSkyState*> stateList; zCOLOR polyLightCLUT[256]; int relightCtr; float lastRelightTime; float dayCounter; zCArray<zVEC3> fogColorDayVariations; float resultFogScale; float heightFogMinY; float heightFogMaxY; float userFogFar; float resultFogNear; float resultFogFar; float resultFogSkyNear; float resultFogSkyFar; zCOLOR resultFogColor; float userFarZScalability; zCSkyState* skyLayerState[2]; zCSkyLayer skyLayer[2]; zCSkyLayer skyLayerRainClouds; zCTexture* skyCloudLayerTex; zCSkyPlanet planets[NUM_PLANETS]; zCVob* vobSkyPFX; float skyPFXTimer; zTRainFX rainFX; void zCSkyControler_Outdoor_OnInit() zCall( 0x005BC440 ); zCSkyControler_Outdoor() zInit( zCSkyControler_Outdoor_OnInit() ); void Init() zCall( 0x005BCA80 ); int GetStateTextureSearch( int, int, int ) zCall( 0x005BCFA0 ); void ApplyStateTexToLayer( int, int ) zCall( 0x005BCFF0 ); void RenderPlanets() zCall( 0x005BD430 ); void ReadFogColorsFromINI() zCall( 0x005BD970 ); void __fastcall ApplyFogColorsFromINI( int ) zCall( 0x005BDE40 ); void CreateDefault() zCall( 0x005BDEC0 ); void Interpolate() zCall( 0x005BE4F0 ); void CalcPolyLightCLUT( zVEC3 const&, zVEC3 const& ) zCall( 0x005BE980 ); void ColorizeSkySphere() zCall( 0x005BF4B0 ); void TextureSkySphere() zCall( 0x005BF6F0 ); void RenderSetup() zCall( 0x005BFBE0 ); void RenderSkyPlane() zCall( 0x005BFC30 ); void RenderSkyDome() zCall( 0x005BFED0 ); void InitSkyPFX() zCall( 0x005BFF80 ); void CalcFog() zCall( 0x005C01A0 ); void RenderSkyPFX() zCall( 0x005C05C0 ); void ProcessRainFX() zCall( 0x005C0DC0 ); void SetRainFXWeight( float, float ) zCall( 0x005C1090 ); static zCObject* _CreateNewInstance() zCall( 0x005B82A0 ); virtual zCClassDef* _GetClassDef() const zCall( 0x005BC790 ); virtual void Archive( zCArchiver& ) zCall( 0x005C1170 ); virtual void Unarchive( zCArchiver& ) zCall( 0x005C1220 ); virtual ~zCSkyControler_Outdoor() zCall( 0x005BC810 ); virtual void SetTime( float ) zCall( 0x005BE8F0 ); virtual float GetTime() const zCall( 0x005BC7A0 ); virtual void ResetTime() zCall( 0x005BE930 ); virtual void SetFarZ( float ) zCall( 0x005C0540 ); virtual float GetFarZ() const zCall( 0x005C0550 ); virtual void SetFarZScalability( float ) zCall( 0x005C0560 ); virtual float GetFarZScalability() const zCall( 0x005C05B0 ); virtual void SetBackgroundColor( zCOLOR ) zCall( 0x005BC7B0 ); virtual zCOLOR GetBackgroundColor() const zCall( 0x005BC7C0 ); virtual void UpdateWorldDependencies() zCall( 0x005BCF50 ); virtual int GetRelightCtr() zCall( 0x005BE950 ); virtual zCOLOR GetDaylightColorFromIntensity( int ) zCall( 0x005BE960 ); virtual void RenderSkyPre() zCall( 0x005C0900 ); virtual void RenderSkyPost() zCall( 0x005C1160 ); virtual void SetCameraLocationHint( zCSkyControler::zTCamLocationHint ) zCall( 0x005BC7D0 ); // user API #include "zCSkyControler_Outdoor.inl" }; } // namespace Gothic_I_Classic #endif // __ZSKY_H__VER0__
[ "amax96@yandex.ru" ]
amax96@yandex.ru
f994814de30a5b02d6340e30a0d1b99e5e552c01
b494742e7d0db4a1056656bdc28240f800a038e6
/src/tcstock/source/stockinfo/tcstockselectdlg.cpp
97313af0ea67f09f55c32b2df8bf9b49198c2b6b
[]
no_license
zhuzhenping/CTP-MATLAB
5fd4953c15579840f8de92e294cafbeff754f064
aecef74c3533d298cb4b4e6a6c499d4c87b3ef5a
refs/heads/master
2020-03-17T00:52:39.154075
2017-11-06T10:03:32
2017-11-06T10:03:32
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,568
cpp
#include "tcstockselectdlg.h" #include <QHeaderView> #include <QTableWidgetItem> #include <QMessageBox> #include "../tcdefine.h" #include "../service/tcsvcpack.h" #include "tcmarketmgr.h" tcStockSelectDialog::tcStockSelectDialog(QWidget *pParent) : QDialog(pParent) { setupUi(this); QStringList titles; titles<<tr("StockCode")<<tr("Name"); tbl1->setColumnCount(2); tbl1->setHorizontalHeaderLabels(titles); // tbl1->horizontalHeader()->setResizeMode(1, QHeaderView::Stretch); tbl1->verticalHeader()->hide(); tbl1->setSelectionMode(QAbstractItemView::SingleSelection); tbl1->setSelectionBehavior(QAbstractItemView::SelectRows); tbl1->setEditTriggers(QAbstractItemView::NoEditTriggers); connect(cbo1, SIGNAL(currentIndexChanged(int)), this, SLOT(DoMarketIndexChanged(int))); connect(edt1, SIGNAL(textChanged(const QString &)), this, SLOT(DoFilterTextChanged(const QString &))); connect(edt2, SIGNAL(textChanged(const QString &)), this, SLOT(DoFilterTextChanged(const QString &))); disconnect(buttonBox, SIGNAL(accepted()), this, SLOT(accept())); connect(buttonBox, SIGNAL(accepted()), this, SLOT(DoOk())); connect(&mViewStockInfoList, SIGNAL(OnStockListNeedReload()), this, SLOT(DoStockListNeedReload())); LoadMarketList(); } bool tcStockSelectDialog::GetSelectedStockInfoList(tcStockInfoList &pStockInfoList) { int i; for (i=0; i<tbl1->rowCount(); i++) { QTableWidgetItem *item = tbl1->item(i, 0); Q_ASSERT(item); if (item->checkState() == Qt::Checked) { tcStockInfo info = mViewStockInfoList[i]; pStockInfoList.append(info); } } return true; } void tcStockSelectDialog::LoadMarketList() { QString marketname = cbo1->currentText(); cbo1->clear(); tcMarketManager *marketmanager = tcObjService::GetMarketManager(); int i; for (i=0; i<marketmanager->GetMarketCount(); i++) { tcMarket *market = marketmanager->GetMarket(i); Q_ASSERT(market); cbo1->addItem(market->GetName()); } //restore the last selected market in the combo int index = cbo1->findText(marketname); if (index >= 0) { cbo1->setCurrentIndex(index); } } void tcStockSelectDialog::LoadStockList() { //get the filted stock list mViewStockInfoList.clear(); tcMarketManager *marketmanager = tcObjService::GetMarketManager(); if (! marketmanager->GetStockInfoListFilter(cbo1->currentIndex(), mViewStockInfoList, edt1->text(), edt2->text())) { tcLogService::CreateLog(this, "Error when get stock info list."); return; } //show stock in the tableview setUpdatesEnabled(false); tbl1->setRowCount(0); foreach(tcStockInfo info, mViewStockInfoList) { int row = tbl1->rowCount(); tbl1->insertRow(row); QTableWidgetItem *item = new QTableWidgetItem(info.GetStockCode()); item->setCheckState(Qt::Unchecked); tbl1->setItem(row, 0, item); tbl1->setItem(row, 1, new QTableWidgetItem(info->GetStockName())); } setUpdatesEnabled(true); } void tcStockSelectDialog::DoMarketIndexChanged(int pIndex) { LoadStockList(); } void tcStockSelectDialog::DoFilterTextChanged(const QString &pText) { LoadStockList(); } void tcStockSelectDialog::DoOk() { //check if none item been selected bool haschecked = false; int i; for (i=0; i<tbl1->rowCount(); i++) { QTableWidgetItem *item = tbl1->item(i, 0); Q_ASSERT(item); if (item->checkState() == Qt::Checked) { haschecked = true; break; } } if (! haschecked) { QMessageBox::warning(this, SYSTEM_NAME, tr("You must select some stock from the list.")); return; } accept(); } void tcStockSelectDialog::DoStockListNeedReload() { LoadStockList(); }
[ "84020702@qq.com" ]
84020702@qq.com
402b7bb112cac927f0ac5a621207e0798cf4b327
184b6c7529e15a646cd95ce0fc90e435e34dcdbd
/src/Bazar/PasswordInput.h
291d6a0ee85a689c8611b2230fd1562a053464f5
[]
no_license
Ulle84/ToolBox
0ae4a297ca435952c0664f32bee975cf279356c5
2f686cfb6728880e40b8bdd4a7c6da381ebdf2fc
refs/heads/master
2021-01-22T22:03:44.716242
2017-07-19T17:19:38
2017-07-19T17:19:38
85,501,056
0
0
null
null
null
null
UTF-8
C++
false
false
317
h
#ifndef PASSWORDINPUT_H #define PASSWORDINPUT_H #include <QDialog> class PasswordInputUi; class PasswordInput : public QDialog { Q_OBJECT public: explicit PasswordInput(QWidget *parent = 0); ~PasswordInput(); QString getPassword(); private: PasswordInput Ui*ui; }; #endif // PASSWORDINPUT_H
[ "u.belitz@gmx.de" ]
u.belitz@gmx.de
855c95cbe6d46df5e019c23654bd0ea2543faae3
3ce84c6401e12cf955a04e3692ce98dc15fa55da
/core/buffers/nonMaximalSuperssor.cpp
52ca3e3ba8c246ac29befbb813ade16e220869ae
[]
no_license
PimenovAlexander/corecvs
b3470cac2c1853d3237daafc46769c15223020c9
67a92793aa819e6931f0c46e8e9167cf6f322244
refs/heads/master_cmake
2021-10-09T10:12:37.980459
2021-09-28T23:19:31
2021-09-28T23:19:31
13,349,418
15
68
null
2021-08-24T18:38:04
2013-10-05T17:35:48
C++
UTF-8
C++
false
false
2,567
cpp
#include "core/buffers/nonMaximalSuperssor.h" #include "core/buffers/convolver/convolver.h" namespace corecvs { template<class BufferType> void NonMaximalSuperssor<BufferType>::nonMaximumSupression( const BufferType &image, const IndexType &windowHalf, const ElementType &threshold, vector<CoordType> &maximas, const IndexType &skip) { //SYNC_PRINT(("NonMaximalSuperssor<BufferType>::nonMaximumSupression([%dx%d], windowHalf=%d, threshold=%lf, _, skip=%d): called\n", image.w, image.h, windowHalf, threshold, skip )); maximas.clear(); IndexType a = windowHalf; IndexType s = skip; for (IndexType i = s + a; i + a + s < image.w; i += a + 1) { for (IndexType j = s + a; j + a + s < image.h; j += a + 1) { IndexType mi = i; IndexType mj = j; ElementType mx = image.element(j, i); for (auto i2 = i; i2 < i + a + 1; i2++) { for (auto j2 = j; j2 < j + a + 1; j2++) { if (image.element(j2, i2) > mx) { mx = image.element(j2, i2); mi = i2; mj = j2; } } } // Now we are sure, that A[mj, mi] is best in [j; j+w]x[i; i+w], need to check if it is best in [mj-w; mj+w]x[mi-w; mi+w] bool failed = mx < threshold; IndexType top = mj - a; IndexType bottom = std::min(mj + a + 1, j); IndexType left = mi - a; IndexType right = mi + a + 1; #define TRY_NMS(tv, bv, lv, rv) \ if (!failed) \ { \ top = tv; \ bottom = bv; \ left = lv; \ right = rv; \ failed |= nonMaximumSupressionHelper(image, top, bottom, left, right, mx); \ } TRY_NMS( top, bottom, left, right) TRY_NMS( j, std::min(mj + a + 1, j + a + 1), mi - a, std::min(mi + a + 1, i)) TRY_NMS( top, bottom, i + a + 1, mi + a + 1) TRY_NMS(j + a + 1, mj + a + 1, mi - a, mi + a) #undef TRY_NMS if (!failed) maximas.push_back(Vector2d<int>(mi, mj)); } } //SYNC_PRINT(("NonMaximalSuperssor::nonMaximumSupression(): found %d corners\n", (int)maximas.size() )); } template class NonMaximalSuperssor<FpImage>; } // namespace corecvs
[ "Aleksandr.Pimenov@lanit-tercom.com" ]
Aleksandr.Pimenov@lanit-tercom.com
cb0da4bad4859b0eb405cfa0b1be73c48f008d1d
97d3c5ba7fcbc4a5277590e84f753163d39cde67
/Pr3 EK/Not.h
1942ab0d679e831ba05d389fcbd029bcd32c2937
[]
no_license
paolo21d/Projekt3-EK
b87b42a68b4d50372c37785a1983f8a9025be30b
6d89697d475e85ff6580365d0431fa85939059b3
refs/heads/master
2020-03-19T13:58:03.091959
2018-06-12T22:41:56
2018-06-12T22:41:56
136,603,174
0
0
null
null
null
null
UTF-8
C++
false
false
254
h
#pragma once #ifndef NOT_H #define NOT_H #include "Gate.h" class Not : public Gate { public: Not(int id_, int inid_); ~Not(); bool calOut(); virtual bool setInputsPointers(std::vector<Gate*>& gatesVector, Gate* vcc, Gate* gnd); }; #endif // !NOT_H
[ "paolo21d@gmail.com" ]
paolo21d@gmail.com
2ffc7d34cb38b3936c15ea124329745c0d377c22
517c4b35fad18454d7905dcda93916a365bf5efa
/esp32/dht11/dht11.ino
7811516fe4558dba68784846650104cad17eb82a
[]
no_license
Ubira/IND4FIBRE
6a09286960cd98f2d646aa4eb06ac90ccf5269b5
e44f1b6a21587aecd0f5fd517830a41060c235a4
refs/heads/master
2021-02-11T16:20:32.839338
2020-04-24T03:05:26
2020-04-24T03:05:26
244,509,311
0
0
null
null
null
null
UTF-8
C++
false
false
3,294
ino
// DHT Temperature & Humidity Sensor // Unified Sensor Library Example // Written by Tony DiCola for Adafruit Industries // Released under an MIT license. // REQUIRES the following Arduino libraries: // - DHT Sensor Library: https://github.com/adafruit/DHT-sensor-library // - Adafruit Unified Sensor Lib: https://github.com/adafruit/Adafruit_Sensor #include <Adafruit_Sensor.h> #include <DHT.h> #include <DHT_U.h> #define DHTPIN 4 // Digital pin connected to the DHT sensor // Feather HUZZAH ESP8266 note: use pins 3, 4, 5, 12, 13 or 14 -- // Pin 15 can work but DHT must be disconnected during program upload. // Uncomment the type of sensor in use: #define DHTTYPE DHT11 // DHT 11 //#define DHTTYPE DHT22 // DHT 22 (AM2302) //#define DHTTYPE DHT21 // DHT 21 (AM2301) // See guide for details on sensor wiring and usage: // https://learn.adafruit.com/dht/overview DHT_Unified dht(DHTPIN, DHTTYPE); uint32_t delayMS; void setup() { Serial.begin(9600); // Initialize device. dht.begin(); Serial.println(F("DHTxx Unified Sensor Example")); // Print temperature sensor details. sensor_t sensor; dht.temperature().getSensor(&sensor); Serial.println(F("------------------------------------")); Serial.println(F("Temperature Sensor")); Serial.print (F("Sensor Type: ")); Serial.println(sensor.name); Serial.print (F("Driver Ver: ")); Serial.println(sensor.version); Serial.print (F("Unique ID: ")); Serial.println(sensor.sensor_id); Serial.print (F("Max Value: ")); Serial.print(sensor.max_value); Serial.println(F("°C")); Serial.print (F("Min Value: ")); Serial.print(sensor.min_value); Serial.println(F("°C")); Serial.print (F("Resolution: ")); Serial.print(sensor.resolution); Serial.println(F("°C")); Serial.println(F("------------------------------------")); // Print humidity sensor details. dht.humidity().getSensor(&sensor); Serial.println(F("Humidity Sensor")); Serial.print (F("Sensor Type: ")); Serial.println(sensor.name); Serial.print (F("Driver Ver: ")); Serial.println(sensor.version); Serial.print (F("Unique ID: ")); Serial.println(sensor.sensor_id); Serial.print (F("Max Value: ")); Serial.print(sensor.max_value); Serial.println(F("%")); Serial.print (F("Min Value: ")); Serial.print(sensor.min_value); Serial.println(F("%")); Serial.print (F("Resolution: ")); Serial.print(sensor.resolution); Serial.println(F("%")); Serial.println(F("------------------------------------")); // Set delay between sensor readings based on sensor details. delayMS = sensor.min_delay / 1000; } void loop() { // Delay between measurements. delay(delayMS); // Get temperature event and print its value. sensors_event_t event; dht.temperature().getEvent(&event); if (isnan(event.temperature)) { Serial.println(F("Error reading temperature!")); } else { Serial.print(F("Temperature: ")); Serial.print(event.temperature); Serial.println(F("°C")); } // Get humidity event and print its value. dht.humidity().getEvent(&event); if (isnan(event.relative_humidity)) { Serial.println(F("Error reading humidity!")); } else { Serial.print(F("Humidity: ")); Serial.print(event.relative_humidity); Serial.println(F("%")); } }
[ "ubiratan_melo@outlook.com" ]
ubiratan_melo@outlook.com
1d9156dc6fc9da37ea5370d11a2588ccdd8dfc48
3265043bb3475be23eb67fecd23de7d15f628a08
/cs480/assignment-3-rthowerton/main_in_progress.cpp
8b662d781a5abc2b749d17091857254ed3abe94b
[]
no_license
rthowerton/OSU-Coursework
83b2b625b9a0860e736662a8fcc51bb5971bedb6
4ed3a315117b0c5a14ab47b2a5448e37447c2496
refs/heads/master
2021-06-16T22:00:50.177637
2021-04-15T18:01:10
2021-04-15T18:01:10
192,245,238
0
1
null
2021-04-15T18:01:11
2019-06-16T23:12:59
TeX
UTF-8
C++
false
false
1,228
cpp
#include <iostream> #include <set> #include <string> #include "parser.hpp" extern int yylex(); extern Node* root; void print_nodes(Node*); int main() { if (!yylex()) { std::cout << "digraph G{" << std::endl; print_nodes(root, -1); std::cout << "}" << std::endl; } } void print_nodes(Node* node, int depth){ if(node->nodes.size() != 0){ for(int i = 0; i < node->nodes.size(); i++){ if(node->value.empty()){ if(depth >= 0){ std::cout << " n0_" << depth << " [label=\"" << node->name << "\"];" << std::endl; std::cout << " n0_" << depth << std::endl; } else{ std::cout << " n0" << " [label=\"" << node->name << "\"];" << std::endl; std::cout << " n0 -> n0_" << depth+1 << std::endl; } } else{ if(depth >= 0){ std::cout << " n0_" << depth << " [shape=box,label=\"" << node->nodes[i]->name << ": " << node->nodes[i]->value << "\"];" std::endl; } else{ } } } print_nodes(node->nodes[i], depth+1); } }
[ "howertor@oregonstate.edu" ]
howertor@oregonstate.edu
71abd3aab52b585a38e5bc99ef6f572295164c37
ff879811ca56c45e21253e36c622074582aac38b
/DigitalFiltersDLL/digital_filters.h
bb7d3ce2fd91797136c5d0e37e2b82cb6ceeb9ca
[]
no_license
hoffmr2/DigitalFilters
6d80040eb5f268f7ca6a930e42927695ea14b923
59728feff2705bbfd51011c2c3c4e4bebf42088a
refs/heads/master
2021-01-12T03:59:21.450655
2017-05-22T22:07:09
2017-05-22T22:07:09
77,450,378
2
0
null
null
null
null
UTF-8
C++
false
false
32,905
h
#pragma once #ifndef DIGITAL_FILTERS_H_ #define DIGITALFILTERS_H_ namespace HoffFilters { #define PI 3.141592653589793 #include <cassert> #include <vector> #include <assert.h> #include <cmath> enum bypassState { on, off }; using namespace std; class DigitalFilter { public: DigitalFilter(double cutoff_frequency, double sample_rate, bypassState bypass_state = off); virtual ~DigitalFilter(); void SetBypassState(bypassState new_bypass_state); bypassState GetBypassState() const; virtual void ChangeCutoffFrequency(double newFpass) = 0; virtual float FilterOutputLeft(float sample) = 0; virtual float FilterOutputRight(float sample) = 0; virtual double Spectrum(double frequency) = 0; virtual void InitAcoefficients() = 0; virtual void InitBcoefficients() = 0; virtual void InitMemory() = 0; protected: virtual void SetAngularCutoffFrequency(); //Private variables double* a_coefficients_; double* b_coefficients_; float* memory_left_; float* memory_right_; double cutoff_frequency_; double sample_rate_; double angular_cutoff_frequency_; bypassState bypass_state_; }; class IIRShelfFilter : public DigitalFilter { public: static const int COEFFICIENTS_NUMBER = 2, MEMORY_SIZE = 1; IIRShelfFilter(double cutoff_frequency, double sample_rate, double gain_db, bypassState bypass_state = off); virtual ~IIRShelfFilter(); void SetGainDb(double gain_db); float FilterOutputLeft(float sample, double b0, double b1) const; float FilterOutputRight(float sample, double b0, double b1) const; void ChangeCutoffFrequency(double cutoff_frequency) override; double Spectrum(double frequency, double b0, double b1) const; void InitAcoefficients() override; void InitBcoefficients() override; void InitMemory() override; protected: bool gain_flag_; double gain_; }; IIRShelfFilter::IIRShelfFilter(double cutoff_frequency, double sample_rate, double gain_db, bypassState bypass_state) : DigitalFilter(cutoff_frequency, sample_rate, bypass_state), gain_flag_(true) { SetGainDb(gain_db); InitAcoefficients(); InitBcoefficients(); InitMemory(); } IIRShelfFilter::~IIRShelfFilter() { } /* * Sets filter gain * arguments must be given in [DB] */ void IIRShelfFilter::SetGainDb(double gain_db) { gain_flag_ = (gain_db <= 0) ? true : false; auto exp = (gain_db) / 20.0; gain_ = pow(10, (-abs(exp))); } /* * Returns the value od filtered sample * for left channel */ float IIRShelfFilter::FilterOutputLeft(float sample, double b0, double b1) const { double ans; if (gain_flag_ == true) { ans = (sample - a_coefficients_[1] * memory_left_[0])*b0 + b1*memory_left_[0]; memory_left_[0] = float(sample - a_coefficients_[1] * memory_left_[0]); } else { ans = (sample - b1*memory_left_[0] / b0) / b0 + a_coefficients_[1] * memory_left_[0] / b0; memory_left_[0] = float(sample - b1*memory_left_[0] / b0); } return float(ans); } /* * returns the value of filtered sample * for right channel */ float IIRShelfFilter::FilterOutputRight(float sample, double b0, double b1) const { double ans; if (gain_flag_ == true) { ans = (sample - a_coefficients_[1] * memory_right_[0])*b0 + b1*memory_right_[0]; memory_right_[0] = float(sample - a_coefficients_[1] * memory_right_[0]); } else { ans = (sample - b1*memory_right_[0] / b0) / b0 + a_coefficients_[1] * memory_right_[0] / b0; memory_right_[0] = float(sample - b1*memory_right_[0] / b0); } return float(ans); } /* * Changes cutoff frequency to new one * and sets all necessary parameters */ void IIRShelfFilter::ChangeCutoffFrequency(double cutoff_frequency) { assert(cutoff_frequency > 0); cutoff_frequency_ = cutoff_frequency; SetAngularCutoffFrequency(); InitAcoefficients(); InitBcoefficients(); } /* * returns the amplitude spectrum value * for given frequency and b0 and b1 filter coefficients */ double IIRShelfFilter::Spectrum(double frequency, double b0, double b1) const { if (gain_flag_ == true) return sqrt((pow(b0 + b1 *cos(2 * PI*frequency), 2) + pow(-b1 *sin(2 * PI*frequency), 2)) / (pow(a_coefficients_[0] + a_coefficients_[1] * cos(2 * PI*frequency), 2) + pow(-a_coefficients_[1] * sin(2 * PI*frequency), 2))); else return sqrt((pow(a_coefficients_[0] + a_coefficients_[1] * cos(2 * PI*frequency), 2) + pow(-a_coefficients_[1] * sin(2 * PI*frequency), 2)) / (pow(b0 + b1 *cos(2 * PI*frequency), 2) + pow(-b1 *sin(2 * PI*frequency), 2))); } void IIRShelfFilter::InitAcoefficients() { if (a_coefficients_ == nullptr) a_coefficients_ = new double[COEFFICIENTS_NUMBER]; a_coefficients_[0] = 1; a_coefficients_[1] = (angular_cutoff_frequency_ - 2 * sample_rate_) / (angular_cutoff_frequency_ + 2 * sample_rate_); } void IIRShelfFilter::InitBcoefficients() { if (b_coefficients_ == nullptr) b_coefficients_ = new double[COEFFICIENTS_NUMBER]; b_coefficients_[0] = 2 * sample_rate_ / (angular_cutoff_frequency_ + 2 * sample_rate_); b_coefficients_[1] = 1 - b_coefficients_[0]; } void IIRShelfFilter::InitMemory() { if (memory_left_ == nullptr) memory_left_ = new float[MEMORY_SIZE]; if (memory_right_ == nullptr) memory_right_ = new float[MEMORY_SIZE]; memory_left_[0] = 0; memory_right_[0] = 0; } class IIRLowShelfFilter : public IIRShelfFilter { public: IIRLowShelfFilter(double cutoff_frequency, double sample_rate, double gain_db, bypassState bypass_state = off); virtual ~IIRLowShelfFilter(); void CalculateCorrectedCoefficients(double& b0, double& b1) const; float FilterOutputLeft(float sample) override; float FilterOutputRight(float sample) override; double Spectrum(double frequency) override; }; IIRLowShelfFilter::IIRLowShelfFilter(double cutoff_frequency, double sample_rate, double gain_db, bypassState bypass_state) : IIRShelfFilter(cutoff_frequency, sample_rate, gain_db, bypass_state) { } IIRLowShelfFilter::~IIRLowShelfFilter() { } /* * calculates b coefficients taking care of gain */ void IIRLowShelfFilter::CalculateCorrectedCoefficients(double& b0, double& b1) const { b0 = b_coefficients_[0] + b_coefficients_[1] * gain_; b1 = b_coefficients_[1] * gain_ - b_coefficients_[0]; } /* * Returns left sample filtered by low shelf filter */ float IIRLowShelfFilter::FilterOutputLeft(float sample) { double b0, b1; CalculateCorrectedCoefficients(b0, b1); if (bypass_state_ == off) return IIRShelfFilter::FilterOutputLeft(sample, b0, b1); else return sample; } /* * Returns right sample filtered by low shelf filter */ float IIRLowShelfFilter::FilterOutputRight(float sample) { double b0, b1; CalculateCorrectedCoefficients(b0, b1); if (bypass_state_ == off) return IIRShelfFilter::FilterOutputRight(sample, b0, b1); else return sample; } /* * Returns amplitude spectrum value * for given frequency */ double IIRLowShelfFilter::Spectrum(double frequency) { double b0, b1; CalculateCorrectedCoefficients(b0, b1); if (bypass_state_ == off) return IIRShelfFilter::Spectrum(frequency, b0, b1); else return 1; } class IIRHighShelfFilter : public IIRShelfFilter { public: IIRHighShelfFilter(double cutoff_frequency, double sample_rate, double gain_db, bypassState bypass_state = off); virtual ~IIRHighShelfFilter(); void CalculateCorrectedCoefficients(double& b0, double& b1) const; float FilterOutputLeft(float sample) override; float FilterOutputRight(float sample) override; double Spectrum(double frequency) override; }; IIRHighShelfFilter::IIRHighShelfFilter(double cutoff_frequency, double sample_rate, double gain_db, bypassState bypass_state) : IIRShelfFilter(cutoff_frequency, sample_rate, gain_db, bypass_state) { } IIRHighShelfFilter::~IIRHighShelfFilter() { } /* * calculates b coefficients taking care of gain */ void IIRHighShelfFilter::CalculateCorrectedCoefficients(double& b0, double& b1) const { b0 = b_coefficients_[0] * gain_ + b_coefficients_[1]; b1 = b_coefficients_[1] - b_coefficients_[0] * gain_; } /* * Returns left sample filtered by low shelf filter */ float IIRHighShelfFilter::FilterOutputLeft(float sample) { double b0, b1; CalculateCorrectedCoefficients(b0, b1); if (bypass_state_ == off) return IIRShelfFilter::FilterOutputLeft(sample, b0, b1); else return sample; } /* * Returns right sample filtered by low shelf filter */ float IIRHighShelfFilter::FilterOutputRight(float sample) { double b0, b1; CalculateCorrectedCoefficients(b0, b1); if (bypass_state_ == off) return IIRShelfFilter::FilterOutputRight(sample, b0, b1); else return sample; } /* * Returns amplitude spectrum value * for given frequency */ double IIRHighShelfFilter::Spectrum(double frequency) { double b0, b1; CalculateCorrectedCoefficients(b0, b1); if (bypass_state_ == off) return IIRShelfFilter::Spectrum(frequency, b0, b1); else return 1; } class IIRParametricBandPassFilter : public DigitalFilter { public: static const int COEFFICIENTS_NUMBER = 3, MEMORY_SIZE = 2; IIRParametricBandPassFilter(double cutoff_frequency, double sample_rate, double gain, double q_factor, bypassState bypass_state = off); virtual ~IIRParametricBandPassFilter(); void CalculateBandwidth(); void ChangeCutoffFrequency(double cutoff_frequency) override; void ChangeQFactor(double q_factor); float FilterOutputLeft(float sample) override; void CalculateCorrectedBCoefficients(double& b0, double& b1, double& b2) const; float FilterOutputRight(float sample) override; float FilterOutput(float sample, float* memory); double Spectrum(double frequency) override; void InitAcoefficients() override; void InitBcoefficients() override; void InitMemory() override; void SetGainDb(double gain_db); protected: double q_factor_; double bandwidth_; bool gain_flag_; double gain_; }; IIRParametricBandPassFilter::IIRParametricBandPassFilter(double cutoff_frequency, double sample_rate, double gain, double q_factor, bypassState bypass_state) : DigitalFilter(cutoff_frequency, sample_rate, bypass_state), q_factor_(q_factor), gain_flag_(true) { SetAngularCutoffFrequency(); CalculateBandwidth(); SetGainDb(gain); InitMemory(); InitAcoefficients(); InitBcoefficients(); } IIRParametricBandPassFilter::~IIRParametricBandPassFilter() { } void IIRParametricBandPassFilter::CalculateBandwidth() { assert(q_factor_ >= 0); bandwidth_ = q_factor_*angular_cutoff_frequency_; } void IIRParametricBandPassFilter::ChangeCutoffFrequency(double cutoff_frequency) { assert(cutoff_frequency > 0); cutoff_frequency_ = cutoff_frequency; SetAngularCutoffFrequency(); CalculateBandwidth(); InitAcoefficients(); InitBcoefficients(); } void IIRParametricBandPassFilter::ChangeQFactor(double q_factor) { assert(q_factor >= 0); q_factor_ = q_factor; SetAngularCutoffFrequency(); CalculateBandwidth(); InitAcoefficients(); InitBcoefficients(); } float IIRParametricBandPassFilter::FilterOutputLeft(float sample) { if (bypass_state_ == off) return FilterOutput(sample, memory_left_); else return sample; } void IIRParametricBandPassFilter::CalculateCorrectedBCoefficients(double& b0, double& b1, double& b2) const { b0 = b_coefficients_[0] + gain_*b_coefficients_[1]; b1 = b_coefficients_[2]; b2 = b_coefficients_[0] - gain_*b_coefficients_[1]; } float IIRParametricBandPassFilter::FilterOutputRight(float sample) { if (bypass_state_ == off) return FilterOutput(sample, memory_right_); else return sample; } float IIRParametricBandPassFilter::FilterOutput(float sample, float* memory) { double ans; double b0, b1, b2; CalculateCorrectedBCoefficients(b0, b1, b2); if (gain_flag_ == true) { auto tmp = (sample - a_coefficients_[1] * memory[0] - a_coefficients_[2] * memory[1]); ans = tmp*b0 + b1*memory[0] + b2*memory[1]; memory[1] = memory[0]; memory[0] = float(tmp); } else { auto tmp = (sample - b1 * memory[0] / b0 - b2 * memory[1] / b0); ans = tmp / b0 + a_coefficients_[1] * memory[0] / b0 + a_coefficients_[2] * memory[1] / b0; memory[1] = memory[0]; memory[0] = float(tmp); } return float(ans); } double IIRParametricBandPassFilter::Spectrum(double frequency) { if (bypass_state_ == off) { double b0, b1, b2; CalculateCorrectedBCoefficients(b0, b1, b2); if (gain_flag_ == true) return sqrt((pow((b0 + b1*cos(2 * PI*frequency) + b2*cos(4 * PI*frequency)), 2) + pow(b1*sin(2 * PI*frequency) + b2*sin(4 * PI*frequency), 2)) / (pow((1 + a_coefficients_[1] * cos(2 * PI*frequency) + a_coefficients_[2] * cos(4 * PI*frequency)), 2) + pow(a_coefficients_[1] * sin(2 * PI*frequency) + a_coefficients_[2] * sin(4 * PI*frequency), 2))); else return sqrt((pow((1 + a_coefficients_[1] * cos(2 * PI*frequency) + a_coefficients_[2] * cos(4 * PI*frequency)), 2) + pow(a_coefficients_[1] * sin(2 * PI*frequency) + a_coefficients_[2] * sin(4 * PI*frequency), 2)) / (pow((b0 + b1*cos(2 * PI*frequency) + b2*cos(4 * PI*frequency)), 2) + pow(b1*sin(2 * PI*frequency) + b2*sin(4 * PI*frequency), 2))); } else return 1; } void IIRParametricBandPassFilter::InitAcoefficients() { if (a_coefficients_ == nullptr) a_coefficients_ = new double[COEFFICIENTS_NUMBER]; auto denominator = 4 * sample_rate_*sample_rate_ + angular_cutoff_frequency_*angular_cutoff_frequency_ + sample_rate_*(2 * bandwidth_); a_coefficients_[0] = 1; a_coefficients_[1] = (angular_cutoff_frequency_*(2 * angular_cutoff_frequency_) / denominator) - sample_rate_*((8 * sample_rate_) / denominator); a_coefficients_[2] = ((4 * sample_rate_) / denominator)*sample_rate_ + angular_cutoff_frequency_*(angular_cutoff_frequency_ / denominator) - bandwidth_*((2 * sample_rate_) / denominator); } void IIRParametricBandPassFilter::InitBcoefficients() { if (b_coefficients_ == nullptr) b_coefficients_ = new double[COEFFICIENTS_NUMBER]; auto denominator = 4 * sample_rate_*sample_rate_ + angular_cutoff_frequency_*angular_cutoff_frequency_ + 2 * bandwidth_*sample_rate_; b_coefficients_[0] = ((4 * sample_rate_*sample_rate_) / denominator) + ((angular_cutoff_frequency_*angular_cutoff_frequency_) / denominator); b_coefficients_[1] = 2 * bandwidth_*(sample_rate_ / denominator); b_coefficients_[2] = ((2 * angular_cutoff_frequency_*angular_cutoff_frequency_) / denominator) - ((8 * sample_rate_*sample_rate_) / denominator); } void IIRParametricBandPassFilter::InitMemory() { if (memory_left_ == nullptr) memory_left_ = new float[MEMORY_SIZE]; if (memory_right_ == nullptr) memory_right_ = new float[MEMORY_SIZE]; for (auto i = 0; i < MEMORY_SIZE; ++i) { memory_left_[i] = 0; memory_right_[i] = 0; } } void IIRParametricBandPassFilter::SetGainDb(double gain_db) { gain_flag_ = (gain_db <= 0) ? true : false; auto exp = (gain_db) / 20.0; gain_ = pow(10, (-abs(exp))); } class FIRInterpolatorFilter : public DigitalFilter { public: FIRInterpolatorFilter(int filter_size, int interpolation_factor); ~FIRInterpolatorFilter(); float FilterOutput(float * samples, int start, int samples_vector_size) const; void InitBcoefficients() override; void InitMemory() override; void ShiftMemory(float sample) const; void ChangeCutoffFrequency(double newFpass) override {}; float FilterOutputLeft(float sample) override { return 0; }; float FilterOutputRight(float sample) override { return 0; }; double Spectrum(double frequency) override { return 0; }; void InitAcoefficients() override {}; protected: int filter_size_; int interpolation_factor_; }; FIRInterpolatorFilter::FIRInterpolatorFilter(int filter_size, int interpolation_factor) : DigitalFilter(1, 1), filter_size_(filter_size), interpolation_factor_(interpolation_factor) { InitMemory(); InitBcoefficients(); } FIRInterpolatorFilter::~FIRInterpolatorFilter() { if (b_coefficients_ != nullptr) delete[] b_coefficients_; if (memory_left_ != nullptr) delete[] memory_left_; } float FIRInterpolatorFilter::FilterOutput(float* samples, int start, int samples_vector_size) const { float ans = 0; for (int i = 0; i < filter_size_; ++i) ans += memory_left_[i] * b_coefficients_[i]; ans += samples[start]; ShiftMemory(samples[start]); for (int i = start + 1; i < start + filter_size_ && i < samples_vector_size; ++i) ans += samples[i] * b_coefficients_[i - start]; return ans; } void FIRInterpolatorFilter::InitBcoefficients() { b_coefficients_ = new double[2 * filter_size_ + 1]; for (auto i = 0; i < 2 * filter_size_ + 1; ++i) { if (i - filter_size_ != 0) b_coefficients_[i] = sin(PI*(i - filter_size_) / interpolation_factor_) / (PI*(i - filter_size_) / interpolation_factor_); else b_coefficients_[i] = 1; auto hanning_window = (0.54 - 0.46* cos(2 * PI*(i - filter_size_) / (2 * filter_size_))); b_coefficients_[i] *= hanning_window; } } void FIRInterpolatorFilter::InitMemory() { if (memory_left_ == nullptr) memory_left_ = new float[filter_size_]; for (auto i = 0; i < filter_size_; ++i) memory_left_[i] = 0; } void FIRInterpolatorFilter::ShiftMemory(float sample) const { float tmp; for (auto i = filter_size_ - 2; i >= 0; --i) { tmp = memory_left_[i]; memory_left_[i] = memory_left_[i + 1]; } memory_left_[filter_size_ - 1] = sample; } class IIRLowPassFilter : public DigitalFilter { public: IIRLowPassFilter(double cutoff_frequency, double sample_rate, double absorbtion_db = 3, bypassState bypass_state = off); ~IIRLowPassFilter(); virtual void ChangeCutoffFrequency(double newFpass) override; virtual float FilterOutputLeft(float sample) override; virtual float FilterOutputRight(float sample) override; virtual double Spectrum(double frequency) override; virtual void InitAcoefficients() override; virtual void InitBcoefficients() override; virtual void InitMemory() override; protected: double GetCoefficientDenominator() const; double GetA1CoefficientValue() const; int GetA2Coefficient() const; double GetB0Coefficient() const; void SetAbsorbtionFactor(double absorbtion_db); float FilterOutput(float* memory, float sample) const; static const int MEMORY_SIZE = 2, COEFFICIENTS_NUMBER = 3; double absorbtion_factor_; }; IIRLowPassFilter::IIRLowPassFilter(double cutoff_frequency, double sample_rate, double absorbtion_db, bypassState bypass_state) :DigitalFilter(cutoff_frequency, sample_rate, bypass_state) { assert(absorbtion_db > 0); SetAbsorbtionFactor(absorbtion_db); InitMemory(); InitAcoefficients(); InitBcoefficients(); } IIRLowPassFilter::~IIRLowPassFilter() { } void IIRLowPassFilter::ChangeCutoffFrequency(double newFpass) { assert(newFpass > 0); cutoff_frequency_ = newFpass; SetAngularCutoffFrequency(); InitMemory(); InitAcoefficients(); InitBcoefficients(); } double IIRLowPassFilter::GetCoefficientDenominator() const { return 4 * absorbtion_factor_ * absorbtion_factor_ * sample_rate_ * sample_rate_ + 2 * absorbtion_factor_ * angular_cutoff_frequency_ * sample_rate_ * sqrt(double(2)) + angular_cutoff_frequency_ * angular_cutoff_frequency_; } double IIRLowPassFilter::GetA1CoefficientValue() const { auto denominator = GetCoefficientDenominator(); return (2 * angular_cutoff_frequency_ * angular_cutoff_frequency_ - 8 * absorbtion_factor_ * absorbtion_factor_ * sample_rate_ * sample_rate_) / denominator; } int IIRLowPassFilter::GetA2Coefficient() const { auto denominator = GetCoefficientDenominator(); return (angular_cutoff_frequency_ * angular_cutoff_frequency_ + 4 * absorbtion_factor_ * absorbtion_factor_ * sample_rate_ * sample_rate_ - 2 * absorbtion_factor_ * angular_cutoff_frequency_ * sample_rate_ * sqrt(double(2))) / denominator; } float IIRLowPassFilter::FilterOutputLeft(float sample) { if (bypass_state_ == off) return FilterOutput(memory_left_, sample); else return sample; } float IIRLowPassFilter::FilterOutputRight(float sample) { if (bypass_state_ == off) return FilterOutput(memory_right_, sample); else return sample; } double IIRLowPassFilter::Spectrum(double frequency) { return sqrt((pow((b_coefficients_[0] + b_coefficients_[1] * cos(2 * PI*frequency) + b_coefficients_[2] * cos(4 * PI*frequency)), 2) + pow(b_coefficients_[1] * sin(2 * PI*frequency) + b_coefficients_[2] * sin(4 * PI*frequency), 2)) / (pow((1 + a_coefficients_[1] * cos(2 * PI*frequency) + a_coefficients_[2] * cos(4 * PI*frequency)), 2) + pow(a_coefficients_[1] * sin(2 * PI*frequency) + a_coefficients_[2] * sin(4 * PI*frequency), 2))); } void IIRLowPassFilter::InitAcoefficients() { if (a_coefficients_ == nullptr) a_coefficients_ = new double[COEFFICIENTS_NUMBER]; a_coefficients_[0] = 1; a_coefficients_[1] = GetA1CoefficientValue(); a_coefficients_[2] = GetA2Coefficient(); } double IIRLowPassFilter::GetB0Coefficient() const { return (angular_cutoff_frequency_ * angular_cutoff_frequency_) / GetCoefficientDenominator(); } void IIRLowPassFilter::SetAbsorbtionFactor(double absorbiton_db) { auto expression = pow(10, absorbiton_db / 10) - 1; absorbtion_factor_ = pow(expression, 1.0 / 4.0); } float IIRLowPassFilter::FilterOutput(float* memory, float sample) const { auto tmp = (sample - a_coefficients_[1] * memory[0] - a_coefficients_[2] * memory[1]); auto ans = tmp*b_coefficients_[0] + b_coefficients_[1] * memory[0] + b_coefficients_[2] * memory[1]; memory[1] = memory[0]; memory[0] = float(tmp); return float(ans); } void IIRLowPassFilter::InitBcoefficients() { if (b_coefficients_ == nullptr) b_coefficients_ = new double[MEMORY_SIZE]; b_coefficients_[0] = GetB0Coefficient(); b_coefficients_[1] = 2 * GetB0Coefficient(); b_coefficients_[2] = GetB0Coefficient(); } void IIRLowPassFilter::InitMemory() { if (memory_left_ == nullptr) memory_left_ = new float[MEMORY_SIZE]; if (memory_right_ == nullptr) memory_right_ = new float[MEMORY_SIZE]; for (auto i = 0; i < MEMORY_SIZE; ++i) { memory_left_[i] = 0; memory_right_[i] = 0; } } class FirFilter : public DigitalFilter { public: FirFilter(double sample_rate, double pass_band_frequency); FirFilter(double sample_rate, double pass_band_frequency, double* b_coefficients, int filter_size); ~FirFilter(); virtual float FilterOutputLeft(float sample) override; virtual float FilterOutputRight(float sample) override; virtual double Spectrum(double frequency) override; void InitBcoefficients() override; void InitAcoefficients() override; void ShiftMemory(float* memory) const; void ClearMemory() const; virtual void InitMemory() override; protected: float FilterOutput(float sample, float* memory) const; int filter_size_; private: void ChangeCutoffFrequency(double newFpass) override; double* tmp_b_coeffcients_; }; FirFilter::FirFilter(double sample_rate, double pass_band_frequency) : DigitalFilter(pass_band_frequency, sample_rate), filter_size_(0) { } FirFilter::FirFilter(double sample_rate, double pass_band_frequency, double* b_coefficients, int filter_size) : DigitalFilter(pass_band_frequency, sample_rate), filter_size_(filter_size), tmp_b_coeffcients_(b_coefficients) { InitMemory(); InitBcoefficients(); } FirFilter::~FirFilter() { } float FirFilter::FilterOutputLeft(float sample) { return FilterOutput(sample, memory_left_); } float FirFilter::FilterOutputRight(float sample) { return FilterOutput(sample, memory_right_); } double FirFilter::Spectrum(double frequency) { assert(b_coefficients_ != nullptr); auto real = 0.0; auto imag = 0.0; for (auto i = 0; i<filter_size_; ++i) { real += cos(2 * PI*frequency / sample_rate_)*b_coefficients_[i]; imag += sin(2 * PI*frequency / sample_rate_)*b_coefficients_[i]; } return sqrt(real*real + imag*imag); } void FirFilter::ChangeCutoffFrequency(double newFpass) { } void FirFilter::InitBcoefficients() { assert(filter_size_ != 0); if (b_coefficients_ != nullptr) delete b_coefficients_; b_coefficients_ = new double[filter_size_]; for (int i = 0; i < filter_size_; ++i) b_coefficients_[i] = tmp_b_coeffcients_[i]; } void FirFilter::InitAcoefficients() { a_coefficients_ = nullptr; } void FirFilter::ShiftMemory(float* memory) const { auto tmp = memory[0]; for (auto i = 1; i<filter_size_; ++i) { memory[i] = memory[i - 1]; } } void FirFilter::ClearMemory() const { for (auto i = 0; i<filter_size_; ++i) { memory_left_[i] = 0; memory_right_[i] = 0; } } void FirFilter::InitMemory() { assert(filter_size_ != 0); if (memory_left_ == nullptr && memory_right_ == nullptr) { memory_left_ = new float[filter_size_]; memory_right_ = new float[filter_size_]; } ClearMemory(); } float FirFilter::FilterOutput(float sample, float* memory) const { assert(memory != nullptr); assert(b_coefficients_ != nullptr); memory[0] = sample; double output = 0; for (auto i = 0; i < filter_size_; ++i) output += memory[i] * b_coefficients_[i]; ShiftMemory(memory); return output; } class FirLowPassFilter : public FirFilter { public: void InitFilter(); FirLowPassFilter(double sample_rate, double pass_band_frequency, double stop_band_frequency, double absorbtion_in_stop_band); ~FirLowPassFilter(); virtual void InitBcoefficients() override; void ChangeCutoffFrequency(double passband_requency, double stopband_frequency); void CalculateFilterSize(); void InitDFactor(); void InitBetaFactor(); protected: double stop_band_frequency_; double absorbtion_in_stop_band_; double beta_factor_; double d_factor_; private: static double factorial(unsigned int arg); void ChangeCutoffFrequency(double newFpass) override; double BesselZeroKindFunction(double beta) const; }; void FirLowPassFilter::InitFilter() { InitDFactor(); CalculateFilterSize(); InitMemory(); InitBetaFactor(); InitBcoefficients(); } FirLowPassFilter::FirLowPassFilter(double sample_rate, double pass_band_frequency, double stop_band_frequency, double absorbtion_in_stop_band) : FirFilter(sample_rate, pass_band_frequency), stop_band_frequency_(stop_band_frequency), absorbtion_in_stop_band_(absorbtion_in_stop_band) { InitFilter(); } FirLowPassFilter::~FirLowPassFilter() { } void FirLowPassFilter::InitBcoefficients() { double h, w; if (b_coefficients_ != nullptr) delete b_coefficients_; b_coefficients_ = new double[filter_size_]; auto fc = (cutoff_frequency_ / 2 + stop_band_frequency_ / 2) / sample_rate_; double half_of_filter_size = filter_size_ / 2; auto besseli_value = BesselZeroKindFunction(beta_factor_); for (int i = 0; i < filter_size_; ++i) { if (i - half_of_filter_size == 0) h = 2 * fc; else h = 2 * fc*sin(2 * 3.14*fc*(i - half_of_filter_size)) / (2 * 3.14*fc*(i - half_of_filter_size)); w = BesselZeroKindFunction(beta_factor_*sqrt(1 - pow((i - half_of_filter_size) / half_of_filter_size, 2))) / besseli_value; b_coefficients_[i] = (w*h); } } void FirLowPassFilter::ChangeCutoffFrequency(double passband_requency, double stopband_frequency) { cutoff_frequency_ = passband_requency; stop_band_frequency_ = stopband_frequency; InitFilter(); } double FirLowPassFilter::factorial(unsigned arg) { if (arg == 0 || arg == 1) return 1; int ans = 2; for (unsigned int i = 3; i <= arg; ++i) ans *= i; return ans; } void FirLowPassFilter::ChangeCutoffFrequency(double newFpass) { cutoff_frequency_ = newFpass; stop_band_frequency_ = 2*cutoff_frequency_; InitFilter(); } void FirLowPassFilter::CalculateFilterSize() { assert(d_factor_ != 0); assert(stop_band_frequency_ > cutoff_frequency_); auto df = stop_band_frequency_ - cutoff_frequency_; filter_size_ = static_cast<int>(ceil((d_factor_ * sample_rate_) / (df))); filter_size_ += (filter_size_ % 2 == 0) ? 1 : 0; } void FirLowPassFilter::InitDFactor() { assert(absorbtion_in_stop_band_ != 0); d_factor_ = (absorbtion_in_stop_band_ > 21) ? (absorbtion_in_stop_band_ - 7.95) / 14.36 : 0.922; } void FirLowPassFilter::InitBetaFactor() { assert(absorbtion_in_stop_band_ != 0); if (absorbtion_in_stop_band_ < 21) { beta_factor_ = 0.0; return; } if (absorbtion_in_stop_band_ >= 21 && absorbtion_in_stop_band_ <= 51) { beta_factor_ = 0.5842*pow(absorbtion_in_stop_band_ - 21, 0.4) + 0.07886*(absorbtion_in_stop_band_ - 21); return; } beta_factor_ = 0.1102*(absorbtion_in_stop_band_ - 8.7); } double FirLowPassFilter::BesselZeroKindFunction(double beta) const { double ans = 1; for (int k = 1; k < 7; ++k) { ans += pow(pow(beta / 2, k) / factorial(k), 2); } return ans; } class FirPolyphaseDecimatorFilter : FirLowPassFilter { public: FirPolyphaseDecimatorFilter(double sample_rate, int decimation_factor); ~FirPolyphaseDecimatorFilter(); void CreatePolyphaseFilter(double* tmp_b_coefficients, int i); void InitPolyphaseFilters(); void InitFilterOutpuTables(); void InitDecimatorFilter(); virtual float FilterOutputLeft(float sample) override; virtual float FilterOutputRight(float sample) override; private: float FilterOutput(float sample, int& sample_counter); float* output_left_; float* output_right_; const int decimation_factor_; std::vector<FirFilter*> polyphase_filters_; int number_of_polyphase_filters; int polyphase_filter_size_; int sample_counter_left_; int sample_counter_right_; }; FirPolyphaseDecimatorFilter::FirPolyphaseDecimatorFilter(double sample_rate, int decimation_factor) :FirLowPassFilter(sample_rate, sample_rate / (3 * decimation_factor), sample_rate / decimation_factor, 80), decimation_factor_(decimation_factor), number_of_polyphase_filters(decimation_factor), sample_counter_left_(-1), sample_counter_right_(-1) { InitDecimatorFilter(); } FirPolyphaseDecimatorFilter::~FirPolyphaseDecimatorFilter() { } void FirPolyphaseDecimatorFilter::CreatePolyphaseFilter(double* tmp_b_coefficients, int i) { for (int j = 0; j < polyphase_filter_size_; ++j) { if (i + j*decimation_factor_ < filter_size_) tmp_b_coefficients[j] = b_coefficients_[i + j*decimation_factor_]; else tmp_b_coefficients[j] = 0; } polyphase_filters_.push_back(new FirFilter(sample_rate_ / decimation_factor_, 1, tmp_b_coefficients, polyphase_filter_size_)); } void FirPolyphaseDecimatorFilter::InitPolyphaseFilters() { double* tmp_b_coefficients = new double[polyphase_filter_size_]; for (int i = 0; i < number_of_polyphase_filters; ++i) { CreatePolyphaseFilter(tmp_b_coefficients, i); } delete[] tmp_b_coefficients; } void FirPolyphaseDecimatorFilter::InitFilterOutpuTables() { output_left_ = new float[number_of_polyphase_filters]; output_right_ = new float[number_of_polyphase_filters]; for(int i=0;i<number_of_polyphase_filters;++i) { output_left_[i] = 0; output_right_[i] = 0; } } void FirPolyphaseDecimatorFilter::InitDecimatorFilter() { assert(filter_size_ != 0); polyphase_filter_size_ = int(ceil(double(filter_size_) / decimation_factor_)); InitFilterOutpuTables(); InitPolyphaseFilters(); } float FirPolyphaseDecimatorFilter::FilterOutputLeft(float sample) { ++sample_counter_left_; sample_counter_left_ %= decimation_factor_; if (sample_counter_left_ == 0) output_right_[sample_counter_left_] = polyphase_filters_[sample_counter_left_]->FilterOutputLeft(sample); else { int index = number_of_polyphase_filters - sample_counter_left_ ; output_left_[index] = polyphase_filters_[index]->FilterOutputLeft(sample); } float ans = 0; for (int i = 0; i < number_of_polyphase_filters;++i) ans += output_left_[i]; return ans; } float FirPolyphaseDecimatorFilter::FilterOutputRight(float sample) { ++sample_counter_right_; sample_counter_right_ %= decimation_factor_; if (sample_counter_right_ == 0) output_right_[sample_counter_right_] = polyphase_filters_[sample_counter_right_]->FilterOutputRight(sample); else { int index = number_of_polyphase_filters - sample_counter_right_ - 1; output_right_[index] = polyphase_filters_[index]->FilterOutputRight(sample); } float ans = 0; for (int i = 0; i < number_of_polyphase_filters; ++i) ans += output_right_[i]; return ans; } float FirPolyphaseDecimatorFilter::FilterOutput(float sample, int& sample_counter) { if (sample_counter == 0) return polyphase_filters_[sample_counter]->FilterOutputLeft(sample); else return polyphase_filters_[polyphase_filter_size_ - sample_counter - 1]->FilterOutputLeft(sample); } } #endif
[ "hoffmr2@wp.pl" ]
hoffmr2@wp.pl
3bd5b76d111914a84682beb723251cce074e979a
6ea59bbb80568313db82a3394f23225c01694fe5
/Lab_3/Bellman_Ford_test.cpp
d8928cb96e48b6766ae231b5ee07c784a3019d71
[]
no_license
RaifGaripov/Cantina
ccdbb08bcf30d9fe30fcf9c7c18bae49787fa508
45b6069795c1fa08204749c315b348a208994f55
refs/heads/testing
2021-07-16T06:21:38.604600
2020-05-31T08:04:44
2020-05-31T08:04:44
160,087,286
0
0
null
2020-05-14T11:54:03
2018-12-02T19:58:59
C++
UTF-8
C++
false
false
1,194
cpp
#include "pch.h" #include "CppUnitTest.h" #include "C:\\Users\raifg\source\repos\Bellman_Ford\Bellman_Ford\Bellman-Ford_algorithm.h" using namespace Microsoft::VisualStudio::CppUnitTestFramework; namespace Bellman_Ford { TEST_CLASS(Bellman_Ford) { public: TEST_METHOD(test_set_data) { Bellman_Ford_algorithm path; try { path.set_data("wrong_test_file.txt"); } catch (runtime_error e) { Assert::AreEqual(e.what(), "File is not found"); } path.set_data("C:\\Users\raifg\source\repos\Bellman_Ford\Bellman_Ford_test\test.txt"); } TEST_METHOD(test_find_path) { Bellman_Ford_algorithm path; try { path.find_path(0, 5); } catch (runtime_error e) { Assert::AreEqual(e.what(), "Data is not set"); } path.set_data("C:\\Users\raifg\source\repos\Bellman_Ford\Bellman_Ford_test\test.txt"); try { path.find_path(0, 5); } catch (invalid_argument e) { Assert::AreEqual(e.what(), "Number of city is incorrect"); } List<int> flight = path.return_path(0, 2); Assert::AreEqual(flight.at(0), 0); Assert::AreEqual(flight.at(1), 1); Assert::AreEqual(flight.at(2), 2); } }; }
[ "noreply@github.com" ]
noreply@github.com
e7507d30a7205b9832a13582cdce3fda0fb5aba8
92745756b1d9280222894d6b7ba918c00f76bf3b
/SDK/PUBG_BP_CircleProgressWidget_classes.hpp
d5fa5f291893d3bb03ee7fc52b7fd28a73a4b4c9
[]
no_license
ziyouhaofan/PUBG-SDK
018b2b28420b762de8c2b7e7142cb4f28647dc7f
03d5f52e8d4fd7e2bef250217a9a5622366610e2
refs/heads/master
2021-07-19T11:34:17.527464
2017-10-26T03:42:44
2017-10-26T03:42:44
108,414,666
1
0
null
2017-10-26T13:24:32
2017-10-26T13:24:32
null
UTF-8
C++
false
false
2,130
hpp
#pragma once // PlayerUnknown's Battlegrounds SDK #ifdef _MSC_VER #pragma pack(push, 0x8) #endif namespace Classes { //--------------------------------------------------------------------------- //Classes //--------------------------------------------------------------------------- // WidgetBlueprintGeneratedClass BP_CircleProgressWidget.BP_CircleProgressWidget_C // 0x0010 (0x02E8 - 0x02D8) class UBP_CircleProgressWidget_C : public UTslGroggyCircleWidget { public: class UImage* CircleImage; // 0x02D8(0x0008) (CPF_BlueprintVisible, CPF_ZeroConstructor, CPF_Transient, CPF_IsPlainOldData, CPF_RepSkip, CPF_RepNotify, CPF_Interp, CPF_NonTransactional, CPF_EditorOnly, CPF_NoDestructor, CPF_AutoWeak, CPF_ContainsInstancedReference, CPF_AssetRegistrySearchable, CPF_SimpleDisplay, CPF_AdvancedDisplay, CPF_Protected, CPF_BlueprintCallable, CPF_BlueprintAuthorityOnly, CPF_TextExportTransient, CPF_NonPIEDuplicateTransient, CPF_ExposeOnSpawn, CPF_PersistentInstance, CPF_UObjectWrapper, CPF_HasGetValueTypeHash, CPF_NativeAccessSpecifierPublic, CPF_NativeAccessSpecifierProtected, CPF_NativeAccessSpecifierPrivate) class UImage* CrossImage; // 0x02E0(0x0008) (CPF_BlueprintVisible, CPF_ZeroConstructor, CPF_Transient, CPF_IsPlainOldData, CPF_RepSkip, CPF_RepNotify, CPF_Interp, CPF_NonTransactional, CPF_EditorOnly, CPF_NoDestructor, CPF_AutoWeak, CPF_ContainsInstancedReference, CPF_AssetRegistrySearchable, CPF_SimpleDisplay, CPF_AdvancedDisplay, CPF_Protected, CPF_BlueprintCallable, CPF_BlueprintAuthorityOnly, CPF_TextExportTransient, CPF_NonPIEDuplicateTransient, CPF_ExposeOnSpawn, CPF_PersistentInstance, CPF_UObjectWrapper, CPF_HasGetValueTypeHash, CPF_NativeAccessSpecifierPublic, CPF_NativeAccessSpecifierProtected, CPF_NativeAccessSpecifierPrivate) static UClass* StaticClass() { static UClass* ptr = nullptr; if (!ptr) ptr = UObject::FindClass(0xfe616ef9); return ptr; } }; } #ifdef _MSC_VER #pragma pack(pop) #endif
[ "tj8@live.com.au" ]
tj8@live.com.au
3178266a119472bd913ff506891acab82c5a6ce6
ac1c9fbc1f1019efb19d0a8f3a088e8889f1e83c
/out/release/gen/third_party/blink/renderer/bindings/core/v8/v8_svg_animated_preserve_aspect_ratio.cc
b27d8f6838ce24c6edd547432eb600a2be8de161
[ "BSD-3-Clause" ]
permissive
xueqiya/chromium_src
5d20b4d3a2a0251c063a7fb9952195cda6d29e34
d4aa7a8f0e07cfaa448fcad8c12b29242a615103
refs/heads/main
2022-07-30T03:15:14.818330
2021-01-16T16:47:22
2021-01-16T16:47:22
330,115,551
1
0
null
null
null
null
UTF-8
C++
false
false
8,319
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. // This file has been auto-generated from the Jinja2 template // third_party/blink/renderer/bindings/templates/interface.cc.tmpl // by the script code_generator_v8.py. // DO NOT MODIFY! // clang-format off #include "third_party/blink/renderer/bindings/core/v8/v8_svg_animated_preserve_aspect_ratio.h" #include <algorithm> #include "base/memory/scoped_refptr.h" #include "third_party/blink/renderer/bindings/core/v8/v8_dom_configuration.h" #include "third_party/blink/renderer/bindings/core/v8/v8_svg_preserve_aspect_ratio.h" #include "third_party/blink/renderer/core/execution_context/execution_context.h" #include "third_party/blink/renderer/platform/bindings/exception_messages.h" #include "third_party/blink/renderer/platform/bindings/exception_state.h" #include "third_party/blink/renderer/platform/bindings/runtime_call_stats.h" #include "third_party/blink/renderer/platform/bindings/v8_object_constructor.h" #include "third_party/blink/renderer/platform/scheduler/public/cooperative_scheduling_manager.h" #include "third_party/blink/renderer/platform/wtf/get_ptr.h" namespace blink { // Suppress warning: global constructors, because struct WrapperTypeInfo is trivial // and does not depend on another global objects. #if defined(COMPONENT_BUILD) && defined(WIN32) && defined(__clang__) #pragma clang diagnostic push #pragma clang diagnostic ignored "-Wglobal-constructors" #endif const WrapperTypeInfo v8_svg_animated_preserve_aspect_ratio_wrapper_type_info = { gin::kEmbedderBlink, V8SVGAnimatedPreserveAspectRatio::DomTemplate, nullptr, "SVGAnimatedPreserveAspectRatio", nullptr, WrapperTypeInfo::kWrapperTypeObjectPrototype, WrapperTypeInfo::kObjectClassId, WrapperTypeInfo::kNotInheritFromActiveScriptWrappable, }; #if defined(COMPONENT_BUILD) && defined(WIN32) && defined(__clang__) #pragma clang diagnostic pop #endif // This static member must be declared by DEFINE_WRAPPERTYPEINFO in SVGAnimatedPreserveAspectRatio.h. // For details, see the comment of DEFINE_WRAPPERTYPEINFO in // platform/bindings/ScriptWrappable.h. const WrapperTypeInfo& SVGAnimatedPreserveAspectRatio::wrapper_type_info_ = v8_svg_animated_preserve_aspect_ratio_wrapper_type_info; // not [ActiveScriptWrappable] static_assert( !std::is_base_of<ActiveScriptWrappableBase, SVGAnimatedPreserveAspectRatio>::value, "SVGAnimatedPreserveAspectRatio inherits from ActiveScriptWrappable<>, but is not specifying " "[ActiveScriptWrappable] extended attribute in the IDL file. " "Be consistent."); static_assert( std::is_same<decltype(&SVGAnimatedPreserveAspectRatio::HasPendingActivity), decltype(&ScriptWrappable::HasPendingActivity)>::value, "SVGAnimatedPreserveAspectRatio is overriding hasPendingActivity(), but is not specifying " "[ActiveScriptWrappable] extended attribute in the IDL file. " "Be consistent."); namespace svg_animated_preserve_aspect_ratio_v8_internal { static void BaseValAttributeGetter(const v8::FunctionCallbackInfo<v8::Value>& info) { v8::Local<v8::Object> holder = info.Holder(); SVGAnimatedPreserveAspectRatio* impl = V8SVGAnimatedPreserveAspectRatio::ToImpl(holder); V8SetReturnValueFast(info, WTF::GetPtr(impl->baseVal()), impl); } static void AnimValAttributeGetter(const v8::FunctionCallbackInfo<v8::Value>& info) { v8::Local<v8::Object> holder = info.Holder(); SVGAnimatedPreserveAspectRatio* impl = V8SVGAnimatedPreserveAspectRatio::ToImpl(holder); V8SetReturnValueFast(info, WTF::GetPtr(impl->animVal()), impl); } } // namespace svg_animated_preserve_aspect_ratio_v8_internal void V8SVGAnimatedPreserveAspectRatio::BaseValAttributeGetterCallback(const v8::FunctionCallbackInfo<v8::Value>& info) { RUNTIME_CALL_TIMER_SCOPE_DISABLED_BY_DEFAULT(info.GetIsolate(), "Blink_SVGAnimatedPreserveAspectRatio_baseVal_Getter"); svg_animated_preserve_aspect_ratio_v8_internal::BaseValAttributeGetter(info); } void V8SVGAnimatedPreserveAspectRatio::AnimValAttributeGetterCallback(const v8::FunctionCallbackInfo<v8::Value>& info) { RUNTIME_CALL_TIMER_SCOPE_DISABLED_BY_DEFAULT(info.GetIsolate(), "Blink_SVGAnimatedPreserveAspectRatio_animVal_Getter"); svg_animated_preserve_aspect_ratio_v8_internal::AnimValAttributeGetter(info); } static void InstallV8SVGAnimatedPreserveAspectRatioTemplate( v8::Isolate* isolate, const DOMWrapperWorld& world, v8::Local<v8::FunctionTemplate> interface_template) { // Initialize the interface object's template. V8DOMConfiguration::InitializeDOMInterfaceTemplate(isolate, interface_template, V8SVGAnimatedPreserveAspectRatio::GetWrapperTypeInfo()->interface_name, v8::Local<v8::FunctionTemplate>(), V8SVGAnimatedPreserveAspectRatio::kInternalFieldCount); v8::Local<v8::Signature> signature = v8::Signature::New(isolate, interface_template); ALLOW_UNUSED_LOCAL(signature); v8::Local<v8::ObjectTemplate> instance_template = interface_template->InstanceTemplate(); ALLOW_UNUSED_LOCAL(instance_template); v8::Local<v8::ObjectTemplate> prototype_template = interface_template->PrototypeTemplate(); ALLOW_UNUSED_LOCAL(prototype_template); // Register IDL constants, attributes and operations. static constexpr V8DOMConfiguration::AccessorConfiguration kAccessorConfigurations[] = { { "baseVal", V8SVGAnimatedPreserveAspectRatio::BaseValAttributeGetterCallback, nullptr, V8PrivateProperty::kNoCachedAccessor, static_cast<v8::PropertyAttribute>(v8::ReadOnly), V8DOMConfiguration::kOnPrototype, V8DOMConfiguration::kCheckHolder, V8DOMConfiguration::kHasSideEffect, V8DOMConfiguration::kAlwaysCallGetter, V8DOMConfiguration::kAllWorlds }, { "animVal", V8SVGAnimatedPreserveAspectRatio::AnimValAttributeGetterCallback, nullptr, V8PrivateProperty::kNoCachedAccessor, static_cast<v8::PropertyAttribute>(v8::ReadOnly), V8DOMConfiguration::kOnPrototype, V8DOMConfiguration::kCheckHolder, V8DOMConfiguration::kHasSideEffect, V8DOMConfiguration::kAlwaysCallGetter, V8DOMConfiguration::kAllWorlds }, }; V8DOMConfiguration::InstallAccessors( isolate, world, instance_template, prototype_template, interface_template, signature, kAccessorConfigurations, base::size(kAccessorConfigurations)); // Custom signature V8SVGAnimatedPreserveAspectRatio::InstallRuntimeEnabledFeaturesOnTemplate( isolate, world, interface_template); } void V8SVGAnimatedPreserveAspectRatio::InstallRuntimeEnabledFeaturesOnTemplate( v8::Isolate* isolate, const DOMWrapperWorld& world, v8::Local<v8::FunctionTemplate> interface_template) { v8::Local<v8::Signature> signature = v8::Signature::New(isolate, interface_template); ALLOW_UNUSED_LOCAL(signature); v8::Local<v8::ObjectTemplate> instance_template = interface_template->InstanceTemplate(); ALLOW_UNUSED_LOCAL(instance_template); v8::Local<v8::ObjectTemplate> prototype_template = interface_template->PrototypeTemplate(); ALLOW_UNUSED_LOCAL(prototype_template); // Register IDL constants, attributes and operations. // Custom signature } v8::Local<v8::FunctionTemplate> V8SVGAnimatedPreserveAspectRatio::DomTemplate( v8::Isolate* isolate, const DOMWrapperWorld& world) { return V8DOMConfiguration::DomClassTemplate( isolate, world, const_cast<WrapperTypeInfo*>(V8SVGAnimatedPreserveAspectRatio::GetWrapperTypeInfo()), InstallV8SVGAnimatedPreserveAspectRatioTemplate); } bool V8SVGAnimatedPreserveAspectRatio::HasInstance(v8::Local<v8::Value> v8_value, v8::Isolate* isolate) { return V8PerIsolateData::From(isolate)->HasInstance(V8SVGAnimatedPreserveAspectRatio::GetWrapperTypeInfo(), v8_value); } v8::Local<v8::Object> V8SVGAnimatedPreserveAspectRatio::FindInstanceInPrototypeChain( v8::Local<v8::Value> v8_value, v8::Isolate* isolate) { return V8PerIsolateData::From(isolate)->FindInstanceInPrototypeChain( V8SVGAnimatedPreserveAspectRatio::GetWrapperTypeInfo(), v8_value); } SVGAnimatedPreserveAspectRatio* V8SVGAnimatedPreserveAspectRatio::ToImplWithTypeCheck( v8::Isolate* isolate, v8::Local<v8::Value> value) { return HasInstance(value, isolate) ? ToImpl(v8::Local<v8::Object>::Cast(value)) : nullptr; } } // namespace blink
[ "xueqi@zjmedia.net" ]
xueqi@zjmedia.net
31e013dfdef6ae2481b9910263d8e9a4be24683a
368dac6c28dc44bd28288bce651c32f1f640dc91
/virtual/client/include/xercesc/util/XMLUni.hpp
a3281d6574fe097d01f237d75e9fdd0c58c52789
[]
no_license
Programming-Systems-Lab/archived-memento
8fbaa9387329d1d11ae4e8c1c20a92aeadeb86e0
084c56a679585c60b5fc418cd69b98c00cf2c81e
refs/heads/master
2020-12-02T12:21:04.667537
2003-11-04T17:08:35
2003-11-04T17:08:35
67,139,953
0
0
null
null
null
null
UTF-8
C++
false
false
12,877
hpp
/* * The Apache Software License, Version 1.1 * * Copyright (c) 1999-2002 The Apache Software Foundation. All rights * reserved. * * Redistribution and use in source and binary forms, with or without * modification, are permitted provided that the following conditions * are met: * * 1. Redistributions of source code must retain the above copyright * notice, this list of conditions and the following disclaimer. * * 2. Redistributions in binary form must reproduce the above copyright * notice, this list of conditions and the following disclaimer in * the documentation and/or other materials provided with the * distribution. * * 3. The end-user documentation included with the redistribution, * if any, must include the following acknowledgment: * "This product includes software developed by the * Apache Software Foundation (http://www.apache.org/)." * Alternately, this acknowledgment may appear in the software itself, * if and wherever such third-party acknowledgments normally appear. * * 4. The names "Xerces" and "Apache Software Foundation" must * not be used to endorse or promote products derived from this * software without prior written permission. For written * permission, please contact apache\@apache.org. * * 5. Products derived from this software may not be called "Apache", * nor may "Apache" appear in their name, without prior written * permission of the Apache Software Foundation. * * THIS SOFTWARE IS PROVIDED ``AS IS'' AND ANY EXPRESSED 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 APACHE SOFTWARE FOUNDATION OR * ITS 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. * ==================================================================== * * This software consists of voluntary contributions made by many * individuals on behalf of the Apache Software Foundation, and was * originally based on software copyright (c) 1999, International * Business Machines, Inc., http://www.ibm.com . For more information * on the Apache Software Foundation, please see * <http://www.apache.org/>. */ /* * $Id: XMLUni.hpp,v 1.1 2003-04-20 23:24:10 mg689 Exp $ */ // --------------------------------------------------------------------------- // This file contains the grunt work constants for Unicode characters and // common Unicode constant strings. These cannot be created normally because // we have to compile on systems that cannot do the L"" style prefix. So // they must be created as constant values for Unicode code points and the // strings built up as arrays of those constants. // --------------------------------------------------------------------------- #if !defined(XMLUNI_HPP) #define XMLUNI_HPP #include <xercesc/util/XercesDefs.hpp> XERCES_CPP_NAMESPACE_BEGIN class XMLUTIL_EXPORT XMLUni { public : // ----------------------------------------------------------------------- // These are constant strings that are common in XML data. Because // of the limitation of the compilers we have to work with, these are // done as arrays of XMLCh characters, not as constant strings. // ----------------------------------------------------------------------- static const XMLCh fgAnyString[]; static const XMLCh fgAttListString[]; static const XMLCh fgCommentString[]; static const XMLCh fgCDATAString[]; static const XMLCh fgDefaultString[]; static const XMLCh fgDocTypeString[]; static const XMLCh fgEBCDICEncodingString[]; static const XMLCh fgElemString[]; static const XMLCh fgEmptyString[]; static const XMLCh fgEncodingString[]; static const XMLCh fgEntitString[]; static const XMLCh fgEntityString[]; static const XMLCh fgEntitiesString[]; static const XMLCh fgEnumerationString[]; static const XMLCh fgExceptDomain[]; static const XMLCh fgFixedString[]; static const XMLCh fgIBM037EncodingString[]; static const XMLCh fgIBM037EncodingString2[]; static const XMLCh fgIBM1140EncodingString[]; static const XMLCh fgIBM1140EncodingString2[]; static const XMLCh fgIBM1140EncodingString3[]; static const XMLCh fgIBM1140EncodingString4[]; static const XMLCh fgIESString[]; static const XMLCh fgIDString[]; static const XMLCh fgIDRefString[]; static const XMLCh fgIDRefsString[]; static const XMLCh fgImpliedString[]; static const XMLCh fgIgnoreString[]; static const XMLCh fgIncludeString[]; static const XMLCh fgISO88591EncodingString[]; static const XMLCh fgISO88591EncodingString2[]; static const XMLCh fgISO88591EncodingString3[]; static const XMLCh fgISO88591EncodingString4[]; static const XMLCh fgISO88591EncodingString5[]; static const XMLCh fgISO88591EncodingString6[]; static const XMLCh fgISO88591EncodingString7[]; static const XMLCh fgISO88591EncodingString8[]; static const XMLCh fgISO88591EncodingString9[]; static const XMLCh fgISO88591EncodingString10[]; static const XMLCh fgISO88591EncodingString11[]; static const XMLCh fgISO88591EncodingString12[]; static const XMLCh fgLocalHostString[]; static const XMLCh fgNoString[]; static const XMLCh fgNotationString[]; static const XMLCh fgNDATAString[]; static const XMLCh fgNmTokenString[]; static const XMLCh fgNmTokensString[]; static const XMLCh fgPCDATAString[]; static const XMLCh fgPIString[]; static const XMLCh fgPubIDString[]; static const XMLCh fgRefString[]; static const XMLCh fgRequiredString[]; static const XMLCh fgStandaloneString[]; static const XMLCh fgVersion1_0[]; static const XMLCh fgVersion1_1[]; static const XMLCh fgSysIDString[]; static const XMLCh fgUnknownURIName[]; static const XMLCh fgUCS4EncodingString[]; static const XMLCh fgUCS4EncodingString2[]; static const XMLCh fgUCS4EncodingString3[]; static const XMLCh fgUCS4BEncodingString[]; static const XMLCh fgUCS4BEncodingString2[]; static const XMLCh fgUCS4LEncodingString[]; static const XMLCh fgUCS4LEncodingString2[]; static const XMLCh fgUSASCIIEncodingString[]; static const XMLCh fgUSASCIIEncodingString2[]; static const XMLCh fgUSASCIIEncodingString3[]; static const XMLCh fgUSASCIIEncodingString4[]; static const XMLCh fgUTF8EncodingString[]; static const XMLCh fgUTF8EncodingString2[]; static const XMLCh fgUTF16EncodingString[]; static const XMLCh fgUTF16EncodingString2[]; static const XMLCh fgUTF16EncodingString3[]; static const XMLCh fgUTF16EncodingString4[]; static const XMLCh fgUTF16EncodingString5[]; static const XMLCh fgUTF16BEncodingString[]; static const XMLCh fgUTF16BEncodingString2[]; static const XMLCh fgUTF16LEncodingString[]; static const XMLCh fgUTF16LEncodingString2[]; static const XMLCh fgVersionString[]; static const XMLCh fgValidityDomain[]; static const XMLCh fgWin1252EncodingString[]; static const XMLCh fgXMLChEncodingString[]; static const XMLCh fgXMLDOMMsgDomain[]; static const XMLCh fgXMLString[]; static const XMLCh fgXMLStringSpace[]; static const XMLCh fgXMLStringHTab[]; static const XMLCh fgXMLStringCR[]; static const XMLCh fgXMLStringLF[]; static const XMLCh fgXMLStringSpaceU[]; static const XMLCh fgXMLStringHTabU[]; static const XMLCh fgXMLStringCRU[]; static const XMLCh fgXMLStringLFU[]; static const XMLCh fgXMLDeclString[]; static const XMLCh fgXMLDeclStringSpace[]; static const XMLCh fgXMLDeclStringHTab[]; static const XMLCh fgXMLDeclStringLF[]; static const XMLCh fgXMLDeclStringCR[]; static const XMLCh fgXMLDeclStringSpaceU[]; static const XMLCh fgXMLDeclStringHTabU[]; static const XMLCh fgXMLDeclStringLFU[]; static const XMLCh fgXMLDeclStringCRU[]; static const XMLCh fgXMLNSString[]; static const XMLCh fgXMLNSColonString[]; static const XMLCh fgXMLNSURIName[]; static const XMLCh fgXMLErrDomain[]; static const XMLCh fgXMLURIName[]; static const XMLCh fgYesString[]; static const XMLCh fgZeroLenString[]; static const XMLCh fgDTDEntityString[]; static const XMLCh fgAmp[]; static const XMLCh fgLT[]; static const XMLCh fgGT[]; static const XMLCh fgQuot[]; static const XMLCh fgApos[]; static const XMLCh fgWFXMLScanner[]; static const XMLCh fgIGXMLScanner[]; static const XMLCh fgSGXMLScanner[]; static const XMLCh fgDGXMLScanner[]; // Exception Name static const XMLCh fgArrayIndexOutOfBoundsException_Name[]; static const XMLCh fgEmptyStackException_Name[]; static const XMLCh fgIllegalArgumentException_Name[]; static const XMLCh fgInvalidCastException_Name[]; static const XMLCh fgIOException_Name[]; static const XMLCh fgNoSuchElementException_Name[]; static const XMLCh fgNullPointerException_Name[]; static const XMLCh fgXMLPlatformUtilsException_Name[]; static const XMLCh fgRuntimeException_Name[]; static const XMLCh fgTranscodingException_Name[]; static const XMLCh fgUnexpectedEOFException_Name[]; static const XMLCh fgUnsupportedEncodingException_Name[]; static const XMLCh fgUTFDataFormatException_Name[]; static const XMLCh fgNetAccessorException_Name[]; static const XMLCh fgMalformedURLException_Name[]; static const XMLCh fgNumberFormatException_Name[]; static const XMLCh fgParseException_Name[]; static const XMLCh fgInvalidDatatypeFacetException_Name[]; static const XMLCh fgInvalidDatatypeValueException_Name[]; static const XMLCh fgSchemaDateTimeException_Name[]; static const XMLCh fgXPathException_Name[]; // Numerical String static const XMLCh fgNegINFString[]; static const XMLCh fgNegZeroString[]; static const XMLCh fgPosZeroString[]; static const XMLCh fgPosINFString[]; static const XMLCh fgNaNString[]; static const XMLCh fgEString[]; static const XMLCh fgZeroString[]; static const XMLCh fgNullString[]; // Xerces features/properties names static const XMLCh fgXercesDynamic[]; static const XMLCh fgXercesSchema[]; static const XMLCh fgXercesSchemaFullChecking[]; static const XMLCh fgXercesSchemaExternalSchemaLocation[]; static const XMLCh fgXercesSchemaExternalNoNameSpaceSchemaLocation[]; static const XMLCh fgXercesLoadExternalDTD[]; static const XMLCh fgXercesContinueAfterFatalError[]; static const XMLCh fgXercesValidationErrorAsFatal[]; static const XMLCh fgXercesUserAdoptsDOMDocument[]; static const XMLCh fgXercesCacheGrammarFromParse[]; static const XMLCh fgXercesUseCachedGrammarInParse[]; static const XMLCh fgXercesScannerName[]; static const XMLCh fgXercesCalculateSrcOfs[]; static const XMLCh fgXercesStandardUriConformant[]; // SAX2 features/properties names static const XMLCh fgSAX2CoreValidation[]; static const XMLCh fgSAX2CoreNameSpaces[]; static const XMLCh fgSAX2CoreNameSpacePrefixes[]; // Introduced in DOM Level 3 // DOMBuilder features static const XMLCh fgDOMCanonicalForm[]; static const XMLCh fgDOMCDATASections[]; static const XMLCh fgDOMComments[]; static const XMLCh fgDOMCharsetOverridesXMLEncoding[]; static const XMLCh fgDOMDatatypeNormalization[]; static const XMLCh fgDOMEntities[]; static const XMLCh fgDOMInfoset[]; static const XMLCh fgDOMNamespaces[]; static const XMLCh fgDOMNamespaceDeclarations[]; static const XMLCh fgDOMSupportedMediatypesOnly[]; static const XMLCh fgDOMValidateIfSchema[]; static const XMLCh fgDOMValidation[]; static const XMLCh fgDOMWhitespaceInElementContent[]; // Introduced in DOM Level 3 // DOMWriter feature static const XMLCh fgDOMWRTCanonicalForm[]; static const XMLCh fgDOMWRTDiscardDefaultContent[]; static const XMLCh fgDOMWRTEntities[]; static const XMLCh fgDOMWRTFormatPrettyPrint[]; static const XMLCh fgDOMWRTNormalizeCharacters[]; static const XMLCh fgDOMWRTSplitCdataSections[]; static const XMLCh fgDOMWRTValidation[]; static const XMLCh fgDOMWRTWhitespaceInElementContent[]; static const XMLCh fgDOMWRTBOM[]; // Locale static const char fgXercescDefaultLocale[]; }; XERCES_CPP_NAMESPACE_END #endif
[ "mg689" ]
mg689
dd75145bc4b6ae15ad30026a37922bcff51cf942
90047daeb462598a924d76ddf4288e832e86417c
/third_party/WebKit/Source/core/events/Event.h
046a341895ab65db08c2b5554b1cd88dd5b90699
[ "BSD-3-Clause", "BSD-2-Clause", "LGPL-2.1-only", "LGPL-2.0-only", "LGPL-2.0-or-later", "LicenseRef-scancode-warranty-disclaimer", "GPL-1.0-or-later", "GPL-2.0-only", "LicenseRef-scancode-other-copyleft", "MIT", "Apache-2.0" ]
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
10,120
h
/* * Copyright (C) 2001 Peter Kelly (pmk@post.com) * Copyright (C) 2001 Tobias Anton (anton@stud.fbi.fh-darmstadt.de) * Copyright (C) 2006 Samuel Weinig (sam.weinig@gmail.com) * Copyright (C) 2003, 2004, 2005, 2006, 2007, 2008 Apple Inc. All rights * reserved. * * This library is free software; you can redistribute it and/or * modify it under the terms of the GNU Library General Public * License as published by the Free Software Foundation; either * version 2 of the License, or (at your option) any later version. * * This library is distributed in the hope that it will be useful, * but WITHOUT ANY WARRANTY; without even the implied warranty of * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU * Library General Public License for more details. * * You should have received a copy of the GNU Library General Public License * along with this library; see the file COPYING.LIB. If not, write to * the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, * Boston, MA 02110-1301, USA. * */ #ifndef Event_h #define Event_h #include "core/CoreExport.h" #include "core/dom/DOMHighResTimeStamp.h" #include "core/dom/DOMTimeStamp.h" #include "core/events/EventInit.h" #include "core/events/EventPath.h" #include "platform/bindings/ScriptWrappable.h" #include "platform/heap/Handle.h" #include "platform/wtf/Time.h" #include "platform/wtf/text/AtomicString.h" namespace blink { class DOMWrapperWorld; class EventDispatchMediator; class EventTarget; class ScriptState; class CORE_EXPORT Event : public GarbageCollectedFinalized<Event>, public ScriptWrappable { DEFINE_WRAPPERTYPEINFO(); public: enum PhaseType { kNone = 0, kCapturingPhase = 1, kAtTarget = 2, kBubblingPhase = 3 }; enum RailsMode { kRailsModeFree = 0, kRailsModeHorizontal = 1, kRailsModeVertical = 2 }; enum class ComposedMode { kComposed, kScoped, }; enum class PassiveMode { // Not passive, default initialized. kNotPassiveDefault, // Not passive, explicitly specified. kNotPassive, // Passive, explicitly specified. kPassive, // Passive, not explicitly specified and forced due to document level // listener. kPassiveForcedDocumentLevel, // Passive, default initialized. kPassiveDefault, }; static Event* Create() { return new Event; } static Event* Create(const AtomicString& type) { return new Event(type, false, false); } static Event* CreateCancelable(const AtomicString& type) { return new Event(type, false, true); } static Event* CreateBubble(const AtomicString& type) { return new Event(type, true, false); } static Event* CreateCancelableBubble(const AtomicString& type) { return new Event(type, true, true); } static Event* Create(const AtomicString& type, const EventInit& initializer) { return new Event(type, initializer); } virtual ~Event(); void initEvent(const AtomicString& type, bool can_bubble, bool cancelable); void initEvent(const AtomicString& event_type_arg, bool can_bubble_arg, bool cancelable_arg, EventTarget* related_target); const AtomicString& type() const { return type_; } void SetType(const AtomicString& type) { type_ = type; } EventTarget* target() const { return target_.Get(); } void SetTarget(EventTarget*); EventTarget* currentTarget() const; void SetCurrentTarget(EventTarget* current_target) { current_target_ = current_target; } // This callback is invoked when an event listener has been dispatched // at the current target. It should only be used to influence UMA metrics // and not change functionality since observing the presence of listeners // is dangerous. virtual void DoneDispatchingEventAtCurrentTarget() {} unsigned short eventPhase() const { return event_phase_; } void SetEventPhase(unsigned short event_phase) { event_phase_ = event_phase; } bool bubbles() const { return can_bubble_; } bool cancelable() const { return cancelable_; } bool composed() const { return composed_; } bool IsScopedInV0() const; // Event creation timestamp in milliseconds. It returns a DOMHighResTimeStamp // using the platform timestamp (see |m_platformTimeStamp|). // For more info see http://crbug.com/160524 double timeStamp(ScriptState*) const; TimeTicks PlatformTimeStamp() const { return platform_time_stamp_; } void stopPropagation() { propagation_stopped_ = true; } void SetStopPropagation(bool stop_propagation) { propagation_stopped_ = stop_propagation; } void stopImmediatePropagation() { immediate_propagation_stopped_ = true; } void SetStopImmediatePropagation(bool stop_immediate_propagation) { immediate_propagation_stopped_ = stop_immediate_propagation; } // IE Extensions EventTarget* srcElement() const { return target(); } // MSIE extension - "the object that fired the event" bool legacyReturnValue(ScriptState*) const; void setLegacyReturnValue(ScriptState*, bool return_value); virtual const AtomicString& InterfaceName() const; bool HasInterface(const AtomicString&) const; // These events are general classes of events. virtual bool IsUIEvent() const; virtual bool IsMouseEvent() const; virtual bool IsFocusEvent() const; virtual bool IsKeyboardEvent() const; virtual bool IsTouchEvent() const; virtual bool IsGestureEvent() const; virtual bool IsWheelEvent() const; virtual bool IsRelatedEvent() const; virtual bool IsPointerEvent() const; virtual bool IsInputEvent() const; // Drag events are a subset of mouse events. virtual bool IsDragEvent() const; // These events lack a DOM interface. virtual bool IsClipboardEvent() const; virtual bool IsBeforeTextInsertedEvent() const; virtual bool IsBeforeUnloadEvent() const; bool PropagationStopped() const { return propagation_stopped_ || immediate_propagation_stopped_; } bool ImmediatePropagationStopped() const { return immediate_propagation_stopped_; } bool WasInitialized() { return was_initialized_; } bool defaultPrevented() const { return default_prevented_; } virtual void preventDefault(); void SetDefaultPrevented(bool default_prevented) { default_prevented_ = default_prevented; } bool DefaultHandled() const { return default_handled_; } void SetDefaultHandled() { default_handled_ = true; } bool cancelBubble(ScriptState* = nullptr) const { return PropagationStopped(); } void setCancelBubble(ScriptState*, bool); Event* UnderlyingEvent() const { return underlying_event_.Get(); } void SetUnderlyingEvent(Event*); bool HasEventPath() { return event_path_; } EventPath& GetEventPath() { DCHECK(event_path_); return *event_path_; } void InitEventPath(Node&); HeapVector<Member<EventTarget>> path(ScriptState*) const; HeapVector<Member<EventTarget>> composedPath(ScriptState*) const; bool IsBeingDispatched() const { return eventPhase(); } // Events that must not leak across isolated world, similar to how // ErrorEvent behaves, can override this method. virtual bool CanBeDispatchedInWorld(const DOMWrapperWorld&) const { return true; } virtual EventDispatchMediator* CreateMediator(); bool isTrusted() const { return is_trusted_; } void SetTrusted(bool value) { is_trusted_ = value; } void SetComposed(bool composed) { DCHECK(!IsBeingDispatched()); composed_ = composed; } void SetHandlingPassive(PassiveMode); bool PreventDefaultCalledDuringPassive() const { return prevent_default_called_during_passive_; } bool PreventDefaultCalledOnUncancelableEvent() const { return prevent_default_called_on_uncancelable_event_; } DECLARE_VIRTUAL_TRACE(); protected: Event(); Event(const AtomicString& type, bool can_bubble, bool cancelable, ComposedMode, TimeTicks platform_time_stamp); Event(const AtomicString& type, bool can_bubble, bool cancelable, TimeTicks platform_time_stamp); Event(const AtomicString& type, bool can_bubble, bool cancelable, ComposedMode = ComposedMode::kScoped); Event(const AtomicString& type, const EventInit&, TimeTicks platform_time_stamp); Event(const AtomicString& type, const EventInit& init) : Event(type, init, TimeTicks::Now()) {} virtual void ReceivedTarget(); void SetCanBubble(bool bubble) { can_bubble_ = bubble; } PassiveMode HandlingPassive() const { return handling_passive_; } private: enum EventPathMode { kEmptyAfterDispatch, kNonEmptyAfterDispatch }; HeapVector<Member<EventTarget>> PathInternal(ScriptState*, EventPathMode) const; AtomicString type_; unsigned can_bubble_ : 1; unsigned cancelable_ : 1; unsigned composed_ : 1; unsigned is_event_type_scoped_in_v0_ : 1; unsigned propagation_stopped_ : 1; unsigned immediate_propagation_stopped_ : 1; unsigned default_prevented_ : 1; unsigned default_handled_ : 1; unsigned was_initialized_ : 1; unsigned is_trusted_ : 1; // Whether preventDefault was called when |m_handlingPassive| is // true. This field is reset on each call to setHandlingPassive. unsigned prevent_default_called_during_passive_ : 1; // Whether preventDefault was called on uncancelable event. unsigned prevent_default_called_on_uncancelable_event_ : 1; PassiveMode handling_passive_; unsigned short event_phase_; Member<EventTarget> current_target_; Member<EventTarget> target_; Member<Event> underlying_event_; Member<EventPath> event_path_; // The monotonic platform time in seconds, for input events it is the // event timestamp provided by the host OS and reported in the original // WebInputEvent instance. TimeTicks platform_time_stamp_; }; #define DEFINE_EVENT_TYPE_CASTS(typeName) \ DEFINE_TYPE_CASTS(typeName, Event, event, event->Is##typeName(), \ event.Is##typeName()) } // namespace blink #endif // Event_h
[ "xElvis89x@gmail.com" ]
xElvis89x@gmail.com
79d193e9a3b85721cf3f0d37263699e7781797fb
20a59a738c1d8521dc95c380190b48d7bc3bb0bb
/layouts/aknlayout2/generated/Vga_akn_app/aknlayoutscalable_abrw_pvl_av_vga_lsc_normal.cpp
5c27f45bb274e20ce0c54e60901ee285f08517cf
[]
no_license
SymbianSource/oss.FCL.sf.mw.uiresources
376c0cf0bccf470008ae066aeae1e3538f9701c6
b78660bec78835802edd6575b96897d4aba58376
refs/heads/master
2021-01-13T13:17:08.423030
2010-10-19T08:42:43
2010-10-19T08:42:43
72,681,263
2
0
null
null
null
null
UTF-8
C++
false
false
387,879
cpp
/* * Copyright (c) 2009 Nokia Corporation and/or its subsidiary(-ies). * All rights reserved. * This component and the accompanying materials are made available * under the terms of "Eclipse Public License v1.0" * which accompanies this distribution, and is available * at the URL "http://www.eclipse.org/legal/epl-v10.html". * * Initial Contributors: * Nokia Corporation - initial contribution. * * Contributors: * * Description: * */ // AknLayoutScalable_Abrw_pvl_av_vga_lsc_Normal generated by // AknLayoutCompiler -p..\generated\Vga_akn_app MLCompCdl2InstO -i..\generated\Vga_akn_app\instances.txt -z..\generated\LayoutZoomFactorConfig.txt -allparams -d ..\cdl\AknLayoutScalable_Avkon.cdl -a ..\xml\av\_all\pvp_av_vga_prt\display_eur_compData.xml AknLayoutScalable_Elaf_pvp_av_vga_prt -m..\xml\av\_all\pvp_av_vga_prt\display_arabic_hebrew_compData.xml AknLayoutScalable_Abrw_pvp_av_vga_prt ..\xml\av\_all\pvl_av_vga_lsc\display_eur_compData.xml AknLayoutScalable_Elaf_pvl_av_vga_lsc -m..\xml\av\_all\pvl_av_vga_lsc\display_arabic_hebrew_compData.xml AknLayoutScalable_Abrw_pvl_av_vga_lsc // This customisation implements the interface defined in AknLayoutScalable_Avkon.cdl #include "aknlayoutscalable_abrw_pvl_av_vga_lsc_normal.h" #include "aknlayout2scalabledecode.h" namespace AknLayoutScalable_Avkon { extern const TUint8 KByteCodedData_AknLayoutScalable_Elaf_pvp_av_vga_prt[]; } namespace AknLayoutScalable_Abrw_pvl_av_vga_lsc_Normal { extern const TUint16 KDataLookup[AknLayoutScalable_Avkon::E_TApiId_TableSize]; const SCompDataImplData KImplData = { KDataLookup, AknLayoutScalable_Avkon::KByteCodedData_AknLayoutScalable_Elaf_pvp_av_vga_prt + 0x00007b14 }; TAknWindowComponentLayout WindowLineVCR(TInt aVariety, TInt aCol, TInt aRow) { return AknLayoutScalableDecode::WindowLineVCR(&KImplData, aVariety, aCol, aRow); } TAknLayoutScalableParameterLimits ParameterLimitsV(TInt aVariety) { return AknLayoutScalableDecode::ParameterLimitsV(&KImplData, aVariety); } TAknTextComponentLayout TextLineVCR(TInt aVariety, TInt aCol, TInt aRow) { return AknLayoutScalableDecode::TextLineVCR(&KImplData, aVariety, aCol, aRow); } TAknTextComponentLayout TextLineRVC(TInt aRow, TInt aVariety, TInt aCol) { return AknLayoutScalableDecode::TextLineRVC(&KImplData, aRow, aVariety, aCol); } TAknWindowComponentLayout WindowLineRVC(TInt aRow, TInt aVariety, TInt aCol) { return AknLayoutScalableDecode::WindowLineRVC(&KImplData, aRow, aVariety, aCol); } TAknWindowComponentLayout WindowLineCVR(TInt aCol, TInt aVariety, TInt aRow) { return AknLayoutScalableDecode::WindowLineCVR(&KImplData, aCol, aVariety, aRow); } TAknWindowComponentLayout WindowLineVRC(TInt aVariety, TInt aRow, TInt aCol) { return AknLayoutScalableDecode::WindowLineVRC(&KImplData, aVariety, aRow, aCol); } TAknTextComponentLayout TextLineVRC(TInt aVariety, TInt aRow, TInt aCol) { return AknLayoutScalableDecode::TextLineVRC(&KImplData, aVariety, aRow, aCol); } TAknWindowComponentLayout WindowLineCRV(TInt aCol, TInt aRow, TInt aVariety) { return AknLayoutScalableDecode::WindowLineCRV(&KImplData, aCol, aRow, aVariety); } TAknWindowComponentLayout WindowTableLVCR(TInt aLineIndex, TInt aVariety, TInt aCol, TInt aRow) { return AknLayoutScalableDecode::WindowTableLVCR(&KImplData, aLineIndex, aVariety, aCol, aRow); } TAknLayoutScalableTableLimits Limits() { return AknLayoutScalableDecode::TableLimits(KDataLookup); } TAknLayoutScalableParameterLimits ParameterLimitsTableLV(TInt aLineIndex, TInt aVariety) { return AknLayoutScalableDecode::ParameterLimitsTableLV(&KImplData, aLineIndex, aVariety); } TAknTextComponentLayout TextTableLVCR(TInt aLineIndex, TInt aVariety, TInt aCol, TInt aRow) { return AknLayoutScalableDecode::TextTableLVCR(&KImplData, aLineIndex, aVariety, aCol, aRow); } TAknTextComponentLayout TextTableLRVC(TInt aLineIndex, TInt aRow, TInt aVariety, TInt aCol) { return AknLayoutScalableDecode::TextTableLRVC(&KImplData, aLineIndex, aRow, aVariety, aCol); } TAknLayoutScalableComponentType GetComponentTypeById(TInt aComponentId) { return AknLayoutScalableDecode::GetComponentTypeById(&KImplData, aComponentId); } TAknLayoutScalableParameterLimits GetParamLimitsById(TInt aComponentId, TInt aVariety) { return AknLayoutScalableDecode::GetParamLimitsById(&KImplData, aComponentId, aVariety); } TAknWindowComponentLayout GetWindowComponentById(TInt aComponentId, TInt aVariety, TInt aCol, TInt aRow) { return AknLayoutScalableDecode::GetWindowComponentById(&KImplData, aComponentId, aVariety, aCol, aRow); } TAknTextComponentLayout GetTextComponentById(TInt aComponentId, TInt aVariety, TInt aCol, TInt aRow) { return AknLayoutScalableDecode::GetTextComponentById(&KImplData, aComponentId, aVariety, aCol, aRow); } const TUint16 KDataLookup[AknLayoutScalable_Avkon::E_TApiId_TableSize] = { 0x2f8f, // (0x0000aaa3) Screen 0x2f9b, // (0x0000aaaf) application_window_ParamLimits 0x2f9b, // (0x0000aaaf) application_window 0x856c, // (0x00010080) screen_g1 0x8576, // (0x0001008a) area_bottom_pane_ParamLimits 0x8576, // (0x0001008a) area_bottom_pane 0x300d, // (0x0000ab21) area_top_pane_ParamLimits 0x300d, // (0x0000ab21) area_top_pane 0xc8aa, // (0x000143be) main_pane_ParamLimits 0xc8aa, // (0x000143be) main_pane 0x8666, // (0x0001017a) misc_graphics 0x44de, // (0x0000bff2) battery_pane_ParamLimits 0x44de, // (0x0000bff2) battery_pane 0xbaa6, // (0x000135ba) bg_status_flat_pane_g8 0xbaae, // (0x000135c2) bg_status_flat_pane_g9 0xae39, // (0x0001294d) context_pane_ParamLimits 0xae39, // (0x0001294d) context_pane 0x4646, // (0x0000c15a) navi_pane_ParamLimits 0x4646, // (0x0000c15a) navi_pane 0x46d1, // (0x0000c1e5) signal_pane_ParamLimits 0x46d1, // (0x0000c1e5) signal_pane 0x0008, 0xf8c7, // (0x000173db) bg_status_flat_pane_g 0x4761, // (0x0000c275) status_pane_g1_ParamLimits 0x4761, // (0x0000c275) status_pane_g1 0x476d, // (0x0000c281) status_pane_g2_ParamLimits 0x476d, // (0x0000c281) status_pane_g2 0xb074, // (0x00012b88) status_pane_g3_ParamLimits 0xb074, // (0x00012b88) status_pane_g3 0x0004, 0xf801, // (0x00017315) status_pane_g_ParamLimits 0xf801, // (0x00017315) status_pane_g 0x4779, // (0x0000c28d) title_pane_ParamLimits 0x4779, // (0x0000c28d) title_pane 0x47d4, // (0x0000c2e8) uni_indicator_pane_ParamLimits 0x47d4, // (0x0000c2e8) uni_indicator_pane 0xa686, // (0x0001219a) bg_list_pane_ParamLimits 0xa686, // (0x0001219a) bg_list_pane 0xa6a6, // (0x000121ba) find_pane 0xa6ae, // (0x000121c2) listscroll_app_pane_ParamLimits 0xa6ae, // (0x000121c2) listscroll_app_pane 0xa6ba, // (0x000121ce) listscroll_form_pane 0xa6c2, // (0x000121d6) listscroll_gen_pane_ParamLimits 0xa6c2, // (0x000121d6) listscroll_gen_pane 0xa6ba, // (0x000121ce) listscroll_set_pane 0x3d41, // (0x0000b855) main_idle_act_pane 0xa362, // (0x00011e76) main_idle_trad_pane 0xa362, // (0x00011e76) main_list_empty_pane 0xa6e9, // (0x000121fd) main_midp_pane 0xa6f5, // (0x00012209) main_pane_g1_ParamLimits 0xa6f5, // (0x00012209) main_pane_g1 0x3d54, // (0x0000b868) popup_ai_message_window_ParamLimits 0x3d54, // (0x0000b868) popup_ai_message_window 0x3df4, // (0x0000b908) popup_fep_china_uni_window_ParamLimits 0x3df4, // (0x0000b908) popup_fep_china_uni_window 0xa81d, // (0x00012331) popup_fep_japan_candidate_window_ParamLimits 0xa81d, // (0x00012331) popup_fep_japan_candidate_window 0xa847, // (0x0001235b) popup_fep_japan_predictive_window_ParamLimits 0xa847, // (0x0001235b) popup_fep_japan_predictive_window 0x3e54, // (0x0000b968) popup_find_window 0x3e71, // (0x0000b985) popup_grid_graphic_window_ParamLimits 0x3e71, // (0x0000b985) popup_grid_graphic_window 0xa8b4, // (0x000123c8) popup_large_graphic_colour_window 0x3f09, // (0x0000ba1d) popup_menu_window_ParamLimits 0x3f09, // (0x0000ba1d) popup_menu_window 0x40f3, // (0x0000bc07) popup_note_image_window 0x40b3, // (0x0000bbc7) popup_note_wait_window_ParamLimits 0x40b3, // (0x0000bbc7) popup_note_wait_window 0x410b, // (0x0000bc1f) popup_note_window_ParamLimits 0x410b, // (0x0000bc1f) popup_note_window 0x41b9, // (0x0000bccd) popup_query_code_window_ParamLimits 0x41b9, // (0x0000bccd) popup_query_code_window 0xab17, // (0x0001262b) popup_query_data_code_window_ParamLimits 0xab17, // (0x0001262b) popup_query_data_code_window 0x41f9, // (0x0000bd0d) popup_query_data_window_ParamLimits 0x41f9, // (0x0000bd0d) popup_query_data_window 0x428d, // (0x0000bda1) popup_query_sat_info_window_ParamLimits 0x428d, // (0x0000bda1) popup_query_sat_info_window 0x4338, // (0x0000be4c) popup_snote_single_graphic_window_ParamLimits 0x4338, // (0x0000be4c) popup_snote_single_graphic_window 0x4338, // (0x0000be4c) popup_snote_single_text_window_ParamLimits 0x4338, // (0x0000be4c) popup_snote_single_text_window 0xabb2, // (0x000126c6) popup_sub_window_general 0xacf8, // (0x0001280c) popup_window_general_ParamLimits 0xacf8, // (0x0001280c) popup_window_general 0xad11, // (0x00012825) power_save_pane 0xca8c, // (0x000145a0) control_pane_g1_ParamLimits 0xca8c, // (0x000145a0) control_pane_g1 0x7258, // (0x0000ed6c) control_pane_g2_ParamLimits 0x7258, // (0x0000ed6c) control_pane_g2 0xa62f, // (0x00012143) control_pane_g3_ParamLimits 0xa62f, // (0x00012143) control_pane_g3 0x0007, 0xf7e9, // (0x000172fd) control_pane_g_ParamLimits 0xf7e9, // (0x000172fd) control_pane_g 0xcac1, // (0x000145d5) control_pane_t1_ParamLimits 0xcac1, // (0x000145d5) control_pane_t1 0xcb21, // (0x00014635) control_pane_t2_ParamLimits 0xcb21, // (0x00014635) control_pane_t2 0x0002, 0xf7fa, // (0x0001730e) control_pane_t_ParamLimits 0xf7fa, // (0x0001730e) control_pane_t 0xa556, // (0x0001206a) navi_navi_volume_pane_cp1 0xa55f, // (0x00012073) status_small_icon_pane 0xa567, // (0x0001207b) status_small_pane_g1_ParamLimits 0xa567, // (0x0001207b) status_small_pane_g1 0xa597, // (0x000120ab) status_small_pane_g2_ParamLimits 0xa597, // (0x000120ab) status_small_pane_g2 0xa5a3, // (0x000120b7) status_small_pane_g3_ParamLimits 0xa5a3, // (0x000120b7) status_small_pane_g3 0xa5af, // (0x000120c3) status_small_pane_g4_ParamLimits 0xa5af, // (0x000120c3) status_small_pane_g4 0xa5bb, // (0x000120cf) status_small_pane_g5_ParamLimits 0xa5bb, // (0x000120cf) status_small_pane_g5 0xa5ca, // (0x000120de) status_small_pane_g6_ParamLimits 0xa5ca, // (0x000120de) status_small_pane_g6 0x0007, 0xf7d8, // (0x000172ec) status_small_pane_g_ParamLimits 0xf7d8, // (0x000172ec) status_small_pane_g 0xa5fa, // (0x0001210e) status_small_pane_t1 0xa61d, // (0x00012131) status_small_wait_pane_ParamLimits 0xa61d, // (0x00012131) status_small_wait_pane 0x3a24, // (0x0000b538) aid_levels_signal_ParamLimits 0x3a24, // (0x0000b538) aid_levels_signal 0x3a38, // (0x0000b54c) signal_pane_g1_ParamLimits 0x3a38, // (0x0000b54c) signal_pane_g1 0x3a52, // (0x0000b566) signal_pane_g2_ParamLimits 0x3a52, // (0x0000b566) signal_pane_g2 0x0001, 0xf76d, // (0x00017281) signal_pane_g_ParamLimits 0xf76d, // (0x00017281) signal_pane_g 0x9e12, // (0x00011926) context_pane_g1 0x3209, // (0x0000ad1d) title_pane_g1 0x324b, // (0x0000ad5f) title_pane_t1 0x870e, // (0x00010222) title_pane_t2 0x8734, // (0x00010248) title_pane_t3 0x0002, 0xf5c1, // (0x000170d5) title_pane_t 0x47fc, // (0x0000c310) aid_levels_battery_ParamLimits 0x47fc, // (0x0000c310) aid_levels_battery 0x4814, // (0x0000c328) battery_pane_g1_ParamLimits 0x4814, // (0x0000c328) battery_pane_g1 0x482f, // (0x0000c343) battery_pane_g2_ParamLimits 0x482f, // (0x0000c343) battery_pane_g2 0x0001, 0xf80c, // (0x00017320) battery_pane_g_ParamLimits 0xf80c, // (0x00017320) battery_pane_g 0x4bd6, // (0x0000c6ea) uni_indicator_pane_g1 0x4beb, // (0x0000c6ff) uni_indicator_pane_g2 0x4c01, // (0x0000c715) uni_indicator_pane_g3 0x0005, 0xf96f, // (0x00017483) uni_indicator_pane_g 0x9799, // (0x000112ad) navi_icon_pane_ParamLimits 0x9799, // (0x000112ad) navi_icon_pane 0x8666, // (0x0001017a) navi_midp_pane 0x8666, // (0x0001017a) navi_navi_pane 0x9799, // (0x000112ad) navi_text_pane_ParamLimits 0x9799, // (0x000112ad) navi_text_pane 0x856c, // (0x00010080) status_small_wait_pane_g1 0x8baa, // (0x000106be) status_small_wait_pane_g2 0x0001, 0xf96a, // (0x0001747e) status_small_wait_pane_g 0x4b6f, // (0x0000c683) navi_navi_icon_text_pane 0x4b89, // (0x0000c69d) navi_navi_pane_g1_ParamLimits 0x4b89, // (0x0000c69d) navi_navi_pane_g1 0x4b77, // (0x0000c68b) navi_navi_pane_g2_ParamLimits 0x4b77, // (0x0000c68b) navi_navi_pane_g2 0x0001, 0xf938, // (0x0001744c) navi_navi_pane_g_ParamLimits 0xf938, // (0x0001744c) navi_navi_pane_g 0x4b9b, // (0x0000c6af) navi_navi_tabs_pane 0x4b6f, // (0x0000c683) navi_navi_text_pane 0x4b6f, // (0x0000c683) navi_navi_volume_pane 0xd151, // (0x00014c65) navi_text_pane_t1 0xd145, // (0x00014c59) navi_icon_pane_g1 0xd097, // (0x00014bab) navi_navi_text_pane_t1 0xcd1c, // (0x00014830) navi_navi_volume_pane_g1 0xcd24, // (0x00014838) volume_small_pane 0x4aba, // (0x0000c5ce) navi_navi_icon_text_pane_g1 0x4ac2, // (0x0000c5d6) navi_navi_icon_text_pane_t1 0xbb0c, // (0x00013620) navi_tabs_2_long_pane 0xbb0c, // (0x00013620) navi_tabs_2_pane 0xbb0c, // (0x00013620) navi_tabs_3_long_pane 0xbb0c, // (0x00013620) navi_tabs_3_pane 0xbb0c, // (0x00013620) navi_tabs_4_pane 0xccfc, // (0x00014810) tabs_2_active_pane_ParamLimits 0xccfc, // (0x00014810) tabs_2_active_pane 0xcd0c, // (0x00014820) tabs_2_passive_pane_ParamLimits 0xcd0c, // (0x00014820) tabs_2_passive_pane 0xccca, // (0x000147de) tabs_3_active_pane_ParamLimits 0xccca, // (0x000147de) tabs_3_active_pane 0xccda, // (0x000147ee) tabs_3_passive_pane_ParamLimits 0xccda, // (0x000147ee) tabs_3_passive_pane 0xcceb, // (0x000147ff) tabs_3_passive_pane_cp_ParamLimits 0xcceb, // (0x000147ff) tabs_3_passive_pane_cp 0xcc86, // (0x0001479a) tabs_4_active_pane_ParamLimits 0xcc86, // (0x0001479a) tabs_4_active_pane 0xcc97, // (0x000147ab) tabs_4_passive_pane_ParamLimits 0xcc97, // (0x000147ab) tabs_4_passive_pane 0xcca8, // (0x000147bc) tabs_4_passive_pane_cp_ParamLimits 0xcca8, // (0x000147bc) tabs_4_passive_pane_cp 0xccb9, // (0x000147cd) tabs_4_passive_pane_cp2_ParamLimits 0xccb9, // (0x000147cd) tabs_4_passive_pane_cp2 0xcc62, // (0x00014776) tabs_2_long_active_pane_ParamLimits 0xcc62, // (0x00014776) tabs_2_long_active_pane 0xcc74, // (0x00014788) tabs_2_long_passive_pane_ParamLimits 0xcc74, // (0x00014788) tabs_2_long_passive_pane 0xcc2d, // (0x00014741) tabs_3_long_active_pane_ParamLimits 0xcc2d, // (0x00014741) tabs_3_long_active_pane 0xcc3e, // (0x00014752) tabs_3_long_passive_pane_ParamLimits 0xcc3e, // (0x00014752) tabs_3_long_passive_pane 0xcc51, // (0x00014765) tabs_3_long_passive_pane_cp_ParamLimits 0xcc51, // (0x00014765) tabs_3_long_passive_pane_cp 0x753d, // (0x0000f051) volume_small_pane_g1 0x7546, // (0x0000f05a) volume_small_pane_g2 0x754f, // (0x0000f063) volume_small_pane_g3 0x7558, // (0x0000f06c) volume_small_pane_g4 0x7561, // (0x0000f075) volume_small_pane_g5 0x756a, // (0x0000f07e) volume_small_pane_g6 0x7573, // (0x0000f087) volume_small_pane_g7 0x757c, // (0x0000f090) volume_small_pane_g8 0x7585, // (0x0000f099) volume_small_pane_g9 0x758e, // (0x0000f0a2) volume_small_pane_g10 0x0009, 0xf904, // (0x00017418) volume_small_pane_g 0x89f2, // (0x00010506) bg_active_tab_pane_cp2_ParamLimits 0x89f2, // (0x00010506) bg_active_tab_pane_cp2 0x32d8, // (0x0000adec) tabs_3_active_pane_g1 0x32e0, // (0x0000adf4) tabs_3_active_pane_t1 0x89f2, // (0x00010506) bg_passive_tab_pane_cp2_ParamLimits 0x89f2, // (0x00010506) bg_passive_tab_pane_cp2 0x32d8, // (0x0000adec) tabs_3_passive_pane_g1 0x32e0, // (0x0000adf4) tabs_3_passive_pane_t1 0x89f2, // (0x00010506) bg_active_tab_pane_cp3_ParamLimits 0x89f2, // (0x00010506) bg_active_tab_pane_cp3 0x32f6, // (0x0000ae0a) tabs_4_active_pane_g1 0x32fe, // (0x0000ae12) tabs_4_active_pane_t1 0x89f2, // (0x00010506) bg_passive_tab_pane_cp3_ParamLimits 0x89f2, // (0x00010506) bg_passive_tab_pane_cp3 0x32f6, // (0x0000ae0a) tabs_4_1_passive_pane_g1 0x32fe, // (0x0000ae12) tabs_4_1_passive_pane_t1 0xa6e9, // (0x000121fd) list_highlight_pane_cp2 0x4cf0, // (0x0000c804) list_set_pane_ParamLimits 0x4cf0, // (0x0000c804) list_set_pane 0x4dac, // (0x0000c8c0) main_pane_set_t1_ParamLimits 0x4dac, // (0x0000c8c0) main_pane_set_t1 0x4dcc, // (0x0000c8e0) main_pane_set_t2_ParamLimits 0x4dcc, // (0x0000c8e0) main_pane_set_t2 0x4de0, // (0x0000c8f4) main_pane_set_t3_ParamLimits 0x4de0, // (0x0000c8f4) main_pane_set_t3 0x4df2, // (0x0000c906) main_pane_set_t4_ParamLimits 0x4df2, // (0x0000c906) main_pane_set_t4 0x0003, 0xf9d4, // (0x000174e8) main_pane_set_t_ParamLimits 0xf9d4, // (0x000174e8) main_pane_set_t 0x4e04, // (0x0000c918) setting_code_pane 0x4e0e, // (0x0000c922) setting_slider_graphic_pane 0x4e0e, // (0x0000c922) setting_slider_pane 0x4e0e, // (0x0000c922) setting_text_pane 0x4e0e, // (0x0000c922) setting_volume_pane 0xca22, // (0x00014536) volume_set_pane 0x8746, // (0x0001025a) bg_set_opt_pane_cp 0x6d89, // (0x0000e89d) setting_slider_pane_t1 0xca2e, // (0x00014542) setting_slider_pane_t2 0xca48, // (0x0001455c) setting_slider_pane_t3 0x0002, 0xf5c8, // (0x000170dc) setting_slider_pane_t 0x6dd1, // (0x0000e8e5) slider_set_pane 0x8666, // (0x0001017a) bg_set_opt_pane_cp2 0x8788, // (0x0001029c) setting_slider_graphic_pane_g1 0xca60, // (0x00014574) setting_slider_graphic_pane_t1 0xca72, // (0x00014586) setting_slider_graphic_pane_t2 0x0001, 0xf5cf, // (0x000170e3) setting_slider_graphic_pane_t 0xca84, // (0x00014598) slider_set_pane_cp 0x8666, // (0x0001017a) input_focus_pane_cp1 0xd5b4, // (0x000150c8) list_set_text_pane 0x856c, // (0x00010080) setting_text_pane_g1 0x8666, // (0x0001017a) input_focus_pane_cp2 0x856c, // (0x00010080) setting_code_pane_g1 0x8791, // (0x000102a5) setting_code_pane_t1 0x337e, // (0x0000ae92) set_text_pane_t1_ParamLimits 0x337e, // (0x0000ae92) set_text_pane_t1 0x969a, // (0x000111ae) set_opt_bg_pane_g1 0x96a2, // (0x000111b6) set_opt_bg_pane_g2 0x4ca8, // (0x0000c7bc) set_opt_bg_pane_g3 0x96b2, // (0x000111c6) set_opt_bg_pane_g4 0x96ba, // (0x000111ce) set_opt_bg_pane_g5 0x96c2, // (0x000111d6) set_opt_bg_pane_g6 0x4cb2, // (0x0000c7c6) set_opt_bg_pane_g7 0x4cbc, // (0x0000c7d0) set_opt_bg_pane_g8 0x4cc6, // (0x0000c7da) set_opt_bg_pane_g9 0x0008, 0xf9c1, // (0x000174d5) set_opt_bg_pane_g 0xd5a7, // (0x000150bb) slider_set_pane_g1 0x770f, // (0x0000f223) slider_set_pane_g2 0x0006, 0xf9b2, // (0x000174c6) slider_set_pane_g 0xcd2d, // (0x00014841) volume_set_pane_g1 0xcd37, // (0x0001484b) volume_set_pane_g2 0xcd41, // (0x00014855) volume_set_pane_g3 0xcd4b, // (0x0001485f) volume_set_pane_g4 0xcd55, // (0x00014869) volume_set_pane_g5 0xcd5f, // (0x00014873) volume_set_pane_g6 0xcd69, // (0x0001487d) volume_set_pane_g7 0xcd73, // (0x00014887) volume_set_pane_g8 0xcd7d, // (0x00014891) volume_set_pane_g9 0xcd87, // (0x0001489b) volume_set_pane_g10 0x0009, 0xf98a, // (0x0001749e) volume_set_pane_g 0x3398, // (0x0000aeac) indicator_pane_ParamLimits 0x3398, // (0x0000aeac) indicator_pane 0x33c4, // (0x0000aed8) main_idle_pane_g2_ParamLimits 0x33c4, // (0x0000aed8) main_idle_pane_g2 0x33fc, // (0x0000af10) main_pane_idle_g1_ParamLimits 0x33fc, // (0x0000af10) main_pane_idle_g1 0x8804, // (0x00010318) popup_clock_digital_analogue_window_ParamLimits 0x8804, // (0x00010318) popup_clock_digital_analogue_window 0x342a, // (0x0000af3e) soft_indicator_pane_ParamLimits 0x342a, // (0x0000af3e) soft_indicator_pane 0x3446, // (0x0000af5a) wallpaper_pane_ParamLimits 0x3446, // (0x0000af5a) wallpaper_pane 0x856c, // (0x00010080) wallpaper_pane_g1 0x3458, // (0x0000af6c) indicator_pane_g1_ParamLimits 0x3458, // (0x0000af6c) indicator_pane_g1 0xd71d, // (0x00015231) navi_navi_icon_text_pane_srt_g1 0x8858, // (0x0001036c) soft_indicator_pane_t1 0x8872, // (0x00010386) aid_ps_area_pane 0x3471, // (0x0000af85) aid_ps_clock_pane 0x8891, // (0x000103a5) aid_ps_indicator_pane 0x889d, // (0x000103b1) indicator_ps_pane_ParamLimits 0x889d, // (0x000103b1) indicator_ps_pane 0x88ac, // (0x000103c0) power_save_pane_g1_ParamLimits 0x88ac, // (0x000103c0) power_save_pane_g1 0x88b8, // (0x000103cc) power_save_pane_g2_ParamLimits 0x88b8, // (0x000103cc) power_save_pane_g2 0x6a93, // (0x0000e5a7) aid_navinavi_width_pane 0x8872, // (0x00010386) aid_ps_area_pane_ParamLimits 0x0001, 0xf5d4, // (0x000170e8) power_save_pane_g_ParamLimits 0xf5d4, // (0x000170e8) power_save_pane_g 0x88c6, // (0x000103da) power_save_pane_t1_ParamLimits 0x88c6, // (0x000103da) power_save_pane_t1 0x3471, // (0x0000af85) aid_ps_clock_pane_ParamLimits 0x8891, // (0x000103a5) aid_ps_indicator_pane_ParamLimits 0x88d8, // (0x000103ec) power_save_pane_t4_ParamLimits 0x88d8, // (0x000103ec) power_save_pane_t4 0x0001, 0xf5d9, // (0x000170ed) power_save_pane_t_ParamLimits 0xf5d9, // (0x000170ed) power_save_pane_t 0x8902, // (0x00010416) power_save_t3_ParamLimits 0x8902, // (0x00010416) power_save_t3 0x88ed, // (0x00010401) power_save_t2_ParamLimits 0x88ed, // (0x00010401) power_save_t2 0x8917, // (0x0001042b) indicator_ps_pane_g1 0x347f, // (0x0000af93) ai_gene_pane_ParamLimits 0x347f, // (0x0000af93) ai_gene_pane 0x3496, // (0x0000afaa) ai_links_pane_ParamLimits 0x3496, // (0x0000afaa) ai_links_pane 0x34ae, // (0x0000afc2) indicator_pane_cp1_ParamLimits 0x34ae, // (0x0000afc2) indicator_pane_cp1 0x34bd, // (0x0000afd1) main_pane_idle_g1_cp_ParamLimits 0x34bd, // (0x0000afd1) main_pane_idle_g1_cp 0x8950, // (0x00010464) popup_ai_links_title_window 0x34d5, // (0x0000afe9) soft_indicator_pane_cp1_ParamLimits 0x34d5, // (0x0000afe9) soft_indicator_pane_cp1 0xd3e5, // (0x00014ef9) ai_links_pane_g1 0xd3ee, // (0x00014f02) grid_ai_links_pane 0x4bcb, // (0x0000c6df) ai_gene_pane_1 0xd3d3, // (0x00014ee7) ai_gene_pane_2 0xd3dc, // (0x00014ef0) list_highlight_pane_cp4 0x4ba4, // (0x0000c6b8) cell_ai_link_pane_ParamLimits 0x4ba4, // (0x0000c6b8) cell_ai_link_pane 0xd3cb, // (0x00014edf) cell_ai_link_pane_g1 0x8baa, // (0x000106be) cell_ai_link_pane_g2 0x0001, 0xf965, // (0x00017479) cell_ai_link_pane_g 0x8666, // (0x0001017a) grid_highlight_cp2 0x8666, // (0x0001017a) bg_popup_sub_pane_cp1 0x8973, // (0x00010487) popup_ai_links_title_window_t1 0xd317, // (0x00014e2b) ai_gene_pane_1_g1_ParamLimits 0xd317, // (0x00014e2b) ai_gene_pane_1_g1 0xd323, // (0x00014e37) ai_gene_pane_1_g2_ParamLimits 0xd323, // (0x00014e37) ai_gene_pane_1_g2 0x0001, 0xf95b, // (0x0001746f) ai_gene_pane_1_g_ParamLimits 0xf95b, // (0x0001746f) ai_gene_pane_1_g 0xd330, // (0x00014e44) ai_gene_pane_1_t1_ParamLimits 0xd330, // (0x00014e44) ai_gene_pane_1_t1 0xd364, // (0x00014e78) grid_ai_soft_ind_pane 0xd302, // (0x00014e16) ai_gene_pane_2_t1_ParamLimits 0xd302, // (0x00014e16) ai_gene_pane_2_t1 0x34e9, // (0x0000affd) main_pane_empty_t1_ParamLimits 0x34e9, // (0x0000affd) main_pane_empty_t1 0x3506, // (0x0000b01a) main_pane_empty_t2_ParamLimits 0x3506, // (0x0000b01a) main_pane_empty_t2 0x351e, // (0x0000b032) main_pane_empty_t3_ParamLimits 0x351e, // (0x0000b032) main_pane_empty_t3 0x3531, // (0x0000b045) main_pane_empty_t4_ParamLimits 0x3531, // (0x0000b045) main_pane_empty_t4 0x3544, // (0x0000b058) main_pane_empty_t5_ParamLimits 0x3544, // (0x0000b058) main_pane_empty_t5 0x0004, 0xf5de, // (0x000170f2) main_pane_empty_t_ParamLimits 0xf5de, // (0x000170f2) main_pane_empty_t 0x9799, // (0x000112ad) bg_popup_window_pane_ParamLimits 0x9799, // (0x000112ad) bg_popup_window_pane 0xd0a6, // (0x00014bba) find_popup_pane_cp2_ParamLimits 0xd0a6, // (0x00014bba) find_popup_pane_cp2 0xd0b2, // (0x00014bc6) heading_pane_ParamLimits 0xd0b2, // (0x00014bc6) heading_pane 0x8666, // (0x0001017a) bg_popup_sub_pane 0x4adf, // (0x0000c5f3) bg_popup_window_pane_g1_ParamLimits 0x4adf, // (0x0000c5f3) bg_popup_window_pane_g1 0x4aee, // (0x0000c602) bg_popup_window_pane_g2_ParamLimits 0x4aee, // (0x0000c602) bg_popup_window_pane_g2 0x4afa, // (0x0000c60e) bg_popup_window_pane_g3_ParamLimits 0x4afa, // (0x0000c60e) bg_popup_window_pane_g3 0x4b06, // (0x0000c61a) bg_popup_window_pane_g4_ParamLimits 0x4b06, // (0x0000c61a) bg_popup_window_pane_g4 0x4b15, // (0x0000c629) bg_popup_window_pane_g5_ParamLimits 0x4b15, // (0x0000c629) bg_popup_window_pane_g5 0x4b25, // (0x0000c639) bg_popup_window_pane_g6_ParamLimits 0x4b25, // (0x0000c639) bg_popup_window_pane_g6 0x4b31, // (0x0000c645) bg_popup_window_pane_g7_ParamLimits 0x4b31, // (0x0000c645) bg_popup_window_pane_g7 0x4b40, // (0x0000c654) bg_popup_window_pane_g8_ParamLimits 0x4b40, // (0x0000c654) bg_popup_window_pane_g8 0x4b4f, // (0x0000c663) bg_popup_window_pane_g9_ParamLimits 0x4b4f, // (0x0000c663) bg_popup_window_pane_g9 0xd08b, // (0x00014b9f) bg_popup_window_pane_g10_ParamLimits 0xd08b, // (0x00014b9f) bg_popup_window_pane_g10 0x0009, 0xf923, // (0x00017437) bg_popup_window_pane_g_ParamLimits 0xf923, // (0x00017437) bg_popup_window_pane_g 0xd042, // (0x00014b56) bg_popup_heading_pane_ParamLimits 0xd042, // (0x00014b56) bg_popup_heading_pane 0x7797, // (0x0000f2ab) tabs_4_passive_pane_cp_srt_ParamLimits 0x7797, // (0x0000f2ab) tabs_4_passive_pane_cp_srt 0x77a9, // (0x0000f2bd) tabs_4_passive_pane_srt_ParamLimits 0xd056, // (0x00014b6a) heading_pane_g2 0x77a9, // (0x0000f2bd) tabs_4_passive_pane_srt 0xb313, // (0x00012e27) bg_passive_tab_pane_cp3_srt_ParamLimits 0xb313, // (0x00012e27) bg_passive_tab_pane_cp3_srt 0xd05e, // (0x00014b72) heading_pane_t1_ParamLimits 0xd05e, // (0x00014b72) heading_pane_t1 0xd075, // (0x00014b89) heading_pane_t2_ParamLimits 0xd075, // (0x00014b89) heading_pane_t2 0x0001, 0xf91e, // (0x00017432) heading_pane_t_ParamLimits 0xf91e, // (0x00017432) heading_pane_t 0xba6e, // (0x00013582) bg_popup_heading_pane_g1 0xbb1d, // (0x00013631) bg_popup_heading_pane_g2 0xbb27, // (0x0001363b) bg_popup_heading_pane_g3 0xbb31, // (0x00013645) bg_popup_heading_pane_g4 0xbb3b, // (0x0001364f) bg_popup_heading_pane_g5 0xbb45, // (0x00013659) bg_popup_heading_pane_g6 0xbb4d, // (0x00013661) bg_popup_heading_pane_g7 0xbb55, // (0x00013669) bg_popup_heading_pane_g8 0xbb5f, // (0x00013673) bg_popup_heading_pane_g9 0x0008, 0xf8da, // (0x000173ee) bg_popup_heading_pane_g 0xb1f7, // (0x00012d0b) bg_popup_sub_pane_g1 0xb207, // (0x00012d1b) bg_popup_sub_pane_g2 0xb1ff, // (0x00012d13) bg_popup_sub_pane_g3 0xb217, // (0x00012d2b) bg_popup_sub_pane_g4 0xb20f, // (0x00012d23) bg_popup_sub_pane_g5 0xb21f, // (0x00012d33) bg_popup_sub_pane_g6 0xb227, // (0x00012d3b) bg_popup_sub_pane_g7 0xb237, // (0x00012d4b) bg_popup_sub_pane_g8 0xb22f, // (0x00012d43) bg_popup_sub_pane_g9 0x0008, 0xf8b4, // (0x000173c8) bg_popup_sub_pane_g 0x89f2, // (0x00010506) bg_popup_window_pane_cp5_ParamLimits 0x89f2, // (0x00010506) bg_popup_window_pane_cp5 0x8a0e, // (0x00010522) popup_note_window_g1_ParamLimits 0x8a0e, // (0x00010522) popup_note_window_g1 0x8a1a, // (0x0001052e) popup_note_window_t1_ParamLimits 0x8a1a, // (0x0001052e) popup_note_window_t1 0x8a30, // (0x00010544) popup_note_window_t2_ParamLimits 0x8a30, // (0x00010544) popup_note_window_t2 0x8a46, // (0x0001055a) popup_note_window_t3_ParamLimits 0x8a46, // (0x0001055a) popup_note_window_t3 0x8a5c, // (0x00010570) popup_note_window_t4_ParamLimits 0x8a5c, // (0x00010570) popup_note_window_t4 0x8a84, // (0x00010598) popup_note_window_t5_ParamLimits 0x8a84, // (0x00010598) popup_note_window_t5 0x0004, 0xf5e9, // (0x000170fd) popup_note_window_t_ParamLimits 0xf5e9, // (0x000170fd) popup_note_window_t 0x8aa8, // (0x000105bc) bg_popup_window_pane_cp6_ParamLimits 0x8aa8, // (0x000105bc) bg_popup_window_pane_cp6 0xb9ea, // (0x000134fe) popup_note_image_window_g1_ParamLimits 0xb9ea, // (0x000134fe) popup_note_image_window_g1 0xb9f6, // (0x0001350a) popup_note_image_window_g2_ParamLimits 0xb9f6, // (0x0001350a) popup_note_image_window_g2 0x0001, 0xf8a8, // (0x000173bc) popup_note_image_window_g_ParamLimits 0xf8a8, // (0x000173bc) popup_note_image_window_g 0xba0f, // (0x00013523) popup_note_image_window_t1_ParamLimits 0xba0f, // (0x00013523) popup_note_image_window_t1 0xba28, // (0x0001353c) popup_note_image_window_t2_ParamLimits 0xba28, // (0x0001353c) popup_note_image_window_t2 0xba41, // (0x00013555) popup_note_image_window_t3_ParamLimits 0xba41, // (0x00013555) popup_note_image_window_t3 0x0002, 0xf8ad, // (0x000173c1) popup_note_image_window_t_ParamLimits 0xf8ad, // (0x000173c1) popup_note_image_window_t 0xb8b8, // (0x000133cc) bg_popup_window_pane_cp7_ParamLimits 0xb8b8, // (0x000133cc) bg_popup_window_pane_cp7 0xb8e8, // (0x000133fc) popup_note_wait_window_g1_ParamLimits 0xb8e8, // (0x000133fc) popup_note_wait_window_g1 0xb8f4, // (0x00013408) popup_note_wait_window_g2_ParamLimits 0xb8f4, // (0x00013408) popup_note_wait_window_g2 0x0002, 0xf896, // (0x000173aa) popup_note_wait_window_g_ParamLimits 0xf896, // (0x000173aa) popup_note_wait_window_g 0xb90c, // (0x00013420) popup_note_wait_window_t1_ParamLimits 0xb90c, // (0x00013420) popup_note_wait_window_t1 0xb933, // (0x00013447) popup_note_wait_window_t2_ParamLimits 0xb933, // (0x00013447) popup_note_wait_window_t2 0xb951, // (0x00013465) popup_note_wait_window_t3_ParamLimits 0xb951, // (0x00013465) popup_note_wait_window_t3 0xb964, // (0x00013478) popup_note_wait_window_t4_ParamLimits 0xb964, // (0x00013478) popup_note_wait_window_t4 0x0004, 0xf89d, // (0x000173b1) popup_note_wait_window_t_ParamLimits 0xf89d, // (0x000173b1) popup_note_wait_window_t 0xb989, // (0x0001349d) wait_bar_pane_ParamLimits 0xb989, // (0x0001349d) wait_bar_pane 0x8666, // (0x0001017a) wait_anim_pane 0x8666, // (0x0001017a) wait_border_pane 0x856c, // (0x00010080) wait_anim_pane_g1 0x856c, // (0x00010080) wait_anim_pane_g2 0x0001, 0xf768, // (0x0001727c) wait_anim_pane_g 0xb85c, // (0x00013370) wait_border_pane_g1 0xb867, // (0x0001337b) wait_border_pane_g2 0xb870, // (0x00013384) wait_border_pane_g3 0x0002, 0xf88f, // (0x000173a3) wait_border_pane_g 0xb7b8, // (0x000132cc) bg_popup_window_pane_cp16_ParamLimits 0xb7b8, // (0x000132cc) bg_popup_window_pane_cp16 0xb7c6, // (0x000132da) indicator_popup_pane_cp4_ParamLimits 0xb7c6, // (0x000132da) indicator_popup_pane_cp4 0xb7da, // (0x000132ee) popup_query_data_window_t1_ParamLimits 0xb7da, // (0x000132ee) popup_query_data_window_t1 0xb7ec, // (0x00013300) popup_query_data_window_t2_ParamLimits 0xb7ec, // (0x00013300) popup_query_data_window_t2 0xb805, // (0x00013319) popup_query_data_window_t3_ParamLimits 0xb805, // (0x00013319) popup_query_data_window_t3 0x0002, 0xf888, // (0x0001739c) popup_query_data_window_t_ParamLimits 0xf888, // (0x0001739c) popup_query_data_window_t 0xb81f, // (0x00013333) query_popup_data_pane_ParamLimits 0xb81f, // (0x00013333) query_popup_data_pane 0xb833, // (0x00013347) query_popup_data_pane_cp1_ParamLimits 0xb833, // (0x00013347) query_popup_data_pane_cp1 0x8aa8, // (0x000105bc) bg_popup_window_pane_cp10_ParamLimits 0x8aa8, // (0x000105bc) bg_popup_window_pane_cp10 0xb71b, // (0x0001322f) indicator_popup_pane_ParamLimits 0xb71b, // (0x0001322f) indicator_popup_pane 0x8b07, // (0x0001061b) popup_query_code_window_t1_ParamLimits 0x8b07, // (0x0001061b) popup_query_code_window_t1 0xb733, // (0x00013247) popup_query_code_window_t2_ParamLimits 0xb733, // (0x00013247) popup_query_code_window_t2 0xb771, // (0x00013285) popup_query_code_window_t3_ParamLimits 0xb771, // (0x00013285) popup_query_code_window_t3 0x0002, 0xf881, // (0x00017395) popup_query_code_window_t_ParamLimits 0xf881, // (0x00017395) popup_query_code_window_t 0xb7a0, // (0x000132b4) query_popup_pane_ParamLimits 0xb7a0, // (0x000132b4) query_popup_pane 0x8aa8, // (0x000105bc) bg_popup_window_pane_cp15_ParamLimits 0x8aa8, // (0x000105bc) bg_popup_window_pane_cp15 0x8ac8, // (0x000105dc) indicator_popup_pane_cp1_ParamLimits 0x8ac8, // (0x000105dc) indicator_popup_pane_cp1 0x8adb, // (0x000105ef) indicator_popup_pane_cp2_ParamLimits 0x8adb, // (0x000105ef) indicator_popup_pane_cp2 0x8af4, // (0x00010608) popup_query_data_code_window_g1_ParamLimits 0x8af4, // (0x00010608) popup_query_data_code_window_g1 0x8b07, // (0x0001061b) popup_query_data_code_window_t1_ParamLimits 0x8b07, // (0x0001061b) popup_query_data_code_window_t1 0x8b19, // (0x0001062d) popup_query_data_code_window_t2_ParamLimits 0x8b19, // (0x0001062d) popup_query_data_code_window_t2 0x8b2b, // (0x0001063f) popup_query_data_code_window_t3_ParamLimits 0x8b2b, // (0x0001063f) popup_query_data_code_window_t3 0x8b41, // (0x00010655) popup_query_data_code_window_t4_ParamLimits 0x8b41, // (0x00010655) popup_query_data_code_window_t4 0x0003, 0xf5f4, // (0x00017108) popup_query_data_code_window_t_ParamLimits 0xf5f4, // (0x00017108) popup_query_data_code_window_t 0x7447, // (0x0000ef5b) list_single_midp_graphic_pane_g3 0x8b5b, // (0x0001066f) query_popup_data_pane_cp2_ParamLimits 0x8b70, // (0x00010684) query_popup_pane_cp2_ParamLimits 0x8b70, // (0x00010684) query_popup_pane_cp2 0x8666, // (0x0001017a) bg_popup_window_pane_cp11 0xb6ef, // (0x00013203) heading_pane_cp5 0x8c8e, // (0x000107a2) listscroll_popup_info_pane 0x8666, // (0x0001017a) input_focus_pane_cp3 0x8b8d, // (0x000106a1) query_popup_pane_t1 0x8b9b, // (0x000106af) list_popup_info_pane_ParamLimits 0x8b9b, // (0x000106af) list_popup_info_pane 0x8baa, // (0x000106be) listscroll_popup_info_pane_g1 0x8bb2, // (0x000106c6) scroll_pane_cp7 0x8bbc, // (0x000106d0) popup_info_list_pane_t1_ParamLimits 0x8bbc, // (0x000106d0) popup_info_list_pane_t1 0x8bd6, // (0x000106ea) popup_info_list_pane_t2_ParamLimits 0x8bd6, // (0x000106ea) popup_info_list_pane_t2 0x0001, 0xf5fd, // (0x00017111) popup_info_list_pane_t_ParamLimits 0xf5fd, // (0x00017111) popup_info_list_pane_t 0x8666, // (0x0001017a) bg_popup_window_pane_cp12 0xd737, // (0x0001524b) find_popup_pane 0x8746, // (0x0001025a) bg_popup_window_pane_cp3 0x8bf0, // (0x00010704) heading_pane_cp3 0x8bfc, // (0x00010710) listscroll_popup_graphic_pane 0x8666, // (0x0001017a) bg_popup_window_pane_cp4 0x35a7, // (0x0000b0bb) heading_pane_cp4 0x8c8e, // (0x000107a2) listscroll_popup_colour_pane 0x35b1, // (0x0000b0c5) cell_large_graphic_colour_none_popup_pane_ParamLimits 0x35b1, // (0x0000b0c5) cell_large_graphic_colour_none_popup_pane 0x35c5, // (0x0000b0d9) grid_large_graphic_colour_popup_pane_ParamLimits 0x35c5, // (0x0000b0d9) grid_large_graphic_colour_popup_pane 0x35f1, // (0x0000b105) listscroll_popup_colour_pane_g1_ParamLimits 0x35f1, // (0x0000b105) listscroll_popup_colour_pane_g1 0x3608, // (0x0000b11c) listscroll_popup_colour_pane_g2_ParamLimits 0x3608, // (0x0000b11c) listscroll_popup_colour_pane_g2 0x361f, // (0x0000b133) listscroll_popup_colour_pane_g3_ParamLimits 0x361f, // (0x0000b133) listscroll_popup_colour_pane_g3 0x362f, // (0x0000b143) listscroll_popup_colour_pane_g4_ParamLimits 0x362f, // (0x0000b143) listscroll_popup_colour_pane_g4 0x0003, 0xf602, // (0x00017116) listscroll_popup_colour_pane_g_ParamLimits 0xf602, // (0x00017116) listscroll_popup_colour_pane_g 0x8d24, // (0x00010838) scroll_pane_cp6_ParamLimits 0x8d24, // (0x00010838) scroll_pane_cp6 0x3643, // (0x0000b157) cell_large_graphic_colour_popup_pane_ParamLimits 0x3643, // (0x0000b157) cell_large_graphic_colour_popup_pane 0x8d58, // (0x0001086c) cell_large_graphic_colour_none_popup_pane_t1 0x8666, // (0x0001017a) grid_highlight_pane_cp5 0x8d67, // (0x0001087b) cell_large_graphic_colour_popup_pane_g1 0x8d6f, // (0x00010883) cell_large_graphic_colour_popup_pane_g2 0x0001, 0xf60b, // (0x0001711f) cell_large_graphic_colour_popup_pane_g 0x8d77, // (0x0001088b) cell_large_graphic_colour_popup_pane_g2_copy1 0x8d80, // (0x00010894) grid_highlight_pane_cp4 0x8d88, // (0x0001089c) bg_popup_window_pane_cp8_ParamLimits 0x8d88, // (0x0001089c) bg_popup_window_pane_cp8 0x8da3, // (0x000108b7) popup_snote_single_text_window_g1_ParamLimits 0x8da3, // (0x000108b7) popup_snote_single_text_window_g1 0x8db7, // (0x000108cb) popup_snote_single_text_window_t1_ParamLimits 0x8db7, // (0x000108cb) popup_snote_single_text_window_t1 0x8dca, // (0x000108de) popup_snote_single_text_window_t2_ParamLimits 0x8dca, // (0x000108de) popup_snote_single_text_window_t2 0x8ddd, // (0x000108f1) popup_snote_single_text_window_t3_ParamLimits 0x8ddd, // (0x000108f1) popup_snote_single_text_window_t3 0x8e16, // (0x0001092a) popup_snote_single_text_window_t4_ParamLimits 0x8e16, // (0x0001092a) popup_snote_single_text_window_t4 0x8e4a, // (0x0001095e) popup_snote_single_text_window_t5_ParamLimits 0x8e4a, // (0x0001095e) popup_snote_single_text_window_t5 0x0004, 0xf610, // (0x00017124) popup_snote_single_text_window_t_ParamLimits 0xf610, // (0x00017124) popup_snote_single_text_window_t 0x8e79, // (0x0001098d) bg_popup_window_pane_cp9_ParamLimits 0x8e79, // (0x0001098d) bg_popup_window_pane_cp9 0x8da3, // (0x000108b7) popup_snote_single_graphic_window_g1_ParamLimits 0x8da3, // (0x000108b7) popup_snote_single_graphic_window_g1 0x8e87, // (0x0001099b) popup_snote_single_graphic_window_g2_ParamLimits 0x8e87, // (0x0001099b) popup_snote_single_graphic_window_g2 0x0001, 0xf61b, // (0x0001712f) popup_snote_single_graphic_window_g_ParamLimits 0xf61b, // (0x0001712f) popup_snote_single_graphic_window_g 0x8e93, // (0x000109a7) popup_snote_single_graphic_window_t1_ParamLimits 0x8e93, // (0x000109a7) popup_snote_single_graphic_window_t1 0x8ea6, // (0x000109ba) popup_snote_single_graphic_window_t2_ParamLimits 0x8ea6, // (0x000109ba) popup_snote_single_graphic_window_t2 0x8ddd, // (0x000108f1) popup_snote_single_graphic_window_t3_ParamLimits 0x8ddd, // (0x000108f1) popup_snote_single_graphic_window_t3 0x8eb9, // (0x000109cd) popup_snote_single_graphic_window_t4_ParamLimits 0x8eb9, // (0x000109cd) popup_snote_single_graphic_window_t4 0x8eed, // (0x00010a01) popup_snote_single_graphic_window_t5_ParamLimits 0x8eed, // (0x00010a01) popup_snote_single_graphic_window_t5 0x0004, 0xf620, // (0x00017134) popup_snote_single_graphic_window_t_ParamLimits 0xf620, // (0x00017134) popup_snote_single_graphic_window_t 0x4f63, // (0x0000ca77) grid_graphic_popup_pane_ParamLimits 0x4f63, // (0x0000ca77) grid_graphic_popup_pane 0xd6e7, // (0x000151fb) listscroll_popup_graphic_pane_g1_ParamLimits 0xd6e7, // (0x000151fb) listscroll_popup_graphic_pane_g1 0x4f88, // (0x0000ca9c) listscroll_popup_graphic_pane_g2_ParamLimits 0x4f88, // (0x0000ca9c) listscroll_popup_graphic_pane_g2 0x0001, 0xf9fe, // (0x00017512) listscroll_popup_graphic_pane_g_ParamLimits 0xf9fe, // (0x00017512) listscroll_popup_graphic_pane_g 0xcffe, // (0x00014b12) scroll_pane_cp5 0x4f0d, // (0x0000ca21) cell_graphic_popup_pane_ParamLimits 0x4f0d, // (0x0000ca21) cell_graphic_popup_pane 0xd6aa, // (0x000151be) cell_graphic_popup_pane_g1 0xd6b2, // (0x000151c6) cell_graphic_popup_pane_g2 0x8d77, // (0x0001088b) cell_graphic_popup_pane_g3 0x0002, 0xf9f7, // (0x0001750b) cell_graphic_popup_pane_g 0xd6bb, // (0x000151cf) cell_graphic_popup_pane_t2 0x8d80, // (0x00010894) grid_highlight_pane_cp3 0x8f2e, // (0x00010a42) list_gen_pane_ParamLimits 0x8f2e, // (0x00010a42) list_gen_pane 0x8f61, // (0x00010a75) scroll_pane 0x4ede, // (0x0000c9f2) bg_list_pane_g1_ParamLimits 0x4ede, // (0x0000c9f2) bg_list_pane_g1 0xd659, // (0x0001516d) bg_list_pane_g2_ParamLimits 0xd659, // (0x0001516d) bg_list_pane_g2 0xd66c, // (0x00015180) bg_list_pane_g3_ParamLimits 0xd66c, // (0x00015180) bg_list_pane_g3 0xd67e, // (0x00015192) bg_list_pane_g4_ParamLimits 0xd67e, // (0x00015192) bg_list_pane_g4 0x4ef9, // (0x0000ca0d) bg_list_pane_g5_ParamLimits 0x4ef9, // (0x0000ca0d) bg_list_pane_g5 0x0004, 0xf9ec, // (0x00017500) bg_list_pane_g_ParamLimits 0xf9ec, // (0x00017500) bg_list_pane_g 0x4e56, // (0x0000c96a) list_double2_graphic_large_graphic_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double2_graphic_large_graphic_pane 0x4e56, // (0x0000c96a) list_double2_graphic_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double2_graphic_pane 0x4e56, // (0x0000c96a) list_double2_large_graphic_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double2_large_graphic_pane 0x4e56, // (0x0000c96a) list_double2_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double2_pane 0x4e56, // (0x0000c96a) list_double_graphic_heading_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_graphic_heading_pane 0x4e56, // (0x0000c96a) list_double_graphic_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_graphic_pane 0x4e56, // (0x0000c96a) list_double_heading_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_heading_pane 0x4e56, // (0x0000c96a) list_double_large_graphic_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_large_graphic_pane 0x4e56, // (0x0000c96a) list_double_number_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_number_pane 0x4e56, // (0x0000c96a) list_double_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_pane 0x4e56, // (0x0000c96a) list_double_time_pane_ParamLimits 0x4e56, // (0x0000c96a) list_double_time_pane 0x4e56, // (0x0000c96a) list_setting_number_pane_ParamLimits 0x4e56, // (0x0000c96a) list_setting_number_pane 0x4e56, // (0x0000c96a) list_setting_pane_ParamLimits 0x4e56, // (0x0000c96a) list_setting_pane 0x4e6a, // (0x0000c97e) list_single_2graphic_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_2graphic_pane 0x4e6a, // (0x0000c97e) list_single_graphic_heading_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_graphic_heading_pane 0x4e6a, // (0x0000c97e) list_single_graphic_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_graphic_pane 0x4e6a, // (0x0000c97e) list_single_heading_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_heading_pane 0x4ec9, // (0x0000c9dd) list_single_large_graphic_pane_ParamLimits 0x4ec9, // (0x0000c9dd) list_single_large_graphic_pane 0x4e6a, // (0x0000c97e) list_single_number_heading_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_number_heading_pane 0x4e6a, // (0x0000c97e) list_single_number_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_number_pane 0x4e6a, // (0x0000c97e) list_single_pane_ParamLimits 0x4e6a, // (0x0000c97e) list_single_pane 0x8666, // (0x0001017a) list_highlight_pane_cp1 0x8fa2, // (0x00010ab6) list_single_pane_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_single_pane_g1 0x8fae, // (0x00010ac2) list_single_pane_g2_ParamLimits 0x8fae, // (0x00010ac2) list_single_pane_g2 0x0001, 0xf632, // (0x00017146) list_single_pane_g_ParamLimits 0xf632, // (0x00017146) list_single_pane_g 0xd5f8, // (0x0001510c) list_single_pane_t1_ParamLimits 0xd5f8, // (0x0001510c) list_single_pane_t1 0x8fa2, // (0x00010ab6) list_single_number_pane_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_single_number_pane_g1 0x8fae, // (0x00010ac2) list_single_number_pane_g2_ParamLimits 0x8fae, // (0x00010ac2) list_single_number_pane_g2 0x0001, 0xf632, // (0x00017146) list_single_number_pane_g_ParamLimits 0xf632, // (0x00017146) list_single_number_pane_g 0x8fba, // (0x00010ace) list_single_number_pane_t1_ParamLimits 0x8fba, // (0x00010ace) list_single_number_pane_t1 0xd55e, // (0x00015072) list_single_number_pane_t2_ParamLimits 0xd55e, // (0x00015072) list_single_number_pane_t2 0x0001, 0xf9ad, // (0x000174c1) list_single_number_pane_t_ParamLimits 0xf9ad, // (0x000174c1) list_single_number_pane_t 0x8f96, // (0x00010aaa) list_single_graphic_pane_g1_ParamLimits 0x8f96, // (0x00010aaa) list_single_graphic_pane_g1 0x8fa2, // (0x00010ab6) list_single_graphic_pane_g2_ParamLimits 0x8fa2, // (0x00010ab6) list_single_graphic_pane_g2 0x8fae, // (0x00010ac2) list_single_graphic_pane_g3_ParamLimits 0x8fae, // (0x00010ac2) list_single_graphic_pane_g3 0x0002, 0xf62b, // (0x0001713f) list_single_graphic_pane_g_ParamLimits 0xf62b, // (0x0001713f) list_single_graphic_pane_g 0x8fba, // (0x00010ace) list_single_graphic_pane_t1_ParamLimits 0x8fba, // (0x00010ace) list_single_graphic_pane_t1 0x8fa2, // (0x00010ab6) list_single_heading_pane_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_single_heading_pane_g1 0x8fae, // (0x00010ac2) list_single_heading_pane_g2_ParamLimits 0x8fae, // (0x00010ac2) list_single_heading_pane_g2 0x0001, 0xf632, // (0x00017146) list_single_heading_pane_g_ParamLimits 0xf632, // (0x00017146) list_single_heading_pane_g 0x8fd0, // (0x00010ae4) list_single_heading_pane_t1_ParamLimits 0x8fd0, // (0x00010ae4) list_single_heading_pane_t1 0x8fe6, // (0x00010afa) list_single_heading_pane_t2_ParamLimits 0x8fe6, // (0x00010afa) list_single_heading_pane_t2 0x0001, 0xf637, // (0x0001714b) list_single_heading_pane_t_ParamLimits 0xf637, // (0x0001714b) list_single_heading_pane_t 0x8fa2, // (0x00010ab6) list_single_number_heading_pane_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_single_number_heading_pane_g1 0x8fae, // (0x00010ac2) list_single_number_heading_pane_g2_ParamLimits 0x8fae, // (0x00010ac2) list_single_number_heading_pane_g2 0x0001, 0xf632, // (0x00017146) list_single_number_heading_pane_g_ParamLimits 0xf632, // (0x00017146) list_single_number_heading_pane_g 0x8fd0, // (0x00010ae4) list_single_number_heading_pane_t1_ParamLimits 0x8fd0, // (0x00010ae4) list_single_number_heading_pane_t1 0x8ff8, // (0x00010b0c) list_single_number_heading_pane_t2_ParamLimits 0x8ff8, // (0x00010b0c) list_single_number_heading_pane_t2 0x900a, // (0x00010b1e) list_single_number_heading_pane_t3_ParamLimits 0x900a, // (0x00010b1e) list_single_number_heading_pane_t3 0x0002, 0xf63c, // (0x00017150) list_single_number_heading_pane_t_ParamLimits 0xf63c, // (0x00017150) list_single_number_heading_pane_t 0x8f96, // (0x00010aaa) list_single_graphic_heading_pane_g1_ParamLimits 0x8f96, // (0x00010aaa) list_single_graphic_heading_pane_g1 0x366e, // (0x0000b182) list_single_graphic_heading_pane_g4_ParamLimits 0x366e, // (0x0000b182) list_single_graphic_heading_pane_g4 0x8fae, // (0x00010ac2) list_single_graphic_heading_pane_g5_ParamLimits 0x8fae, // (0x00010ac2) list_single_graphic_heading_pane_g5 0x0002, 0xf643, // (0x00017157) list_single_graphic_heading_pane_g_ParamLimits 0xf643, // (0x00017157) list_single_graphic_heading_pane_g 0x8fd0, // (0x00010ae4) list_single_graphic_heading_pane_t1_ParamLimits 0x8fd0, // (0x00010ae4) list_single_graphic_heading_pane_t1 0x902d, // (0x00010b41) list_single_graphic_heading_pane_t2_ParamLimits 0x902d, // (0x00010b41) list_single_graphic_heading_pane_t2 0x0001, 0xf64a, // (0x0001715e) list_single_graphic_heading_pane_t_ParamLimits 0xf64a, // (0x0001715e) list_single_graphic_heading_pane_t 0xda73, // (0x00015587) list_single_large_graphic_pane_g1_ParamLimits 0xda73, // (0x00015587) list_single_large_graphic_pane_g1 0xa2d3, // (0x00011de7) list_single_large_graphic_pane_g2_ParamLimits 0xa2d3, // (0x00011de7) list_single_large_graphic_pane_g2 0xda7f, // (0x00015593) list_single_large_graphic_pane_g3_ParamLimits 0xda7f, // (0x00015593) list_single_large_graphic_pane_g3 0x0002, 0xf64f, // (0x00017163) list_single_large_graphic_pane_g_ParamLimits 0xf64f, // (0x00017163) list_single_large_graphic_pane_g 0xb867, // (0x0001337b) wait_border_pane_g2_copy1 0x367f, // (0x0000b193) list_single_large_graphic_pane_g4_cp2 0xda8b, // (0x0001559f) list_single_large_graphic_pane_t1_ParamLimits 0xda8b, // (0x0001559f) list_single_large_graphic_pane_t1 0x9081, // (0x00010b95) list_double_pane_g1_ParamLimits 0x9081, // (0x00010b95) list_double_pane_g1 0x908d, // (0x00010ba1) list_double_pane_g2_ParamLimits 0x908d, // (0x00010ba1) list_double_pane_g2 0x0001, 0xf656, // (0x0001716a) list_double_pane_g_ParamLimits 0xf656, // (0x0001716a) list_double_pane_g 0x9099, // (0x00010bad) list_double_pane_t1_ParamLimits 0x9099, // (0x00010bad) list_double_pane_t1 0x90af, // (0x00010bc3) list_double_pane_t2_ParamLimits 0x90af, // (0x00010bc3) list_double_pane_t2 0x0001, 0xf65b, // (0x0001716f) list_double_pane_t_ParamLimits 0xf65b, // (0x0001716f) list_double_pane_t 0x3687, // (0x0000b19b) list_double2_pane_g1_ParamLimits 0x3687, // (0x0000b19b) list_double2_pane_g1 0x90d2, // (0x00010be6) list_double2_pane_g2_ParamLimits 0x90d2, // (0x00010be6) list_double2_pane_g2 0x0001, 0xf660, // (0x00017174) list_double2_pane_g_ParamLimits 0xf660, // (0x00017174) list_double2_pane_g 0x90de, // (0x00010bf2) list_double2_pane_t1_ParamLimits 0x90de, // (0x00010bf2) list_double2_pane_t1 0x90f4, // (0x00010c08) list_double2_pane_t2_ParamLimits 0x90f4, // (0x00010c08) list_double2_pane_t2 0x0001, 0xf665, // (0x00017179) list_double2_pane_t_ParamLimits 0xf665, // (0x00017179) list_double2_pane_t 0x9081, // (0x00010b95) list_double_number_pane_g1_ParamLimits 0x9081, // (0x00010b95) list_double_number_pane_g1 0x908d, // (0x00010ba1) list_double_number_pane_g2_ParamLimits 0x908d, // (0x00010ba1) list_double_number_pane_g2 0x0001, 0xf656, // (0x0001716a) list_double_number_pane_g_ParamLimits 0xf656, // (0x0001716a) list_double_number_pane_g 0x9106, // (0x00010c1a) list_double_number_pane_t1_ParamLimits 0x9106, // (0x00010c1a) list_double_number_pane_t1 0x9118, // (0x00010c2c) list_double_number_pane_t2_ParamLimits 0x9118, // (0x00010c2c) list_double_number_pane_t2 0x912e, // (0x00010c42) list_double_number_pane_t3_ParamLimits 0x912e, // (0x00010c42) list_double_number_pane_t3 0x0002, 0xf66a, // (0x0001717e) list_double_number_pane_t_ParamLimits 0xf66a, // (0x0001717e) list_double_number_pane_t 0x9140, // (0x00010c54) list_double_graphic_pane_g1_ParamLimits 0x9140, // (0x00010c54) list_double_graphic_pane_g1 0x914c, // (0x00010c60) list_double_graphic_pane_g2_ParamLimits 0x914c, // (0x00010c60) list_double_graphic_pane_g2 0x915b, // (0x00010c6f) list_double_graphic_pane_g3_ParamLimits 0x915b, // (0x00010c6f) list_double_graphic_pane_g3 0x0003, 0xf671, // (0x00017185) list_double_graphic_pane_g_ParamLimits 0xf671, // (0x00017185) list_double_graphic_pane_g 0x9173, // (0x00010c87) list_double_graphic_pane_t1_ParamLimits 0x9173, // (0x00010c87) list_double_graphic_pane_t1 0x9189, // (0x00010c9d) list_double_graphic_pane_t2_ParamLimits 0x9189, // (0x00010c9d) list_double_graphic_pane_t2 0x0001, 0xf67a, // (0x0001718e) list_double_graphic_pane_t_ParamLimits 0xf67a, // (0x0001718e) list_double_graphic_pane_t 0x919b, // (0x00010caf) list_double2_graphic_pane_g1_ParamLimits 0x919b, // (0x00010caf) list_double2_graphic_pane_g1 0x91a7, // (0x00010cbb) list_double2_graphic_pane_g2_ParamLimits 0x91a7, // (0x00010cbb) list_double2_graphic_pane_g2 0x90d2, // (0x00010be6) list_double2_graphic_pane_g3_ParamLimits 0x90d2, // (0x00010be6) list_double2_graphic_pane_g3 0x0002, 0xf67f, // (0x00017193) list_double2_graphic_pane_g_ParamLimits 0xf67f, // (0x00017193) list_double2_graphic_pane_g 0x91b3, // (0x00010cc7) list_double2_graphic_pane_t1_ParamLimits 0x91b3, // (0x00010cc7) list_double2_graphic_pane_t1 0x91c9, // (0x00010cdd) list_double2_graphic_pane_t2_ParamLimits 0x91c9, // (0x00010cdd) list_double2_graphic_pane_t2 0x0001, 0xf686, // (0x0001719a) list_double2_graphic_pane_t_ParamLimits 0xf686, // (0x0001719a) list_double2_graphic_pane_t 0x3698, // (0x0000b1ac) list_double_large_graphic_pane_g1_ParamLimits 0x3698, // (0x0000b1ac) list_double_large_graphic_pane_g1 0x36c3, // (0x0000b1d7) list_double_large_graphic_pane_g2_ParamLimits 0x36c3, // (0x0000b1d7) list_double_large_graphic_pane_g2 0x908d, // (0x00010ba1) list_double_large_graphic_pane_g3_ParamLimits 0x908d, // (0x00010ba1) list_double_large_graphic_pane_g3 0x36d4, // (0x0000b1e8) list_double_large_graphic_pane_g4_ParamLimits 0x36d4, // (0x0000b1e8) list_double_large_graphic_pane_g4 0x0004, 0xf68b, // (0x0001719f) list_double_large_graphic_pane_g_ParamLimits 0xf68b, // (0x0001719f) list_double_large_graphic_pane_g 0x9233, // (0x00010d47) list_double_large_graphic_pane_t1_ParamLimits 0x9233, // (0x00010d47) list_double_large_graphic_pane_t1 0x924c, // (0x00010d60) list_double_large_graphic_pane_t2_ParamLimits 0x924c, // (0x00010d60) list_double_large_graphic_pane_t2 0x0001, 0xf696, // (0x000171aa) list_double_large_graphic_pane_t_ParamLimits 0xf696, // (0x000171aa) list_double_large_graphic_pane_t 0x36e7, // (0x0000b1fb) list_double2_large_graphic_pane_g1_ParamLimits 0x36e7, // (0x0000b1fb) list_double2_large_graphic_pane_g1 0x3687, // (0x0000b19b) list_double2_large_graphic_pane_g2_ParamLimits 0x3687, // (0x0000b19b) list_double2_large_graphic_pane_g2 0x90d2, // (0x00010be6) list_double2_large_graphic_pane_g3_ParamLimits 0x90d2, // (0x00010be6) list_double2_large_graphic_pane_g3 0x0002, 0xf69b, // (0x000171af) list_double2_large_graphic_pane_g_ParamLimits 0xf69b, // (0x000171af) list_double2_large_graphic_pane_g 0x926a, // (0x00010d7e) list_double2_large_graphic_pane_t1_ParamLimits 0x926a, // (0x00010d7e) list_double2_large_graphic_pane_t1 0x9280, // (0x00010d94) list_double2_large_graphic_pane_t2_ParamLimits 0x9280, // (0x00010d94) list_double2_large_graphic_pane_t2 0x0001, 0xf6a2, // (0x000171b6) list_double2_large_graphic_pane_t_ParamLimits 0xf6a2, // (0x000171b6) list_double2_large_graphic_pane_t 0x36f3, // (0x0000b207) list_double_heading_pane_g1_ParamLimits 0x36f3, // (0x0000b207) list_double_heading_pane_g1 0x92a3, // (0x00010db7) list_double_heading_pane_g2_ParamLimits 0x92a3, // (0x00010db7) list_double_heading_pane_g2 0x0001, 0xf6a7, // (0x000171bb) list_double_heading_pane_g_ParamLimits 0xf6a7, // (0x000171bb) list_double_heading_pane_g 0x92af, // (0x00010dc3) list_double_heading_pane_t1_ParamLimits 0x92af, // (0x00010dc3) list_double_heading_pane_t1 0x92c5, // (0x00010dd9) list_double_heading_pane_t2_ParamLimits 0x92c5, // (0x00010dd9) list_double_heading_pane_t2 0x0001, 0xf6ac, // (0x000171c0) list_double_heading_pane_t_ParamLimits 0xf6ac, // (0x000171c0) list_double_heading_pane_t 0x3704, // (0x0000b218) list_double_graphic_heading_pane_g1_ParamLimits 0x3704, // (0x0000b218) list_double_graphic_heading_pane_g1 0x36f3, // (0x0000b207) list_double_graphic_heading_pane_g2_ParamLimits 0x36f3, // (0x0000b207) list_double_graphic_heading_pane_g2 0x92a3, // (0x00010db7) list_double_graphic_heading_pane_g3_ParamLimits 0x92a3, // (0x00010db7) list_double_graphic_heading_pane_g3 0x0002, 0xf6b1, // (0x000171c5) list_double_graphic_heading_pane_g_ParamLimits 0xf6b1, // (0x000171c5) list_double_graphic_heading_pane_g 0x92e3, // (0x00010df7) list_double_graphic_heading_pane_t1_ParamLimits 0x92e3, // (0x00010df7) list_double_graphic_heading_pane_t1 0x92f9, // (0x00010e0d) list_double_graphic_heading_pane_t2_ParamLimits 0x92f9, // (0x00010e0d) list_double_graphic_heading_pane_t2 0x0001, 0xf6b8, // (0x000171cc) list_double_graphic_heading_pane_t_ParamLimits 0xf6b8, // (0x000171cc) list_double_graphic_heading_pane_t 0x36c3, // (0x0000b1d7) list_double_time_pane_g1_ParamLimits 0x36c3, // (0x0000b1d7) list_double_time_pane_g1 0x908d, // (0x00010ba1) list_double_time_pane_g2_ParamLimits 0x908d, // (0x00010ba1) list_double_time_pane_g2 0x0001, 0xf6bd, // (0x000171d1) list_double_time_pane_g_ParamLimits 0xf6bd, // (0x000171d1) list_double_time_pane_g 0x930b, // (0x00010e1f) list_double_time_pane_t1_ParamLimits 0x930b, // (0x00010e1f) list_double_time_pane_t1 0x9321, // (0x00010e35) list_double_time_pane_t2_ParamLimits 0x9321, // (0x00010e35) list_double_time_pane_t2 0x9333, // (0x00010e47) list_double_time_pane_t3_ParamLimits 0x9333, // (0x00010e47) list_double_time_pane_t3 0x9345, // (0x00010e59) list_double_time_pane_t4_ParamLimits 0x9345, // (0x00010e59) list_double_time_pane_t4 0x0003, 0xf6c2, // (0x000171d6) list_double_time_pane_t_ParamLimits 0xf6c2, // (0x000171d6) list_double_time_pane_t 0x91a7, // (0x00010cbb) list_setting_pane_g1_ParamLimits 0x91a7, // (0x00010cbb) list_setting_pane_g1 0x90d2, // (0x00010be6) list_setting_pane_g2_ParamLimits 0x90d2, // (0x00010be6) list_setting_pane_g2 0x0001, 0xf6cb, // (0x000171df) list_setting_pane_g_ParamLimits 0xf6cb, // (0x000171df) list_setting_pane_g 0x9357, // (0x00010e6b) list_setting_pane_t1_ParamLimits 0x9357, // (0x00010e6b) list_setting_pane_t1 0x936e, // (0x00010e82) list_setting_pane_t2_ParamLimits 0x936e, // (0x00010e82) list_setting_pane_t2 0x0002, 0xf6d0, // (0x000171e4) list_setting_pane_t_ParamLimits 0xf6d0, // (0x000171e4) list_setting_pane_t 0x93ad, // (0x00010ec1) set_value_pane_cp_ParamLimits 0x93ad, // (0x00010ec1) set_value_pane_cp 0x91a7, // (0x00010cbb) list_setting_number_pane_g1_ParamLimits 0x91a7, // (0x00010cbb) list_setting_number_pane_g1 0x90d2, // (0x00010be6) list_setting_number_pane_g2_ParamLimits 0x90d2, // (0x00010be6) list_setting_number_pane_g2 0x0001, 0xf6cb, // (0x000171df) list_setting_number_pane_g_ParamLimits 0xf6cb, // (0x000171df) list_setting_number_pane_g 0x3710, // (0x0000b224) list_setting_number_pane_t1_ParamLimits 0x3710, // (0x0000b224) list_setting_number_pane_t1 0x93cf, // (0x00010ee3) list_setting_number_pane_t2_ParamLimits 0x93cf, // (0x00010ee3) list_setting_number_pane_t2 0x3724, // (0x0000b238) list_setting_number_pane_t3_ParamLimits 0x3724, // (0x0000b238) list_setting_number_pane_t3 0x0003, 0xf6d7, // (0x000171eb) list_setting_number_pane_t_ParamLimits 0xf6d7, // (0x000171eb) list_setting_number_pane_t 0x93ad, // (0x00010ec1) set_value_pane_ParamLimits 0x93ad, // (0x00010ec1) set_value_pane 0x9429, // (0x00010f3d) bg_set_opt_pane_ParamLimits 0x9429, // (0x00010f3d) bg_set_opt_pane 0x944a, // (0x00010f5e) set_value_pane_t1 0x9458, // (0x00010f6c) slider_set_pane_cp3 0x9461, // (0x00010f75) volume_small_pane_cp 0x946a, // (0x00010f7e) list_form_gen_pane 0x8f85, // (0x00010a99) scroll_pane_cp8 0xdaa1, // (0x000155b5) form_field_data_pane_ParamLimits 0xdaa1, // (0x000155b5) form_field_data_pane 0x3767, // (0x0000b27b) form_field_data_wide_pane_ParamLimits 0x3767, // (0x0000b27b) form_field_data_wide_pane 0x94d0, // (0x00010fe4) form_field_popup_pane_ParamLimits 0x94d0, // (0x00010fe4) form_field_popup_pane 0x378b, // (0x0000b29f) form_field_popup_wide_pane_ParamLimits 0x378b, // (0x0000b29f) form_field_popup_wide_pane 0x950b, // (0x0001101f) form_field_slider_pane_ParamLimits 0x950b, // (0x0001101f) form_field_slider_pane 0x951e, // (0x00011032) form_field_slider_wide_pane_ParamLimits 0x951e, // (0x00011032) form_field_slider_wide_pane 0x9531, // (0x00011045) data_form_pane 0x37b2, // (0x0000b2c6) form_field_data_pane_t1 0x9561, // (0x00011075) input_focus_pane 0x956f, // (0x00011083) data_form_wide_pane 0x95a7, // (0x000110bb) form_field_data_wide_pane_t1 0x8d95, // (0x000108a9) input_focus_pane_cp6 0x37cc, // (0x0000b2e0) form_field_popup_pane_t1 0x9561, // (0x00011075) input_focus_pane_cp7 0x9531, // (0x00011045) list_form_pane 0x95eb, // (0x000110ff) form_field_popup_wide_pane_t1 0x9561, // (0x00011075) input_focus_pane_cp8 0x9600, // (0x00011114) list_form_wide_pane 0x37ee, // (0x0000b302) form_field_slider_pane_t1_ParamLimits 0x37ee, // (0x0000b302) form_field_slider_pane_t1 0x3806, // (0x0000b31a) form_field_slider_pane_t2_ParamLimits 0x3806, // (0x0000b31a) form_field_slider_pane_t2 0x0001, 0xf6e7, // (0x000171fb) form_field_slider_pane_t_ParamLimits 0xf6e7, // (0x000171fb) form_field_slider_pane_t 0x89f2, // (0x00010506) input_focus_pane_cp9_ParamLimits 0x89f2, // (0x00010506) input_focus_pane_cp9 0x381b, // (0x0000b32f) slider_cont_pane_ParamLimits 0x381b, // (0x0000b32f) slider_cont_pane 0x9658, // (0x0001116c) form_field_slider_wide_pane_t1_ParamLimits 0x9658, // (0x0001116c) form_field_slider_wide_pane_t1 0x966a, // (0x0001117e) form_field_slider_wide_pane_t2_ParamLimits 0x966a, // (0x0001117e) form_field_slider_wide_pane_t2 0x0001, 0xf6ec, // (0x00017200) form_field_slider_wide_pane_t_ParamLimits 0xf6ec, // (0x00017200) form_field_slider_wide_pane_t 0x89f2, // (0x00010506) input_focus_pane_cp10_ParamLimits 0x89f2, // (0x00010506) input_focus_pane_cp10 0x382f, // (0x0000b343) slider_cont_pane_cp1_ParamLimits 0x382f, // (0x0000b343) slider_cont_pane_cp1 0x3845, // (0x0000b359) slider_form_pane_cp 0x969a, // (0x000111ae) input_focus_pane_g1 0x96a2, // (0x000111b6) input_focus_pane_g2 0x96aa, // (0x000111be) input_focus_pane_g3 0x96b2, // (0x000111c6) input_focus_pane_g4 0x96ba, // (0x000111ce) input_focus_pane_g5 0x96c2, // (0x000111d6) input_focus_pane_g6 0x96ca, // (0x000111de) input_focus_pane_g7 0x96d2, // (0x000111e6) input_focus_pane_g8 0x96da, // (0x000111ee) input_focus_pane_g9 0x856c, // (0x00010080) input_focus_pane_g10 0x0009, 0xf6f1, // (0x00017205) input_focus_pane_g 0xb870, // (0x00013384) wait_border_pane_g3_copy1 0x384d, // (0x0000b361) data_form_pane_t1 0x856c, // (0x00010080) wait_anim_pane_g1_copy1 0x4e3d, // (0x0000c951) data_form_wide_pane_t1 0x3869, // (0x0000b37d) list_form_graphic_pane_cp_ParamLimits 0x3869, // (0x0000b37d) list_form_graphic_pane_cp 0xd5ce, // (0x000150e2) slider_form_pane_g1 0xd5d7, // (0x000150eb) slider_form_pane_g2 0x0006, 0xf9dd, // (0x000174f1) slider_form_pane_g 0x9701, // (0x00011215) list_form_graphic_pane_ParamLimits 0x9701, // (0x00011215) list_form_graphic_pane 0x9732, // (0x00011246) list_form_graphic_pane_g1 0x973a, // (0x0001124e) list_form_graphic_pane_t1_ParamLimits 0x973a, // (0x0001124e) list_form_graphic_pane_t1 0x8746, // (0x0001025a) list_highlight_pane_cp5_ParamLimits 0x8746, // (0x0001025a) list_highlight_pane_cp5 0x387d, // (0x0000b391) find_pane_g1 0x975a, // (0x0001126e) input_find_pane 0x9763, // (0x00011277) input_find_pane_g1_ParamLimits 0x9763, // (0x00011277) input_find_pane_g1 0x976f, // (0x00011283) input_find_pane_t1_ParamLimits 0x976f, // (0x00011283) input_find_pane_t1 0x9784, // (0x00011298) input_find_pane_t2_ParamLimits 0x9784, // (0x00011298) input_find_pane_t2 0x0001, 0xf706, // (0x0001721a) input_find_pane_t_ParamLimits 0xf706, // (0x0001721a) input_find_pane_t 0x9799, // (0x000112ad) input_focus_pane_cp5_ParamLimits 0x9799, // (0x000112ad) input_focus_pane_cp5 0x89f2, // (0x00010506) bg_popup_window_pane_cp2_ParamLimits 0x89f2, // (0x00010506) bg_popup_window_pane_cp2 0x97b3, // (0x000112c7) listscroll_menu_pane_ParamLimits 0x97b3, // (0x000112c7) listscroll_menu_pane 0x97bf, // (0x000112d3) popup_submenu_window_ParamLimits 0x97bf, // (0x000112d3) popup_submenu_window 0x97ed, // (0x00011301) find_popup_pane_g1 0x97f5, // (0x00011309) input_popup_find_pane_cp 0x9799, // (0x000112ad) input_focus_pane_cp4_ParamLimits 0x9799, // (0x000112ad) input_focus_pane_cp4 0x980d, // (0x00011321) input_popup_find_pane_t1_ParamLimits 0x980d, // (0x00011321) input_popup_find_pane_t1 0x8666, // (0x0001017a) bg_popup_sub_pane_cp 0x983b, // (0x0001134f) listscroll_popup_sub_pane 0x9843, // (0x00011357) list_submenu_pane_ParamLimits 0x9843, // (0x00011357) list_submenu_pane 0x9854, // (0x00011368) scroll_pane_cp4 0x985c, // (0x00011370) list_single_popup_submenu_pane_ParamLimits 0x985c, // (0x00011370) list_single_popup_submenu_pane 0x9870, // (0x00011384) list_single_popup_submenu_pane_g1 0x9878, // (0x0001138c) list_single_popup_submenu_pane_t1_ParamLimits 0x9878, // (0x0001138c) list_single_popup_submenu_pane_t1 0x89f2, // (0x00010506) bg_active_tab_pane_cp1_ParamLimits 0x89f2, // (0x00010506) bg_active_tab_pane_cp1 0x3896, // (0x0000b3aa) tabs_2_active_pane_g1 0x389e, // (0x0000b3b2) tabs_2_active_pane_t1 0x89f2, // (0x00010506) bg_passive_tab_pane_cp1_ParamLimits 0x89f2, // (0x00010506) bg_passive_tab_pane_cp1 0x3896, // (0x0000b3aa) tabs_2_passive_pane_g1 0x389e, // (0x0000b3b2) tabs_2_passive_pane_t1 0x8746, // (0x0001025a) bg_active_tab_pane_cp4 0x38b4, // (0x0000b3c8) tabs_2_long_active_pane_t1 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp4 0x744f, // (0x0000ef63) list_single_midp_graphic_pane_g4_ParamLimits 0x8746, // (0x0001025a) bg_active_tab_pane_cp5 0x38cb, // (0x0000b3df) tabs_3_long_active_pane_t1 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp5 0x744f, // (0x0000ef63) list_single_midp_graphic_pane_g4 0x8746, // (0x0001025a) bg_popup_window_pane_cp13_ParamLimits 0x8746, // (0x0001025a) bg_popup_window_pane_cp13 0x98ef, // (0x00011403) listscroll_popup_fast_pane_ParamLimits 0x98ef, // (0x00011403) listscroll_popup_fast_pane 0x98fb, // (0x0001140f) grid_popup_fast_pane_ParamLimits 0x98fb, // (0x0001140f) grid_popup_fast_pane 0x990d, // (0x00011421) scroll_pane_cp9_ParamLimits 0x990d, // (0x00011421) scroll_pane_cp9 0xedb5, // (0x000168c9) list_single_graphic_hl_pane_t1_cp2_ParamLimits 0xedb5, // (0x000168c9) list_single_graphic_hl_pane_t1_cp2 0x9931, // (0x00011445) input_focus_pane_cp20_ParamLimits 0x9931, // (0x00011445) input_focus_pane_cp20 0x993f, // (0x00011453) query_popup_data_pane_t1_ParamLimits 0x993f, // (0x00011453) query_popup_data_pane_t1 0x9952, // (0x00011466) query_popup_data_pane_t2_ParamLimits 0x9952, // (0x00011466) query_popup_data_pane_t2 0x9998, // (0x000114ac) query_popup_data_pane_t3_ParamLimits 0x9998, // (0x000114ac) query_popup_data_pane_t3 0x99d9, // (0x000114ed) query_popup_data_pane_t4_ParamLimits 0x99d9, // (0x000114ed) query_popup_data_pane_t4 0x9a15, // (0x00011529) query_popup_data_pane_t5_ParamLimits 0x9a15, // (0x00011529) query_popup_data_pane_t5 0x0004, 0xf70b, // (0x0001721f) query_popup_data_pane_t_ParamLimits 0xf70b, // (0x0001721f) query_popup_data_pane_t 0x969a, // (0x000111ae) bg_set_opt_pane_g1 0x96a2, // (0x000111b6) bg_set_opt_pane_g2 0x96aa, // (0x000111be) bg_set_opt_pane_g3 0x96b2, // (0x000111c6) bg_set_opt_pane_g4 0x96ba, // (0x000111ce) bg_set_opt_pane_g5 0x96c2, // (0x000111d6) bg_set_opt_pane_g6 0x96ca, // (0x000111de) bg_set_opt_pane_g7 0x96d2, // (0x000111e6) bg_set_opt_pane_g8 0x96da, // (0x000111ee) bg_set_opt_pane_g9 0x0008, 0xf716, // (0x0001722a) bg_set_opt_pane_g 0x7047, // (0x0000eb5b) control_top_pane_stacon_ParamLimits 0x7047, // (0x0000eb5b) control_top_pane_stacon 0x709a, // (0x0000ebae) signal_pane_stacon_ParamLimits 0x709a, // (0x0000ebae) signal_pane_stacon 0xa061, // (0x00011b75) stacon_top_pane_g1_ParamLimits 0xa061, // (0x00011b75) stacon_top_pane_g1 0x70bf, // (0x0000ebd3) title_pane_stacon_ParamLimits 0x70bf, // (0x0000ebd3) title_pane_stacon 0x70e9, // (0x0000ebfd) uni_indicator_pane_stacon_ParamLimits 0x70e9, // (0x0000ebfd) uni_indicator_pane_stacon 0x70fe, // (0x0000ec12) battery_pane_stacon_ParamLimits 0x70fe, // (0x0000ec12) battery_pane_stacon 0x7142, // (0x0000ec56) control_bottom_pane_stacon_ParamLimits 0x7142, // (0x0000ec56) control_bottom_pane_stacon 0x7165, // (0x0000ec79) navi_pane_stacon_ParamLimits 0x7165, // (0x0000ec79) navi_pane_stacon 0xa083, // (0x00011b97) stacon_bottom_pane_g1_ParamLimits 0xa083, // (0x00011b97) stacon_bottom_pane_g1 0x9a4c, // (0x00011560) aid_levels_signal_lsc_ParamLimits 0x9a4c, // (0x00011560) aid_levels_signal_lsc 0x6e15, // (0x0000e929) signal_pane_stacon_g1_ParamLimits 0x6e15, // (0x0000e929) signal_pane_stacon_g1 0x6e21, // (0x0000e935) signal_pane_stacon_g2_ParamLimits 0x6e21, // (0x0000e935) signal_pane_stacon_g2 0x0001, 0xf729, // (0x0001723d) signal_pane_stacon_g_ParamLimits 0xf729, // (0x0001723d) signal_pane_stacon_g 0x6e55, // (0x0000e969) title_pane_stacon_t1_ParamLimits 0x6e55, // (0x0000e969) title_pane_stacon_t1 0x9a66, // (0x0001157a) uni_indicator_pane_stacon_g1 0x9a70, // (0x00011584) uni_indicator_pane_stacon_g2 0x9a7a, // (0x0001158e) uni_indicator_pane_stacon_g3 0x9a84, // (0x00011598) uni_indicator_pane_stacon_g4 0x0003, 0xf735, // (0x00017249) uni_indicator_pane_stacon_g 0x6e7a, // (0x0000e98e) control_top_pane_stacon_g1 0x6e82, // (0x0000e996) control_top_pane_stacon_t1_ParamLimits 0x6e82, // (0x0000e996) control_top_pane_stacon_t1 0x9a8e, // (0x000115a2) aid_levels_battery_lsc_ParamLimits 0x9a8e, // (0x000115a2) aid_levels_battery_lsc 0x6eb3, // (0x0000e9c7) battery_pane_stacon_g1_ParamLimits 0x6eb3, // (0x0000e9c7) battery_pane_stacon_g1 0x6ebf, // (0x0000e9d3) battery_pane_stacon_g2_ParamLimits 0x6ebf, // (0x0000e9d3) battery_pane_stacon_g2 0x0001, 0xf73e, // (0x00017252) battery_pane_stacon_g_ParamLimits 0xf73e, // (0x00017252) battery_pane_stacon_g 0x9a9c, // (0x000115b0) navi_icon_pane_stacon 0x6ef6, // (0x0000ea0a) navi_navi_pane_stacon 0x9a9c, // (0x000115b0) navi_text_pane_stacon 0x6e7a, // (0x0000e98e) control_bottom_pane_stacon_g1 0x6f08, // (0x0000ea1c) control_bottom_pane_stacon_t1_ParamLimits 0x6f08, // (0x0000ea1c) control_bottom_pane_stacon_t1 0x38e1, // (0x0000b3f5) grid_app_pane_ParamLimits 0x38e1, // (0x0000b3f5) grid_app_pane 0x390c, // (0x0000b420) scroll_pane_cp15_ParamLimits 0x390c, // (0x0000b420) scroll_pane_cp15 0x3923, // (0x0000b437) cell_app_pane_ParamLimits 0x3923, // (0x0000b437) cell_app_pane 0x3966, // (0x0000b47a) cell_app_pane_g1_ParamLimits 0x3966, // (0x0000b47a) cell_app_pane_g1 0x9b3f, // (0x00011653) cell_app_pane_g2_ParamLimits 0x9b3f, // (0x00011653) cell_app_pane_g2 0x0001, 0xf743, // (0x00017257) cell_app_pane_g_ParamLimits 0xf743, // (0x00017257) cell_app_pane_g 0x9b4b, // (0x0001165f) cell_app_pane_t1_ParamLimits 0x9b4b, // (0x0001165f) cell_app_pane_t1 0x9b5d, // (0x00011671) grid_highlight_pane_ParamLimits 0x9b5d, // (0x00011671) grid_highlight_pane 0x969a, // (0x000111ae) cell_highlight_pane_g1 0x96a2, // (0x000111b6) cell_highlight_pane_g2 0x96aa, // (0x000111be) cell_highlight_pane_g3 0x96b2, // (0x000111c6) cell_highlight_pane_g4 0x96ba, // (0x000111ce) cell_highlight_pane_g5 0x96c2, // (0x000111d6) cell_highlight_pane_g6 0x96ca, // (0x000111de) cell_highlight_pane_g7 0x96d2, // (0x000111e6) cell_highlight_pane_g8 0x96da, // (0x000111ee) cell_highlight_pane_g9 0x856c, // (0x00010080) cell_highlight_pane_g10 0x0009, 0xf6f1, // (0x00017205) cell_highlight_pane_g 0x9b6e, // (0x00011682) bg_scroll_pane 0x6f4c, // (0x0000ea60) scroll_handle_pane 0x9bb5, // (0x000116c9) scroll_bg_pane_g1 0x9bca, // (0x000116de) scroll_bg_pane_g2 0x9be2, // (0x000116f6) scroll_bg_pane_g3 0x0002, 0xf748, // (0x0001725c) scroll_bg_pane_g 0x9bf7, // (0x0001170b) scroll_handle_focus_pane_ParamLimits 0x9bf7, // (0x0001170b) scroll_handle_focus_pane 0x9bb5, // (0x000116c9) scroll_handle_pane_g1 0x9c04, // (0x00011718) scroll_handle_pane_g2 0x9be2, // (0x000116f6) scroll_handle_pane_g3 0x0002, 0xf74f, // (0x00017263) scroll_handle_pane_g 0x9799, // (0x000112ad) bg_popup_sub_pane_cp21_ParamLimits 0x9799, // (0x000112ad) bg_popup_sub_pane_cp21 0x9c18, // (0x0001172c) popup_fep_japan_predictive_window_t1_ParamLimits 0x9c18, // (0x0001172c) popup_fep_japan_predictive_window_t1 0x9c2f, // (0x00011743) popup_fep_japan_predictive_window_t2_ParamLimits 0x9c2f, // (0x00011743) popup_fep_japan_predictive_window_t2 0x9c62, // (0x00011776) popup_fep_japan_predictive_window_t3_ParamLimits 0x9c62, // (0x00011776) popup_fep_japan_predictive_window_t3 0x0002, 0xf756, // (0x0001726a) popup_fep_japan_predictive_window_t_ParamLimits 0xf756, // (0x0001726a) popup_fep_japan_predictive_window_t 0x8666, // (0x0001017a) bg_popup_sub_pane_cp23 0x9c99, // (0x000117ad) listscroll_japin_cand_pane 0x9ca1, // (0x000117b5) popup_fep_japan_candidate_window_t1 0x9caf, // (0x000117c3) candidate_pane_ParamLimits 0x9caf, // (0x000117c3) candidate_pane 0x9cc2, // (0x000117d6) scroll_pane_cp30 0x9ccc, // (0x000117e0) list_single_popup_jap_candidate_pane_ParamLimits 0x9ccc, // (0x000117e0) list_single_popup_jap_candidate_pane 0x8666, // (0x0001017a) list_highlight_pane_cp30 0x9ce1, // (0x000117f5) list_single_popup_jap_candidate_pane_t1 0x398a, // (0x0000b49e) level_1_signal 0x399c, // (0x0000b4b0) level_2_signal 0x39af, // (0x0000b4c3) level_3_signal 0x39c2, // (0x0000b4d6) level_4_signal 0x39d5, // (0x0000b4e9) level_5_signal 0x39e8, // (0x0000b4fc) level_6_signal 0x39fb, // (0x0000b50f) level_7_signal 0x398a, // (0x0000b49e) level_1_battery 0x399c, // (0x0000b4b0) level_2_battery 0x39af, // (0x0000b4c3) level_3_battery 0x39c2, // (0x0000b4d6) level_4_battery 0x39d5, // (0x0000b4e9) level_5_battery 0x39e8, // (0x0000b4fc) level_6_battery 0x39fb, // (0x0000b50f) level_7_battery 0x9d63, // (0x00011877) list_menu_pane_ParamLimits 0x9d63, // (0x00011877) list_menu_pane 0x9d74, // (0x00011888) scroll_pane_cp25_ParamLimits 0x9d74, // (0x00011888) scroll_pane_cp25 0x9d8d, // (0x000118a1) list_double2_graphic_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double2_graphic_pane_cp2 0x9d8d, // (0x000118a1) list_double2_large_graphic_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double2_large_graphic_pane_cp2 0x9d8d, // (0x000118a1) list_double2_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double2_pane_cp2 0x9d8d, // (0x000118a1) list_double_graphic_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double_graphic_pane_cp2 0x9d8d, // (0x000118a1) list_double_large_graphic_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double_large_graphic_pane_cp2 0x9d8d, // (0x000118a1) list_double_number_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double_number_pane_cp2 0x9d8d, // (0x000118a1) list_double_pane_cp2_ParamLimits 0x9d8d, // (0x000118a1) list_double_pane_cp2 0x3a0e, // (0x0000b522) list_single_2graphic_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_2graphic_pane_cp2 0x3a0e, // (0x0000b522) list_single_graphic_heading_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_graphic_heading_pane_cp2 0x3a0e, // (0x0000b522) list_single_graphic_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_graphic_pane_cp2 0x3a0e, // (0x0000b522) list_single_heading_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_heading_pane_cp2 0x9dc5, // (0x000118d9) list_single_large_graphic_pane_cp2_ParamLimits 0x9dc5, // (0x000118d9) list_single_large_graphic_pane_cp2 0x3a0e, // (0x0000b522) list_single_number_heading_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_number_heading_pane_cp2 0x3a0e, // (0x0000b522) list_single_number_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_number_pane_cp2 0x3a0e, // (0x0000b522) list_single_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_pane_cp2 0x9e1b, // (0x0001192f) bg_popup_sub_pane_cp22 0x6ffb, // (0x0000eb0f) popup_side_volume_key_window_g1 0x7021, // (0x0000eb35) popup_side_volume_key_window_t1 0x703f, // (0x0000eb53) volume_small_pane_cp1 0x89f2, // (0x00010506) bg_popup_sub_pane_cp24_ParamLimits 0x89f2, // (0x00010506) bg_popup_sub_pane_cp24 0x9e31, // (0x00011945) fep_china_uni_candidate_pane_ParamLimits 0x9e31, // (0x00011945) fep_china_uni_candidate_pane 0x9e45, // (0x00011959) fep_china_uni_entry_pane 0x9e55, // (0x00011969) popup_fep_china_uni_window_g1 0x9e71, // (0x00011985) fep_china_uni_entry_pane_g1 0x9e7b, // (0x0001198f) fep_china_uni_entry_pane_g2 0x0001, 0xf783, // (0x00017297) fep_china_uni_entry_pane_g 0x9e85, // (0x00011999) fep_entry_item_pane 0x9e8f, // (0x000119a3) fep_candidate_item_pane 0x9e97, // (0x000119ab) fep_china_uni_candidate_pane_g1 0x9ea1, // (0x000119b5) fep_china_uni_candidate_pane_g2 0x9ea9, // (0x000119bd) fep_china_uni_candidate_pane_g3 0x9eb1, // (0x000119c5) fep_china_uni_candidate_pane_g4 0x0003, 0xf788, // (0x0001729c) fep_china_uni_candidate_pane_g 0x856c, // (0x00010080) fep_entry_item_pane_g1 0x9ebb, // (0x000119cf) fep_entry_item_pane_t1_ParamLimits 0x9ebb, // (0x000119cf) fep_entry_item_pane_t1 0x9ed1, // (0x000119e5) fep_candidate_item_pane_t1_ParamLimits 0x9ed1, // (0x000119e5) fep_candidate_item_pane_t1 0x9ee6, // (0x000119fa) fep_candidate_item_pane_t2_ParamLimits 0x9ee6, // (0x000119fa) fep_candidate_item_pane_t2 0x0001, 0xf791, // (0x000172a5) fep_candidate_item_pane_t_ParamLimits 0xf791, // (0x000172a5) fep_candidate_item_pane_t 0x8746, // (0x0001025a) list_highlight_pane_cp31_ParamLimits 0x8746, // (0x0001025a) list_highlight_pane_cp31 0x9ef8, // (0x00011a0c) level_1_signal_lsc 0x9f01, // (0x00011a15) level_2_signal_lsc 0x9f0a, // (0x00011a1e) level_3_signal_lsc 0x9f13, // (0x00011a27) level_4_signal_lsc 0x9f1c, // (0x00011a30) level_5_signal_lsc 0x9f25, // (0x00011a39) level_6_signal_lsc 0x9f2e, // (0x00011a42) level_7_signal_lsc 0x9f2e, // (0x00011a42) level_1_battery_lsc 0x9f37, // (0x00011a4b) level_2_battery_lsc 0x9f40, // (0x00011a54) level_3_battery_lsc 0x9f49, // (0x00011a5d) level_4_battery_lsc 0x9f52, // (0x00011a66) level_5_battery_lsc 0x9f5b, // (0x00011a6f) level_6_battery_lsc 0x9ef8, // (0x00011a0c) level_7_battery_lsc 0x9f64, // (0x00011a78) scroll_handle_focus_pane_g1 0x9f6d, // (0x00011a81) scroll_handle_focus_pane_g2 0x9f76, // (0x00011a8a) scroll_handle_focus_pane_g3 0x0002, 0xf796, // (0x000172aa) scroll_handle_focus_pane_g 0x9f7f, // (0x00011a93) list_single_2graphic_pane_g1_ParamLimits 0x9f7f, // (0x00011a93) list_single_2graphic_pane_g1 0x366e, // (0x0000b182) list_single_2graphic_pane_g2_ParamLimits 0x366e, // (0x0000b182) list_single_2graphic_pane_g2 0x8fae, // (0x00010ac2) list_single_2graphic_pane_g3_ParamLimits 0x8fae, // (0x00010ac2) list_single_2graphic_pane_g3 0x9f8b, // (0x00011a9f) list_single_2graphic_pane_g4_ParamLimits 0x9f8b, // (0x00011a9f) list_single_2graphic_pane_g4 0x0003, 0xf79d, // (0x000172b1) list_single_2graphic_pane_g_ParamLimits 0xf79d, // (0x000172b1) list_single_2graphic_pane_g 0x9f9c, // (0x00011ab0) list_single_2graphic_pane_t1_ParamLimits 0x9f9c, // (0x00011ab0) list_single_2graphic_pane_t1 0x3a6d, // (0x0000b581) list_double2_graphic_large_graphic_pane_g1_ParamLimits 0x3a6d, // (0x0000b581) list_double2_graphic_large_graphic_pane_g1 0x3687, // (0x0000b19b) list_double2_graphic_large_graphic_pane_g2_ParamLimits 0x3687, // (0x0000b19b) list_double2_graphic_large_graphic_pane_g2 0x90d2, // (0x00010be6) list_double2_graphic_large_graphic_pane_g3_ParamLimits 0x90d2, // (0x00010be6) list_double2_graphic_large_graphic_pane_g3 0x9fdc, // (0x00011af0) list_double2_graphic_large_graphic_pane_g4_ParamLimits 0x9fdc, // (0x00011af0) list_double2_graphic_large_graphic_pane_g4 0x0003, 0xf7a6, // (0x000172ba) list_double2_graphic_large_graphic_pane_g_ParamLimits 0xf7a6, // (0x000172ba) list_double2_graphic_large_graphic_pane_g 0x3a7f, // (0x0000b593) list_double2_graphic_large_graphic_pane_t1_ParamLimits 0x3a7f, // (0x0000b593) list_double2_graphic_large_graphic_pane_t1 0x3a95, // (0x0000b5a9) list_double2_graphic_large_graphic_pane_t2_ParamLimits 0x3a95, // (0x0000b5a9) list_double2_graphic_large_graphic_pane_t2 0x0001, 0xf7af, // (0x000172c3) list_double2_graphic_large_graphic_pane_t_ParamLimits 0xf7af, // (0x000172c3) list_double2_graphic_large_graphic_pane_t 0xa14e, // (0x00011c62) popup_fast_swap_window_ParamLimits 0xa14e, // (0x00011c62) popup_fast_swap_window 0xa16c, // (0x00011c80) popup_side_volume_key_window 0xa18c, // (0x00011ca0) stacon_top_pane 0xa196, // (0x00011caa) status_pane_ParamLimits 0xa196, // (0x00011caa) status_pane 0xa18c, // (0x00011ca0) status_small_pane 0x8666, // (0x0001017a) control_pane 0x8666, // (0x0001017a) stacon_bottom_pane 0x8f85, // (0x00010a99) scroll_pane_cp121 0x946a, // (0x00010f7e) set_content_pane 0x3ab0, // (0x0000b5c4) bg_active_tab_pane_g1_cp1 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp1 0x3aa7, // (0x0000b5bb) bg_active_tab_pane_g3_cp1 0x3ab0, // (0x0000b5c4) bg_passive_tab_pane_g1_cp1 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp1 0x3aa7, // (0x0000b5bb) bg_passive_tab_pane_g3_cp1 0x3ac2, // (0x0000b5d6) bg_active_tab_pane_g1_cp2 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp2 0x3ab9, // (0x0000b5cd) bg_active_tab_pane_g3_cp2 0x3ac2, // (0x0000b5d6) bg_passive_tab_pane_g1_cp2 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp2 0x3ab9, // (0x0000b5cd) bg_passive_tab_pane_g3_cp2 0x3ad4, // (0x0000b5e8) bg_active_tab_pane_g1_cp3 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp3 0x3acb, // (0x0000b5df) bg_active_tab_pane_g3_cp3 0x3ad4, // (0x0000b5e8) bg_passive_tab_pane_g1_cp3 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp3 0x3acb, // (0x0000b5df) bg_passive_tab_pane_g3_cp3 0x3ae6, // (0x0000b5fa) bg_active_tab_pane_g1_cp4 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp4 0x3add, // (0x0000b5f1) bg_active_tab_pane_g3_cp4 0x3ae6, // (0x0000b5fa) bg_passive_tab_pane_g1_cp4 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp4 0x3add, // (0x0000b5f1) bg_passive_tab_pane_g3_cp4 0xa09f, // (0x00011bb3) bg_active_tab_pane_g1_cp5 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp5 0xa0a8, // (0x00011bbc) bg_active_tab_pane_g3_cp5 0xa09f, // (0x00011bb3) bg_passive_tab_pane_g1_cp5 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp5 0xa0a8, // (0x00011bbc) bg_passive_tab_pane_g3_cp5 0x3aef, // (0x0000b603) list_set_graphic_pane_ParamLimits 0x3aef, // (0x0000b603) list_set_graphic_pane 0x8666, // (0x0001017a) bg_set_opt_pane_cp4 0xa0cf, // (0x00011be3) list_set_graphic_pane_g1_ParamLimits 0xa0cf, // (0x00011be3) list_set_graphic_pane_g1 0x3b06, // (0x0000b61a) list_set_graphic_pane_g2_ParamLimits 0x3b06, // (0x0000b61a) list_set_graphic_pane_g2 0x0001, 0xf7b4, // (0x000172c8) list_set_graphic_pane_g_ParamLimits 0xf7b4, // (0x000172c8) list_set_graphic_pane_g 0x0009, 0xfb13, // (0x00017627) volume_small_pane_cp_g 0xa0ff, // (0x00011c13) list_double2_large_graphic_pane_g1_cp2_ParamLimits 0xa0ff, // (0x00011c13) list_double2_large_graphic_pane_g1_cp2 0xa10d, // (0x00011c21) list_double2_large_graphic_pane_g2_cp2_ParamLimits 0xa10d, // (0x00011c21) list_double2_large_graphic_pane_g2_cp2 0xa11e, // (0x00011c32) list_double2_large_graphic_pane_g3_cp2 0xa126, // (0x00011c3a) list_double2_large_graphic_pane_t1_cp2_ParamLimits 0xa126, // (0x00011c3a) list_double2_large_graphic_pane_t1_cp2 0xa13c, // (0x00011c50) list_double2_large_graphic_pane_t2_cp2_ParamLimits 0xa13c, // (0x00011c50) list_double2_large_graphic_pane_t2_cp2 0xd376, // (0x00014e8a) list_double_large_graphic_pane_g1_cp2_ParamLimits 0xd376, // (0x00014e8a) list_double_large_graphic_pane_g1_cp2 0xd389, // (0x00014e9d) list_double_large_graphic_pane_g2_cp2_ParamLimits 0xd389, // (0x00014e9d) list_double_large_graphic_pane_g2_cp2 0xa26d, // (0x00011d81) list_double_large_graphic_pane_g3_cp2 0xd39a, // (0x00014eae) list_double_large_graphic_pane_g4_cp 0xd3a2, // (0x00014eb6) list_double_large_graphic_pane_t1_cp2_ParamLimits 0xd3a2, // (0x00014eb6) list_double_large_graphic_pane_t1_cp2 0xd3b9, // (0x00014ecd) list_double_large_graphic_pane_t2_cp2_ParamLimits 0xd3b9, // (0x00014ecd) list_double_large_graphic_pane_t2_cp2 0xa1a4, // (0x00011cb8) list_double2_graphic_pane_g1_cp2_ParamLimits 0xa1a4, // (0x00011cb8) list_double2_graphic_pane_g1_cp2 0xa1b2, // (0x00011cc6) list_double2_graphic_pane_g2_cp2_ParamLimits 0xa1b2, // (0x00011cc6) list_double2_graphic_pane_g2_cp2 0xa1c3, // (0x00011cd7) list_double2_graphic_pane_g3_cp2 0xa1cd, // (0x00011ce1) list_double2_graphic_pane_t1_cp2_ParamLimits 0xa1cd, // (0x00011ce1) list_double2_graphic_pane_t1_cp2 0xa1e3, // (0x00011cf7) list_double2_graphic_pane_t2_cp2_ParamLimits 0xa1e3, // (0x00011cf7) list_double2_graphic_pane_t2_cp2 0x91a7, // (0x00010cbb) list_single_number_heading_pane_g1_cp2_ParamLimits 0x91a7, // (0x00010cbb) list_single_number_heading_pane_g1_cp2 0xa1f5, // (0x00011d09) list_single_number_heading_pane_g2_cp2 0xa1fd, // (0x00011d11) list_single_number_heading_pane_t1_cp2_ParamLimits 0xa1fd, // (0x00011d11) list_single_number_heading_pane_t1_cp2 0xa213, // (0x00011d27) list_single_number_heading_pane_t2_cp2_ParamLimits 0xa213, // (0x00011d27) list_single_number_heading_pane_t2_cp2 0xa227, // (0x00011d3b) list_single_number_heading_pane_t3_cp2_ParamLimits 0xa227, // (0x00011d3b) list_single_number_heading_pane_t3_cp2 0x91a7, // (0x00010cbb) list_single_heading_pane_g1_cp2_ParamLimits 0x91a7, // (0x00010cbb) list_single_heading_pane_g1_cp2 0xa1f5, // (0x00011d09) list_single_heading_pane_g2_cp2 0xa1fd, // (0x00011d11) list_single_heading_pane_t1_cp2_ParamLimits 0xa1fd, // (0x00011d11) list_single_heading_pane_t1_cp2 0xd175, // (0x00014c89) list_single_heading_pane_t2_cp2_ParamLimits 0xd175, // (0x00014c89) list_single_heading_pane_t2_cp2 0xd0fa, // (0x00014c0e) list_double_graphic_pane_g1_cp2_ParamLimits 0xd0fa, // (0x00014c0e) list_double_graphic_pane_g1_cp2 0xd106, // (0x00014c1a) list_double_graphic_pane_g2_cp2_ParamLimits 0xd106, // (0x00014c1a) list_double_graphic_pane_g2_cp2 0xd115, // (0x00014c29) list_double_graphic_pane_g3_cp2 0xd11d, // (0x00014c31) list_double_graphic_pane_t1_cp2_ParamLimits 0xd11d, // (0x00014c31) list_double_graphic_pane_t1_cp2 0xd133, // (0x00014c47) list_double_graphic_pane_t2_cp2_ParamLimits 0xd133, // (0x00014c47) list_double_graphic_pane_t2_cp2 0xa261, // (0x00011d75) list_double_number_pane_g1_cp2_ParamLimits 0xa261, // (0x00011d75) list_double_number_pane_g1_cp2 0xa26d, // (0x00011d81) list_double_number_pane_g2_cp2 0xd0be, // (0x00014bd2) list_double_number_pane_t1_cp2_ParamLimits 0xd0be, // (0x00014bd2) list_double_number_pane_t1_cp2 0xd0d2, // (0x00014be6) list_double_number_pane_t2_cp2_ParamLimits 0xd0d2, // (0x00014be6) list_double_number_pane_t2_cp2 0xd0e8, // (0x00014bfc) list_double_number_pane_t3_cp2_ParamLimits 0xd0e8, // (0x00014bfc) list_double_number_pane_t3_cp2 0xd034, // (0x00014b48) list_single_graphic_pane_g1_cp2_ParamLimits 0xd034, // (0x00014b48) list_single_graphic_pane_g1_cp2 0x91a7, // (0x00010cbb) list_single_graphic_pane_g2_cp2_ParamLimits 0x91a7, // (0x00010cbb) list_single_graphic_pane_g2_cp2 0xa1f5, // (0x00011d09) list_single_graphic_pane_g3_cp2 0xd00a, // (0x00014b1e) list_single_graphic_pane_t1_cp2_ParamLimits 0xd00a, // (0x00014b1e) list_single_graphic_pane_t1_cp2 0x91a7, // (0x00010cbb) list_single_number_pane_g1_cp2_ParamLimits 0x91a7, // (0x00010cbb) list_single_number_pane_g1_cp2 0xa1f5, // (0x00011d09) list_single_number_pane_g2_cp2 0xd00a, // (0x00014b1e) list_single_number_pane_t1_cp2_ParamLimits 0xd00a, // (0x00014b1e) list_single_number_pane_t1_cp2 0xd020, // (0x00014b34) list_single_number_pane_t2_cp2_ParamLimits 0xd020, // (0x00014b34) list_single_number_pane_t2_cp2 0xa10d, // (0x00011c21) list_double2_pane_g1_cp2_ParamLimits 0xa10d, // (0x00011c21) list_double2_pane_g1_cp2 0xa11e, // (0x00011c32) list_double2_pane_g2_cp2 0xa239, // (0x00011d4d) list_double2_pane_t1_cp2_ParamLimits 0xa239, // (0x00011d4d) list_double2_pane_t1_cp2 0xa24f, // (0x00011d63) list_double2_pane_t2_cp2_ParamLimits 0xa24f, // (0x00011d63) list_double2_pane_t2_cp2 0xa261, // (0x00011d75) list_double_pane_g1_cp2_ParamLimits 0xa261, // (0x00011d75) list_double_pane_g1_cp2 0xa26d, // (0x00011d81) list_double_pane_g2_cp2 0xa275, // (0x00011d89) list_double_pane_t1_cp2_ParamLimits 0xa275, // (0x00011d89) list_double_pane_t1_cp2 0xa28b, // (0x00011d9f) list_double_pane_t2_cp2_ParamLimits 0xa28b, // (0x00011d9f) list_double_pane_t2_cp2 0xa29d, // (0x00011db1) list_single_pane_cp2_g3 0x91a7, // (0x00010cbb) list_single_pane_g1_cp2_ParamLimits 0x91a7, // (0x00010cbb) list_single_pane_g1_cp2 0xa1f5, // (0x00011d09) list_single_pane_g2_cp2 0xa2ad, // (0x00011dc1) list_single_pane_t1_cp2_ParamLimits 0xa2ad, // (0x00011dc1) list_single_pane_t1_cp2 0xa2c5, // (0x00011dd9) list_single_large_graphic_pane_g1_cp2_ParamLimits 0xa2c5, // (0x00011dd9) list_single_large_graphic_pane_g1_cp2 0xa2d3, // (0x00011de7) list_single_large_graphic_pane_g2_cp2_ParamLimits 0xa2d3, // (0x00011de7) list_single_large_graphic_pane_g2_cp2 0xa2df, // (0x00011df3) list_single_large_graphic_pane_g3_cp2 0xa2e7, // (0x00011dfb) list_single_large_graphic_pane_g4_cp1_ParamLimits 0xa2e7, // (0x00011dfb) list_single_large_graphic_pane_g4_cp1 0xa301, // (0x00011e15) list_single_large_graphic_pane_t1_cp2_ParamLimits 0xa301, // (0x00011e15) list_single_large_graphic_pane_t1_cp2 0xbecc, // (0x000139e0) list_single_graphic_heading_pane_g1_cp2_ParamLimits 0xbecc, // (0x000139e0) list_single_graphic_heading_pane_g1_cp2 0xbea5, // (0x000139b9) list_single_graphic_heading_pane_g4_cp2_ParamLimits 0xbea5, // (0x000139b9) list_single_graphic_heading_pane_g4_cp2 0xa1f5, // (0x00011d09) list_single_graphic_heading_pane_g5_cp2 0xa1fd, // (0x00011d11) list_single_graphic_heading_pane_t1_cp2_ParamLimits 0xa1fd, // (0x00011d11) list_single_graphic_heading_pane_t1_cp2 0xbed8, // (0x000139ec) list_single_graphic_heading_pane_t2_cp2_ParamLimits 0xbed8, // (0x000139ec) list_single_graphic_heading_pane_t2_cp2 0xbe99, // (0x000139ad) list_single_2graphic_pane_g1_cp2_ParamLimits 0xbe99, // (0x000139ad) list_single_2graphic_pane_g1_cp2 0xbea5, // (0x000139b9) list_single_2graphic_pane_g2_cp2_ParamLimits 0xbea5, // (0x000139b9) list_single_2graphic_pane_g2_cp2 0xa1f5, // (0x00011d09) list_single_2graphic_pane_g3_cp2 0x9fdc, // (0x00011af0) list_single_2graphic_pane_g4_cp2_ParamLimits 0x9fdc, // (0x00011af0) list_single_2graphic_pane_g4_cp2 0xbeb6, // (0x000139ca) list_single_2graphic_pane_t1_cp2_ParamLimits 0xbeb6, // (0x000139ca) list_single_2graphic_pane_t1_cp2 0x856c, // (0x00010080) list_highlight_pane_g10_cp1 0xba6e, // (0x00013582) list_highlight_pane_g1_cp1 0xba76, // (0x0001358a) list_highlight_pane_g2_cp1 0xba7e, // (0x00013592) list_highlight_pane_g3_cp1 0xba86, // (0x0001359a) list_highlight_pane_g4_cp1 0xba8e, // (0x000135a2) list_highlight_pane_g5_cp1 0xba96, // (0x000135aa) list_highlight_pane_g6_cp1 0xba9e, // (0x000135b2) list_highlight_pane_g7_cp1 0xbaa6, // (0x000135ba) list_highlight_pane_g8_cp1 0xbaae, // (0x000135c2) list_highlight_pane_g9_cp1 0x4991, // (0x0000c4a5) form_field_slider_pane_t3 0x499f, // (0x0000c4b3) form_field_slider_pane_t4 0xb9b8, // (0x000134cc) slider_form_pane_ParamLimits 0xb9b8, // (0x000134cc) slider_form_pane 0x8666, // (0x0001017a) control_abbreviations 0x8666, // (0x0001017a) control_conventions 0x8666, // (0x0001017a) control_definitions 0x8666, // (0x0001017a) format_table_attribute 0xd1cb, // (0x00014cdf) bg_popup_preview_window_pane_g9 0x8666, // (0x0001017a) format_table_data2 0x8666, // (0x0001017a) format_table_data3 0x8666, // (0x0001017a) format_table_data_example 0x0008, 0x8666, // (0x0001017a) intro_purpose 0xf93d, // (0x00017451) bg_popup_preview_window_pane_g 0x8666, // (0x0001017a) texts_category 0x8666, // (0x0001017a) texts_graphics 0xa317, // (0x00011e2b) text_digital 0xa326, // (0x00011e3a) text_primary 0xa335, // (0x00011e49) text_primary_small 0xa344, // (0x00011e58) text_secondary 0xa353, // (0x00011e67) text_title 0xd690, // (0x000151a4) bg_passive_tab_pane_g1_cp3_srt 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp3_srt 0xd699, // (0x000151ad) bg_passive_tab_pane_g3_cp3_srt 0x89f2, // (0x00010506) bg_active_tab_pane_cp3_srt_ParamLimits 0x89f2, // (0x00010506) bg_active_tab_pane_cp3_srt 0xd6a2, // (0x000151b6) tabs_4_active_pane_srt_g1 0x32fe, // (0x0000ae12) tabs_4_active_pane_srt_t1_ParamLimits 0x32fe, // (0x0000ae12) tabs_4_active_pane_srt_t1 0xd690, // (0x000151a4) bg_active_tab_pane_g1_cp3_copy1 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp3_copy1 0xd699, // (0x000151ad) bg_active_tab_pane_g3_cp3_copy1 0x8746, // (0x0001025a) tabs_2_long_active_pane_srt_ParamLimits 0x8746, // (0x0001025a) tabs_2_long_active_pane_srt 0x8746, // (0x0001025a) tabs_2_long_passive_pane_srt_ParamLimits 0x8746, // (0x0001025a) tabs_2_long_passive_pane_srt 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp4_srt_ParamLimits 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp4_srt 0xd595, // (0x000150a9) bg_passive_tab_pane_g1_cp4_srt 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp4_srt 0xd59e, // (0x000150b2) bg_passive_tab_pane_g3_cp4_srt 0x8746, // (0x0001025a) bg_active_tab_pane_cp4_srt_ParamLimits 0x8746, // (0x0001025a) bg_active_tab_pane_cp4_srt 0x38b4, // (0x0000b3c8) tabs_2_long_active_pane_srt_t1_ParamLimits 0x38b4, // (0x0000b3c8) tabs_2_long_active_pane_srt_t1 0xd595, // (0x000150a9) bg_active_tab_pane_g1_cp4_srt 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp4_srt 0xd59e, // (0x000150b2) bg_active_tab_pane_g3_cp4_srt 0x89f2, // (0x00010506) tabs_3_long_active_pane_srt_ParamLimits 0x89f2, // (0x00010506) tabs_3_long_active_pane_srt 0x89f2, // (0x00010506) tabs_3_long_passive_pane_cp_srt_ParamLimits 0x89f2, // (0x00010506) tabs_3_long_passive_pane_cp_srt 0x89f2, // (0x00010506) tabs_3_long_passive_pane_srt_ParamLimits 0x89f2, // (0x00010506) tabs_3_long_passive_pane_srt 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp5_srt_ParamLimits 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp5_srt 0xa09f, // (0x00011bb3) bg_passive_tab_pane_g1_cp5_srt 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp5_srt 0xa0a8, // (0x00011bbc) bg_passive_tab_pane_g3_cp5_srt 0x8746, // (0x0001025a) bg_active_tab_pane_cp5_srt_ParamLimits 0x8746, // (0x0001025a) bg_active_tab_pane_cp5_srt 0x38cb, // (0x0000b3df) tabs_3_long_active_pane_srt_t1_ParamLimits 0x38cb, // (0x0000b3df) tabs_3_long_active_pane_srt_t1 0xa09f, // (0x00011bb3) bg_active_tab_pane_g1_cp5_srt 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp5_srt 0xa0a8, // (0x00011bbc) bg_active_tab_pane_g3_cp5_srt 0xd587, // (0x0001509b) navi_text_pane_srt_t1 0xd57f, // (0x00015093) navi_icon_pane_srt_g1 0xa530, // (0x00012044) midp_editing_number_pane_srt 0xa362, // (0x00011e76) midp_ticker_pane_srt 0xa538, // (0x0001204c) midp_ticker_pane_srt_g1 0xa540, // (0x00012054) midp_ticker_pane_srt_g2 0x0001, 0xf7d3, // (0x000172e7) midp_ticker_pane_srt_g 0xa548, // (0x0001205c) midp_ticker_pane_srt_t1 0xd570, // (0x00015084) midp_editing_number_pane_t1_copy1 0x3b2a, // (0x0000b63e) listscroll_midp_pane 0x3b2a, // (0x0000b63e) midp_form_pane 0xa3dc, // (0x00011ef0) midp_info_popup_window_ParamLimits 0xa3dc, // (0x00011ef0) midp_info_popup_window 0x9799, // (0x000112ad) bg_popup_sub_pane_cp50_ParamLimits 0x9799, // (0x000112ad) bg_popup_sub_pane_cp50 0xb6e3, // (0x000131f7) listscroll_midp_info_pane_ParamLimits 0xb6e3, // (0x000131f7) listscroll_midp_info_pane 0xb6cb, // (0x000131df) listscroll_form_midp_pane_ParamLimits 0xb6cb, // (0x000131df) listscroll_form_midp_pane 0xb6d7, // (0x000131eb) scroll_bar_cp050 0x4985, // (0x0000c499) list_midp_pane 0xe1d0, // (0x00015ce4) signal_pane_g2_cp 0xb5e5, // (0x000130f9) listscroll_midp_info_pane_t1_ParamLimits 0xb5e5, // (0x000130f9) listscroll_midp_info_pane_t1 0xb5fd, // (0x00013111) listscroll_midp_info_pane_t2_ParamLimits 0xb5fd, // (0x00013111) listscroll_midp_info_pane_t2 0xb63b, // (0x0001314f) listscroll_midp_info_pane_t3_ParamLimits 0xb63b, // (0x0001314f) listscroll_midp_info_pane_t3 0xb675, // (0x00013189) listscroll_midp_info_pane_t4_ParamLimits 0xb675, // (0x00013189) listscroll_midp_info_pane_t4 0x0003, 0xf878, // (0x0001738c) listscroll_midp_info_pane_t_ParamLimits 0xf878, // (0x0001738c) listscroll_midp_info_pane_t 0x9854, // (0x00011368) scroll_pane_cp21 0xb57f, // (0x00013093) form_midp_field_choice_group_pane 0xb588, // (0x0001309c) form_midp_field_text_pane 0xb5cb, // (0x000130df) form_midp_field_time_pane 0xb5d3, // (0x000130e7) form_midp_gauge_slider_pane 0xb5dc, // (0x000130f0) form_midp_gauge_wait_pane 0x8666, // (0x0001017a) form_midp_image_pane 0x4966, // (0x0000c47a) list_single_midp_pane_ParamLimits 0x4966, // (0x0000c47a) list_single_midp_pane 0x493e, // (0x0000c452) form_midp_field_text_pane_t1 0xb313, // (0x00012e27) input_focus_pane_cp050 0xb548, // (0x0001305c) list_midp_form_text_pane 0xb4e9, // (0x00012ffd) form_midp_field_choice_group_pane_t1 0xb4f7, // (0x0001300b) input_focus_pane_cp051 0xb50b, // (0x0001301f) list_midp_choice_pane 0x8666, // (0x0001017a) status_idle_pane 0xb4cd, // (0x00012fe1) form_midp_field_time_pane_t1 0x856c, // (0x00010080) wait_anim_pane_g2_copy1 0xb4db, // (0x00012fef) form_midp_field_time_pane_t2 0x0001, 0xa48e, // (0x00011fa2) aid_navinavi_width_2_pane 0xf873, // (0x00017387) form_midp_field_time_pane_t 0x8666, // (0x0001017a) input_focus_pane_cp052 0x8666, // (0x0001017a) bg_input_focus_pane_cp040 0xb48d, // (0x00012fa1) form_midp_gauge_slider_pane_t1 0xb49b, // (0x00012faf) form_midp_gauge_slider_pane_t2 0x4922, // (0x0000c436) form_midp_gauge_slider_pane_t3 0x4930, // (0x0000c444) form_midp_gauge_slider_pane_t4 0x0003, 0xf86a, // (0x0001737e) form_midp_gauge_slider_pane_t 0xb4c5, // (0x00012fd9) form_midp_slider_pane 0x8746, // (0x0001025a) bg_input_focus_pane_cp041_ParamLimits 0x8746, // (0x0001025a) bg_input_focus_pane_cp041 0xb45a, // (0x00012f6e) form_midp_gauge_wait_pane_t1_ParamLimits 0xb45a, // (0x00012f6e) form_midp_gauge_wait_pane_t1 0xb46c, // (0x00012f80) form_midp_gauge_wait_pane_t2_ParamLimits 0xb46c, // (0x00012f80) form_midp_gauge_wait_pane_t2 0x0001, 0xf865, // (0x00017379) form_midp_gauge_wait_pane_t_ParamLimits 0xf865, // (0x00017379) form_midp_gauge_wait_pane_t 0xb47e, // (0x00012f92) form_midp_wait_pane_ParamLimits 0xb47e, // (0x00012f92) form_midp_wait_pane 0xb422, // (0x00012f36) form_midp_image_pane_g1 0xb42b, // (0x00012f3f) form_midp_image_pane_t1 0xb43a, // (0x00012f4e) form_midp_image_pane_t2 0xb449, // (0x00012f5d) form_midp_image_pane_t3 0x0002, 0xf85e, // (0x00017372) form_midp_image_pane_t 0xb40a, // (0x00012f1e) list_single_midp_pane_g1 0xb413, // (0x00012f27) list_single_midp_pane_t1 0x490b, // (0x0000c41f) list_midp_form_item_pane_ParamLimits 0x490b, // (0x0000c41f) list_midp_form_item_pane 0xa436, // (0x00011f4a) list_midp_form_item_pane_t1 0xa445, // (0x00011f59) midp_ticker_pane_g1 0xa451, // (0x00011f65) midp_ticker_pane_g2 0x0001, 0xf7b9, // (0x000172cd) midp_ticker_pane_g 0xa45d, // (0x00011f71) midp_ticker_pane_t1 0xd570, // (0x00015084) midp_editing_number_pane_t1 0xd60e, // (0x00015122) midp_editing_number_pane 0xd61a, // (0x0001512e) midp_ticker_pane 0xd54e, // (0x00015062) ai_message_heading_pane 0x8666, // (0x0001017a) bg_popup_window_pane_cp14 0xd556, // (0x0001506a) listscroll_ai_message_pane 0xd4d4, // (0x00014fe8) ai_message_heading_pane_g1_ParamLimits 0xd4d4, // (0x00014fe8) ai_message_heading_pane_g1 0xd4e0, // (0x00014ff4) ai_message_heading_pane_g2_ParamLimits 0xd4e0, // (0x00014ff4) ai_message_heading_pane_g2 0xd4ee, // (0x00015002) ai_message_heading_pane_g3_ParamLimits 0xd4ee, // (0x00015002) ai_message_heading_pane_g3 0xd4fa, // (0x0001500e) ai_message_heading_pane_g4_ParamLimits 0xd4fa, // (0x0001500e) ai_message_heading_pane_g4 0x0003, 0xf99f, // (0x000174b3) ai_message_heading_pane_g_ParamLimits 0xf99f, // (0x000174b3) ai_message_heading_pane_g 0xd506, // (0x0001501a) ai_message_heading_pane_t1_ParamLimits 0xd506, // (0x0001501a) ai_message_heading_pane_t1 0xd520, // (0x00015034) ai_message_heading_pane_t2_ParamLimits 0xd520, // (0x00015034) ai_message_heading_pane_t2 0x0001, 0xf9a8, // (0x000174bc) ai_message_heading_pane_t_ParamLimits 0xf9a8, // (0x000174bc) ai_message_heading_pane_t 0xd534, // (0x00015048) bg_popup_heading_pane_cp1_ParamLimits 0xd534, // (0x00015048) bg_popup_heading_pane_cp1 0xd4c2, // (0x00014fd6) list_ai_message_pane_ParamLimits 0xd4c2, // (0x00014fd6) list_ai_message_pane 0x9854, // (0x00011368) scroll_pane_cp10 0xd45e, // (0x00014f72) list_ai_message_pane_g1 0xd466, // (0x00014f7a) list_ai_message_pane_g2 0x0001, 0xf97c, // (0x00017490) list_ai_message_pane_g 0xd46e, // (0x00014f82) list_ai_message_pane_t1_ParamLimits 0xd46e, // (0x00014f82) list_ai_message_pane_t1 0xd483, // (0x00014f97) list_ai_message_pane_t2_ParamLimits 0xd483, // (0x00014f97) list_ai_message_pane_t2 0xd498, // (0x00014fac) list_ai_message_pane_t3_ParamLimits 0xd498, // (0x00014fac) list_ai_message_pane_t3 0xd4ad, // (0x00014fc1) list_ai_message_pane_t4_ParamLimits 0xd4ad, // (0x00014fc1) list_ai_message_pane_t4 0x0003, 0xf981, // (0x00017495) list_ai_message_pane_t_ParamLimits 0xf981, // (0x00017495) list_ai_message_pane_t 0x4c17, // (0x0000c72b) cell_ai_soft_ind_pane_ParamLimits 0x4c17, // (0x0000c72b) cell_ai_soft_ind_pane 0xa46f, // (0x00011f83) cell_ai_soft_ind_pane_g1_ParamLimits 0xa46f, // (0x00011f83) cell_ai_soft_ind_pane_g1 0x8666, // (0x0001017a) grid_highlight_cp1 0xa47c, // (0x00011f90) text_secondary_cp56_ParamLimits 0xa47c, // (0x00011f90) text_secondary_cp56 0xd433, // (0x00014f47) example_general_pane_ParamLimits 0xd433, // (0x00014f47) example_general_pane 0xd43f, // (0x00014f53) example_parent_pane_g1_ParamLimits 0xd43f, // (0x00014f53) example_parent_pane_g1 0xd44b, // (0x00014f5f) example_parent_pane_t1_ParamLimits 0xd44b, // (0x00014f5f) example_parent_pane_t1 0x4143, // (0x0000bc57) popup_preview_text_window_ParamLimits 0x4143, // (0x0000bc57) popup_preview_text_window 0xa2a5, // (0x00011db9) list_single_pane_cp2_g4 0x8aa8, // (0x000105bc) bg_popup_preview_window_pane_ParamLimits 0x8aa8, // (0x000105bc) bg_popup_preview_window_pane 0xd1d5, // (0x00014ce9) popup_preview_text_window_t1_ParamLimits 0xd1d5, // (0x00014ce9) popup_preview_text_window_t1 0xd1ee, // (0x00014d02) popup_preview_text_window_t2_ParamLimits 0xd1ee, // (0x00014d02) popup_preview_text_window_t2 0xd237, // (0x00014d4b) popup_preview_text_window_t3_ParamLimits 0xd237, // (0x00014d4b) popup_preview_text_window_t3 0xd27c, // (0x00014d90) popup_preview_text_window_t4_ParamLimits 0xd27c, // (0x00014d90) popup_preview_text_window_t4 0x0004, 0xf950, // (0x00017464) popup_preview_text_window_t_ParamLimits 0xf950, // (0x00017464) popup_preview_text_window_t 0xd2fa, // (0x00014e0e) scroll_pane_cp11 0xb1f7, // (0x00012d0b) bg_popup_preview_window_pane_g1 0xd189, // (0x00014c9d) bg_popup_preview_window_pane_g2 0xd193, // (0x00014ca7) bg_popup_preview_window_pane_g3 0xd19d, // (0x00014cb1) bg_popup_preview_window_pane_g4 0xd1a7, // (0x00014cbb) bg_popup_preview_window_pane_g5 0xd1b1, // (0x00014cc5) bg_popup_preview_window_pane_g6 0xd1b9, // (0x00014ccd) bg_popup_preview_window_pane_g7 0xd1c1, // (0x00014cd5) bg_popup_preview_window_pane_g8 0x6a9f, // (0x0000e5b3) aid_popup_width_pane 0x40b3, // (0x0000bbc7) popup_midp_note_alarm_window_ParamLimits 0x40b3, // (0x0000bbc7) popup_midp_note_alarm_window 0x9531, // (0x00011045) data_form_pane_ParamLimits 0x37a8, // (0x0000b2bc) form_field_data_pane_g1 0x37b2, // (0x0000b2c6) form_field_data_pane_t1_ParamLimits 0x9561, // (0x00011075) input_focus_pane_ParamLimits 0x956f, // (0x00011083) data_form_wide_pane_ParamLimits 0x957b, // (0x0001108f) form_field_data_wide_pane_g1 0x95a7, // (0x000110bb) form_field_data_wide_pane_t1_ParamLimits 0x8d95, // (0x000108a9) input_focus_pane_cp6_ParamLimits 0x3888, // (0x0000b39c) input_popup_find_pane_g1_ParamLimits 0x3888, // (0x0000b39c) input_popup_find_pane_g1 0x6ecf, // (0x0000e9e3) aid_navi_side_left_pane 0x6ee3, // (0x0000e9f7) aid_navi_side_right_pane 0xbb69, // (0x0001367d) bg_popup_window_pane_cp30_ParamLimits 0xbb69, // (0x0001367d) bg_popup_window_pane_cp30 0xbbe3, // (0x000136f7) popup_midp_note_alarm_window_g1_ParamLimits 0xbbe3, // (0x000136f7) popup_midp_note_alarm_window_g1 0xbc13, // (0x00013727) popup_midp_note_alarm_window_t1_ParamLimits 0xbc13, // (0x00013727) popup_midp_note_alarm_window_t1 0xbcb4, // (0x000137c8) popup_midp_note_alarm_window_t2_ParamLimits 0xbcb4, // (0x000137c8) popup_midp_note_alarm_window_t2 0xbd62, // (0x00013876) popup_midp_note_alarm_window_t3_ParamLimits 0xbd62, // (0x00013876) popup_midp_note_alarm_window_t3 0xbd94, // (0x000138a8) popup_midp_note_alarm_window_t4_ParamLimits 0xbd94, // (0x000138a8) popup_midp_note_alarm_window_t4 0xbdba, // (0x000138ce) popup_midp_note_alarm_window_t5_ParamLimits 0xbdba, // (0x000138ce) popup_midp_note_alarm_window_t5 0x000a, 0xf8ed, // (0x00017401) popup_midp_note_alarm_window_t_ParamLimits 0xf8ed, // (0x00017401) popup_midp_note_alarm_window_t 0xbe69, // (0x0001397d) wait_bar_pane_cp1_ParamLimits 0xbe69, // (0x0001397d) wait_bar_pane_cp1 0x8666, // (0x0001017a) wait_anim_pane_copy1 0x8666, // (0x0001017a) wait_border_pane_copy1 0xb85c, // (0x00013370) wait_border_pane_g1_copy1 0x95c1, // (0x000110d5) form_field_popup_pane_g1 0x37cc, // (0x0000b2e0) form_field_popup_pane_t1_ParamLimits 0x9561, // (0x00011075) input_focus_pane_cp7_ParamLimits 0x9531, // (0x00011045) list_form_pane_ParamLimits 0x95e3, // (0x000110f7) form_field_popup_wide_pane_g1 0x95eb, // (0x000110ff) form_field_popup_wide_pane_t1_ParamLimits 0x9561, // (0x00011075) input_focus_pane_cp8_ParamLimits 0x9600, // (0x00011114) list_form_wide_pane_ParamLimits 0xd6c9, // (0x000151dd) aid_size_cell_graphic_pane 0x384d, // (0x0000b361) data_form_pane_t1_ParamLimits 0x4e3d, // (0x0000c951) data_form_wide_pane_t1_ParamLimits 0x453d, // (0x0000c051) bg_status_flat_pane 0x324b, // (0x0000ad5f) title_pane_t1_ParamLimits 0x870e, // (0x00010222) title_pane_t2_ParamLimits 0x8734, // (0x00010248) title_pane_t3_ParamLimits 0xf5c1, // (0x000170d5) title_pane_t_ParamLimits 0x398a, // (0x0000b49e) level_1_signal_ParamLimits 0x399c, // (0x0000b4b0) level_2_signal_ParamLimits 0x39af, // (0x0000b4c3) level_3_signal_ParamLimits 0x39c2, // (0x0000b4d6) level_4_signal_ParamLimits 0x39d5, // (0x0000b4e9) level_5_signal_ParamLimits 0x39e8, // (0x0000b4fc) level_6_signal_ParamLimits 0x39fb, // (0x0000b50f) level_7_signal_ParamLimits 0x398a, // (0x0000b49e) level_1_battery_ParamLimits 0x399c, // (0x0000b4b0) level_2_battery_ParamLimits 0x39af, // (0x0000b4c3) level_3_battery_ParamLimits 0x39c2, // (0x0000b4d6) level_4_battery_ParamLimits 0x39d5, // (0x0000b4e9) level_5_battery_ParamLimits 0x39e8, // (0x0000b4fc) level_6_battery_ParamLimits 0x39fb, // (0x0000b50f) level_7_battery_ParamLimits 0xba6e, // (0x00013582) bg_status_flat_pane_g1 0xba76, // (0x0001358a) bg_status_flat_pane_g2 0xba7e, // (0x00013592) bg_status_flat_pane_g3 0xba86, // (0x0001359a) bg_status_flat_pane_g4 0xba8e, // (0x000135a2) bg_status_flat_pane_g5 0xba96, // (0x000135aa) bg_status_flat_pane_g6 0xba9e, // (0x000135b2) bg_status_flat_pane_g7 0x32e0, // (0x0000adf4) tabs_3_active_pane_t1_ParamLimits 0x32e0, // (0x0000adf4) tabs_3_passive_pane_t1_ParamLimits 0x32fe, // (0x0000ae12) tabs_4_active_pane_t1_ParamLimits 0x32fe, // (0x0000ae12) tabs_4_1_passive_pane_t1_ParamLimits 0x389e, // (0x0000b3b2) tabs_2_active_pane_t1_ParamLimits 0x389e, // (0x0000b3b2) tabs_2_passive_pane_t1_ParamLimits 0x8746, // (0x0001025a) bg_active_tab_pane_cp4_ParamLimits 0x38b4, // (0x0000b3c8) tabs_2_long_active_pane_t1_ParamLimits 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp4_ParamLimits 0x7484, // (0x0000ef98) list_single_midp_graphic_pane_t1_ParamLimits 0x8746, // (0x0001025a) bg_active_tab_pane_cp5_ParamLimits 0x38cb, // (0x0000b3df) tabs_3_long_active_pane_t1_ParamLimits 0xa6e9, // (0x000121fd) bg_passive_tab_pane_cp5_ParamLimits 0x7484, // (0x0000ef98) list_single_midp_graphic_pane_t1 0x453d, // (0x0000c051) bg_status_flat_pane_ParamLimits 0xae7e, // (0x00012992) indicator_pane_cp2_ParamLimits 0xae7e, // (0x00012992) indicator_pane_cp2 0x46c5, // (0x0000c1d9) navi_pane_srt_ParamLimits 0x46c5, // (0x0000c1d9) navi_pane_srt 0xafe6, // (0x00012afa) popup_clock_digital_analogue_window_cp1 0x8849, // (0x0001035d) indicator_pane_t1 0xa362, // (0x00011e76) copy_highlight_pane 0xa362, // (0x00011e76) cursor_graphics_pane 0xa362, // (0x00011e76) graphic_within_text_pane 0xa362, // (0x00011e76) link_highlight_pane 0xd2bd, // (0x00014dd1) popup_preview_text_window_t5_ParamLimits 0xd2bd, // (0x00014dd1) popup_preview_text_window_t5 0xa498, // (0x00011fac) cursor_digital_pane 0xa498, // (0x00011fac) cursor_primary_pane 0xa4a9, // (0x00011fbd) cursor_primary_small_pane 0xa4b1, // (0x00011fc5) cursor_secondary_pane 0xa4b9, // (0x00011fcd) cursor_title_pane 0xa498, // (0x00011fac) link_highlight_digital_pane 0xa4a0, // (0x00011fb4) link_highlight_primary_pane 0xa4a9, // (0x00011fbd) link_highlight_primary_small_pane 0xa4b1, // (0x00011fc5) link_highlight_secondary_pane 0xa4b9, // (0x00011fcd) link_highlight_title_pane 0xa498, // (0x00011fac) copy_highlight_digital_pane 0xa498, // (0x00011fac) copy_highlight_primary_pane 0xa4a9, // (0x00011fbd) copy_highlight_primary_small_pane 0xa4b1, // (0x00011fc5) copy_highlight_secondary_pane 0xa4b9, // (0x00011fcd) copy_highlight_title_pane 0xa4b1, // (0x00011fc5) graphic_text_digital_pane 0xbb0c, // (0x00013620) graphic_text_primary_pane 0xbb15, // (0x00013629) graphic_text_primary_small_pane 0xa4a9, // (0x00011fbd) graphic_text_secondary_pane 0xa498, // (0x00011fac) graphic_text_title_pane 0x3bd7, // (0x0000b6eb) cursor_primary_pane_g1 0xbafe, // (0x00013612) cursor_text_primary_t1 0x49c1, // (0x0000c4d5) cursor_primary_small_pane_g1 0xbaf0, // (0x00013604) cursor_text_primary_small_t1 0x49b7, // (0x0000c4cb) cursor_primary_small_pane_g1_copy1 0xbad8, // (0x000135ec) cursor_text_primary_small_t1_copy1 0xbab6, // (0x000135ca) cursor_text_title_t1 0x49ad, // (0x0000c4c1) cursor_title_pane_g1 0x3bd7, // (0x0000b6eb) cursor_digital_pane_g1 0xa4cb, // (0x00011fdf) cursor_text_digital_t1 0xa4f0, // (0x00012004) link_highlight_primary_pane_g1 0xba5f, // (0x00013573) link_highlight_primary_pane_t1 0xa4d9, // (0x00011fed) link_highlight_primary_small_pane_g1 0xa4e1, // (0x00011ff5) link_highlight_primary_small_pane_t1 0xa4f0, // (0x00012004) link_highlight_secondary_pane_g1 0xa4f8, // (0x0001200c) link_highlight_secondary_pane_t1 0xb9c4, // (0x000134d8) link_highlight_title_pane_g1 0xb9db, // (0x000134ef) link_highlight_title_pane_t1 0xb9c4, // (0x000134d8) link_highlight_digital_pane_g1 0xb9cc, // (0x000134e0) link_highlight_digital_pane_t1 0xb87b, // (0x0001338f) copy_highlight_primary_pane_g1 0xb8a9, // (0x000133bd) copy_highlight_primary_pane_t1 0xb892, // (0x000133a6) copy_highlight_primary_small_pane_g1 0xb89a, // (0x000133ae) copy_highlight_primary_small_pane_t1 0xa507, // (0x0001201b) copy_highlight_secondary_pane_g1 0xa50f, // (0x00012023) copy_highlight_secondary_pane_t1 0xb87b, // (0x0001338f) copy_highlight_title_pane_g1 0xb883, // (0x00013397) copy_highlight_title_pane_t1 0xb87b, // (0x0001338f) copy_highlight_digital_pane_g1 0xd82f, // (0x00015343) copy_highlight_digital_pane_t1 0xd783, // (0x00015297) graphic_text_primary_pane_g1 0xd813, // (0x00015327) graphic_text_primary_pane_t1 0xd821, // (0x00015335) graphic_text_primary_pane_t2 0x0001, 0xfa1c, // (0x00017530) graphic_text_primary_pane_t 0xd7ef, // (0x00015303) graphic_text_primary_small_pane_g1 0xd7f7, // (0x0001530b) graphic_text_primary_small_pane_t1 0xd805, // (0x00015319) graphic_text_primary_small_pane_t2 0x0001, 0xfa17, // (0x0001752b) graphic_text_primary_small_pane_t 0xd7cb, // (0x000152df) graphic_text_secondary_pane_g1 0xd7d3, // (0x000152e7) graphic_text_secondary_pane_t1 0xd7e1, // (0x000152f5) graphic_text_secondary_pane_t2 0x0001, 0xfa12, // (0x00017526) graphic_text_secondary_pane_t 0xd7a7, // (0x000152bb) graphic_text_title_pane_g1 0xd7af, // (0x000152c3) graphic_text_title_pane_t1 0xd7bd, // (0x000152d1) graphic_text_title_pane_t2 0x0001, 0xfa0d, // (0x00017521) graphic_text_title_pane_t 0xd783, // (0x00015297) graphic_text_digital_pane_g1 0xd78b, // (0x0001529f) graphic_text_digital_pane_t1 0xd799, // (0x000152ad) graphic_text_digital_pane_t2 0x0001, 0xfa08, // (0x0001751c) graphic_text_digital_pane_t 0x8746, // (0x0001025a) navi_icon_pane_srt_ParamLimits 0x8746, // (0x0001025a) navi_icon_pane_srt 0x8666, // (0x0001017a) navi_midp_pane_srt 0x8666, // (0x0001017a) navi_navi_pane_srt 0x8746, // (0x0001025a) navi_text_pane_srt_ParamLimits 0x8746, // (0x0001025a) navi_text_pane_srt 0xd74e, // (0x00015262) navi_navi_icon_text_pane_srt 0xd756, // (0x0001526a) navi_navi_pane_srt_g1_ParamLimits 0xd756, // (0x0001526a) navi_navi_pane_srt_g1 0xd768, // (0x0001527c) navi_navi_pane_srt_g2_ParamLimits 0xd768, // (0x0001527c) navi_navi_pane_srt_g2 0x0001, 0xfa03, // (0x00017517) navi_navi_pane_srt_g_ParamLimits 0xfa03, // (0x00017517) navi_navi_pane_srt_g 0xd77a, // (0x0001528e) navi_navi_tabs_pane_srt 0xd74e, // (0x00015262) navi_navi_text_pane_srt 0xd74e, // (0x00015262) navi_navi_volume_pane_srt 0xd73f, // (0x00015253) navi_navi_text_pane_srt_t1 0x780e, // (0x0000f322) navi_navi_volume_pane_srt_g1 0x7816, // (0x0000f32a) volume_small_pane_srt_ParamLimits 0x7816, // (0x0000f32a) volume_small_pane_srt 0x7188, // (0x0000ec9c) volume_small_pane_srt_g1_ParamLimits 0x7188, // (0x0000ec9c) volume_small_pane_srt_g1 0x7198, // (0x0000ecac) volume_small_pane_srt_g2_ParamLimits 0x7198, // (0x0000ecac) volume_small_pane_srt_g2 0x71a9, // (0x0000ecbd) volume_small_pane_srt_g3_ParamLimits 0x71a9, // (0x0000ecbd) volume_small_pane_srt_g3 0x71ba, // (0x0000ecce) volume_small_pane_srt_g4_ParamLimits 0x71ba, // (0x0000ecce) volume_small_pane_srt_g4 0x71cb, // (0x0000ecdf) volume_small_pane_srt_g5_ParamLimits 0x71cb, // (0x0000ecdf) volume_small_pane_srt_g5 0x71dc, // (0x0000ecf0) volume_small_pane_srt_g6_ParamLimits 0x71dc, // (0x0000ecf0) volume_small_pane_srt_g6 0x71ed, // (0x0000ed01) volume_small_pane_srt_g7_ParamLimits 0x71ed, // (0x0000ed01) volume_small_pane_srt_g7 0x71fe, // (0x0000ed12) volume_small_pane_srt_g8_ParamLimits 0x71fe, // (0x0000ed12) volume_small_pane_srt_g8 0x720f, // (0x0000ed23) volume_small_pane_srt_g9_ParamLimits 0x720f, // (0x0000ed23) volume_small_pane_srt_g9 0x7220, // (0x0000ed34) volume_small_pane_srt_g10_ParamLimits 0x7220, // (0x0000ed34) volume_small_pane_srt_g10 0x0009, 0xf7be, // (0x000172d2) volume_small_pane_srt_g_ParamLimits 0xf7be, // (0x000172d2) volume_small_pane_srt_g 0x8b5b, // (0x0001066f) query_popup_data_pane_cp2 0xd725, // (0x00015239) navi_navi_icon_text_pane_srt_t1_ParamLimits 0xd725, // (0x00015239) navi_navi_icon_text_pane_srt_t1 0xbb0c, // (0x00013620) navi_tabs_2_long_pane_srt 0xbb0c, // (0x00013620) navi_tabs_2_pane_srt 0xbb0c, // (0x00013620) navi_tabs_3_long_pane_srt 0xbb0c, // (0x00013620) navi_tabs_3_pane_srt 0xbb0c, // (0x00013620) navi_tabs_4_pane_srt 0x77ee, // (0x0000f302) tabs_2_active_pane_srt_ParamLimits 0x77ee, // (0x0000f302) tabs_2_active_pane_srt 0x77fe, // (0x0000f312) tabs_2_passive_pane_srt_ParamLimits 0x77fe, // (0x0000f312) tabs_2_passive_pane_srt 0xb313, // (0x00012e27) bg_passive_tab_pane_cp1_srt_ParamLimits 0xb313, // (0x00012e27) bg_passive_tab_pane_cp1_srt 0xd703, // (0x00015217) bg_passive_tab_pane_g1_cp1_srt 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp1_srt 0xd70c, // (0x00015220) bg_passive_tab_pane_g3_cp1_srt 0x89f2, // (0x00010506) bg_active_tab_pane_cp1_srt_ParamLimits 0x89f2, // (0x00010506) bg_active_tab_pane_cp1_srt 0xd715, // (0x00015229) tabs_2_active_pane_srt_g1 0x389e, // (0x0000b3b2) tabs_2_active_pane_srt_t1_ParamLimits 0x389e, // (0x0000b3b2) tabs_2_active_pane_srt_t1 0xd703, // (0x00015217) bg_active_tab_pane_g1_cp1_srt 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp1_srt 0xd70c, // (0x00015220) bg_active_tab_pane_g3_cp1_srt 0x77bb, // (0x0000f2cf) tabs_3_active_pane_srt_ParamLimits 0x77bb, // (0x0000f2cf) tabs_3_active_pane_srt 0x77cc, // (0x0000f2e0) tabs_3_passive_pane_cp_srt_ParamLimits 0x77cc, // (0x0000f2e0) tabs_3_passive_pane_cp_srt 0x77dd, // (0x0000f2f1) tabs_3_passive_pane_srt_ParamLimits 0x77dd, // (0x0000f2f1) tabs_3_passive_pane_srt 0xb313, // (0x00012e27) bg_passive_tab_pane_cp2_srt_ParamLimits 0xb313, // (0x00012e27) bg_passive_tab_pane_cp2_srt 0xa51e, // (0x00012032) bg_passive_tab_pane_g1_cp2_srt 0xa019, // (0x00011b2d) bg_passive_tab_pane_g2_cp2_srt 0xa527, // (0x0001203b) bg_passive_tab_pane_g3_cp2_srt 0x89f2, // (0x00010506) bg_active_tab_pane_cp2_srt_ParamLimits 0x89f2, // (0x00010506) bg_active_tab_pane_cp2_srt 0xd6fb, // (0x0001520f) tabs_3_active_pane_srt_g1 0x32e0, // (0x0000adf4) tabs_3_active_pane_srt_t1_ParamLimits 0x32e0, // (0x0000adf4) tabs_3_active_pane_srt_t1 0xa51e, // (0x00012032) bg_active_tab_pane_g1_cp2_srt 0xa019, // (0x00011b2d) bg_active_tab_pane_g2_cp2_srt 0xa527, // (0x0001203b) bg_active_tab_pane_g3_cp2_srt 0x7773, // (0x0000f287) tabs_4_active_pane_srt_ParamLimits 0x7773, // (0x0000f287) tabs_4_active_pane_srt 0x7785, // (0x0000f299) tabs_4_passive_pane_cp2_srt_ParamLimits 0x7785, // (0x0000f299) tabs_4_passive_pane_cp2_srt 0xa66e, // (0x00012182) aid_size_cell_toolbar 0x3d41, // (0x0000b855) main_idle_act_pane_ParamLimits 0xa8b4, // (0x000123c8) popup_large_graphic_colour_window_ParamLimits 0x4409, // (0x0000bf1d) popup_toolbar_window_ParamLimits 0x4409, // (0x0000bf1d) popup_toolbar_window 0xd62d, // (0x00015141) list_single_graphic_2heading_pane_ParamLimits 0xd62d, // (0x00015141) list_single_graphic_2heading_pane 0x9aac, // (0x000115c0) aid_size_cell_apps_grid_lsc_pane 0x9ab4, // (0x000115c8) aid_size_cell_apps_grid_prt_pane 0xa6e9, // (0x000121fd) bg_wml_button_pane_cp1_ParamLimits 0xa6e9, // (0x000121fd) bg_wml_button_pane_cp1 0x493e, // (0x0000c452) form_midp_field_text_pane_t1_ParamLimits 0xb313, // (0x00012e27) input_focus_pane_cp050_ParamLimits 0xb548, // (0x0001305c) list_midp_form_text_pane_ParamLimits 0xb4f7, // (0x0001300b) input_focus_pane_cp051_ParamLimits 0xb50b, // (0x0001301f) list_midp_choice_pane_ParamLimits 0x3a0e, // (0x0000b522) list_single_2graphic_pane_cp3_ParamLimits 0x3a0e, // (0x0000b522) list_single_2graphic_pane_cp3 0x48e7, // (0x0000c3fb) list_single_midp_graphic_pane_ParamLimits 0x48e7, // (0x0000c3fb) list_single_midp_graphic_pane 0x7383, // (0x0000ee97) list_single_graphic_2heading_pane_g1_ParamLimits 0x7383, // (0x0000ee97) list_single_graphic_2heading_pane_g1 0x738f, // (0x0000eea3) list_single_graphic_2heading_pane_g4_ParamLimits 0x738f, // (0x0000eea3) list_single_graphic_2heading_pane_g4 0x739b, // (0x0000eeaf) list_single_graphic_2heading_pane_g5_ParamLimits 0x739b, // (0x0000eeaf) list_single_graphic_2heading_pane_g5 0x0002, 0xf811, // (0x00017325) list_single_graphic_2heading_pane_g_ParamLimits 0xf811, // (0x00017325) list_single_graphic_2heading_pane_g 0x73a7, // (0x0000eebb) list_single_graphic_2heading_pane_t1_ParamLimits 0x73a7, // (0x0000eebb) list_single_graphic_2heading_pane_t1 0x73bb, // (0x0000eecf) list_single_graphic_2heading_pane_t2_ParamLimits 0x73bb, // (0x0000eecf) list_single_graphic_2heading_pane_t2 0x73d7, // (0x0000eeeb) list_single_graphic_2heading_pane_t3_ParamLimits 0x73d7, // (0x0000eeeb) list_single_graphic_2heading_pane_t3 0x0002, 0xf818, // (0x0001732c) list_single_graphic_2heading_pane_t_ParamLimits 0xf818, // (0x0001732c) list_single_graphic_2heading_pane_t 0xb13a, // (0x00012c4e) bg_popup_sub_pane_cp2 0xb162, // (0x00012c76) grid_toobar_pane 0x73ef, // (0x0000ef03) cell_toolbar_pane_ParamLimits 0x73ef, // (0x0000ef03) cell_toolbar_pane 0xb19b, // (0x00012caf) cell_toolbar_pane_g1_ParamLimits 0xb19b, // (0x00012caf) cell_toolbar_pane_g1 0xb1af, // (0x00012cc3) cell_toolbar_pane_g2_ParamLimits 0xb1af, // (0x00012cc3) cell_toolbar_pane_g2 0x0001, 0xf81f, // (0x00017333) cell_toolbar_pane_g_ParamLimits 0xf81f, // (0x00017333) cell_toolbar_pane_g 0xb1d1, // (0x00012ce5) grid_highlight_pane_cp2_ParamLimits 0xb1d1, // (0x00012ce5) grid_highlight_pane_cp2 0xb1eb, // (0x00012cff) toolbar_button_pane 0xb1f7, // (0x00012d0b) toolbar_button_pane_g1 0xb1ff, // (0x00012d13) toolbar_button_pane_g2 0xb207, // (0x00012d1b) toolbar_button_pane_g3 0xb20f, // (0x00012d23) toolbar_button_pane_g4 0xb217, // (0x00012d2b) toolbar_button_pane_g5 0xb21f, // (0x00012d33) toolbar_button_pane_g6 0xb227, // (0x00012d3b) toolbar_button_pane_g7 0xb22f, // (0x00012d43) toolbar_button_pane_g8 0xb237, // (0x00012d4b) toolbar_button_pane_g9 0x0009, 0xf824, // (0x00017338) toolbar_button_pane_g 0x742a, // (0x0000ef3e) list_single_2graphic_pane_g1_cp3_ParamLimits 0x742a, // (0x0000ef3e) list_single_2graphic_pane_g1_cp3 0xcbbb, // (0x000146cf) list_single_2graphic_pane_g2_cp3_ParamLimits 0xcbbb, // (0x000146cf) list_single_2graphic_pane_g2_cp3 0x7447, // (0x0000ef5b) list_single_2graphic_pane_g3_cp3 0x744f, // (0x0000ef63) list_single_2graphic_pane_g4_cp3_ParamLimits 0x744f, // (0x0000ef63) list_single_2graphic_pane_g4_cp3 0x745b, // (0x0000ef6f) list_single_2graphic_pane_t1_cp3_ParamLimits 0x745b, // (0x0000ef6f) list_single_2graphic_pane_t1_cp3 0x7478, // (0x0000ef8c) list_single_midp_graphic_pane_g2_ParamLimits 0x7478, // (0x0000ef8c) list_single_midp_graphic_pane_g2 0xa676, // (0x0001218a) aid_zoom_text_primary 0xa67e, // (0x00012192) aid_zoom_text_secondary 0xa5d7, // (0x000120eb) status_small_pane_g7_ParamLimits 0xa5d7, // (0x000120eb) status_small_pane_g7 0xa5fa, // (0x0001210e) status_small_pane_t1_ParamLimits 0x3220, // (0x0000ad34) title_pane_g2 0x0003, 0xf5b8, // (0x000170cc) title_pane_g 0x3557, // (0x0000b06b) aid_size_cell_colour_1_pane_ParamLimits 0x3557, // (0x0000b06b) aid_size_cell_colour_1_pane 0x356b, // (0x0000b07f) aid_size_cell_colour_2_pane_ParamLimits 0x356b, // (0x0000b07f) aid_size_cell_colour_2_pane 0x357f, // (0x0000b093) aid_size_cell_colour_3_pane_ParamLimits 0x357f, // (0x0000b093) aid_size_cell_colour_3_pane 0x3593, // (0x0000b0a7) aid_size_cell_colour_4_pane_ParamLimits 0x3593, // (0x0000b0a7) aid_size_cell_colour_4_pane 0x6e31, // (0x0000e945) title_pane_stacon_g1_ParamLimits 0x6e31, // (0x0000e945) title_pane_stacon_g1 0xb900, // (0x00013414) popup_note_wait_window_g3_ParamLimits 0xb900, // (0x00013414) popup_note_wait_window_g3 0xb977, // (0x0001348b) popup_note_wait_window_t5_ParamLimits 0xb977, // (0x0001348b) popup_note_wait_window_t5 0x8666, // (0x0001017a) main_feb_china_hwr_fs_writing_pane 0x3db2, // (0x0000b8c6) popup_feb_china_hwr_fs_window_ParamLimits 0x3db2, // (0x0000b8c6) popup_feb_china_hwr_fs_window 0xcbcc, // (0x000146e0) aid_size_cell_hwr_fs_ParamLimits 0xcbcc, // (0x000146e0) aid_size_cell_hwr_fs 0xb313, // (0x00012e27) bg_popup_sub_pane_cp3_ParamLimits 0xb313, // (0x00012e27) bg_popup_sub_pane_cp3 0xcbe1, // (0x000146f5) grid_hwr_fs_pane_ParamLimits 0xcbe1, // (0x000146f5) grid_hwr_fs_pane 0x74c7, // (0x0000efdb) linegrid_hwr_fs_pane_ParamLimits 0x74c7, // (0x0000efdb) linegrid_hwr_fs_pane 0xcbf9, // (0x0001470d) cell_hwr_fs_pane_ParamLimits 0xcbf9, // (0x0001470d) cell_hwr_fs_pane 0xb31f, // (0x00012e33) linegrid_hwr_fs_pane_g1_ParamLimits 0xb31f, // (0x00012e33) linegrid_hwr_fs_pane_g1 0x48ad, // (0x0000c3c1) linegrid_hwr_fs_pane_g2_ParamLimits 0x48ad, // (0x0000c3c1) linegrid_hwr_fs_pane_g2 0xb33d, // (0x00012e51) linegrid_hwr_fs_pane_g3_ParamLimits 0xb33d, // (0x00012e51) linegrid_hwr_fs_pane_g3 0x74fb, // (0x0000f00f) linegrid_hwr_fs_pane_g4_ParamLimits 0x74fb, // (0x0000f00f) linegrid_hwr_fs_pane_g4 0x7519, // (0x0000f02d) linegrid_hwr_fs_pane_g5_ParamLimits 0x7519, // (0x0000f02d) linegrid_hwr_fs_pane_g5 0x0004, 0xf84a, // (0x0001735e) linegrid_hwr_fs_pane_g_ParamLimits 0xf84a, // (0x0001735e) linegrid_hwr_fs_pane_g 0xb349, // (0x00012e5d) cell_hwr_fs_pane_g1_ParamLimits 0xb349, // (0x00012e5d) cell_hwr_fs_pane_g1 0xb074, // (0x00012b88) cell_hwr_fs_pane_g2_ParamLimits 0xb074, // (0x00012b88) cell_hwr_fs_pane_g2 0x48bf, // (0x0000c3d3) cell_hwr_fs_pane_g3_ParamLimits 0x48bf, // (0x0000c3d3) cell_hwr_fs_pane_g3 0x48cc, // (0x0000c3e0) cell_hwr_fs_pane_g4_ParamLimits 0x48cc, // (0x0000c3e0) cell_hwr_fs_pane_g4 0x0003, 0xf855, // (0x00017369) cell_hwr_fs_pane_g_ParamLimits 0xf855, // (0x00017369) cell_hwr_fs_pane_g 0xcc1f, // (0x00014733) cell_hwr_fs_pane_t1 0x8666, // (0x0001017a) grid_highlight_pane_cp6 0x8666, // (0x0001017a) main_idle_act2_pane 0x983b, // (0x0001134f) aid_inside_area_popup_secondary 0x4ad0, // (0x0000c5e4) aid_inside_area_window_primary_ParamLimits 0x4ad0, // (0x0000c5e4) aid_inside_area_window_primary 0xd83e, // (0x00015352) ai2_news_ticker_pane 0xd846, // (0x0001535a) aid_size_cell_ai1_link_ParamLimits 0xd846, // (0x0001535a) aid_size_cell_ai1_link 0xd860, // (0x00015374) popup_ai2_data_window_ParamLimits 0xd860, // (0x00015374) popup_ai2_data_window 0xd87e, // (0x00015392) popup_ai2_link_window_ParamLimits 0xd87e, // (0x00015392) popup_ai2_link_window 0xb313, // (0x00012e27) bg_popup_sub_pane_cp4_ParamLimits 0xb313, // (0x00012e27) bg_popup_sub_pane_cp4 0xd894, // (0x000153a8) grid_ai2_link_pane_ParamLimits 0xd894, // (0x000153a8) grid_ai2_link_pane 0xd8ab, // (0x000153bf) popup_ai2_link_window_g1_ParamLimits 0xd8ab, // (0x000153bf) popup_ai2_link_window_g1 0xd8b7, // (0x000153cb) popup_ai2_link_window_g2_ParamLimits 0xd8b7, // (0x000153cb) popup_ai2_link_window_g2 0x0001, 0xfa21, // (0x00017535) popup_ai2_link_window_g_ParamLimits 0xfa21, // (0x00017535) popup_ai2_link_window_g 0xd8c8, // (0x000153dc) ai2_mp_button_pane 0xd8d0, // (0x000153e4) ai2_mp_volume_pane 0xb4f7, // (0x0001300b) bg_popup_sub_pane_cp5_ParamLimits 0xb4f7, // (0x0001300b) bg_popup_sub_pane_cp5 0xd8d8, // (0x000153ec) heading_ai2_gene_pane_ParamLimits 0xd8d8, // (0x000153ec) heading_ai2_gene_pane 0xd8e4, // (0x000153f8) list_ai2_gene_pane_ParamLimits 0xd8e4, // (0x000153f8) list_ai2_gene_pane 0xd92c, // (0x00015440) cell_ai2_link_pane_ParamLimits 0xd92c, // (0x00015440) cell_ai2_link_pane 0xd942, // (0x00015456) cell_ai2_link_pane_g1 0x8666, // (0x0001017a) grid_highlight_pane_cp7 0x782b, // (0x0000f33f) ai2_mp_volume_pane_g1 0xda0d, // (0x00015521) ai2_mp_volume_pane_g2 0xd982, // (0x00015496) list_ai2_gene_pane_t1 0xda15, // (0x00015529) ai2_mp_volume_pane_g3 0x0002, 0xfa3a, // (0x0001754e) ai2_mp_volume_pane_g 0x7833, // (0x0000f347) volume_small_pane_cp3 0xdabc, // (0x000155d0) aid_size_cell_ai2_button 0xdac4, // (0x000155d8) grid_ai2_button_pane 0xdacd, // (0x000155e1) cell_ai2_button_pane_ParamLimits 0xdacd, // (0x000155e1) cell_ai2_button_pane 0x856c, // (0x00010080) cell_ai2_button_pane_g1 0x8666, // (0x0001017a) grid_highlight_pane_cp8 0xd9cd, // (0x000154e1) ai2_gene_pane_t1_ParamLimits 0xd9cd, // (0x000154e1) ai2_gene_pane_t1 0x3d37, // (0x0000b84b) aid_height_parent_landscape 0x4cd0, // (0x0000c7e4) aid_height_set_list 0xd5bc, // (0x000150d0) aid_size_parent 0xd6c9, // (0x000151dd) aid_size_cell_graphic_pane_ParamLimits 0xd8f4, // (0x00015408) popup_ai2_data_window_g1_ParamLimits 0xd8f4, // (0x00015408) popup_ai2_data_window_g1 0xd900, // (0x00015414) ai2_news_ticker_pane_g1 0xd908, // (0x0001541c) ai2_news_ticker_pane_g2 0x0001, 0xfa26, // (0x0001753a) ai2_news_ticker_pane_g 0xd910, // (0x00015424) ai2_news_ticker_pane_t1 0xd91e, // (0x00015432) ai2_news_ticker_pane_t2 0x0001, 0xfa2b, // (0x0001753f) ai2_news_ticker_pane_t 0xd6aa, // (0x000151be) heading_ai2_gene_pane_g1 0xd94b, // (0x0001545f) heading_ai2_gene_pane_t1_ParamLimits 0xd94b, // (0x0001545f) heading_ai2_gene_pane_t1 0xd960, // (0x00015474) list_highlight_pane_cp6 0xd968, // (0x0001547c) ai2_gene_pane_ParamLimits 0xd968, // (0x0001547c) ai2_gene_pane 0xd990, // (0x000154a4) list_ai2_gene_pane_t2 0x0001, 0xfa30, // (0x00017544) list_ai2_gene_pane_t 0xd99e, // (0x000154b2) list_highlight_pane_cp8_ParamLimits 0xd99e, // (0x000154b2) list_highlight_pane_cp8 0xd9af, // (0x000154c3) ai2_gene_pane_g1_ParamLimits 0xd9af, // (0x000154c3) ai2_gene_pane_g1 0xd9c1, // (0x000154d5) ai2_gene_pane_g2_ParamLimits 0xd9c1, // (0x000154d5) ai2_gene_pane_g2 0x0001, 0xfa35, // (0x00017549) ai2_gene_pane_g_ParamLimits 0xfa35, // (0x00017549) ai2_gene_pane_g 0x8f85, // (0x00010a99) scroll_pane_cp12 0xcb7a, // (0x0001468e) control_pane_t3_ParamLimits 0xcb7a, // (0x0001468e) control_pane_t3 0xa5eb, // (0x000120ff) status_small_pane_g8_ParamLimits 0xa5eb, // (0x000120ff) status_small_pane_g8 0x3e54, // (0x0000b968) popup_find_window_ParamLimits 0x40f3, // (0x0000bc07) popup_note_image_window_ParamLimits 0x8f96, // (0x00010aaa) list_double2_graphic_pane_vc_g1_ParamLimits 0x8f96, // (0x00010aaa) list_double2_graphic_pane_vc_g1 0x8fa2, // (0x00010ab6) list_double2_graphic_pane_vc_g2_ParamLimits 0x8fa2, // (0x00010ab6) list_double2_graphic_pane_vc_g2 0x8fae, // (0x00010ac2) list_double2_graphic_pane_vc_g3_ParamLimits 0x8fae, // (0x00010ac2) list_double2_graphic_pane_vc_g3 0x0002, 0xf62b, // (0x0001713f) list_double2_graphic_pane_vc_g_ParamLimits 0xf62b, // (0x0001713f) list_double2_graphic_pane_vc_g 0x8fba, // (0x00010ace) list_double2_graphic_pane_vc_t1_ParamLimits 0x8fba, // (0x00010ace) list_double2_graphic_pane_vc_t1 0x8fa2, // (0x00010ab6) list_single_heading_pane_vc_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_single_heading_pane_vc_g1 0x8fae, // (0x00010ac2) list_single_heading_pane_vc_g2_ParamLimits 0x8fae, // (0x00010ac2) list_single_heading_pane_vc_g2 0x0001, 0xf632, // (0x00017146) list_single_heading_pane_vc_g_ParamLimits 0xf632, // (0x00017146) list_single_heading_pane_vc_g 0xb23f, // (0x00012d53) list_single_heading_pane_vc_t1_ParamLimits 0xb23f, // (0x00012d53) list_single_heading_pane_vc_t1 0xb255, // (0x00012d69) list_single_heading_pane_vc_t2_ParamLimits 0xb255, // (0x00012d69) list_single_heading_pane_vc_t2 0x0001, 0xf839, // (0x0001734d) list_single_heading_pane_vc_t_ParamLimits 0xf839, // (0x0001734d) list_single_heading_pane_vc_t 0xb269, // (0x00012d7d) list_setting_number_pane_vc_g1_ParamLimits 0xb269, // (0x00012d7d) list_setting_number_pane_vc_g1 0xb275, // (0x00012d89) list_setting_number_pane_vc_g2_ParamLimits 0xb275, // (0x00012d89) list_setting_number_pane_vc_g2 0x0001, 0xf83e, // (0x00017352) list_setting_number_pane_vc_g_ParamLimits 0xf83e, // (0x00017352) list_setting_number_pane_vc_g 0xb281, // (0x00012d95) list_setting_number_pane_vc_t1_ParamLimits 0xb281, // (0x00012d95) list_setting_number_pane_vc_t1 0xb295, // (0x00012da9) list_setting_number_pane_vc_t2_ParamLimits 0xb295, // (0x00012da9) list_setting_number_pane_vc_t2 0xb2b1, // (0x00012dc5) list_setting_number_pane_vc_t3_ParamLimits 0xb2b1, // (0x00012dc5) list_setting_number_pane_vc_t3 0x0002, 0xf843, // (0x00017357) list_setting_number_pane_vc_t_ParamLimits 0xf843, // (0x00017357) list_setting_number_pane_vc_t 0xb2d9, // (0x00012ded) set_value_pane_vc_ParamLimits 0xb2d9, // (0x00012ded) set_value_pane_vc 0xd62d, // (0x00015141) list_double2_graphic_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double2_graphic_pane_vc 0xd645, // (0x00015159) list_double2_large_graphic_pane_vc_ParamLimits 0xd645, // (0x00015159) list_double2_large_graphic_pane_vc 0xd62d, // (0x00015141) list_double2_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double2_pane_vc 0xd62d, // (0x00015141) list_double_graphic_heading_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double_graphic_heading_pane_vc 0xd62d, // (0x00015141) list_double_graphic_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double_graphic_pane_vc 0xd62d, // (0x00015141) list_double_heading_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double_heading_pane_vc 0xd645, // (0x00015159) list_double_large_graphic_pane_vc_ParamLimits 0xd645, // (0x00015159) list_double_large_graphic_pane_vc 0xd62d, // (0x00015141) list_double_number_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double_number_pane_vc 0xd62d, // (0x00015141) list_double_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double_pane_vc 0xd62d, // (0x00015141) list_double_time_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_double_time_pane_vc 0xd62d, // (0x00015141) list_setting_number_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_setting_number_pane_vc 0xd62d, // (0x00015141) list_setting_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_setting_pane_vc 0xd62d, // (0x00015141) list_single_graphic_heading_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_single_graphic_heading_pane_vc 0xd62d, // (0x00015141) list_single_heading_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_single_heading_pane_vc 0xd62d, // (0x00015141) list_single_number_heading_pane_vc_ParamLimits 0xd62d, // (0x00015141) list_single_number_heading_pane_vc 0x8f96, // (0x00010aaa) list_double_graphic_heading_pane_vc_g1_ParamLimits 0x8f96, // (0x00010aaa) list_double_graphic_heading_pane_vc_g1 0x9081, // (0x00010b95) list_double_graphic_heading_pane_vc_g2_ParamLimits 0x9081, // (0x00010b95) list_double_graphic_heading_pane_vc_g2 0x908d, // (0x00010ba1) list_double_graphic_heading_pane_vc_g3_ParamLimits 0x908d, // (0x00010ba1) list_double_graphic_heading_pane_vc_g3 0x0002, 0xfa41, // (0x00017555) list_double_graphic_heading_pane_vc_g_ParamLimits 0xfa41, // (0x00017555) list_double_graphic_heading_pane_vc_g 0xdadf, // (0x000155f3) list_double_graphic_heading_pane_vc_t1_ParamLimits 0xdadf, // (0x000155f3) list_double_graphic_heading_pane_vc_t1 0xb23f, // (0x00012d53) list_double_graphic_heading_pane_vc_t2_ParamLimits 0xb23f, // (0x00012d53) list_double_graphic_heading_pane_vc_t2 0x0001, 0xfa48, // (0x0001755c) list_double_graphic_heading_pane_vc_t_ParamLimits 0xfa48, // (0x0001755c) list_double_graphic_heading_pane_vc_t 0xb269, // (0x00012d7d) list_setting_pane_vc_g1_ParamLimits 0xb269, // (0x00012d7d) list_setting_pane_vc_g1 0xb275, // (0x00012d89) list_setting_pane_vc_g2_ParamLimits 0xb275, // (0x00012d89) list_setting_pane_vc_g2 0x0001, 0xf83e, // (0x00017352) list_setting_pane_vc_g_ParamLimits 0xf83e, // (0x00017352) list_setting_pane_vc_g 0xdcff, // (0x00015813) list_setting_pane_vc_t1_ParamLimits 0xdcff, // (0x00015813) list_setting_pane_vc_t1 0xdd13, // (0x00015827) list_setting_pane_vc_t2_ParamLimits 0xdd13, // (0x00015827) list_setting_pane_vc_t2 0x0001, 0xfa8b, // (0x0001759f) list_setting_pane_vc_t_ParamLimits 0xfa8b, // (0x0001759f) list_setting_pane_vc_t 0xb2d9, // (0x00012ded) set_value_pane_cp_vc_ParamLimits 0xb2d9, // (0x00012ded) set_value_pane_cp_vc 0x8fa2, // (0x00010ab6) list_single_number_heading_pane_vc_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_single_number_heading_pane_vc_g1 0x8fae, // (0x00010ac2) list_single_number_heading_pane_vc_g2_ParamLimits 0x8fae, // (0x00010ac2) list_single_number_heading_pane_vc_g2 0x0001, 0xf632, // (0x00017146) list_single_number_heading_pane_vc_g_ParamLimits 0xf632, // (0x00017146) list_single_number_heading_pane_vc_g 0xb23f, // (0x00012d53) list_single_number_heading_pane_vc_t1_ParamLimits 0xb23f, // (0x00012d53) list_single_number_heading_pane_vc_t1 0xdd35, // (0x00015849) list_single_number_heading_pane_vc_t2_ParamLimits 0xdd35, // (0x00015849) list_single_number_heading_pane_vc_t2 0x900a, // (0x00010b1e) list_single_number_heading_pane_vc_t3_ParamLimits 0x900a, // (0x00010b1e) list_single_number_heading_pane_vc_t3 0x0002, 0xfa90, // (0x000175a4) list_single_number_heading_pane_vc_t_ParamLimits 0xfa90, // (0x000175a4) list_single_number_heading_pane_vc_t 0x8f96, // (0x00010aaa) list_single_graphic_heading_pane_vc_g1_ParamLimits 0x8f96, // (0x00010aaa) list_single_graphic_heading_pane_vc_g1 0x8fa2, // (0x00010ab6) list_single_graphic_heading_pane_vc_g4_ParamLimits 0x8fa2, // (0x00010ab6) list_single_graphic_heading_pane_vc_g4 0x8fae, // (0x00010ac2) list_single_graphic_heading_pane_vc_g5_ParamLimits 0x8fae, // (0x00010ac2) list_single_graphic_heading_pane_vc_g5 0x0002, 0xf62b, // (0x0001713f) list_single_graphic_heading_pane_vc_g_ParamLimits 0xf62b, // (0x0001713f) list_single_graphic_heading_pane_vc_g 0xb23f, // (0x00012d53) list_single_graphic_heading_pane_vc_t1_ParamLimits 0xb23f, // (0x00012d53) list_single_graphic_heading_pane_vc_t1 0xdd49, // (0x0001585d) list_single_graphic_heading_pane_vc_t2_ParamLimits 0xdd49, // (0x0001585d) list_single_graphic_heading_pane_vc_t2 0x0001, 0xfa97, // (0x000175ab) list_single_graphic_heading_pane_vc_t_ParamLimits 0xfa97, // (0x000175ab) list_single_graphic_heading_pane_vc_t 0x8fa2, // (0x00010ab6) list_double2_pane_vc_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_double2_pane_vc_g1 0x8fae, // (0x00010ac2) list_double2_pane_vc_g2_ParamLimits 0x8fae, // (0x00010ac2) list_double2_pane_vc_g2 0x0001, 0xf632, // (0x00017146) list_double2_pane_vc_g_ParamLimits 0xf632, // (0x00017146) list_double2_pane_vc_g 0xd5f8, // (0x0001510c) list_double2_pane_vc_t1_ParamLimits 0xd5f8, // (0x0001510c) list_double2_pane_vc_t1 0xda73, // (0x00015587) list_double2_large_graphic_pane_vc_g1_ParamLimits 0xda73, // (0x00015587) list_double2_large_graphic_pane_vc_g1 0xa2d3, // (0x00011de7) list_double2_large_graphic_pane_vc_g2_ParamLimits 0xa2d3, // (0x00011de7) list_double2_large_graphic_pane_vc_g2 0xda7f, // (0x00015593) list_double2_large_graphic_pane_vc_g3_ParamLimits 0xda7f, // (0x00015593) list_double2_large_graphic_pane_vc_g3 0x0002, 0xf64f, // (0x00017163) list_double2_large_graphic_pane_vc_g_ParamLimits 0xf64f, // (0x00017163) list_double2_large_graphic_pane_vc_g 0xda8b, // (0x0001559f) list_double2_large_graphic_pane_vc_t1_ParamLimits 0xda8b, // (0x0001559f) list_double2_large_graphic_pane_vc_t1 0xdd5d, // (0x00015871) list_double_time_pane_vc_g1_ParamLimits 0xdd5d, // (0x00015871) list_double_time_pane_vc_g1 0xdd69, // (0x0001587d) list_double_time_pane_vc_g2_ParamLimits 0xdd69, // (0x0001587d) list_double_time_pane_vc_g2 0x0001, 0xfa9c, // (0x000175b0) list_double_time_pane_vc_g_ParamLimits 0xfa9c, // (0x000175b0) list_double_time_pane_vc_g 0xdd75, // (0x00015889) list_double_time_pane_vc_t1_ParamLimits 0xdd75, // (0x00015889) list_double_time_pane_vc_t1 0xdd8e, // (0x000158a2) list_double_time_pane_vc_t2_ParamLimits 0xdd8e, // (0x000158a2) list_double_time_pane_vc_t2 0xddae, // (0x000158c2) list_double_time_pane_vc_t3_ParamLimits 0xddae, // (0x000158c2) list_double_time_pane_vc_t3 0xddc6, // (0x000158da) list_double_time_pane_vc_t4_ParamLimits 0xddc6, // (0x000158da) list_double_time_pane_vc_t4 0x0003, 0xfaa1, // (0x000175b5) list_double_time_pane_vc_t_ParamLimits 0xfaa1, // (0x000175b5) list_double_time_pane_vc_t 0x8fa2, // (0x00010ab6) list_double_pane_vc_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_double_pane_vc_g1 0x8fae, // (0x00010ac2) list_double_pane_vc_g2_ParamLimits 0x8fae, // (0x00010ac2) list_double_pane_vc_g2 0x0001, 0xf632, // (0x00017146) list_double_pane_vc_g_ParamLimits 0xf632, // (0x00017146) list_double_pane_vc_g 0xddda, // (0x000158ee) list_double_pane_vc_t1_ParamLimits 0xddda, // (0x000158ee) list_double_pane_vc_t1 0xddec, // (0x00015900) list_double_pane_vc_t2_ParamLimits 0xddec, // (0x00015900) list_double_pane_vc_t2 0x0001, 0xfaaa, // (0x000175be) list_double_pane_vc_t_ParamLimits 0xfaaa, // (0x000175be) list_double_pane_vc_t 0x8fa2, // (0x00010ab6) list_double_number_pane_vc_g1_ParamLimits 0x8fa2, // (0x00010ab6) list_double_number_pane_vc_g1 0x8fae, // (0x00010ac2) list_double_number_pane_vc_g2_ParamLimits 0x8fae, // (0x00010ac2) list_double_number_pane_vc_g2 0x0001, 0xf632, // (0x00017146) list_double_number_pane_vc_g_ParamLimits 0xf632, // (0x00017146) list_double_number_pane_vc_g 0xde04, // (0x00015918) list_double_number_pane_vc_t1_ParamLimits 0xde04, // (0x00015918) list_double_number_pane_vc_t1 0xde18, // (0x0001592c) list_double_number_pane_vc_t2_ParamLimits 0xde18, // (0x0001592c) list_double_number_pane_vc_t2 0xddec, // (0x00015900) list_double_number_pane_vc_t3_ParamLimits 0xddec, // (0x00015900) list_double_number_pane_vc_t3 0x0002, 0xfaaf, // (0x000175c3) list_double_number_pane_vc_t_ParamLimits 0xfaaf, // (0x000175c3) list_double_number_pane_vc_t 0xde2a, // (0x0001593e) list_double_large_graphic_pane_vc_g1_ParamLimits 0xde2a, // (0x0001593e) list_double_large_graphic_pane_vc_g1 0xde36, // (0x0001594a) list_double_large_graphic_pane_vc_g2_ParamLimits 0xde36, // (0x0001594a) list_double_large_graphic_pane_vc_g2 0xda7f, // (0x00015593) list_double_large_graphic_pane_vc_g3_ParamLimits 0xda7f, // (0x00015593) list_double_large_graphic_pane_vc_g3 0xde45, // (0x00015959) list_double_large_graphic_pane_vc_g4_ParamLimits 0xde45, // (0x00015959) list_double_large_graphic_pane_vc_g4 0x0003, 0xfab6, // (0x000175ca) list_double_large_graphic_pane_vc_g_ParamLimits 0xfab6, // (0x000175ca) list_double_large_graphic_pane_vc_g 0xde51, // (0x00015965) list_double_large_graphic_pane_vc_t1_ParamLimits 0xde51, // (0x00015965) list_double_large_graphic_pane_vc_t1 0xde63, // (0x00015977) list_double_large_graphic_pane_vc_t2_ParamLimits 0xde63, // (0x00015977) list_double_large_graphic_pane_vc_t2 0x0001, 0xfabf, // (0x000175d3) list_double_large_graphic_pane_vc_t_ParamLimits 0xfabf, // (0x000175d3) list_double_large_graphic_pane_vc_t 0x9081, // (0x00010b95) list_double_heading_pane_vc_g1_ParamLimits 0x9081, // (0x00010b95) list_double_heading_pane_vc_g1 0x908d, // (0x00010ba1) list_double_heading_pane_vc_g2_ParamLimits 0x908d, // (0x00010ba1) list_double_heading_pane_vc_g2 0x0001, 0xf656, // (0x0001716a) list_double_heading_pane_vc_g_ParamLimits 0xf656, // (0x0001716a) list_double_heading_pane_vc_g 0xde7c, // (0x00015990) list_double_heading_pane_vc_t1_ParamLimits 0xde7c, // (0x00015990) list_double_heading_pane_vc_t1 0xb23f, // (0x00012d53) list_double_heading_pane_vc_t2_ParamLimits 0xb23f, // (0x00012d53) list_double_heading_pane_vc_t2 0x0001, 0xfac4, // (0x000175d8) list_double_heading_pane_vc_t_ParamLimits 0xfac4, // (0x000175d8) list_double_heading_pane_vc_t 0x8f96, // (0x00010aaa) list_double_graphic_pane_vc_g1_ParamLimits 0x8f96, // (0x00010aaa) list_double_graphic_pane_vc_g1 0xde90, // (0x000159a4) list_double_graphic_pane_vc_g2_ParamLimits 0xde90, // (0x000159a4) list_double_graphic_pane_vc_g2 0xde9f, // (0x000159b3) list_double_graphic_pane_vc_g3_ParamLimits 0xde9f, // (0x000159b3) list_double_graphic_pane_vc_g3 0x0002, 0xfac9, // (0x000175dd) list_double_graphic_pane_vc_g_ParamLimits 0xfac9, // (0x000175dd) list_double_graphic_pane_vc_g 0xdeab, // (0x000159bf) list_double_graphic_pane_vc_t1_ParamLimits 0xdeab, // (0x000159bf) list_double_graphic_pane_vc_t1 0xddec, // (0x00015900) list_double_graphic_pane_vc_t2_ParamLimits 0xddec, // (0x00015900) list_double_graphic_pane_vc_t2 0x0001, 0xfad0, // (0x000175e4) list_double_graphic_pane_vc_t_ParamLimits 0xfad0, // (0x000175e4) list_double_graphic_pane_vc_t 0x6aab, // (0x0000e5bf) aid_size_cell_fastswap 0xc848, // (0x0001435c) aid_size_cell_touch_ParamLimits 0xc848, // (0x0001435c) aid_size_cell_touch 0x6bfd, // (0x0000e711) popup_fast_swap_wide_window_ParamLimits 0x6bfd, // (0x0000e711) popup_fast_swap_wide_window 0xc9cc, // (0x000144e0) touch_pane_ParamLimits 0xc9cc, // (0x000144e0) touch_pane 0x9473, // (0x00010f87) button_value_adjust_pane_cp2 0x947b, // (0x00010f8f) button_value_adjust_pane_cp4 0x94a1, // (0x00010fb5) form_field_data_pane_cp2 0x3781, // (0x0000b295) form_field_data_wide_pane_cp2 0x9b6e, // (0x00011682) bg_scroll_pane_ParamLimits 0x6f4c, // (0x0000ea60) scroll_handle_pane_ParamLimits 0x6f60, // (0x0000ea74) scroll_sc2_down_pane_ParamLimits 0x6f60, // (0x0000ea74) scroll_sc2_down_pane 0x9b9f, // (0x000116b3) scroll_sc2_up_pane_ParamLimits 0x9b9f, // (0x000116b3) scroll_sc2_up_pane 0x5096, // (0x0000cbaa) grid_wheel_folder_pane_g1_ParamLimits 0x5096, // (0x0000cbaa) grid_wheel_folder_pane_g1 0x7120, // (0x0000ec34) clock_nsta_pane_cp2_ParamLimits 0x7120, // (0x0000ec34) clock_nsta_pane_cp2 0x3b2a, // (0x0000b63e) listscroll_midp_pane_ParamLimits 0x3b3a, // (0x0000b64e) midp_canvas_pane 0x737b, // (0x0000ee8f) nsta_clock_indic_pane 0xa6ba, // (0x000121ce) listscroll_form_pane_vc 0xa6d7, // (0x000121eb) listscroll_set_pane_vc_ParamLimits 0xa6d7, // (0x000121eb) listscroll_set_pane_vc 0x4565, // (0x0000c079) clock_nsta_pane 0x4588, // (0x0000c09c) indicator_nsta_pane 0xb13a, // (0x00012c4e) bg_popup_sub_pane_cp2_ParamLimits 0xb14e, // (0x00012c62) find_pane_cp2_ParamLimits 0xb14e, // (0x00012c62) find_pane_cp2 0xb162, // (0x00012c76) grid_toobar_pane_ParamLimits 0xb2e7, // (0x00012dfb) list_form_gen_pane_vc_ParamLimits 0xb2e7, // (0x00012dfb) list_form_gen_pane_vc 0xb2fd, // (0x00012e11) scroll_pane_cp8_vc_ParamLimits 0xb2fd, // (0x00012e11) scroll_pane_cp8_vc 0xb379, // (0x00012e8d) data_form_wide_pane_vc_ParamLimits 0xb379, // (0x00012e8d) data_form_wide_pane_vc 0xb385, // (0x00012e99) form_field_data_wide_pane_vc_g1 0xb38d, // (0x00012ea1) form_field_data_wide_pane_vc_t1_ParamLimits 0xb38d, // (0x00012ea1) form_field_data_wide_pane_vc_t1 0x9561, // (0x00011075) input_focus_pane_cp6_vc_ParamLimits 0x9561, // (0x00011075) input_focus_pane_cp6_vc 0x4985, // (0x0000c499) list_midp_pane_ParamLimits 0xcffe, // (0x00014b12) scroll_pane_cp16_ParamLimits 0xcffe, // (0x00014b12) scroll_pane_cp16 0xb6f7, // (0x0001320b) button_value_adjust_pane_ParamLimits 0xb6f7, // (0x0001320b) button_value_adjust_pane 0x4cdc, // (0x0000c7f0) button_value_adjust_pane_cp6_ParamLimits 0x4cdc, // (0x0000c7f0) button_value_adjust_pane_cp6 0x4e18, // (0x0000c92c) settings_code_pane_cp_ParamLimits 0x4e18, // (0x0000c92c) settings_code_pane_cp 0x856c, // (0x00010080) cell_touch_pane_g1 0x856c, // (0x00010080) cell_touch_pane_g2 0x0001, 0xf768, // (0x0001727c) cell_touch_pane_g 0x4f9c, // (0x0000cab0) cell_touch_pane_cp_ParamLimits 0x4f9c, // (0x0000cab0) cell_touch_pane_cp 0x4fb8, // (0x0000cacc) cell_touch_pane_ParamLimits 0x4fb8, // (0x0000cacc) cell_touch_pane 0x856c, // (0x00010080) scroll_sc2_down_pane_g1 0x856c, // (0x00010080) scroll_sc2_up_pane_g1 0x8666, // (0x0001017a) bg_set_opt_pane_cp4_vc 0xdaf3, // (0x00015607) list_set_graphic_pane_vc_g1_ParamLimits 0xdaf3, // (0x00015607) list_set_graphic_pane_vc_g1 0xdaff, // (0x00015613) list_set_graphic_pane_vc_g2_ParamLimits 0xdaff, // (0x00015613) list_set_graphic_pane_vc_g2 0x0001, 0xfa4d, // (0x00017561) list_set_graphic_pane_vc_g_ParamLimits 0xfa4d, // (0x00017561) list_set_graphic_pane_vc_g 0xdb0b, // (0x0001561f) text_primary_small_cp13_vc_ParamLimits 0xdb0b, // (0x0001561f) text_primary_small_cp13_vc 0xdb23, // (0x00015637) list_set_graphic_pane_vc_ParamLimits 0xdb23, // (0x00015637) list_set_graphic_pane_vc 0x8666, // (0x0001017a) input_focus_pane_cp2_vc 0x856c, // (0x00010080) setting_code_pane_vc_g1 0xdb36, // (0x0001564a) setting_code_pane_vc_t1 0xdb44, // (0x00015658) set_text_pane_vc_t1_ParamLimits 0xdb44, // (0x00015658) set_text_pane_vc_t1 0x8666, // (0x0001017a) input_focus_pane_cp1_vc 0xdb62, // (0x00015676) list_set_text_pane_vc 0x856c, // (0x00010080) setting_text_pane_vc_g1 0x8666, // (0x0001017a) bg_set_opt_pane_cp2_vc 0xdb6c, // (0x00015680) setting_slider_graphic_pane_vc_g1 0xdb74, // (0x00015688) setting_slider_graphic_pane_vc_t1 0xdb82, // (0x00015696) setting_slider_graphic_pane_vc_t2 0x0001, 0xfa52, // (0x00017566) setting_slider_graphic_pane_vc_t 0xdb90, // (0x000156a4) slider_set_pane_cp_vc 0xdb98, // (0x000156ac) slider_set_pane_vc_g1 0xdba1, // (0x000156b5) slider_set_pane_vc_g2 0x0006, 0xfa57, // (0x0001756b) slider_set_pane_vc_g 0x969a, // (0x000111ae) set_opt_bg_pane_g1_copy1 0x96a2, // (0x000111b6) set_opt_bg_pane_g2_copy1 0xdbcd, // (0x000156e1) set_opt_bg_pane_g3_copy1 0x96b2, // (0x000111c6) set_opt_bg_pane_g4_copy1 0x96ba, // (0x000111ce) set_opt_bg_pane_g5_copy1 0x96c2, // (0x000111d6) set_opt_bg_pane_g6_copy1 0xdbd7, // (0x000156eb) set_opt_bg_pane_g7_copy1 0xdbe1, // (0x000156f5) set_opt_bg_pane_g8_copy1 0xdbeb, // (0x000156ff) set_opt_bg_pane_g9_copy1 0x8666, // (0x0001017a) bg_set_opt_pane_cp_vc 0xdbf5, // (0x00015709) setting_slider_pane_vc_t1 0xdb74, // (0x00015688) setting_slider_pane_vc_t2 0xdb82, // (0x00015696) setting_slider_pane_vc_t3 0x0002, 0xfa66, // (0x0001757a) setting_slider_pane_vc_t 0xdb90, // (0x000156a4) slider_set_pane_vc 0x753d, // (0x0000f051) volume_set_pane_vc_g1 0x783c, // (0x0000f350) volume_set_pane_vc_g2 0x7558, // (0x0000f06c) volume_set_pane_vc_g3 0x7845, // (0x0000f359) volume_set_pane_vc_g4 0x7573, // (0x0000f087) volume_set_pane_vc_g5 0x784e, // (0x0000f362) volume_set_pane_vc_g6 0x758e, // (0x0000f0a2) volume_set_pane_vc_g7 0x7857, // (0x0000f36b) volume_set_pane_vc_g8 0x7860, // (0x0000f374) volume_set_pane_vc_g9 0x7869, // (0x0000f37d) volume_set_pane_vc_g10 0x0009, 0xfa6d, // (0x00017581) volume_set_pane_vc_g 0xdc04, // (0x00015718) volume_set_pane_vc 0xdc0c, // (0x00015720) button_value_adjust_pane_cp1_vc 0xdc16, // (0x0001572a) list_highlight_pane_cp2_vc 0xdc1f, // (0x00015733) list_set_pane_vc_ParamLimits 0xdc1f, // (0x00015733) list_set_pane_vc 0xdc8d, // (0x000157a1) main_pane_set_vc_t1_ParamLimits 0xdc8d, // (0x000157a1) main_pane_set_vc_t1 0xdca2, // (0x000157b6) main_pane_set_vc_t2_ParamLimits 0xdca2, // (0x000157b6) main_pane_set_vc_t2 0xdcb4, // (0x000157c8) main_pane_set_vc_t3_ParamLimits 0xdcb4, // (0x000157c8) main_pane_set_vc_t3 0xdcc8, // (0x000157dc) main_pane_set_vc_t4_ParamLimits 0xdcc8, // (0x000157dc) main_pane_set_vc_t4 0x0003, 0xfa82, // (0x00017596) main_pane_set_vc_t_ParamLimits 0xfa82, // (0x00017596) main_pane_set_vc_t 0xdcdc, // (0x000157f0) setting_code_pane_vc_ParamLimits 0xdcdc, // (0x000157f0) setting_code_pane_vc 0xdced, // (0x00015801) setting_slider_graphic_pane_vc 0xdced, // (0x00015801) setting_slider_pane_vc 0xdced, // (0x00015801) setting_text_pane_vc 0xdced, // (0x00015801) setting_volume_pane_vc 0xdcf7, // (0x0001580b) scroll_pane_cp121_vc 0x946a, // (0x00010f7e) set_content_pane_vc 0xdebd, // (0x000159d1) button_value_adjust_pane_g1 0xdec6, // (0x000159da) button_value_adjust_pane_g2 0x0001, 0xfad5, // (0x000175e9) button_value_adjust_pane_g 0xdecf, // (0x000159e3) form_field_slider_wide_pane_vc_t1_ParamLimits 0xdecf, // (0x000159e3) form_field_slider_wide_pane_vc_t1 0xdeeb, // (0x000159ff) form_field_slider_wide_pane_vc_t2_ParamLimits 0xdeeb, // (0x000159ff) form_field_slider_wide_pane_vc_t2 0x0001, 0xfada, // (0x000175ee) form_field_slider_wide_pane_vc_t_ParamLimits 0xfada, // (0x000175ee) form_field_slider_wide_pane_vc_t 0x89f2, // (0x00010506) input_focus_pane_cp10_vc_ParamLimits 0x89f2, // (0x00010506) input_focus_pane_cp10_vc 0xdf00, // (0x00015a14) slider_cont_pane_cp1_vc_ParamLimits 0xdf00, // (0x00015a14) slider_cont_pane_cp1_vc 0xdb98, // (0x000156ac) slider_form_pane_g1_cp2 0xdba1, // (0x000156b5) slider_form_pane_g2_cp2 0xdf1b, // (0x00015a2f) form_field_slider_pane_vc_t3 0xdf29, // (0x00015a3d) form_field_slider_pane_vc_t4 0xdf37, // (0x00015a4b) slider_form_pane_vc_ParamLimits 0xdf37, // (0x00015a4b) slider_form_pane_vc 0xdf44, // (0x00015a58) form_field_slider_pane_vc_t1_ParamLimits 0xdf44, // (0x00015a58) form_field_slider_pane_vc_t1 0xdf60, // (0x00015a74) form_field_slider_pane_vc_t2_ParamLimits 0xdf60, // (0x00015a74) form_field_slider_pane_vc_t2 0x0001, 0xfaea, // (0x000175fe) form_field_slider_pane_vc_t_ParamLimits 0xfaea, // (0x000175fe) form_field_slider_pane_vc_t 0x89f2, // (0x00010506) input_focus_pane_cp9_vc_ParamLimits 0x89f2, // (0x00010506) input_focus_pane_cp9_vc 0xdf72, // (0x00015a86) slider_cont_pane_vc_ParamLimits 0xdf72, // (0x00015a86) slider_cont_pane_vc 0xdf84, // (0x00015a98) list_form_graphic_pane_cp_vc_ParamLimits 0xdf84, // (0x00015a98) list_form_graphic_pane_cp_vc 0xb385, // (0x00012e99) form_field_popup_wide_pane_vc_g1 0xdf99, // (0x00015aad) form_field_popup_wide_pane_vc_t1_ParamLimits 0xdf99, // (0x00015aad) form_field_popup_wide_pane_vc_t1 0x9561, // (0x00011075) input_focus_pane_cp8_vc_ParamLimits 0x9561, // (0x00011075) input_focus_pane_cp8_vc 0xdfb0, // (0x00015ac4) list_form_wide_pane_vc_ParamLimits 0xdfb0, // (0x00015ac4) list_form_wide_pane_vc 0xdfbc, // (0x00015ad0) list_form_graphic_pane_vc_g1 0xdfc4, // (0x00015ad8) list_form_graphic_pane_vc_t1_ParamLimits 0xdfc4, // (0x00015ad8) list_form_graphic_pane_vc_t1 0x8746, // (0x0001025a) list_highlight_pane_cp5_vc_ParamLimits 0x8746, // (0x0001025a) list_highlight_pane_cp5_vc 0xdfe0, // (0x00015af4) list_form_graphic_pane_vc_ParamLimits 0xdfe0, // (0x00015af4) list_form_graphic_pane_vc 0xb385, // (0x00012e99) form_field_popup_pane_vc_g1 0xdffa, // (0x00015b0e) form_field_popup_pane_vc_t1_ParamLimits 0xdffa, // (0x00015b0e) form_field_popup_pane_vc_t1 0x9561, // (0x00011075) input_focus_pane_cp7_vc_ParamLimits 0x9561, // (0x00011075) input_focus_pane_cp7_vc 0xe011, // (0x00015b25) list_form_pane_vc_ParamLimits 0xe011, // (0x00015b25) list_form_pane_vc 0xe01d, // (0x00015b31) data_form_pane_vc_t1_ParamLimits 0xe01d, // (0x00015b31) data_form_pane_vc_t1 0x969a, // (0x000111ae) input_focus_pane_vc_g1 0x96a2, // (0x000111b6) input_focus_pane_vc_g2 0x96aa, // (0x000111be) input_focus_pane_vc_g3 0x96b2, // (0x000111c6) input_focus_pane_vc_g4 0x96ba, // (0x000111ce) input_focus_pane_vc_g5 0x96c2, // (0x000111d6) input_focus_pane_vc_g6 0x96ca, // (0x000111de) input_focus_pane_vc_g7 0x96d2, // (0x000111e6) input_focus_pane_vc_g8 0x96da, // (0x000111ee) input_focus_pane_vc_g9 0x856c, // (0x00010080) input_focus_pane_vc_g10 0x0009, 0xf6f1, // (0x00017205) input_focus_pane_vc_g 0xb379, // (0x00012e8d) data_form_pane_vc_ParamLimits 0xb379, // (0x00012e8d) data_form_pane_vc 0xb385, // (0x00012e99) form_field_data_pane_vc_g1 0xe03a, // (0x00015b4e) form_field_data_pane_vc_t1_ParamLimits 0xe03a, // (0x00015b4e) form_field_data_pane_vc_t1 0x9561, // (0x00011075) input_focus_pane_vc_ParamLimits 0x9561, // (0x00011075) input_focus_pane_vc 0x9473, // (0x00010f87) button_value_adjust_pane_cp3_vc 0xe054, // (0x00015b68) button_value_adjust_pane_cp5_vc 0xdaa1, // (0x000155b5) form_field_data_pane_vc_ParamLimits 0xdaa1, // (0x000155b5) form_field_data_pane_vc 0x94a1, // (0x00010fb5) form_field_data_pane_vc_cp2 0xe05c, // (0x00015b70) form_field_data_wide_pane_vc_ParamLimits 0xe05c, // (0x00015b70) form_field_data_wide_pane_vc 0xe076, // (0x00015b8a) form_field_data_wide_pane_vc_cp2 0xe07e, // (0x00015b92) form_field_popup_pane_vc_ParamLimits 0xe07e, // (0x00015b92) form_field_popup_pane_vc 0xe099, // (0x00015bad) form_field_popup_wide_pane_vc_ParamLimits 0xe099, // (0x00015bad) form_field_popup_wide_pane_vc 0xe0b3, // (0x00015bc7) form_field_slider_pane_vc_ParamLimits 0xe0b3, // (0x00015bc7) form_field_slider_pane_vc 0xe0c6, // (0x00015bda) form_field_slider_wide_pane_vc_ParamLimits 0xe0c6, // (0x00015bda) form_field_slider_wide_pane_vc 0x4fd6, // (0x0000caea) grid_touch_1_pane_ParamLimits 0x4fd6, // (0x0000caea) grid_touch_1_pane 0x4fea, // (0x0000cafe) grid_touch_2_pane_ParamLimits 0x4fea, // (0x0000cafe) grid_touch_2_pane 0xe0d9, // (0x00015bed) touch_pane_g1_ParamLimits 0xe0d9, // (0x00015bed) touch_pane_g1 0xe0e7, // (0x00015bfb) cell_app_pane_cp_wide_ParamLimits 0xe0e7, // (0x00015bfb) cell_app_pane_cp_wide 0xe0f7, // (0x00015c0b) grid_popup_fast_wide_pane_ParamLimits 0xe0f7, // (0x00015c0b) grid_popup_fast_wide_pane 0xe10b, // (0x00015c1f) scroll_pane_cp19_ParamLimits 0xe10b, // (0x00015c1f) scroll_pane_cp19 0x8666, // (0x0001017a) bg_popup_window_pane_cp20 0xe11f, // (0x00015c33) listscroll_popup_fast_wide_pane 0x98a7, // (0x000113bb) grid_indicator_nsta_pane 0xe127, // (0x00015c3b) clock_nsta_pane_g1 0xe130, // (0x00015c44) clock_nsta_pane_t1 0xe14c, // (0x00015c60) cell_indicator_nsta_pane_ParamLimits 0xe14c, // (0x00015c60) cell_indicator_nsta_pane 0xe0d9, // (0x00015bed) cell_indicator_nsta_pane_g1 0xe184, // (0x00015c98) cell_indicator_nsta_pane_g2 0x0001, 0xfaf4, // (0x00017608) cell_indicator_nsta_pane_g 0xe199, // (0x00015cad) clock_nsta_pane_cp 0xe1a1, // (0x00015cb5) indicator_nsta_pane_cp 0xe1aa, // (0x00015cbe) nsta_clock_indic_pane_g1 0x8835, // (0x00010349) grid_indicator_pane 0x9c91, // (0x000117a5) scroll_pane_cp29 0x706f, // (0x0000eb83) indicator_nsta_pane_cp2_ParamLimits 0x706f, // (0x0000eb83) indicator_nsta_pane_cp2 0x8746, // (0x0001025a) main_apps_wheel_pane 0xb588, // (0x0001309c) form_midp_field_text_pane_ParamLimits 0xb6d7, // (0x000131eb) scroll_bar_cp050_ParamLimits 0xe1e2, // (0x00015cf6) cell_indicator_pane_ParamLimits 0xe1e2, // (0x00015cf6) cell_indicator_pane 0xe1fb, // (0x00015d0f) cell_indicator_pane_g1 0x5016, // (0x0000cb2a) grid_wheel_folder_pane_ParamLimits 0x5016, // (0x0000cb2a) grid_wheel_folder_pane 0x5024, // (0x0000cb38) list_wheel_apps_pane_ParamLimits 0x5024, // (0x0000cb38) list_wheel_apps_pane 0x5032, // (0x0000cb46) main_apps_wheel_pane_g1_ParamLimits 0x5032, // (0x0000cb46) main_apps_wheel_pane_g1 0x5042, // (0x0000cb56) main_apps_wheel_pane_g2_ParamLimits 0x5042, // (0x0000cb56) main_apps_wheel_pane_g2 0x0001, 0xfb03, // (0x00017617) main_apps_wheel_pane_g_ParamLimits 0xfb03, // (0x00017617) main_apps_wheel_pane_g 0x5052, // (0x0000cb66) main_apps_wheel_pane_t1_ParamLimits 0x5052, // (0x0000cb66) main_apps_wheel_pane_t1 0x506a, // (0x0000cb7e) list_wheel_apps_pane_g1 0x5072, // (0x0000cb86) list_wheel_apps_pane_g2 0x507a, // (0x0000cb8e) list_wheel_apps_pane_g3 0x5082, // (0x0000cb96) list_wheel_apps_pane_g4 0x508c, // (0x0000cba0) list_wheel_apps_pane_g5 0x0004, 0xfb08, // (0x0001761c) list_wheel_apps_pane_g 0x8746, // (0x0001025a) navi_icon_text_pane 0x445d, // (0x0000bf71) aid_fill_nsta 0xe205, // (0x00015d19) navi_icon_text_pane_g1 0xe211, // (0x00015d25) navi_icon_text_pane_t1 0x3b12, // (0x0000b626) list_set_graphic_pane_t1_ParamLimits 0x3b12, // (0x0000b626) list_set_graphic_pane_t1 0xbde9, // (0x000138fd) popup_midp_note_alarm_window_t6_ParamLimits 0xbde9, // (0x000138fd) popup_midp_note_alarm_window_t6 0xbdfb, // (0x0001390f) popup_midp_note_alarm_window_t7_ParamLimits 0xbdfb, // (0x0001390f) popup_midp_note_alarm_window_t7 0xbe0d, // (0x00013921) popup_midp_note_alarm_window_t8_ParamLimits 0xbe0d, // (0x00013921) popup_midp_note_alarm_window_t8 0xbe1f, // (0x00013933) popup_midp_note_alarm_window_t9_ParamLimits 0xbe1f, // (0x00013933) popup_midp_note_alarm_window_t9 0xbe31, // (0x00013945) popup_midp_note_alarm_window_t10_ParamLimits 0xbe31, // (0x00013945) popup_midp_note_alarm_window_t10 0xbe43, // (0x00013957) popup_midp_note_alarm_window_t11_ParamLimits 0xbe43, // (0x00013957) popup_midp_note_alarm_window_t11 0xbe55, // (0x00013969) scroll_pane_cp17_ParamLimits 0xbe55, // (0x00013969) scroll_pane_cp17 0x753d, // (0x0000f051) volume_small_pane_cp_g1 0x7872, // (0x0000f386) volume_small_pane_cp_g2 0x787b, // (0x0000f38f) volume_small_pane_cp_g3 0x7884, // (0x0000f398) volume_small_pane_cp_g4 0x788d, // (0x0000f3a1) volume_small_pane_cp_g5 0x7896, // (0x0000f3aa) volume_small_pane_cp_g6 0x789f, // (0x0000f3b3) volume_small_pane_cp_g7 0x78a8, // (0x0000f3bc) volume_small_pane_cp_g8 0x78b1, // (0x0000f3c5) volume_small_pane_cp_g9 0x78ba, // (0x0000f3ce) volume_small_pane_cp_g10 0xa445, // (0x00011f59) midp_ticker_pane_g1_ParamLimits 0xa451, // (0x00011f65) midp_ticker_pane_g2_ParamLimits 0xf7b9, // (0x000172cd) midp_ticker_pane_g_ParamLimits 0xa45d, // (0x00011f71) midp_ticker_pane_t1_ParamLimits 0x447d, // (0x0000bf91) aid_fill_nsta_2 0xb6c3, // (0x000131d7) list_form2_midp_pane 0xd60e, // (0x00015122) midp_editing_number_pane_ParamLimits 0xd61a, // (0x0001512e) midp_ticker_pane_ParamLimits 0xe223, // (0x00015d37) form2_midp_field_pane 0xe22b, // (0x00015d3f) scroll_pane_cp51 0xe24b, // (0x00015d5f) form2_midp_button_pane_ParamLimits 0xe24b, // (0x00015d5f) form2_midp_button_pane 0xe25d, // (0x00015d71) form2_midp_content_pane_ParamLimits 0xe25d, // (0x00015d71) form2_midp_content_pane 0xe277, // (0x00015d8b) form2_midp_field_choice_group_pane 0xe27f, // (0x00015d93) form2_midp_field_pane_g1 0xe287, // (0x00015d9b) form2_midp_field_pane_g2 0xe28f, // (0x00015da3) form2_midp_field_pane_g3 0xe297, // (0x00015dab) form2_midp_field_pane_g4 0x0003, 0xfb2d, // (0x00017641) form2_midp_field_pane_g 0xe29f, // (0x00015db3) form2_midp_gauge_slider_pane 0xe2a7, // (0x00015dbb) form2_midp_gauge_wait_pane 0xe2af, // (0x00015dc3) form2_midp_image_pane_ParamLimits 0xe2af, // (0x00015dc3) form2_midp_image_pane 0xe2ca, // (0x00015dde) form2_midp_label_pane_ParamLimits 0xe2ca, // (0x00015dde) form2_midp_label_pane 0x50c5, // (0x0000cbd9) form2_midp_label_pane_cp_ParamLimits 0x50c5, // (0x0000cbd9) form2_midp_label_pane_cp 0xe2e9, // (0x00015dfd) form2_midp_string_pane_ParamLimits 0xe2e9, // (0x00015dfd) form2_midp_string_pane 0x50e6, // (0x0000cbfa) form2_midp_text_pane_ParamLimits 0x50e6, // (0x0000cbfa) form2_midp_text_pane 0xe309, // (0x00015e1d) form2_midp_time_pane 0xe319, // (0x00015e2d) input_focus_pane_cp51_ParamLimits 0xe319, // (0x00015e2d) input_focus_pane_cp51 0xe331, // (0x00015e45) form2_midp_label_pane_t1_ParamLimits 0xe331, // (0x00015e45) form2_midp_label_pane_t1 0x96e2, // (0x000111f6) form2_mdip_text_pane_t1_ParamLimits 0x96e2, // (0x000111f6) form2_mdip_text_pane_t1 0xe377, // (0x00015e8b) form2_midp_time_pane_t1 0xe392, // (0x00015ea6) form2_midp_gauge_slider_pane_t1 0x5109, // (0x0000cc1d) form2_midp_gauge_slider_pane_t2 0x511b, // (0x0000cc2f) form2_midp_gauge_slider_pane_t3 0x0002, 0xfb36, // (0x0001764a) form2_midp_gauge_slider_pane_t 0xe3a4, // (0x00015eb8) form2_midp_slider_pane 0xe3b0, // (0x00015ec4) form2_midp_gauge_wait_pane_t1 0xe3be, // (0x00015ed2) form2_midp_wait_pane_ParamLimits 0xe3be, // (0x00015ed2) form2_midp_wait_pane 0x3a0e, // (0x0000b522) list_single_2graphic_pane_cp4_ParamLimits 0x3a0e, // (0x0000b522) list_single_2graphic_pane_cp4 0x512d, // (0x0000cc41) list_single_midp_graphic_pane_cp_ParamLimits 0x512d, // (0x0000cc41) list_single_midp_graphic_pane_cp 0x8666, // (0x0001017a) list_highlight_pane_cp20 0xe3e9, // (0x00015efd) list_single_2graphic_pane_g1_cp4 0xd6aa, // (0x000151be) list_single_2graphic_pane_g2_cp4 0xe3f1, // (0x00015f05) list_single_2graphic_pane_t1_cp4 0x8746, // (0x0001025a) list_highlight_pane_cp21 0xe400, // (0x00015f14) list_single_midp_graphic_pane_g4_cp 0xe40f, // (0x00015f23) list_single_midp_graphic_pane_t1_cp 0x514e, // (0x0000cc62) form2_mdip_string_pane_t1_ParamLimits 0x514e, // (0x0000cc62) form2_mdip_string_pane_t1 0x8666, // (0x0001017a) bg_wml_button_pane_cp2 0x856c, // (0x00010080) form2_midp_image_pane_g1 0x921e, // (0x00010d32) list_double_large_graphic_pane_g5_ParamLimits 0x921e, // (0x00010d32) list_double_large_graphic_pane_g5 0x3b2a, // (0x0000b63e) midp_form_pane_ParamLimits 0x8746, // (0x0001025a) main_apps_wheel_pane_ParamLimits 0x4179, // (0x0000bc8d) popup_preview_window_ParamLimits 0x4179, // (0x0000bc8d) popup_preview_window 0xaca6, // (0x000127ba) popup_touch_info_window_ParamLimits 0xaca6, // (0x000127ba) popup_touch_info_window 0xaccc, // (0x000127e0) popup_touch_menu_window_ParamLimits 0xaccc, // (0x000127e0) popup_touch_menu_window 0x8562, // (0x00010076) bg_popup_sub_pane_cp6 0xe424, // (0x00015f38) list_touch_menu_pane 0xe42c, // (0x00015f40) list_single_touch_menu_pane_ParamLimits 0xe42c, // (0x00015f40) list_single_touch_menu_pane 0xe449, // (0x00015f5d) list_single_touch_menu_pane_t1 0x8746, // (0x0001025a) bg_popup_sub_pane_cp7_ParamLimits 0x8746, // (0x0001025a) bg_popup_sub_pane_cp7 0xe457, // (0x00015f6b) heading_sub_pane 0xe45f, // (0x00015f73) list_touch_info_pane_ParamLimits 0xe45f, // (0x00015f73) list_touch_info_pane 0xe46e, // (0x00015f82) list_single_touch_info_pane_ParamLimits 0xe46e, // (0x00015f82) list_single_touch_info_pane 0xe47f, // (0x00015f93) list_single_touch_info_pane_t1 0xe48d, // (0x00015fa1) list_single_touch_info_pane_t2 0x0001, 0xfb44, // (0x00017658) list_single_touch_info_pane_t 0xa362, // (0x00011e76) bg_popup_heading_pane_cp 0xe49b, // (0x00015faf) heading_sub_pane_t1 0xb313, // (0x00012e27) bg_popup_preview_window_pane_cp_ParamLimits 0xb313, // (0x00012e27) bg_popup_preview_window_pane_cp 0xe457, // (0x00015f6b) heading_preview_pane 0xe45f, // (0x00015f73) list_preview_pane_ParamLimits 0xe45f, // (0x00015f73) list_preview_pane 0xe4a9, // (0x00015fbd) popup_preview_window_g1 0xe46e, // (0x00015f82) list_single_preview_pane_ParamLimits 0xe46e, // (0x00015f82) list_single_preview_pane 0xe4b1, // (0x00015fc5) list_single_preview_pane_g1 0xe4b9, // (0x00015fcd) list_single_preview_pane_t1 0xe47f, // (0x00015f93) list_single_preview_pane_t2 0x0001, 0xfb49, // (0x0001765d) list_single_preview_pane_t 0xe4c7, // (0x00015fdb) bg_popup_heading_pane_cp2_ParamLimits 0xe4c7, // (0x00015fdb) bg_popup_heading_pane_cp2 0xe4dd, // (0x00015ff1) heading_preview_pane_g1 0xe4e5, // (0x00015ff9) heading_preview_pane_t1_ParamLimits 0xe4e5, // (0x00015ff9) heading_preview_pane_t1 0x8858, // (0x0001036c) soft_indicator_pane_t1_ParamLimits 0x8f61, // (0x00010a75) scroll_pane_ParamLimits 0x9b8d, // (0x000116a1) scroll_sc2_left_pane 0x9b96, // (0x000116aa) scroll_sc2_right_pane 0x9bb5, // (0x000116c9) scroll_bg_pane_g1_ParamLimits 0x9bca, // (0x000116de) scroll_bg_pane_g2_ParamLimits 0x9be2, // (0x000116f6) scroll_bg_pane_g3_ParamLimits 0xf748, // (0x0001725c) scroll_bg_pane_g_ParamLimits 0x9bb5, // (0x000116c9) scroll_handle_pane_g1_ParamLimits 0x9c04, // (0x00011718) scroll_handle_pane_g2_ParamLimits 0x9be2, // (0x000116f6) scroll_handle_pane_g3_ParamLimits 0xf74f, // (0x00017263) scroll_handle_pane_g_ParamLimits 0xa719, // (0x0001222d) popup_choice_list_window_ParamLimits 0xa719, // (0x0001222d) popup_choice_list_window 0xb146, // (0x00012c5a) choice_list_pane 0xb1c3, // (0x00012cd7) cell_toolbar_pane_t1 0xb1eb, // (0x00012cff) toolbar_button_pane_ParamLimits 0xd34f, // (0x00014e63) ai_gene_pane_1_t2_ParamLimits 0xd34f, // (0x00014e63) ai_gene_pane_1_t2 0x0001, 0xf960, // (0x00017474) ai_gene_pane_1_t_ParamLimits 0xf960, // (0x00017474) ai_gene_pane_1_t 0xe502, // (0x00016016) scroll_sc2_left_pane_g1 0xe502, // (0x00016016) scroll_sc2_right_pane_g1 0xa6e9, // (0x000121fd) bg_popup_sub_pane_cp10 0xe50c, // (0x00016020) list_choice_list_pane 0xe525, // (0x00016039) list_single_choice_list_pane_ParamLimits 0xe525, // (0x00016039) list_single_choice_list_pane 0xe539, // (0x0001604d) list_single_choice_list_pane_g1 0x9878, // (0x0001138c) list_single_choice_list_pane_t1_ParamLimits 0x9878, // (0x0001138c) list_single_choice_list_pane_t1 0xe541, // (0x00016055) choice_list_pane_g1 0xe549, // (0x0001605d) choice_list_pane_t1 0x8562, // (0x00010076) input_focus_pane_cp11 0x9a59, // (0x0001156d) title_pane_stacon_g2_ParamLimits 0x9a59, // (0x0001156d) title_pane_stacon_g2 0x0002, 0xf72e, // (0x00017242) title_pane_stacon_g_ParamLimits 0xf72e, // (0x00017242) title_pane_stacon_g 0xa362, // (0x00011e76) cursor_press_pane 0x3e08, // (0x0000b91c) popup_fep_hwr_window_ParamLimits 0x3e08, // (0x0000b91c) popup_fep_hwr_window 0xa85b, // (0x0001236f) popup_fep_vkb_window_ParamLimits 0xa85b, // (0x0001236f) popup_fep_vkb_window 0xe557, // (0x0001606b) cursor_press_pane_g1 0x0002, 0xfb72, // (0x00017686) fep_vkb_side_pane_g_ParamLimits 0x78fc, // (0x0000f410) fep_hwr_candidate_pane_ParamLimits 0x78fc, // (0x0000f410) fep_hwr_candidate_pane 0x7926, // (0x0000f43a) fep_hwr_side_pane_ParamLimits 0x7926, // (0x0000f43a) fep_hwr_side_pane 0x7948, // (0x0000f45c) fep_hwr_top_pane_ParamLimits 0x7948, // (0x0000f45c) fep_hwr_top_pane 0x7960, // (0x0000f474) fep_hwr_write_pane_ParamLimits 0x7960, // (0x0000f474) fep_hwr_write_pane 0xfb72, // (0x00017686) fep_vkb_side_pane_g 0xe55f, // (0x00016073) fep_hwr_top_pane_g1 0xe571, // (0x00016085) fep_hwr_top_pane_g2 0x799a, // (0x0000f4ae) fep_hwr_top_pane_g3 0x0002, 0xfb4e, // (0x00017662) fep_hwr_top_pane_g 0x79af, // (0x0000f4c3) fep_hwr_top_text_pane 0x9d5b, // (0x0001186f) fep_hwr_top_text_pane_g1 0xe5a7, // (0x000160bb) fep_hwr_top_text_pane_t1 0x7ab5, // (0x0000f5c9) fep_hwr_candidate_pane_g1 0xe6da, // (0x000161ee) fep_vkb_keypad_pane_g3_ParamLimits 0xe6da, // (0x000161ee) fep_vkb_keypad_pane_g3 0xe706, // (0x0001621a) fep_vkb_keypad_pane_g4_ParamLimits 0xe706, // (0x0001621a) fep_vkb_keypad_pane_g4 0xe7a5, // (0x000162b9) fep_vkb_bottom_pane_g2_ParamLimits 0xe7a5, // (0x000162b9) fep_vkb_bottom_pane_g2 0x0001, 0xfb79, // (0x0001768d) fep_vkb_bottom_pane_g_ParamLimits 0xfb79, // (0x0001768d) fep_vkb_bottom_pane_g 0xe502, // (0x00016016) cell_vkb_side_pane_g2 0x0001, 0xfb83, // (0x00017697) cell_vkb_side_pane_g 0xe7e9, // (0x000162fd) cell_vkb_side_pane_t1 0xe7f7, // (0x0001630b) cell_vkb_side_pane_t1_copy1 0xe502, // (0x00016016) bg_fep_vkb_candidate_pane_g2 0xe8e5, // (0x000163f9) cell_vkb_candidate_pane_ParamLimits 0xe5b5, // (0x000160c9) aid_size_cell_vkb_ParamLimits 0xe5b5, // (0x000160c9) aid_size_cell_vkb 0xe8e5, // (0x000163f9) cell_vkb_candidate_pane 0x7adc, // (0x0000f5f0) bg_popup_fep_shadow_pane_g1 0x5243, // (0x0000cd57) fep_vkb_bottom_pane_ParamLimits 0x5243, // (0x0000cd57) fep_vkb_bottom_pane 0xe646, // (0x0001615a) fep_vkb_candidate_pane_ParamLimits 0xe646, // (0x0001615a) fep_vkb_candidate_pane 0x526f, // (0x0000cd83) fep_vkb_keypad_pane_ParamLimits 0x526f, // (0x0000cd83) fep_vkb_keypad_pane 0x5296, // (0x0000cdaa) fep_vkb_side_pane_ParamLimits 0x5296, // (0x0000cdaa) fep_vkb_side_pane 0x52d2, // (0x0000cde6) fep_vkb_top_pane_ParamLimits 0x52d2, // (0x0000cde6) fep_vkb_top_pane 0xe66e, // (0x00016182) fep_vkb_top_pane_g1_ParamLimits 0xe66e, // (0x00016182) fep_vkb_top_pane_g1 0xe67d, // (0x00016191) fep_vkb_top_pane_g2_ParamLimits 0xe67d, // (0x00016191) fep_vkb_top_pane_g2 0xe68c, // (0x000161a0) fep_vkb_top_pane_g3_ParamLimits 0xe68c, // (0x000161a0) fep_vkb_top_pane_g3 0x0003, 0xfb69, // (0x0001767d) fep_vkb_top_pane_g_ParamLimits 0xfb69, // (0x0001767d) fep_vkb_top_pane_g 0xe6aa, // (0x000161be) fep_vkb_top_text_pane_ParamLimits 0xe6aa, // (0x000161be) fep_vkb_top_text_pane 0x530e, // (0x0000ce22) fep_vkb_side_pane_g1_ParamLimits 0x530e, // (0x0000ce22) fep_vkb_side_pane_g1 0xe6c9, // (0x000161dd) grid_vkb_side_pane_ParamLimits 0xe6c9, // (0x000161dd) grid_vkb_side_pane 0x7ae4, // (0x0000f5f8) bg_popup_fep_shadow_pane_g2 0x7aed, // (0x0000f601) bg_popup_fep_shadow_pane_g3 0x7af5, // (0x0000f609) bg_popup_fep_shadow_pane_g4 0x7afe, // (0x0000f612) bg_popup_fep_shadow_pane_g5 0x7b08, // (0x0000f61c) bg_popup_fep_shadow_pane_g6 0x7b10, // (0x0000f624) bg_popup_fep_shadow_pane_g7 0x96b2, // (0x000111c6) bg_popup_fep_shadow_pane_g8 0xe750, // (0x00016264) grid_vkb_keypad_number_pane_ParamLimits 0xe750, // (0x00016264) grid_vkb_keypad_number_pane 0xe764, // (0x00016278) grid_vkb_keypad_pane_ParamLimits 0xe764, // (0x00016278) grid_vkb_keypad_pane 0xe78a, // (0x0001629e) fep_vkb_bottom_pane_g1_ParamLimits 0xe78a, // (0x0001629e) fep_vkb_bottom_pane_g1 0xe7b3, // (0x000162c7) grid_vkb_keypad_bottom_left_pane_ParamLimits 0xe7b3, // (0x000162c7) grid_vkb_keypad_bottom_left_pane 0xe7c8, // (0x000162dc) grid_vkb_keypad_bottom_right_pane_ParamLimits 0xe7c8, // (0x000162dc) grid_vkb_keypad_bottom_right_pane 0xe7dd, // (0x000162f1) fep_vkb_top_text_pane_g1 0x5355, // (0x0000ce69) fep_vkb_top_text_pane_t1 0x5367, // (0x0000ce7b) cell_vkb_side_pane_ParamLimits 0x5367, // (0x0000ce7b) cell_vkb_side_pane 0xe502, // (0x00016016) cell_vkb_side_pane_g1 0xe805, // (0x00016319) cell_vkb_keypad_pane_ParamLimits 0xe805, // (0x00016319) cell_vkb_keypad_pane 0xe892, // (0x000163a6) cell_vkb_keypad_pane_g1 0x0008, 0xfb96, // (0x000176aa) bg_popup_fep_shadow_pane_g 0x7b22, // (0x0000f636) cell_hwr_side_pane_g1 0x7b22, // (0x0000f636) cell_hwr_side_pane_g2 0xe89c, // (0x000163b0) cell_vkb_keypad_pane_t1 0x537d, // (0x0000ce91) cell_vkb_keypad_bottom_left_pane_ParamLimits 0x537d, // (0x0000ce91) cell_vkb_keypad_bottom_left_pane 0x5392, // (0x0000cea6) cell_vkb_keypad_bottom_right_pane_ParamLimits 0x5392, // (0x0000cea6) cell_vkb_keypad_bottom_right_pane 0xe502, // (0x00016016) cell_vkb_keypad_bottom_left_pane_g1 0xe502, // (0x00016016) cell_vkb_keypad_bottom_right_pane_g1 0xe8aa, // (0x000163be) cell_vkb_keypad_number_pane_ParamLimits 0xe8aa, // (0x000163be) cell_vkb_keypad_number_pane 0xe8c9, // (0x000163dd) cell_vkb_keypad_number_pane_g1 0xe8d3, // (0x000163e7) cell_vkb_keypad_number_pane_g2 0xe8dc, // (0x000163f0) cell_vkb_keypad_number_pane_g3 0x0002, 0xfb88, // (0x0001769c) cell_vkb_keypad_number_pane_g 0xe89c, // (0x000163b0) cell_vkb_keypad_number_pane_t1 0xe906, // (0x0001641a) fep_vkb_candidate_pane_g1 0x0001, 0xfba9, // (0x000176bd) cell_hwr_side_pane_g 0xe91f, // (0x00016433) cell_hwr_side_pane_t1 0x7b2c, // (0x0000f640) cell_hwr_side_pane_t1_copy1 0x7b3a, // (0x0000f64e) cell_hwr_candidate_pane_g1 0x7b69, // (0x0000f67d) cell_hwr_candidate_pane_t1 0xe502, // (0x00016016) cell_vkb_candidate_pane_g2 0xe963, // (0x00016477) cell_vkb_candidate_pane_t1 0x78c3, // (0x0000f3d7) bg_popup_fep_shadow_pane_ParamLimits 0x78c3, // (0x0000f3d7) bg_popup_fep_shadow_pane 0x797a, // (0x0000f48e) bg_fep_hwr_top_pane_g4 0xe583, // (0x00016097) bg_hwr_side_pane_g1_ParamLimits 0xe583, // (0x00016097) bg_hwr_side_pane_g1 0xcdbf, // (0x000148d3) cell_hwr_side_pane_ParamLimits 0xcdbf, // (0x000148d3) cell_hwr_side_pane 0x7a2a, // (0x0000f53e) fep_hwr_write_pane_g1_ParamLimits 0x7a2a, // (0x0000f53e) fep_hwr_write_pane_g1 0x7a37, // (0x0000f54b) fep_hwr_write_pane_g2_ParamLimits 0x7a37, // (0x0000f54b) fep_hwr_write_pane_g2 0x7a44, // (0x0000f558) fep_hwr_write_pane_g3_ParamLimits 0x7a44, // (0x0000f558) fep_hwr_write_pane_g3 0xcddf, // (0x000148f3) fep_hwr_write_pane_g4_ParamLimits 0xcddf, // (0x000148f3) fep_hwr_write_pane_g4 0x0005, 0xfb55, // (0x00017669) fep_hwr_write_pane_g_ParamLimits 0xfb55, // (0x00017669) fep_hwr_write_pane_g 0x797a, // (0x0000f48e) bg_fep_hwr_candidate_pane_g2_ParamLimits 0x797a, // (0x0000f48e) bg_fep_hwr_candidate_pane_g2 0x7a67, // (0x0000f57b) cell_hwr_candidate_pane_ParamLimits 0x7a67, // (0x0000f57b) cell_hwr_candidate_pane 0x7ab5, // (0x0000f5c9) fep_hwr_candidate_pane_g1_ParamLimits 0xe5e3, // (0x000160f7) bg_popup_fep_shadow_pane_cp2_ParamLimits 0xe5e3, // (0x000160f7) bg_popup_fep_shadow_pane_cp2 0xe69c, // (0x000161b0) fep_vkb_top_pane_g4_ParamLimits 0xe69c, // (0x000161b0) fep_vkb_top_pane_g4 0xe6bb, // (0x000161cf) fep_vkb_side_pane_g2_ParamLimits 0xe6bb, // (0x000161cf) fep_vkb_side_pane_g2 0x9382, // (0x00010e96) list_setting_pane_t4_ParamLimits 0x9382, // (0x00010e96) list_setting_pane_t4 0x373c, // (0x0000b250) list_setting_number_pane_t5_ParamLimits 0x373c, // (0x0000b250) list_setting_number_pane_t5 0x9d9c, // (0x000118b0) list_double_heading_pane_cp2_ParamLimits 0x9d9c, // (0x000118b0) list_double_heading_pane_cp2 0x9081, // (0x00010b95) list_double_heading_pane_g1_cp2_ParamLimits 0x9081, // (0x00010b95) list_double_heading_pane_g1_cp2 0xe971, // (0x00016485) list_double_heading_pane_g2_cp2_ParamLimits 0xe971, // (0x00016485) list_double_heading_pane_g2_cp2 0xe985, // (0x00016499) list_double_heading_pane_t1_cp2_ParamLimits 0xe985, // (0x00016499) list_double_heading_pane_t1_cp2 0xe99b, // (0x000164af) list_double_heading_pane_t2_cp2_ParamLimits 0xe99b, // (0x000164af) list_double_heading_pane_t2_cp2 0x854a, // (0x0001005e) aid_value_unit2 0x6c67, // (0x0000e77b) popup_preview_fixed_window 0x8a00, // (0x00010514) bg_popup_preview_window_pane_cp02 0xe9ad, // (0x000164c1) list_preview_fixed_pane 0xe9f3, // (0x00016507) list_empty_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_empty_pane_fp 0xe9f3, // (0x00016507) list_single_cale_day_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_single_cale_day_pane_fp 0xe9f3, // (0x00016507) list_single_graphic_heading_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_single_graphic_heading_pane_fp 0xe9f3, // (0x00016507) list_single_graphic_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_single_graphic_pane_fp 0xe9f3, // (0x00016507) list_single_heading_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_single_heading_pane_fp 0xe9f3, // (0x00016507) list_single_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_single_pane_fp 0xea0c, // (0x00016520) list_single_pane_fp_g1_ParamLimits 0xea0c, // (0x00016520) list_single_pane_fp_g1 0x8fa2, // (0x00010ab6) list_single_pane_fp_g2_ParamLimits 0x8fa2, // (0x00010ab6) list_single_pane_fp_g2 0xea18, // (0x0001652c) list_single_pane_fp_g3_ParamLimits 0xea18, // (0x0001652c) list_single_pane_fp_g3 0xea2c, // (0x00016540) list_single_pane_fp_g4_ParamLimits 0xea2c, // (0x00016540) list_single_pane_fp_g4 0x0003, 0xfbbc, // (0x000176d0) list_single_pane_fp_g_ParamLimits 0xfbbc, // (0x000176d0) list_single_pane_fp_g 0xea38, // (0x0001654c) list_single_pane_fp_t1_ParamLimits 0xea38, // (0x0001654c) list_single_pane_fp_t1 0xea91, // (0x000165a5) list_single_graphic_pane_fp_g1_ParamLimits 0xea91, // (0x000165a5) list_single_graphic_pane_fp_g1 0xea0c, // (0x00016520) list_single_graphic_pane_fp_g2_ParamLimits 0xea0c, // (0x00016520) list_single_graphic_pane_fp_g2 0x8fa2, // (0x00010ab6) list_single_graphic_pane_fp_g3_ParamLimits 0x8fa2, // (0x00010ab6) list_single_graphic_pane_fp_g3 0xea18, // (0x0001652c) list_single_graphic_pane_fp_g4_ParamLimits 0xea18, // (0x0001652c) list_single_graphic_pane_fp_g4 0xea2c, // (0x00016540) list_single_graphic_pane_fp_g5_ParamLimits 0xea2c, // (0x00016540) list_single_graphic_pane_fp_g5 0x0004, 0xfbc5, // (0x000176d9) list_single_graphic_pane_fp_g_ParamLimits 0xfbc5, // (0x000176d9) list_single_graphic_pane_fp_g 0xea9d, // (0x000165b1) list_single_graphic_pane_fp_t1_ParamLimits 0xea9d, // (0x000165b1) list_single_graphic_pane_fp_t1 0xea91, // (0x000165a5) list_single_graphic_heading_pane_fp_g1_ParamLimits 0xea91, // (0x000165a5) list_single_graphic_heading_pane_fp_g1 0xea0c, // (0x00016520) list_single_graphic_heading_pane_fp_g2_ParamLimits 0xea0c, // (0x00016520) list_single_graphic_heading_pane_fp_g2 0x8fa2, // (0x00010ab6) list_single_graphic_heading_pane_fp_g3_ParamLimits 0x8fa2, // (0x00010ab6) list_single_graphic_heading_pane_fp_g3 0xea18, // (0x0001652c) list_single_graphic_heading_pane_fp_g4_ParamLimits 0xea18, // (0x0001652c) list_single_graphic_heading_pane_fp_g4 0xea2c, // (0x00016540) list_single_graphic_heading_pane_fp_g5_ParamLimits 0xea2c, // (0x00016540) list_single_graphic_heading_pane_fp_g5 0x0004, 0xfbc5, // (0x000176d9) list_single_graphic_heading_pane_fp_g_ParamLimits 0xfbc5, // (0x000176d9) list_single_graphic_heading_pane_fp_g 0xeab3, // (0x000165c7) list_single_graphic_heading_pane_fp_t1_ParamLimits 0xeab3, // (0x000165c7) list_single_graphic_heading_pane_fp_t1 0xeac9, // (0x000165dd) list_single_graphic_heading_pane_fp_t2_ParamLimits 0xeac9, // (0x000165dd) list_single_graphic_heading_pane_fp_t2 0x0001, 0xfbd0, // (0x000176e4) list_single_graphic_heading_pane_fp_t_ParamLimits 0xfbd0, // (0x000176e4) list_single_graphic_heading_pane_fp_t 0xeadb, // (0x000165ef) list_single_cale_day_pane_fp_g1_ParamLimits 0xeadb, // (0x000165ef) list_single_cale_day_pane_fp_g1 0xeb13, // (0x00016627) list_single_cale_day_pane_fp_g2_ParamLimits 0xeb13, // (0x00016627) list_single_cale_day_pane_fp_g2 0xeb1f, // (0x00016633) list_single_cale_day_pane_fp_g3_ParamLimits 0xeb1f, // (0x00016633) list_single_cale_day_pane_fp_g3 0xeb47, // (0x0001665b) list_single_cale_day_pane_fp_g4_ParamLimits 0xeb47, // (0x0001665b) list_single_cale_day_pane_fp_g4 0xeb6b, // (0x0001667f) list_single_cale_day_pane_fp_g5_ParamLimits 0xeb6b, // (0x0001667f) list_single_cale_day_pane_fp_g5 0x0004, 0xfbd5, // (0x000176e9) list_single_cale_day_pane_fp_g_ParamLimits 0xfbd5, // (0x000176e9) list_single_cale_day_pane_fp_g 0xeb8f, // (0x000166a3) list_single_cale_day_pane_fp_t1_ParamLimits 0xeb8f, // (0x000166a3) list_single_cale_day_pane_fp_t1 0xebb5, // (0x000166c9) list_single_cale_day_pane_fp_t2_ParamLimits 0xebb5, // (0x000166c9) list_single_cale_day_pane_fp_t2 0xebce, // (0x000166e2) list_single_cale_day_pane_fp_t3_ParamLimits 0xebce, // (0x000166e2) list_single_cale_day_pane_fp_t3 0x0002, 0xfbe0, // (0x000176f4) list_single_cale_day_pane_fp_t_ParamLimits 0xfbe0, // (0x000176f4) list_single_cale_day_pane_fp_t 0xea0c, // (0x00016520) list_empty_pane_fp_g1_ParamLimits 0xea0c, // (0x00016520) list_empty_pane_fp_g1 0xebe7, // (0x000166fb) list_empty_pane_fp_t1 0xebf5, // (0x00016709) list_empty_pane_fp_t2 0x0001, 0xfbe7, // (0x000176fb) list_empty_pane_fp_t 0xea0c, // (0x00016520) list_single_heading_pane_fp_g1_ParamLimits 0xea0c, // (0x00016520) list_single_heading_pane_fp_g1 0x8fa2, // (0x00010ab6) list_single_heading_pane_fp_g2_ParamLimits 0x8fa2, // (0x00010ab6) list_single_heading_pane_fp_g2 0xea18, // (0x0001652c) list_single_heading_pane_fp_g3_ParamLimits 0xea18, // (0x0001652c) list_single_heading_pane_fp_g3 0x0002, 0xfbec, // (0x00017700) list_single_heading_pane_fp_g_ParamLimits 0xfbec, // (0x00017700) list_single_heading_pane_fp_g 0xec03, // (0x00016717) list_single_heading_pane_fp_t1_ParamLimits 0xec03, // (0x00016717) list_single_heading_pane_fp_t1 0xec15, // (0x00016729) list_single_heading_pane_fp_t2_ParamLimits 0xec15, // (0x00016729) list_single_heading_pane_fp_t2 0x0001, 0xfbf3, // (0x00017707) list_single_heading_pane_fp_t_ParamLimits 0xfbf3, // (0x00017707) list_single_heading_pane_fp_t 0x98e6, // (0x000113fa) aid_size_cell_fast 0x8965, // (0x00010479) soft_indicator_pane_cp1_t1 0x9920, // (0x00011434) cell_app_pane_cp2_ParamLimits 0x9920, // (0x00011434) cell_app_pane_cp2 0x78e5, // (0x0000f3f9) fep_hwr_candidate_drop_down_list_pane 0x7acf, // (0x0000f5e3) fep_hwr_candidate_pane_g3_ParamLimits 0x7acf, // (0x0000f5e3) fep_hwr_candidate_pane_g3 0x6335, // (0x0000de49) fep_hwr_candidate_pane_g4_ParamLimits 0x6335, // (0x0000de49) fep_hwr_candidate_pane_g4 0x0002, 0xfb62, // (0x00017676) fep_hwr_candidate_pane_g_ParamLimits 0xfb62, // (0x00017676) fep_hwr_candidate_pane_g 0xe635, // (0x00016149) fep_vkb_candidate_drop_down_list_pane_ParamLimits 0xe635, // (0x00016149) fep_vkb_candidate_drop_down_list_pane 0xe90e, // (0x00016422) fep_vkb_candidate_pane_g3 0xe916, // (0x0001642a) fep_vkb_candidate_pane_g4 0x0002, 0xfb8f, // (0x000176a3) fep_vkb_candidate_pane_g 0x7b3a, // (0x0000f64e) cell_hwr_candidate_pane_g1_ParamLimits 0x7b48, // (0x0000f65c) cell_hwr_candidate_pane_g3_ParamLimits 0x7b48, // (0x0000f65c) cell_hwr_candidate_pane_g3 0x18cd, // (0x000093e1) cell_hwr_candidate_pane_g4_ParamLimits 0x18cd, // (0x000093e1) cell_hwr_candidate_pane_g4 0x0002, 0xfbae, // (0x000176c2) cell_hwr_candidate_pane_g_ParamLimits 0xfbae, // (0x000176c2) cell_hwr_candidate_pane_g 0xe92d, // (0x00016441) cell_vkb_candidate_pane_g3_ParamLimits 0xe92d, // (0x00016441) cell_vkb_candidate_pane_g3 0xe948, // (0x0001645c) cell_vkb_candidate_pane_g4_ParamLimits 0xe948, // (0x0001645c) cell_vkb_candidate_pane_g4 0xec2b, // (0x0001673f) cell_app_pane_cp2_g1_ParamLimits 0xec2b, // (0x0001673f) cell_app_pane_cp2_g1 0xec49, // (0x0001675d) cell_app_pane_cp2_g2_ParamLimits 0xec49, // (0x0001675d) cell_app_pane_cp2_g2 0x0001, 0xfbf8, // (0x0001770c) cell_app_pane_cp2_g_ParamLimits 0xfbf8, // (0x0001770c) cell_app_pane_cp2_g 0xec55, // (0x00016769) cell_app_pane_cp2_t1_ParamLimits 0xec55, // (0x00016769) cell_app_pane_cp2_t1 0x9561, // (0x00011075) grid_highlight_pane_cp1_ParamLimits 0x9561, // (0x00011075) grid_highlight_pane_cp1 0x7b87, // (0x0000f69b) cell_hwr_candidate_pane_cp1_ParamLimits 0x7b87, // (0x0000f69b) cell_hwr_candidate_pane_cp1 0x7b3a, // (0x0000f64e) fep_hwr_candidate_drop_down_list_pane_g1 0x7ba8, // (0x0000f6bc) fep_hwr_candidate_drop_down_list_pane_g2 0x7bb5, // (0x0000f6c9) fep_hwr_candidate_drop_down_list_pane_g3 0x0002, 0xfbfd, // (0x00017711) fep_hwr_candidate_drop_down_list_pane_g 0x7bc2, // (0x0000f6d6) fep_hwr_candidate_drop_down_list_scroll_pane 0x7bcb, // (0x0000f6df) fep_hwr_candidate_drop_down_list_scroll_pane_g1_ParamLimits 0x7bcb, // (0x0000f6df) fep_hwr_candidate_drop_down_list_scroll_pane_g1 0x7bd8, // (0x0000f6ec) fep_hwr_candidate_drop_down_list_scroll_pane_g2_ParamLimits 0x7bd8, // (0x0000f6ec) fep_hwr_candidate_drop_down_list_scroll_pane_g2 0x7be5, // (0x0000f6f9) fep_hwr_candidate_drop_down_list_scroll_pane_g3_ParamLimits 0x7be5, // (0x0000f6f9) fep_hwr_candidate_drop_down_list_scroll_pane_g3 0x7bf2, // (0x0000f706) fep_hwr_candidate_drop_down_list_scroll_pane_g4_ParamLimits 0x7bf2, // (0x0000f706) fep_hwr_candidate_drop_down_list_scroll_pane_g4 0x7c0d, // (0x0000f721) fep_hwr_candidate_drop_down_list_scroll_pane_g5_ParamLimits 0x7c0d, // (0x0000f721) fep_hwr_candidate_drop_down_list_scroll_pane_g5 0x7c28, // (0x0000f73c) fep_hwr_candidate_drop_down_list_scroll_pane_g6_ParamLimits 0x7c28, // (0x0000f73c) fep_hwr_candidate_drop_down_list_scroll_pane_g6 0x7c43, // (0x0000f757) fep_hwr_candidate_drop_down_list_scroll_pane_g7_ParamLimits 0x7c43, // (0x0000f757) fep_hwr_candidate_drop_down_list_scroll_pane_g7 0x7c5e, // (0x0000f772) fep_hwr_candidate_drop_down_list_scroll_pane_g8_ParamLimits 0x7c5e, // (0x0000f772) fep_hwr_candidate_drop_down_list_scroll_pane_g8 0x0007, 0xfc04, // (0x00017718) fep_hwr_candidate_drop_down_list_scroll_pane_g_ParamLimits 0xfc04, // (0x00017718) fep_hwr_candidate_drop_down_list_scroll_pane_g 0xec67, // (0x0001677b) cell_vkb_candidate_pane_cp1_ParamLimits 0xec67, // (0x0001677b) cell_vkb_candidate_pane_cp1 0xe69c, // (0x000161b0) fep_vkb_candidate_drop_down_list_pane_g1_ParamLimits 0xe69c, // (0x000161b0) fep_vkb_candidate_drop_down_list_pane_g1 0xec8d, // (0x000167a1) fep_vkb_candidate_drop_down_list_pane_g2_ParamLimits 0xec8d, // (0x000167a1) fep_vkb_candidate_drop_down_list_pane_g2 0xec9a, // (0x000167ae) fep_vkb_candidate_drop_down_list_pane_g3_ParamLimits 0xec9a, // (0x000167ae) fep_vkb_candidate_drop_down_list_pane_g3 0x0002, 0xfc15, // (0x00017729) fep_vkb_candidate_drop_down_list_pane_g_ParamLimits 0xfc15, // (0x00017729) fep_vkb_candidate_drop_down_list_pane_g 0xeca7, // (0x000167bb) fep_vkb_candidate_drop_down_list_scroll_pane_ParamLimits 0xeca7, // (0x000167bb) fep_vkb_candidate_drop_down_list_scroll_pane 0xecb4, // (0x000167c8) fep_vkb_candidate_drop_down_list_scroll_pane_g1_ParamLimits 0xecb4, // (0x000167c8) fep_vkb_candidate_drop_down_list_scroll_pane_g1 0xecc1, // (0x000167d5) fep_vkb_candidate_drop_down_list_scroll_pane_g2_ParamLimits 0xecc1, // (0x000167d5) fep_vkb_candidate_drop_down_list_scroll_pane_g2 0xeccd, // (0x000167e1) fep_vkb_candidate_drop_down_list_scroll_pane_g3_ParamLimits 0xeccd, // (0x000167e1) fep_vkb_candidate_drop_down_list_scroll_pane_g3 0xea4f, // (0x00016563) fep_vkb_candidate_drop_down_list_scroll_pane_g4_ParamLimits 0xea4f, // (0x00016563) fep_vkb_candidate_drop_down_list_scroll_pane_g4 0xea70, // (0x00016584) fep_vkb_candidate_drop_down_list_scroll_pane_g5_ParamLimits 0xea70, // (0x00016584) fep_vkb_candidate_drop_down_list_scroll_pane_g5 0xecd9, // (0x000167ed) fep_vkb_candidate_drop_down_list_scroll_pane_g6_ParamLimits 0xecd9, // (0x000167ed) fep_vkb_candidate_drop_down_list_scroll_pane_g6 0xecfa, // (0x0001680e) fep_vkb_candidate_drop_down_list_scroll_pane_g7_ParamLimits 0xecfa, // (0x0001680e) fep_vkb_candidate_drop_down_list_scroll_pane_g7 0xed1b, // (0x0001682f) fep_vkb_candidate_drop_down_list_scroll_pane_g8_ParamLimits 0xed1b, // (0x0001682f) fep_vkb_candidate_drop_down_list_scroll_pane_g8 0x0007, 0xfc1c, // (0x00017730) fep_vkb_candidate_drop_down_list_scroll_pane_g_ParamLimits 0xfc1c, // (0x00017730) fep_vkb_candidate_drop_down_list_scroll_pane_g 0x3209, // (0x0000ad1d) title_pane_g1_ParamLimits 0x3220, // (0x0000ad34) title_pane_g2_ParamLimits 0xf5b8, // (0x000170cc) title_pane_g_ParamLimits 0x9d4b, // (0x0001185f) aid_call2_pane 0x9d53, // (0x00011867) aid_call_pane 0x9d5b, // (0x0001186f) popup_clock_analogue_window_g1 0x9d5b, // (0x0001186f) popup_clock_analogue_window_g2 0x6f75, // (0x0000ea89) popup_clock_analogue_window_g3 0x6f7e, // (0x0000ea92) popup_clock_analogue_window_g4 0x856c, // (0x00010080) popup_clock_analogue_window_g5 0x0004, 0xf75d, // (0x00017271) popup_clock_analogue_window_g 0x6f86, // (0x0000ea9a) popup_clock_analogue_window_t1 0x6f94, // (0x0000eaa8) clock_digital_number_pane_ParamLimits 0x6f94, // (0x0000eaa8) clock_digital_number_pane 0x6fa0, // (0x0000eab4) clock_digital_number_pane_cp02_ParamLimits 0x6fa0, // (0x0000eab4) clock_digital_number_pane_cp02 0x6fac, // (0x0000eac0) clock_digital_number_pane_cp03_ParamLimits 0x6fac, // (0x0000eac0) clock_digital_number_pane_cp03 0x6fb8, // (0x0000eacc) clock_digital_number_pane_cp04_ParamLimits 0x6fb8, // (0x0000eacc) clock_digital_number_pane_cp04 0x6fc4, // (0x0000ead8) clock_digital_separator_pane_ParamLimits 0x6fc4, // (0x0000ead8) clock_digital_separator_pane 0x6fd0, // (0x0000eae4) popup_clock_digital_window_t1_ParamLimits 0x6fd0, // (0x0000eae4) popup_clock_digital_window_t1 0x856c, // (0x00010080) clock_digital_number_pane_g1 0x856c, // (0x00010080) clock_digital_number_pane_g2 0x0001, 0xf768, // (0x0001727c) clock_digital_number_pane_g 0x856c, // (0x00010080) clock_digital_separator_pane_g1 0x856c, // (0x00010080) clock_digital_separator_pane_g2 0x0001, 0xf768, // (0x0001727c) clock_digital_separator_pane_g 0x445d, // (0x0000bf71) aid_fill_nsta_ParamLimits 0x4588, // (0x0000c09c) indicator_nsta_pane_ParamLimits 0xafde, // (0x00012af2) popup_clock_analogue_window 0xafde, // (0x00012af2) popup_clock_digital_window 0x98a7, // (0x000113bb) grid_indicator_nsta_pane_ParamLimits 0xe13e, // (0x00015c52) clock_nsta_pane_t2 0x0001, 0xfaef, // (0x00017603) clock_nsta_pane_t 0x6f39, // (0x0000ea4d) aid_size_max_handle 0x6f43, // (0x0000ea57) aid_size_min_handle 0xa362, // (0x00011e76) editor_scroll_pane 0xed36, // (0x0001684a) ex_editor_pane 0x9854, // (0x00011368) scroll_pane_cp13 0x8f8e, // (0x00010aa2) scroll_pane_cp14 0x9d85, // (0x00011899) scroll_pane_cp36 0x3a0e, // (0x0000b522) list_single_graphic_hl_pane_cp2_ParamLimits 0x3a0e, // (0x0000b522) list_single_graphic_hl_pane_cp2 0x4e9d, // (0x0000c9b1) list_single_graphic_hl_pane_ParamLimits 0x4e9d, // (0x0000c9b1) list_single_graphic_hl_pane 0xed3e, // (0x00016852) aid_size_min_hl_cp1 0xed47, // (0x0001685b) list_highlight_pane_cp34_ParamLimits 0xed47, // (0x0001685b) list_highlight_pane_cp34 0xed58, // (0x0001686c) list_single_graphic_hl_pane_g1_ParamLimits 0xed58, // (0x0001686c) list_single_graphic_hl_pane_g1 0xed65, // (0x00016879) list_single_graphic_hl_pane_g2_ParamLimits 0xed65, // (0x00016879) list_single_graphic_hl_pane_g2 0xed65, // (0x00016879) list_single_graphic_hl_pane_g3_ParamLimits 0xed65, // (0x00016879) list_single_graphic_hl_pane_g3 0x9587, // (0x0001109b) list_single_graphic_hl_pane_g4_ParamLimits 0x9587, // (0x0001109b) list_single_graphic_hl_pane_g4 0x9593, // (0x000110a7) list_single_graphic_hl_pane_g5_ParamLimits 0x9593, // (0x000110a7) list_single_graphic_hl_pane_g5 0x0004, 0xfc2d, // (0x00017741) list_single_graphic_hl_pane_g_ParamLimits 0xfc2d, // (0x00017741) list_single_graphic_hl_pane_g 0x9173, // (0x00010c87) list_single_graphic_hl_pane_t1_ParamLimits 0x9173, // (0x00010c87) list_single_graphic_hl_pane_t1 0xed71, // (0x00016885) aid_size_min_hl_cp2 0xed7a, // (0x0001688e) list_highlight_pane_cp34_cp2_ParamLimits 0xed7a, // (0x0001688e) list_highlight_pane_cp34_cp2 0xed58, // (0x0001686c) list_single_graphic_hl_pane_g1_cp2_ParamLimits 0xed58, // (0x0001686c) list_single_graphic_hl_pane_g1_cp2 0xed87, // (0x0001689b) list_single_graphic_hl_pane_g2_cp2_ParamLimits 0xed87, // (0x0001689b) list_single_graphic_hl_pane_g2_cp2 0xed93, // (0x000168a7) list_single_graphic_hl_pane_g3_cp2_ParamLimits 0xed93, // (0x000168a7) list_single_graphic_hl_pane_g3_cp2 0x91a7, // (0x00010cbb) list_single_graphic_hl_pane_g4_cp2_ParamLimits 0x91a7, // (0x00010cbb) list_single_graphic_hl_pane_g4_cp2 0xeda1, // (0x000168b5) list_single_graphic_hl_pane_g5_cp2_ParamLimits 0xeda1, // (0x000168b5) list_single_graphic_hl_pane_g5_cp2 0xcab3, // (0x000145c7) control_pane_g4_ParamLimits 0xcab3, // (0x000145c7) control_pane_g4 0xa6e9, // (0x000121fd) bg_popup_sub_pane_cp10_ParamLimits 0xe50c, // (0x00016020) list_choice_list_pane_ParamLimits 0xe51b, // (0x0001602f) scroll_pane_cp23 0x8a00, // (0x00010514) bg_popup_preview_window_pane_cp02_ParamLimits 0xe9ad, // (0x000164c1) list_preview_fixed_pane_ParamLimits 0xe9c3, // (0x000164d7) list_preview_fixed_pane_cp_ParamLimits 0xe9c3, // (0x000164d7) list_preview_fixed_pane_cp 0xe9cf, // (0x000164e3) popup_preview_fixed_window_g1_ParamLimits 0xe9cf, // (0x000164e3) popup_preview_fixed_window_g1 0xe9db, // (0x000164ef) popup_preview_fixed_window_g2_ParamLimits 0xe9db, // (0x000164ef) popup_preview_fixed_window_g2 0x0002, 0xfbb5, // (0x000176c9) popup_preview_fixed_window_g_ParamLimits 0xfbb5, // (0x000176c9) popup_preview_fixed_window_g 0x6ecf, // (0x0000e9e3) aid_navi_side_left_pane_ParamLimits 0x6ee3, // (0x0000e9f7) aid_navi_side_right_pane_ParamLimits 0x9a9c, // (0x000115b0) navi_icon_pane_stacon_ParamLimits 0x6ef6, // (0x0000ea0a) navi_navi_pane_stacon_ParamLimits 0x9a9c, // (0x000115b0) navi_text_pane_stacon_ParamLimits 0x8562, // (0x00010076) main_text_info_pane 0xedcb, // (0x000168df) listscroll_text_info_pane 0xedd3, // (0x000168e7) list_text_info_pane_ParamLimits 0xedd3, // (0x000168e7) list_text_info_pane 0xede2, // (0x000168f6) scroll_pane_cp24_ParamLimits 0xede2, // (0x000168f6) scroll_pane_cp24 0x53ad, // (0x0000cec1) list_text_info_pane_t1_ParamLimits 0x53ad, // (0x0000cec1) list_text_info_pane_t1 0x3d6c, // (0x0000b880) popup_fast_swap2_window_ParamLimits 0x3d6c, // (0x0000b880) popup_fast_swap2_window 0xee00, // (0x00016914) aid_size_cell_fast2 0x8562, // (0x00010076) bg_popup_window_pane_cp17 0xb6ef, // (0x00013203) heading_pane_cp2 0x8c8e, // (0x000107a2) listscroll_fast2_pane 0xee0a, // (0x0001691e) grid_fast2_pane 0xee14, // (0x00016928) listscroll_fast2_pane_g1 0xee1e, // (0x00016932) listscroll_fast2_pane_g2 0x0001, 0xfc38, // (0x0001774c) listscroll_fast2_pane_g 0x9854, // (0x00011368) scroll_pane_cp26 0xee28, // (0x0001693c) cell_fast2_pane_ParamLimits 0xee28, // (0x0001693c) cell_fast2_pane 0xee42, // (0x00016956) cell_fast2_pane_g1 0xee4b, // (0x0001695f) cell_fast2_pane_g2 0xee54, // (0x00016968) cell_fast2_pane_g3 0x0002, 0xfc3d, // (0x00017751) cell_fast2_pane_g 0x8d80, // (0x00010894) grid_highlight_pane_cp9 0x8d95, // (0x000108a9) main_eswt_pane_ParamLimits 0x8d95, // (0x000108a9) main_eswt_pane 0xedf7, // (0x0001690b) list_single_text_info_pane 0xee5c, // (0x00016970) eswt_ctrl_button_pane 0xee5c, // (0x00016970) eswt_ctrl_canvas_pane 0xee64, // (0x00016978) eswt_ctrl_combo_pane 0xee5c, // (0x00016970) eswt_ctrl_default_pane 0xee5c, // (0x00016970) eswt_ctrl_label_pane 0xee6c, // (0x00016980) eswt_ctrl_wait_pane 0xee74, // (0x00016988) eswt_shell_pane 0x8562, // (0x00010076) listscroll_eswt_app_pane 0xee94, // (0x000169a8) popup_eswt_tasktip_window_ParamLimits 0xee94, // (0x000169a8) popup_eswt_tasktip_window 0xb313, // (0x00012e27) bg_popup_window_pane_cp18 0xeea5, // (0x000169b9) eswt_control_pane_g1_ParamLimits 0xeea5, // (0x000169b9) eswt_control_pane_g1 0xeeb2, // (0x000169c6) eswt_control_pane_g2_ParamLimits 0xeeb2, // (0x000169c6) eswt_control_pane_g2 0xeebf, // (0x000169d3) eswt_control_pane_g3_ParamLimits 0xeebf, // (0x000169d3) eswt_control_pane_g3 0xeecc, // (0x000169e0) eswt_control_pane_g4_ParamLimits 0xeecc, // (0x000169e0) eswt_control_pane_g4 0x0003, 0xfc44, // (0x00017758) eswt_control_pane_g_ParamLimits 0xfc44, // (0x00017758) eswt_control_pane_g 0x9561, // (0x00011075) bg_button_pane_ParamLimits 0x9561, // (0x00011075) bg_button_pane 0x8d95, // (0x000108a9) common_borders_pane_copy2_ParamLimits 0x8d95, // (0x000108a9) common_borders_pane_copy2 0xeed9, // (0x000169ed) control_button_pane_g1_ParamLimits 0xeed9, // (0x000169ed) control_button_pane_g1 0xeee5, // (0x000169f9) control_button_pane_g2_ParamLimits 0xeee5, // (0x000169f9) control_button_pane_g2 0xeef1, // (0x00016a05) control_button_pane_g3_ParamLimits 0xeef1, // (0x00016a05) control_button_pane_g3 0x0002, 0xfc4d, // (0x00017761) control_button_pane_g_ParamLimits 0xfc4d, // (0x00017761) control_button_pane_g 0xef05, // (0x00016a19) control_button_pane_t1 0xef13, // (0x00016a27) control_button_pane_t2 0x0001, 0xfc54, // (0x00017768) control_button_pane_t 0xb1f7, // (0x00012d0b) bg_button_pane_g1 0xb207, // (0x00012d1b) bg_button_pane_g2 0xb1ff, // (0x00012d13) bg_button_pane_g3 0xb217, // (0x00012d2b) bg_button_pane_g4 0xb20f, // (0x00012d23) bg_button_pane_g5 0xb21f, // (0x00012d33) bg_button_pane_g6 0xb227, // (0x00012d3b) bg_button_pane_g7 0xb237, // (0x00012d4b) bg_button_pane_g8 0xb22f, // (0x00012d43) bg_button_pane_g9 0x0008, 0xf8b4, // (0x000173c8) bg_button_pane_g 0xe4c7, // (0x00015fdb) common_borders_pane_ParamLimits 0xe4c7, // (0x00015fdb) common_borders_pane 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy1_ParamLimits 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy1 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy1_ParamLimits 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy1 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy1_ParamLimits 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy1 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy1_ParamLimits 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy1 0xe502, // (0x00016016) bg_eswt_ctrl_canvas_pane_g1 0xe4c7, // (0x00015fdb) common_borders_pane_cp2_ParamLimits 0xe4c7, // (0x00015fdb) common_borders_pane_cp2 0xe4c7, // (0x00015fdb) common_borders_pane_cp3_ParamLimits 0xe4c7, // (0x00015fdb) common_borders_pane_cp3 0xef21, // (0x00016a35) separator_horizontal_pane 0x9b96, // (0x000116aa) separator_vertical_pane 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy2_ParamLimits 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy2 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy2_ParamLimits 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy2 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy2_ParamLimits 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy2 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy2_ParamLimits 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy2 0x8562, // (0x00010076) common_borders_pane_cp4 0xef29, // (0x00016a3d) separator_horizontal_pane_g1 0xef32, // (0x00016a46) separator_horizontal_pane_g2 0xef3b, // (0x00016a4f) separator_horizontal_pane_g3 0x0002, 0xfc59, // (0x0001776d) separator_horizontal_pane_g 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy3_ParamLimits 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy3 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy3_ParamLimits 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy3 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy3_ParamLimits 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy3 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy3_ParamLimits 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy3 0x8562, // (0x00010076) common_borders_pane_cp5 0xef44, // (0x00016a58) separator_vertical_pane_g1 0xef4d, // (0x00016a61) separator_vertical_pane_g2 0xef56, // (0x00016a6a) separator_vertical_pane_g3 0x0002, 0xfc60, // (0x00017774) separator_vertical_pane_g 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy4_ParamLimits 0xeea5, // (0x000169b9) eswt_control_pane_g1_copy4 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy4_ParamLimits 0xeeb2, // (0x000169c6) eswt_control_pane_g2_copy4 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy4_ParamLimits 0xeebf, // (0x000169d3) eswt_control_pane_g3_copy4 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy4_ParamLimits 0xeecc, // (0x000169e0) eswt_control_pane_g4_copy4 0xef5f, // (0x00016a73) eswt_ctrl_combo_button_pane 0xef67, // (0x00016a7b) eswt_ctrl_input_pane 0xef6f, // (0x00016a83) popup_choice_list_window_cp70 0xef77, // (0x00016a8b) eswt_ctrl_input_pane_t1 0x8562, // (0x00010076) input_focus_pane_cp70 0xe4c7, // (0x00015fdb) bg_button_pane_cp70_ParamLimits 0xe4c7, // (0x00015fdb) bg_button_pane_cp70 0xef85, // (0x00016a99) eswt_ctrl_combo_button_pane_g1 0xef8d, // (0x00016aa1) wait_bar_pane_cp70 0xb313, // (0x00012e27) bg_popup_window_pane_cp70_ParamLimits 0xb313, // (0x00012e27) bg_popup_window_pane_cp70 0xef95, // (0x00016aa9) popup_eswt_tasktip_window_t1 0xefab, // (0x00016abf) wait_bar_pane_cp71_ParamLimits 0xefab, // (0x00016abf) wait_bar_pane_cp71 0xefb7, // (0x00016acb) grid_eswt_app_pane 0x9b8d, // (0x000116a1) scroll_pane_cp70 0x53cf, // (0x0000cee3) cell_eswt_app_pane_ParamLimits 0x53cf, // (0x0000cee3) cell_eswt_app_pane 0x5401, // (0x0000cf15) cell_eswt_app_pane_g1_ParamLimits 0x5401, // (0x0000cf15) cell_eswt_app_pane_g1 0x5430, // (0x0000cf44) cell_eswt_app_pane_g2_ParamLimits 0x5430, // (0x0000cf44) cell_eswt_app_pane_g2 0x0001, 0xfc67, // (0x0001777b) cell_eswt_app_pane_g_ParamLimits 0xfc67, // (0x0001777b) cell_eswt_app_pane_g 0x5459, // (0x0000cf6d) cell_eswt_app_pane_t1_ParamLimits 0x5459, // (0x0000cf6d) cell_eswt_app_pane_t1 0xefc0, // (0x00016ad4) grid_highlight_pane_cp70_ParamLimits 0xefc0, // (0x00016ad4) grid_highlight_pane_cp70 0x9081, // (0x00010b95) set_content_pane_g1 0xa614, // (0x00012128) status_small_volume_pane 0x7c79, // (0x0000f78d) status_small_volume_pane_g1 0x7c81, // (0x0000f795) volume_small2_pane 0x7c8a, // (0x0000f79e) volume_small2_pane_g1 0x7c93, // (0x0000f7a7) volume_small2_pane_g2 0x7c9c, // (0x0000f7b0) volume_small2_pane_g3 0x7ca5, // (0x0000f7b9) volume_small2_pane_g4 0x7cae, // (0x0000f7c2) volume_small2_pane_g5 0x7cb7, // (0x0000f7cb) volume_small2_pane_g6 0x7cc0, // (0x0000f7d4) volume_small2_pane_g7 0x7cc9, // (0x0000f7dd) volume_small2_pane_g8 0x7cd2, // (0x0000f7e6) volume_small2_pane_g9 0x7cdb, // (0x0000f7ef) volume_small2_pane_g10 0x0009, 0xfc6c, // (0x00017780) volume_small2_pane_g 0xe7dd, // (0x000162f1) fep_vkb_top_text_pane_g1_ParamLimits 0x5355, // (0x0000ce69) fep_vkb_top_text_pane_t1_ParamLimits 0xe9e7, // (0x000164fb) popup_preview_fixed_window_g3_ParamLimits 0xe9e7, // (0x000164fb) popup_preview_fixed_window_g3 0x43f4, // (0x0000bf08) popup_toolbar_trans_pane 0x4cd0, // (0x0000c7e4) aid_height_set_list_ParamLimits 0xd5bc, // (0x000150d0) aid_size_parent_ParamLimits 0xa6e9, // (0x000121fd) list_highlight_pane_cp2_ParamLimits 0x9081, // (0x00010b95) set_content_pane_g1_ParamLimits 0x4eb5, // (0x0000c9c9) list_single_image_pane_ParamLimits 0x4eb5, // (0x0000c9c9) list_single_image_pane 0x548b, // (0x0000cf9f) aid_size_cell_image_ParamLimits 0x548b, // (0x0000cf9f) aid_size_cell_image 0x5498, // (0x0000cfac) grid_single_image_pane_ParamLimits 0x5498, // (0x0000cfac) grid_single_image_pane 0x9587, // (0x0001109b) list_single_image_pane_g1_ParamLimits 0x9587, // (0x0001109b) list_single_image_pane_g1 0x9593, // (0x000110a7) list_single_image_pane_g2_ParamLimits 0x9593, // (0x000110a7) list_single_image_pane_g2 0x0001, 0xfc81, // (0x00017795) list_single_image_pane_g_ParamLimits 0xfc81, // (0x00017795) list_single_image_pane_g 0xefcc, // (0x00016ae0) list_single_image_pane_t1_ParamLimits 0xefcc, // (0x00016ae0) list_single_image_pane_t1 0x54a6, // (0x0000cfba) cell_image_list_pane_ParamLimits 0x54a6, // (0x0000cfba) cell_image_list_pane 0x54bc, // (0x0000cfd0) cell_image_list_pane_g1 0x54c5, // (0x0000cfd9) cell_image_list_pane_g2 0x0001, 0xfc86, // (0x0001779a) cell_image_list_pane_g 0xefe2, // (0x00016af6) aid_size_cell_tb_trans_pane 0x9561, // (0x00011075) bg_tb_trans_pane 0xeff4, // (0x00016b08) grid_tb_trans_pane 0xb1f7, // (0x00012d0b) bg_tb_trans_pane_g1 0xb207, // (0x00012d1b) bg_tb_trans_pane_g2 0xb1ff, // (0x00012d13) bg_tb_trans_pane_g3 0xb217, // (0x00012d2b) bg_tb_trans_pane_g4 0xb20f, // (0x00012d23) bg_tb_trans_pane_g5 0xb237, // (0x00012d4b) bg_tb_trans_pane_g6 0xb22f, // (0x00012d43) bg_tb_trans_pane_g7 0xb21f, // (0x00012d33) bg_tb_trans_pane_g8 0xb227, // (0x00012d3b) bg_tb_trans_pane_g9 0x0008, 0xfc8b, // (0x0001779f) bg_tb_trans_pane_g 0xf008, // (0x00016b1c) cell_toolbar_trans_pane_ParamLimits 0xf008, // (0x00016b1c) cell_toolbar_trans_pane 0xe502, // (0x00016016) cell_toolbar_trans_pane_g1 0x50a9, // (0x0000cbbd) list_form2_midp_pane_t1 0x50b7, // (0x0000cbcb) list_form2_midp_pane_t2 0x0001, 0xfb28, // (0x0001763c) list_form2_midp_pane_t 0xe22b, // (0x00015d3f) scroll_pane_cp51_ParamLimits 0xe3ce, // (0x00015ee2) form2_midp_wait_pane_g1 0xe3d7, // (0x00015eeb) form2_midp_wait_pane_g2 0xe3e0, // (0x00015ef4) form2_midp_wait_pane_g3 0x0002, 0xfb3d, // (0x00017651) form2_midp_wait_pane_g 0x8746, // (0x0001025a) list_highlight_pane_cp21_ParamLimits 0xe400, // (0x00015f14) list_single_midp_graphic_pane_g4_cp_ParamLimits 0xe40f, // (0x00015f23) list_single_midp_graphic_pane_t1_cp_ParamLimits 0xd62d, // (0x00015141) list_single_2graphic_im_pane_ParamLimits 0xd62d, // (0x00015141) list_single_2graphic_im_pane 0xf02e, // (0x00016b42) list_single_2graphic_im_pane_g1_ParamLimits 0xf02e, // (0x00016b42) list_single_2graphic_im_pane_g1 0xf03f, // (0x00016b53) list_single_2graphic_im_pane_g2_ParamLimits 0xf03f, // (0x00016b53) list_single_2graphic_im_pane_g2 0xf04b, // (0x00016b5f) list_single_2graphic_im_pane_g3_ParamLimits 0xf04b, // (0x00016b5f) list_single_2graphic_im_pane_g3 0x0003, 0xfc9e, // (0x000177b2) list_single_2graphic_im_pane_g_ParamLimits 0xfc9e, // (0x000177b2) list_single_2graphic_im_pane_g 0xf06b, // (0x00016b7f) list_single_2graphic_im_pane_t1_ParamLimits 0xf06b, // (0x00016b7f) list_single_2graphic_im_pane_t1 0xe9f3, // (0x00016507) list_single_graphic_2heading_pane_fp_ParamLimits 0xe9f3, // (0x00016507) list_single_graphic_2heading_pane_fp 0xea91, // (0x000165a5) list_single_graphic_2heading_pane_fp_g1_ParamLimits 0xea91, // (0x000165a5) list_single_graphic_2heading_pane_fp_g1 0xea0c, // (0x00016520) list_single_graphic_2heading_pane_fp_g2_ParamLimits 0xea0c, // (0x00016520) list_single_graphic_2heading_pane_fp_g2 0x8fa2, // (0x00010ab6) list_single_graphic_2heading_pane_fp_g3_ParamLimits 0x8fa2, // (0x00010ab6) list_single_graphic_2heading_pane_fp_g3 0xea18, // (0x0001652c) list_single_graphic_2heading_pane_fp_g4_ParamLimits 0xea18, // (0x0001652c) list_single_graphic_2heading_pane_fp_g4 0xea2c, // (0x00016540) list_single_graphic_2heading_pane_fp_g5_ParamLimits 0xea2c, // (0x00016540) list_single_graphic_2heading_pane_fp_g5 0x0004, 0xfbc5, // (0x000176d9) list_single_graphic_2heading_pane_fp_g_ParamLimits 0xfbc5, // (0x000176d9) list_single_graphic_2heading_pane_fp_g 0xf09c, // (0x00016bb0) list_single_graphic_2heading_pane_fp_t1_ParamLimits 0xf09c, // (0x00016bb0) list_single_graphic_2heading_pane_fp_t1 0xeac9, // (0x000165dd) list_single_graphic_2heading_pane_fp_t2_ParamLimits 0xeac9, // (0x000165dd) list_single_graphic_2heading_pane_fp_t2 0xf0b2, // (0x00016bc6) list_single_graphic_2heading_pane_fp_t3_ParamLimits 0xf0b2, // (0x00016bc6) list_single_graphic_2heading_pane_fp_t3 0x0002, 0xfca7, // (0x000177bb) list_single_graphic_2heading_pane_fp_t_ParamLimits 0xfca7, // (0x000177bb) list_single_graphic_2heading_pane_fp_t 0xe58f, // (0x000160a3) fep_hwr_write_pane_g5_ParamLimits 0xe58f, // (0x000160a3) fep_hwr_write_pane_g5 0xe59b, // (0x000160af) fep_hwr_write_pane_g6_ParamLimits 0xe59b, // (0x000160af) fep_hwr_write_pane_g6 0xee74, // (0x00016988) eswt_shell_pane_ParamLimits 0xb313, // (0x00012e27) bg_popup_window_pane_cp18_ParamLimits 0xd54e, // (0x00015062) heading_pane_cp70 0xef95, // (0x00016aa9) popup_eswt_tasktip_window_t1_ParamLimits 0x44b3, // (0x0000bfc7) aid_touch_tab_arrow_left 0x44c7, // (0x0000bfdb) aid_touch_tab_arrow_right 0x323f, // (0x0000ad53) title_pane_g3_ParamLimits 0x323f, // (0x0000ad53) title_pane_g3 0x9441, // (0x00010f55) set_value_pane_g1 0x43f4, // (0x0000bf08) popup_toolbar_trans_pane_ParamLimits 0xefe2, // (0x00016af6) aid_size_cell_tb_trans_pane_ParamLimits 0x9561, // (0x00011075) bg_tb_trans_pane_ParamLimits 0xeff4, // (0x00016b08) grid_tb_trans_pane_ParamLimits 0x8a00, // (0x00010514) cont_note_pane_ParamLimits 0x8a00, // (0x00010514) cont_note_pane 0x8d95, // (0x000108a9) cont_snote2_single_text_pane_ParamLimits 0x8d95, // (0x000108a9) cont_snote2_single_text_pane 0x8d95, // (0x000108a9) cont_snote2_single_graphic_pane_ParamLimits 0x8d95, // (0x000108a9) cont_snote2_single_graphic_pane 0xb8da, // (0x000133ee) cont_note_wait_pane_ParamLimits 0xb8da, // (0x000133ee) cont_note_wait_pane 0xb8da, // (0x000133ee) cont_note_image_pane_ParamLimits 0xb8da, // (0x000133ee) cont_note_image_pane 0xf0c8, // (0x00016bdc) popup_note2_window_g1_ParamLimits 0xf0c8, // (0x00016bdc) popup_note2_window_g1 0xf0e8, // (0x00016bfc) popup_note2_window_t1_ParamLimits 0xf0e8, // (0x00016bfc) popup_note2_window_t1 0xf122, // (0x00016c36) popup_note2_window_t2_ParamLimits 0xf122, // (0x00016c36) popup_note2_window_t2 0xf15c, // (0x00016c70) popup_note2_window_t3_ParamLimits 0xf15c, // (0x00016c70) popup_note2_window_t3 0xf196, // (0x00016caa) popup_note2_window_t4_ParamLimits 0xf196, // (0x00016caa) popup_note2_window_t4 0x8a84, // (0x00010598) popup_note2_window_t5_ParamLimits 0x8a84, // (0x00010598) popup_note2_window_t5 0x0004, 0xfcae, // (0x000177c2) popup_note2_window_t_ParamLimits 0xfcae, // (0x000177c2) popup_note2_window_t 0xf1c5, // (0x00016cd9) popup_note2_image_window_g1_ParamLimits 0xf1c5, // (0x00016cd9) popup_note2_image_window_g1 0xf1d1, // (0x00016ce5) popup_note2_image_window_g2_ParamLimits 0xf1d1, // (0x00016ce5) popup_note2_image_window_g2 0x0001, 0xfcb9, // (0x000177cd) popup_note2_image_window_g_ParamLimits 0xfcb9, // (0x000177cd) popup_note2_image_window_g 0xf1e3, // (0x00016cf7) popup_note2_image_window_t1_ParamLimits 0xf1e3, // (0x00016cf7) popup_note2_image_window_t1 0xf1fb, // (0x00016d0f) popup_note2_image_window_t2_ParamLimits 0xf1fb, // (0x00016d0f) popup_note2_image_window_t2 0xf213, // (0x00016d27) popup_note2_image_window_t3_ParamLimits 0xf213, // (0x00016d27) popup_note2_image_window_t3 0x0002, 0xfcbe, // (0x000177d2) popup_note2_image_window_t_ParamLimits 0xfcbe, // (0x000177d2) popup_note2_image_window_t 0xb8e8, // (0x000133fc) popup_note2_wait_window_g1_ParamLimits 0xb8e8, // (0x000133fc) popup_note2_wait_window_g1 0xf22f, // (0x00016d43) popup_note2_wait_window_g2_ParamLimits 0xf22f, // (0x00016d43) popup_note2_wait_window_g2 0xb900, // (0x00013414) popup_note2_wait_window_g3_ParamLimits 0xb900, // (0x00013414) popup_note2_wait_window_g3 0x0002, 0xfcc5, // (0x000177d9) popup_note2_wait_window_g_ParamLimits 0xfcc5, // (0x000177d9) popup_note2_wait_window_g 0xf23b, // (0x00016d4f) popup_note2_wait_window_t1_ParamLimits 0xf23b, // (0x00016d4f) popup_note2_wait_window_t1 0xf259, // (0x00016d6d) popup_note2_wait_window_t2_ParamLimits 0xf259, // (0x00016d6d) popup_note2_wait_window_t2 0xf277, // (0x00016d8b) popup_note2_wait_window_t3_ParamLimits 0xf277, // (0x00016d8b) popup_note2_wait_window_t3 0xf289, // (0x00016d9d) popup_note2_wait_window_t4_ParamLimits 0xf289, // (0x00016d9d) popup_note2_wait_window_t4 0x0003, 0xfccc, // (0x000177e0) popup_note2_wait_window_t_ParamLimits 0xfccc, // (0x000177e0) popup_note2_wait_window_t 0xf29b, // (0x00016daf) wait_bar2_pane_ParamLimits 0xf29b, // (0x00016daf) wait_bar2_pane 0xf2b3, // (0x00016dc7) popup_snote2_single_text_window_g1_ParamLimits 0xf2b3, // (0x00016dc7) popup_snote2_single_text_window_g1 0xf2db, // (0x00016def) popup_snote2_single_text_window_t1_ParamLimits 0xf2db, // (0x00016def) popup_snote2_single_text_window_t1 0xf327, // (0x00016e3b) popup_snote2_single_text_window_t2_ParamLimits 0xf327, // (0x00016e3b) popup_snote2_single_text_window_t2 0xf373, // (0x00016e87) popup_snote2_single_text_window_t3_ParamLimits 0xf373, // (0x00016e87) popup_snote2_single_text_window_t3 0xf3b4, // (0x00016ec8) popup_snote2_single_text_window_t4_ParamLimits 0xf3b4, // (0x00016ec8) popup_snote2_single_text_window_t4 0xf3ea, // (0x00016efe) popup_snote2_single_text_window_t5_ParamLimits 0xf3ea, // (0x00016efe) popup_snote2_single_text_window_t5 0x0004, 0xfcd5, // (0x000177e9) popup_snote2_single_text_window_t_ParamLimits 0xfcd5, // (0x000177e9) popup_snote2_single_text_window_t 0xf415, // (0x00016f29) popup_snote2_single_graphic_window_g1_ParamLimits 0xf415, // (0x00016f29) popup_snote2_single_graphic_window_g1 0xf445, // (0x00016f59) popup_snote2_single_graphic_window_g2_ParamLimits 0xf445, // (0x00016f59) popup_snote2_single_graphic_window_g2 0x0001, 0xfce0, // (0x000177f4) popup_snote2_single_graphic_window_g_ParamLimits 0xfce0, // (0x000177f4) popup_snote2_single_graphic_window_g 0xf46d, // (0x00016f81) popup_snote2_single_graphic_window_t1_ParamLimits 0xf46d, // (0x00016f81) popup_snote2_single_graphic_window_t1 0xf4b9, // (0x00016fcd) popup_snote2_single_graphic_window_t2_ParamLimits 0xf4b9, // (0x00016fcd) popup_snote2_single_graphic_window_t2 0xf373, // (0x00016e87) popup_snote2_single_graphic_window_t3_ParamLimits 0xf373, // (0x00016e87) popup_snote2_single_graphic_window_t3 0xf3b4, // (0x00016ec8) popup_snote2_single_graphic_window_t4_ParamLimits 0xf3b4, // (0x00016ec8) popup_snote2_single_graphic_window_t4 0xf3ea, // (0x00016efe) popup_snote2_single_graphic_window_t5_ParamLimits 0xf3ea, // (0x00016efe) popup_snote2_single_graphic_window_t5 0x0004, 0xfce5, // (0x000177f9) popup_snote2_single_graphic_window_t_ParamLimits 0xfce5, // (0x000177f9) popup_snote2_single_graphic_window_t 0xe1c1, // (0x00015cd5) clock_nsta_pane_cp2_t1 0xe1c1, // (0x00015cd5) clock_nsta_pane_cp2_t2 0x0001, 0xfafe, // (0x00017612) clock_nsta_pane_cp2_t 0x957b, // (0x0001108f) form_field_data_wide_pane_g1_ParamLimits 0x9587, // (0x0001109b) form_field_data_wide_pane_g2_ParamLimits 0x9587, // (0x0001109b) form_field_data_wide_pane_g2 0x9593, // (0x000110a7) form_field_data_wide_pane_g3_ParamLimits 0x9593, // (0x000110a7) form_field_data_wide_pane_g3 0x0002, 0xf6e0, // (0x000171f4) form_field_data_wide_pane_g_ParamLimits 0xf6e0, // (0x000171f4) form_field_data_wide_pane_g 0x5000, // (0x0000cb14) grid_touch_3_pane_ParamLimits 0x5000, // (0x0000cb14) grid_touch_3_pane 0x54ce, // (0x0000cfe2) cell_touch_3_pane_ParamLimits 0x54ce, // (0x0000cfe2) cell_touch_3_pane 0xe502, // (0x00016016) cell_touch_3_pane_g1 0xe502, // (0x00016016) cell_touch_3_pane_g2 0x0001, 0xfb83, // (0x00017697) cell_touch_3_pane_g 0x8ab6, // (0x000105ca) cont_query_data_pane 0x8abe, // (0x000105d2) cont_query_data_pane_cp1 0xf505, // (0x00017019) button_value_adjust_pane_cp7 0xf50d, // (0x00017021) query_popup_pane_cp3 0x9e1b, // (0x0001192f) bg_popup_sub_pane_cp22_ParamLimits 0x6fef, // (0x0000eb03) navi_navi_volume_pane_cp2 0x7007, // (0x0000eb1b) popup_side_volume_key_window_g2 0x7013, // (0x0000eb27) popup_side_volume_key_window_g3 0x0002, 0xf772, // (0x00017286) popup_side_volume_key_window_g 0x702f, // (0x0000eb43) popup_side_volume_key_window_t2 0x0001, 0xf779, // (0x0001728d) popup_side_volume_key_window_t 0xa16c, // (0x00011c80) popup_side_volume_key_window_ParamLimits 0x9167, // (0x00010c7b) list_double_graphic_pane_g4_ParamLimits 0x9167, // (0x00010c7b) list_double_graphic_pane_g4 0x4e83, // (0x0000c997) list_single_2heading_msg_pane_ParamLimits 0x4e83, // (0x0000c997) list_single_2heading_msg_pane 0x5519, // (0x0000d02d) list_single_2heading_msg_pane_g1_ParamLimits 0x5519, // (0x0000d02d) list_single_2heading_msg_pane_g1 0x5525, // (0x0000d039) list_single_2heading_msg_pane_g2_ParamLimits 0x5525, // (0x0000d039) list_single_2heading_msg_pane_g2 0x5538, // (0x0000d04c) list_single_2heading_msg_pane_g3_ParamLimits 0x5538, // (0x0000d04c) list_single_2heading_msg_pane_g3 0xf528, // (0x0001703c) list_single_2heading_msg_pane_g4_ParamLimits 0xf528, // (0x0001703c) list_single_2heading_msg_pane_g4 0x0003, 0xfcf0, // (0x00017804) list_single_2heading_msg_pane_g_ParamLimits 0xfcf0, // (0x00017804) list_single_2heading_msg_pane_g 0xf540, // (0x00017054) list_single_2heading_msg_pane_t1_ParamLimits 0xf540, // (0x00017054) list_single_2heading_msg_pane_t1 0x5544, // (0x0000d058) list_single_2heading_msg_pane_t2_ParamLimits 0x5544, // (0x0000d058) list_single_2heading_msg_pane_t2 0x55af, // (0x0000d0c3) list_single_2heading_msg_pane_t3_ParamLimits 0x55af, // (0x0000d0c3) list_single_2heading_msg_pane_t3 0xf568, // (0x0001707c) list_single_2heading_msg_pane_t4_ParamLimits 0xf568, // (0x0001707c) list_single_2heading_msg_pane_t4 0x0003, 0xfcf9, // (0x0001780d) list_single_2heading_msg_pane_t_ParamLimits 0xfcf9, // (0x0001780d) list_single_2heading_msg_pane_t 0x869a, // (0x000101ae) title_pane_g4_ParamLimits 0x869a, // (0x000101ae) title_pane_g4 0x6e45, // (0x0000e959) title_pane_stacon_g3_ParamLimits 0x6e45, // (0x0000e959) title_pane_stacon_g3 0xf05f, // (0x00016b73) list_single_2graphic_im_pane_g4_ParamLimits 0xf05f, // (0x00016b73) list_single_2graphic_im_pane_g4 0xd36c, // (0x00014e80) popup_side_volume_key_window_cp 0xd852, // (0x00015366) main_idle_act2_pane_t1 0x7422, // (0x0000ef36) toolbar_button_pane_g10 0x3664, // (0x0000b178) popup_toolbar_window_cp1 0xe1b2, // (0x00015cc6) clock_nsta_pane_cp_t1 0xe1b2, // (0x00015cc6) clock_nsta_pane_cp_t2 0x0001, 0xfaf9, // (0x0001760d) clock_nsta_pane_cp_t 0x6fef, // (0x0000eb03) navi_navi_volume_pane_cp2_ParamLimits 0x6ffb, // (0x0000eb0f) popup_side_volume_key_window_g1_ParamLimits 0x7007, // (0x0000eb1b) popup_side_volume_key_window_g2_ParamLimits 0x7013, // (0x0000eb27) popup_side_volume_key_window_g3_ParamLimits 0xf772, // (0x00017286) popup_side_volume_key_window_g_ParamLimits 0x78d1, // (0x0000f3e5) fep_hwr_aid_pane 0x797a, // (0x0000f48e) bg_fep_hwr_top_pane_g4_ParamLimits 0xe55f, // (0x00016073) fep_hwr_top_pane_g1_ParamLimits 0xe571, // (0x00016085) fep_hwr_top_pane_g2_ParamLimits 0x799a, // (0x0000f4ae) fep_hwr_top_pane_g3_ParamLimits 0xfb4e, // (0x00017662) fep_hwr_top_pane_g_ParamLimits 0x79af, // (0x0000f4c3) fep_hwr_top_text_pane_ParamLimits 0xd163, // (0x00014c77) aid_touch_tab_arrow_arrow_2 0xd16c, // (0x00014c80) aid_touch_tab_arrow_left_2 0x78e5, // (0x0000f3f9) fep_hwr_candidate_drop_down_list_pane_ParamLimits 0x791c, // (0x0000f430) fep_hwr_prediction_pane 0xe662, // (0x00016176) fep_vkb_prediction_pane 0x5335, // (0x0000ce49) fep_vkb_side_pane_g3_ParamLimits 0x5335, // (0x0000ce49) fep_vkb_side_pane_g3 0x7b3a, // (0x0000f64e) fep_hwr_candidate_drop_down_list_pane_g1_ParamLimits 0x7ba8, // (0x0000f6bc) fep_hwr_candidate_drop_down_list_pane_g2_ParamLimits 0x7bb5, // (0x0000f6c9) fep_hwr_candidate_drop_down_list_pane_g3_ParamLimits 0xfbfd, // (0x00017711) fep_hwr_candidate_drop_down_list_pane_g_ParamLimits 0x7ce4, // (0x0000f7f8) fep_hwr_prediction_pane_g1 0x7cee, // (0x0000f802) fep_hwr_prediction_pane_g2 0x7cf6, // (0x0000f80a) fep_hwr_prediction_pane_g3 0x7cfe, // (0x0000f812) fep_hwr_prediction_pane_g4 0x0003, 0xfd02, // (0x00017816) fep_hwr_prediction_pane_g 0xf58d, // (0x000170a1) fep_vkb_prediction_pane_g1 0xf597, // (0x000170ab) fep_vkb_prediction_pane_g2 0xf59f, // (0x000170b3) fep_vkb_prediction_pane_g3 0xf5a7, // (0x000170bb) fep_vkb_prediction_pane_g4 0x0003, 0xfd0b, // (0x0001781f) fep_vkb_prediction_pane_g 0x771b, // (0x0000f22f) slider_set_pane_g3 0x772f, // (0x0000f243) slider_set_pane_g4 0x7747, // (0x0000f25b) slider_set_pane_g5 0x771b, // (0x0000f22f) slider_set_pane_g6 0xcd91, // (0x000148a5) slider_set_pane_g7 0xd5df, // (0x000150f3) slider_form_pane_g3 0xd5e8, // (0x000150fc) slider_form_pane_g4 0xd5f0, // (0x00015104) slider_form_pane_g5 0xd5df, // (0x000150f3) slider_form_pane_g6 0x4e34, // (0x0000c948) slider_form_pane_g7 0xdba9, // (0x000156bd) slider_set_pane_vc_g3 0xdbb2, // (0x000156c6) slider_set_pane_vc_g4 0xdbbb, // (0x000156cf) slider_set_pane_vc_g5 0xdba9, // (0x000156bd) slider_set_pane_vc_g6 0xdbc4, // (0x000156d8) slider_set_pane_vc_g7 0xdba9, // (0x000156bd) slider_form_pane_vc_g1 0xdbb2, // (0x000156c6) slider_form_pane_vc_g2 0xdbbb, // (0x000156cf) slider_form_pane_vc_g3 0xdba9, // (0x000156bd) slider_form_pane_vc_g4 0xdf12, // (0x00015a26) slider_form_pane_vc_g5 0x0004, 0xfadf, // (0x000175f3) slider_form_pane_vc_g 0x8562, // (0x00010076) main_idle_act3_pane 0xf5af, // (0x000170c3) ai3_links_pane 0x561d, // (0x0000d131) popup_ai3_data_window_ParamLimits 0x561d, // (0x0000d131) popup_ai3_data_window 0x8562, // (0x00010076) grid_ai3_links_pane 0x563b, // (0x0000d14f) cell_ai3_links_pane_ParamLimits 0x563b, // (0x0000d14f) cell_ai3_links_pane 0x0026, // (0x00007b3a) bg_popup_sub_pane_cp11 0x002f, // (0x00007b43) cell_ai3_links_pane_g1 0x8562, // (0x00010076) bg_popup_sub_pane_cp12 0x0038, // (0x00007b4c) heading_ai3_data_pane 0x0040, // (0x00007b54) list_ai3_gene_pane 0x004c, // (0x00007b60) popup_ai3_data_window_g1 0x0054, // (0x00007b68) heading_ai3_data_pane_g1 0x005c, // (0x00007b70) heading_ai3_data_pane_t1 0x006a, // (0x00007b7e) list_double_ai3_gene_pane_ParamLimits 0x006a, // (0x00007b7e) list_double_ai3_gene_pane 0x0077, // (0x00007b8b) list_single_ai3_gene_pane_ParamLimits 0x0077, // (0x00007b8b) list_single_ai3_gene_pane 0xe4c7, // (0x00015fdb) list_highlight_pane_cp7_ParamLimits 0xe4c7, // (0x00015fdb) list_highlight_pane_cp7 0x0084, // (0x00007b98) list_single_a13_gene_pane_t1_ParamLimits 0x0084, // (0x00007b98) list_single_a13_gene_pane_t1 0x009b, // (0x00007baf) list_single_ai3_gene_pane_g1 0x00a4, // (0x00007bb8) list_single_ai3_gene_pane_g2 0x0001, 0xfd14, // (0x00017828) list_single_ai3_gene_pane_g 0x00ac, // (0x00007bc0) list_double_ai3_gene_pane_g1_ParamLimits 0x00ac, // (0x00007bc0) list_double_ai3_gene_pane_g1 0x00b8, // (0x00007bcc) list_double_ai3_gene_pane_t1_ParamLimits 0x00b8, // (0x00007bcc) list_double_ai3_gene_pane_t1 0x00d4, // (0x00007be8) list_double_ai3_gene_pane_t2_ParamLimits 0x00d4, // (0x00007be8) list_double_ai3_gene_pane_t2 0x00e6, // (0x00007bfa) list_double_ai3_gene_pane_t3_ParamLimits 0x00e6, // (0x00007bfa) list_double_ai3_gene_pane_t3 0x0002, 0xfd19, // (0x0001782d) list_double_ai3_gene_pane_t_ParamLimits 0xfd19, // (0x0001782d) list_double_ai3_gene_pane_t 0x0000, 0x0000, 0x0000, 0x0000, 0xf51e, // (0x00017032) aid_size_min_col_2 0x5503, // (0x0000d017) aid_size_min_msg_ParamLimits 0x5503, // (0x0000d017) aid_size_min_msg 0x5349, // (0x0000ce5d) fep_vkb_top_text_pane_g2_ParamLimits 0x5349, // (0x0000ce5d) fep_vkb_top_text_pane_g2 0x0001, 0xfb7e, // (0x00017692) fep_vkb_top_text_pane_g_ParamLimits 0xfb7e, // (0x00017692) fep_vkb_top_text_pane_g 0x8562, // (0x00010076) main_hc_apps_shell_pane 0x0103, // (0x00007c17) grid_hc_apps_pane_ParamLimits 0x0103, // (0x00007c17) grid_hc_apps_pane 0x0112, // (0x00007c26) list_hc_apps_pane 0x011a, // (0x00007c2e) scroll_pane_cp37_ParamLimits 0x011a, // (0x00007c2e) scroll_pane_cp37 0x5655, // (0x0000d169) cell_hc_apps_pane_ParamLimits 0x5655, // (0x0000d169) cell_hc_apps_pane 0x5723, // (0x0000d237) cell_hc_apps_pane_g1_ParamLimits 0x5723, // (0x0000d237) cell_hc_apps_pane_g1 0x0213, // (0x00007d27) cell_hc_apps_pane_g2_ParamLimits 0x0213, // (0x00007d27) cell_hc_apps_pane_g2 0x022f, // (0x00007d43) cell_hc_apps_pane_g3_ParamLimits 0x022f, // (0x00007d43) cell_hc_apps_pane_g3 0x0002, 0xfd20, // (0x00017834) cell_hc_apps_pane_g_ParamLimits 0xfd20, // (0x00017834) cell_hc_apps_pane_g 0x5750, // (0x0000d264) cell_hc_apps_pane_t1_ParamLimits 0x5750, // (0x0000d264) cell_hc_apps_pane_t1 0x8a00, // (0x00010514) grid_highlight_pane_cp10_ParamLimits 0x8a00, // (0x00010514) grid_highlight_pane_cp10 0x5790, // (0x0000d2a4) list_single_hc_apps_pane_ParamLimits 0x5790, // (0x0000d2a4) list_single_hc_apps_pane 0x57ca, // (0x0000d2de) list_single_hc_apps_pane_g1 0x57e3, // (0x0000d2f7) list_single_hc_apps_pane_g2 0x0001, 0xfd27, // (0x0001783b) list_single_hc_apps_pane_g 0x57fc, // (0x0000d310) list_single_hc_apps_pane_g2_copy1 0x5818, // (0x0000d32c) list_single_hc_apps_pane_t1 0x8746, // (0x0001025a) bg_set_opt_pane_cp_ParamLimits 0x6d89, // (0x0000e89d) setting_slider_pane_t1_ParamLimits 0xca2e, // (0x00014542) setting_slider_pane_t2_ParamLimits 0xca48, // (0x0001455c) setting_slider_pane_t3_ParamLimits 0xf5c8, // (0x000170dc) setting_slider_pane_t_ParamLimits 0x6dd1, // (0x0000e8e5) slider_set_pane_ParamLimits 0x728b, // (0x0000ed9f) control_pane_g5_ParamLimits 0x728b, // (0x0000ed9f) control_pane_g5 0xd5a7, // (0x000150bb) slider_set_pane_g1_ParamLimits 0x770f, // (0x0000f223) slider_set_pane_g2_ParamLimits 0x771b, // (0x0000f22f) slider_set_pane_g3_ParamLimits 0x772f, // (0x0000f243) slider_set_pane_g4_ParamLimits 0x7747, // (0x0000f25b) slider_set_pane_g5_ParamLimits 0x771b, // (0x0000f22f) slider_set_pane_g6_ParamLimits 0xcd91, // (0x000148a5) slider_set_pane_g7_ParamLimits 0xf9b2, // (0x000174c6) slider_set_pane_g_ParamLimits 0x8746, // (0x0001025a) navi_icon_text_pane_ParamLimits 0x447d, // (0x0000bf91) aid_fill_nsta_2_ParamLimits 0x44b3, // (0x0000bfc7) aid_touch_tab_arrow_left_ParamLimits 0x44c7, // (0x0000bfdb) aid_touch_tab_arrow_right_ParamLimits 0x4565, // (0x0000c079) clock_nsta_pane_ParamLimits 0xd145, // (0x00014c59) navi_icon_pane_g1_ParamLimits 0xd151, // (0x00014c65) navi_text_pane_t1_ParamLimits 0xe205, // (0x00015d19) navi_icon_text_pane_g1_ParamLimits 0xe211, // (0x00015d25) navi_icon_text_pane_t1_ParamLimits 0x57ca, // (0x0000d2de) list_single_hc_apps_pane_g1_ParamLimits 0x57e3, // (0x0000d2f7) list_single_hc_apps_pane_g2_ParamLimits 0xfd27, // (0x0001783b) list_single_hc_apps_pane_g_ParamLimits 0x57fc, // (0x0000d310) list_single_hc_apps_pane_g2_copy1_ParamLimits 0x5818, // (0x0000d32c) list_single_hc_apps_pane_t1_ParamLimits 0xc9b7, // (0x000144cb) popup_toolbar2_fixed_window_ParamLimits 0xc9b7, // (0x000144cb) popup_toolbar2_fixed_window 0x43ea, // (0x0000befe) popup_toolbar2_float_window 0x8562, // (0x00010076) bg_popup_sub_pane_cp27 0x0352, // (0x00007e66) grid_toolbar2_float_pane 0x8562, // (0x00010076) bg_popup_sub_pane_cp26 0x0352, // (0x00007e66) grid_toolbar2_fixed_pane 0x5846, // (0x0000d35a) cell_toolbar2_fixed_pane_ParamLimits 0x5846, // (0x0000d35a) cell_toolbar2_fixed_pane 0x5863, // (0x0000d377) cell_toolbar2_fixed_pane_g1 0x0373, // (0x00007e87) toolbar2_fixed_button_pane 0xb1f7, // (0x00012d0b) toolbar2_fixed_button_pane_g1 0xb207, // (0x00012d1b) toolbar2_fixed_button_pane_g2 0xb1ff, // (0x00012d13) toolbar2_fixed_button_pane_g3 0xb217, // (0x00012d2b) toolbar2_fixed_button_pane_g4 0xb20f, // (0x00012d23) toolbar2_fixed_button_pane_g5 0xb21f, // (0x00012d33) toolbar2_fixed_button_pane_g6 0xb227, // (0x00012d3b) toolbar2_fixed_button_pane_g7 0xb237, // (0x00012d4b) toolbar2_fixed_button_pane_g8 0xb22f, // (0x00012d43) toolbar2_fixed_button_pane_g9 0x0008, 0xf8b4, // (0x000173c8) toolbar2_fixed_button_pane_g 0x037b, // (0x00007e8f) cell_toolbar2_float_pane_ParamLimits 0x037b, // (0x00007e8f) cell_toolbar2_float_pane 0x038c, // (0x00007ea0) cell_toolbar2_float_pane_g1 0x0373, // (0x00007e87) toolbar2_fixed_button_pane_cp 0x5231, // (0x0000cd45) fep_vkb_accented_list_pane_ParamLimits 0x5231, // (0x0000cd45) fep_vkb_accented_list_pane 0x7b1a, // (0x0000f62e) bg_popup_fep_shadow_pane_g9 0xa362, // (0x00011e76) bg_popup_fep_shadow_pane_cp3 0x983b, // (0x0001134f) list_accented_list_pane 0x0395, // (0x00007ea9) list_single_accented_list_pane_ParamLimits 0x0395, // (0x00007ea9) list_single_accented_list_pane 0xa362, // (0x00011e76) list_highlight_pane_cp10 0x03a6, // (0x00007eba) list_single_accented_list_pane_t1 0x4306, // (0x0000be1a) popup_slider_window_ParamLimits 0x4306, // (0x0000be1a) popup_slider_window 0xf515, // (0x00017029) aid_indentation_list_msg 0x5962, // (0x0000d476) bg_popup_window_pane_cp19 0x04d4, // (0x00007fe8) popup_slider_window_g1 0x04f0, // (0x00008004) popup_slider_window_g2 0x050c, // (0x00008020) popup_slider_window_g3 0x0005, 0xfd2c, // (0x00017840) popup_slider_window_g 0x0568, // (0x0000807c) popup_slider_window_t1 0x05dc, // (0x000080f0) small_volume_slider_vertical_pane 0xe502, // (0x00016016) small_volume_slider_vertical_pane_g1 0xe502, // (0x00016016) small_volume_slider_vertical_pane_g2 0x05f8, // (0x0000810c) small_volume_slider_vertical_pane_g3 0x0002, 0xfd3e, // (0x00017852) small_volume_slider_vertical_pane_g 0xc868, // (0x0001437c) area_side_right_pane_ParamLimits 0xc868, // (0x0001437c) area_side_right_pane 0xcdf4, // (0x00014908) aid_size_side_button_ParamLimits 0xcdf4, // (0x00014908) aid_size_side_button 0xce0d, // (0x00014921) grid_sctrl_middle_pane_ParamLimits 0xce0d, // (0x00014921) grid_sctrl_middle_pane 0x7d3a, // (0x0000f84e) sctrl_sk_bottom_pane 0x7d4b, // (0x0000f85f) sctrl_sk_top_pane 0x7d5d, // (0x0000f871) aid_touch_sctrl_top 0x7d6a, // (0x0000f87e) bg_sctrl_sk_pane_ParamLimits 0x7d6a, // (0x0000f87e) bg_sctrl_sk_pane 0x7d78, // (0x0000f88c) sctrl_sk_top_pane_g1 0x7d85, // (0x0000f899) sctrl_sk_top_pane_t1 0x7d5d, // (0x0000f871) aid_touch_sctrl_bottom 0x7d6a, // (0x0000f87e) bg_sctrl_sk_pane_cp_ParamLimits 0x7d6a, // (0x0000f87e) bg_sctrl_sk_pane_cp 0x7da0, // (0x0000f8b4) sctrl_sk_bottom_pane_g1 0x7d85, // (0x0000f899) sctrl_sk_bottom_pane_t1 0xce27, // (0x0001493b) cell_sctrl_middle_pane_ParamLimits 0xce27, // (0x0001493b) cell_sctrl_middle_pane 0xce38, // (0x0001494c) aid_touch_sctrl_middle_ParamLimits 0xce38, // (0x0001494c) aid_touch_sctrl_middle 0xce45, // (0x00014959) bg_sctrl_middle_pane_ParamLimits 0xce45, // (0x00014959) bg_sctrl_middle_pane 0x83ff, // (0x0000ff13) cell_sctrl_middle_pane_g1_ParamLimits 0x83ff, // (0x0000ff13) cell_sctrl_middle_pane_g1 0xce53, // (0x00014967) cell_sctrl_middle_pane_g2_ParamLimits 0xce53, // (0x00014967) cell_sctrl_middle_pane_g2 0x0001, 0xfd4a, // (0x0001785e) cell_sctrl_middle_pane_g_ParamLimits 0xfd4a, // (0x0001785e) cell_sctrl_middle_pane_g 0xb1f7, // (0x00012d0b) bg_sctrl_middle_pane_g1 0xb1ff, // (0x00012d13) bg_sctrl_middle_pane_g2 0xb207, // (0x00012d1b) bg_sctrl_middle_pane_g3 0xb20f, // (0x00012d23) bg_sctrl_middle_pane_g4 0xb217, // (0x00012d2b) bg_sctrl_middle_pane_g5 0xb21f, // (0x00012d33) bg_sctrl_middle_pane_g6 0xb227, // (0x00012d3b) bg_sctrl_middle_pane_g7 0xb22f, // (0x00012d43) bg_sctrl_middle_pane_g8 0x0007, 0xfd4f, // (0x00017863) bg_sctrl_middle_pane_g 0xb237, // (0x00012d4b) bg_sctrl_middle_pane_g8_copy1 0xb1f7, // (0x00012d0b) bg_sctrl_sk_pane_g1 0xb207, // (0x00012d1b) bg_sctrl_sk_pane_g2 0xb1ff, // (0x00012d13) bg_sctrl_sk_pane_g3 0x0008, 0xf8b4, // (0x000173c8) bg_sctrl_sk_pane_g 0x8f1c, // (0x00010a30) aid_size_touch_scroll_bar 0xb217, // (0x00012d2b) bg_sctrl_sk_pane_g4 0xb20f, // (0x00012d23) bg_sctrl_sk_pane_g5 0xb21f, // (0x00012d33) bg_sctrl_sk_pane_g6 0xb227, // (0x00012d3b) bg_sctrl_sk_pane_g7 0xb237, // (0x00012d4b) bg_sctrl_sk_pane_g8 0xb22f, // (0x00012d43) bg_sctrl_sk_pane_g9 0xa79d, // (0x000122b1) popup_fep_china_hwr2_fs_candidate_window 0x3dd0, // (0x0000b8e4) popup_fep_china_hwr2_fs_control_window_ParamLimits 0x3dd0, // (0x0000b8e4) popup_fep_china_hwr2_fs_control_window 0x7b3a, // (0x0000f64e) sctrl_sk_top_pane_g2 0x0001, 0xfd45, // (0x00017859) sctrl_sk_top_pane_g 0x5a86, // (0x0000d59a) aid_fep_china_hwr2_fs_cell_ParamLimits 0x5a86, // (0x0000d59a) aid_fep_china_hwr2_fs_cell 0x5a9c, // (0x0000d5b0) bg_popup_fep_shadow_pane_cp4_ParamLimits 0x5a9c, // (0x0000d5b0) bg_popup_fep_shadow_pane_cp4 0x5ab3, // (0x0000d5c7) bg_popup_fep_shadow_pane_cp5_ParamLimits 0x5ab3, // (0x0000d5c7) bg_popup_fep_shadow_pane_cp5 0x5ac5, // (0x0000d5d9) popup_fep_china_hwr2_fs_control_bar_grid_ParamLimits 0x5ac5, // (0x0000d5d9) popup_fep_china_hwr2_fs_control_bar_grid 0x5ad9, // (0x0000d5ed) popup_fep_china_hwr2_fs_control_funtion_grid 0x0730, // (0x00008244) aid_fep_china_hwr2_fs_candi_cell 0x8562, // (0x00010076) bg_popup_fep_shadow_pane_cp6 0x073a, // (0x0000824e) popup_fep_china_hwr2_fs_candidate_grid 0x5ae1, // (0x0000d5f5) cell_fep_china_hwr2_fs_funtion_grid_ParamLimits 0x5ae1, // (0x0000d5f5) cell_fep_china_hwr2_fs_funtion_grid 0xe502, // (0x00016016) popup_fep_china_hwr2_fs_control_funtion_grid_g1 0x075c, // (0x00008270) cell_fep_china_hwr2_fs_funtion_grid_g1_ParamLimits 0x075c, // (0x00008270) cell_fep_china_hwr2_fs_funtion_grid_g1 0x076a, // (0x0000827e) cell_fep_china_hwr2_fs_funtion_grid_g2_ParamLimits 0x076a, // (0x0000827e) cell_fep_china_hwr2_fs_funtion_grid_g2 0x0001, 0xfd60, // (0x00017874) cell_fep_china_hwr2_fs_funtion_grid_g_ParamLimits 0xfd60, // (0x00017874) cell_fep_china_hwr2_fs_funtion_grid_g 0x5af9, // (0x0000d60d) cell_fep_china_hwr2_fs_funtion_grid_t1_ParamLimits 0x5af9, // (0x0000d60d) cell_fep_china_hwr2_fs_funtion_grid_t1 0x5b0e, // (0x0000d622) cell_fep_china_hwr2_fs_funtion_grid_t2_ParamLimits 0x5b0e, // (0x0000d622) cell_fep_china_hwr2_fs_funtion_grid_t2 0x0001, 0xfd65, // (0x00017879) cell_fep_china_hwr2_fs_funtion_grid_t_ParamLimits 0xfd65, // (0x00017879) cell_fep_china_hwr2_fs_funtion_grid_t 0x07b1, // (0x000082c5) popup_fep_china_hwr2_fs_control_bar_grid_g1 0x07b9, // (0x000082cd) popup_fep_china_hwr2_fs_control_bar_grid_g2 0x07c1, // (0x000082d5) popup_fep_china_hwr2_fs_control_bar_grid_g3 0x0002, 0xfd6a, // (0x0001787e) popup_fep_china_hwr2_fs_control_bar_grid_g 0x07c9, // (0x000082dd) cell_fep_china_hwr2_fs_candidate_grid_ParamLimits 0x07c9, // (0x000082dd) cell_fep_china_hwr2_fs_candidate_grid 0x07e8, // (0x000082fc) popup_fep_china_hwr2_fs_candidate_grid_g20 0x07f0, // (0x00008304) popup_fep_china_hwr2_fs_candidate_grid_g21 0xe502, // (0x00016016) cell_fep_china_hwr2_fs_candidate_grid_g1 0xe502, // (0x00016016) cell_fep_china_hwr2_fs_candidate_grid_g2 0x0001, 0xfb83, // (0x00017697) cell_fep_china_hwr2_fs_candidate_grid_g 0x07f8, // (0x0000830c) cell_fep_china_hwr2_fs_candidate_grid_t1 0xadec, // (0x00012900) clock_nsta_pane_cp_24_ParamLimits 0xadec, // (0x00012900) clock_nsta_pane_cp_24 0xae61, // (0x00012975) indicator_nsta_pane_cp_24_ParamLimits 0xae61, // (0x00012975) indicator_nsta_pane_cp_24 0xd04e, // (0x00014b62) heading_pane_g1 0x0001, 0xf919, // (0x0001742d) heading_pane_g 0xd6df, // (0x000151f3) grid_sct_catagory_button_pane 0xcffe, // (0x00014b12) scroll_pane_cp5_ParamLimits 0xe237, // (0x00015d4b) button_value_adjust_pane_cp5_ParamLimits 0xe237, // (0x00015d4b) button_value_adjust_pane_cp5 0xe309, // (0x00015e1d) form2_midp_time_pane_ParamLimits 0x0806, // (0x0000831a) cell_sct_catagory_button_pane_ParamLimits 0x0806, // (0x0000831a) cell_sct_catagory_button_pane 0xe4c7, // (0x00015fdb) bg_button_pane_cp01_ParamLimits 0xe4c7, // (0x00015fdb) bg_button_pane_cp01 0xe502, // (0x00016016) cell_sct_catagory_button_pane_g1 0x4387, // (0x0000be9b) popup_tb_extension_window 0x5b2a, // (0x0000d63e) aid_size_cell_ext_ParamLimits 0x5b2a, // (0x0000d63e) aid_size_cell_ext 0x8d95, // (0x000108a9) bg_tb_trans_pane_cp1_ParamLimits 0x8d95, // (0x000108a9) bg_tb_trans_pane_cp1 0x5b50, // (0x0000d664) grid_tb_ext_pane_ParamLimits 0x5b50, // (0x0000d664) grid_tb_ext_pane 0x5b90, // (0x0000d6a4) cell_tb_ext_pane_ParamLimits 0x5b90, // (0x0000d6a4) cell_tb_ext_pane 0x5bba, // (0x0000d6ce) cell_tb_ext_pane_g1_ParamLimits 0x5bba, // (0x0000d6ce) cell_tb_ext_pane_g1 0x08a0, // (0x000083b4) cell_tb_ext_pane_t1 0x8a00, // (0x00010514) list_highlight_pane_cp11_ParamLimits 0x8a00, // (0x00010514) list_highlight_pane_cp11 0x6cb2, // (0x0000e7c6) popup_uni_indicator_window_ParamLimits 0x6cb2, // (0x0000e7c6) popup_uni_indicator_window 0x9561, // (0x00011075) bg_popup_sub_pane_cp14 0x08bb, // (0x000083cf) list_uniindi_pane 0x08c7, // (0x000083db) uniindi_top_pane 0x8a00, // (0x00010514) bg_uniindi_top_pane 0x08e8, // (0x000083fc) uniindi_top_pane_g1 0x08fe, // (0x00008412) uniindi_top_pane_g2 0x0003, 0xfd71, // (0x00017885) uniindi_top_pane_g 0x0928, // (0x0000843c) uniindi_top_pane_t1 0x0954, // (0x00008468) list_single_uniindi_pane_ParamLimits 0x0954, // (0x00008468) list_single_uniindi_pane 0xe502, // (0x00016016) bg_uniindi_top_pane_g1 0x0966, // (0x0000847a) list_single_uniindi_pane_g1 0x0979, // (0x0000848d) list_single_uniindi_pane_t1 0x6c5d, // (0x0000e771) control_bg_pane 0x099e, // (0x000084b2) bg_sctrl_sk_pane_cp1 0x09a7, // (0x000084bb) bg_sctrl_sk_pane_cp2 0x09b0, // (0x000084c4) control_bg_pane_g1 0x09b9, // (0x000084cd) control_bg_pane_g2 0x0001, 0xfd7a, // (0x0001788e) control_bg_pane_g 0xe0d9, // (0x00015bed) cell_indicator_nsta_pane_g1_ParamLimits 0xe184, // (0x00015c98) cell_indicator_nsta_pane_g2_ParamLimits 0xfaf4, // (0x00017608) cell_indicator_nsta_pane_g_ParamLimits 0xe377, // (0x00015e8b) form2_midp_time_pane_t1_ParamLimits 0xe2fb, // (0x00015e0f) main_idle_act4_pane_ParamLimits 0xe2fb, // (0x00015e0f) main_idle_act4_pane 0x4387, // (0x0000be9b) popup_tb_extension_window_ParamLimits 0x5b77, // (0x0000d68b) tb_ext_find_pane_ParamLimits 0x5b77, // (0x0000d68b) tb_ext_find_pane 0x09c2, // (0x000084d6) ai_gene_pane_1_cp1 0xa4b1, // (0x00011fc5) ai_gene_pane_2_cp1 0x09ca, // (0x000084de) list_single_idle_plugin_calendar_pane 0x09d3, // (0x000084e7) list_single_idle_plugin_notification_pane 0x09dc, // (0x000084f0) list_single_idle_plugin_player_pane 0x5bd7, // (0x0000d6eb) list_single_idle_plugin_shortcut_pane_ParamLimits 0x5bd7, // (0x0000d6eb) list_single_idle_plugin_shortcut_pane 0x5bff, // (0x0000d713) main_idle_act4_pane_t1 0x5c17, // (0x0000d72b) main_idle_act4_pane_t2 0x0001, 0xfd7f, // (0x00017893) main_idle_act4_pane_t 0x5c2f, // (0x0000d743) middle_sk_idle_act4_pane_ParamLimits 0x5c2f, // (0x0000d743) middle_sk_idle_act4_pane 0x5c4b, // (0x0000d75f) popup_clock_digital_analogue_window_cp2 0x5c72, // (0x0000d786) shortcut_wheel_idle_act4_pane_ParamLimits 0x5c72, // (0x0000d786) shortcut_wheel_idle_act4_pane 0xe502, // (0x00016016) shortcut_wheel_idle_act4_pane_g1 0xe502, // (0x00016016) shortcut_wheel_idle_act4_pane_g2 0xe502, // (0x00016016) shortcut_wheel_idle_act4_pane_g3 0xe502, // (0x00016016) shortcut_wheel_idle_act4_pane_g4 0xe502, // (0x00016016) shortcut_wheel_idle_act4_pane_g5 0x0a6f, // (0x00008583) shortcut_wheel_idle_act4_pane_g6 0x0a77, // (0x0000858b) shortcut_wheel_idle_act4_pane_g7 0x0a7f, // (0x00008593) shortcut_wheel_idle_act4_pane_g8 0x0a87, // (0x0000859b) shortcut_wheel_idle_act4_pane_g9 0x0008, 0xfd84, // (0x00017898) shortcut_wheel_idle_act4_pane_g 0xe728, // (0x0001623c) middle_sk_idle_act4_pane_g1_ParamLimits 0xe728, // (0x0001623c) middle_sk_idle_act4_pane_g1 0x5cef, // (0x0000d803) middle_sk_idle_act4_pane_g2_ParamLimits 0x5cef, // (0x0000d803) middle_sk_idle_act4_pane_g2 0x0001, 0xfda7, // (0x000178bb) middle_sk_idle_act4_pane_g_ParamLimits 0xfda7, // (0x000178bb) middle_sk_idle_act4_pane_g 0x5d07, // (0x0000d81b) middle_sk_idle_act4_pane_t1_ParamLimits 0x5d07, // (0x0000d81b) middle_sk_idle_act4_pane_t1 0x5d36, // (0x0000d84a) grid_ai_shortcut_pane_ParamLimits 0x5d36, // (0x0000d84a) grid_ai_shortcut_pane 0x5d53, // (0x0000d867) list_highlight_pane_cp16_ParamLimits 0x5d53, // (0x0000d867) list_highlight_pane_cp16 0x5d60, // (0x0000d874) list_single_idle_plugin_shortcut_pane_g1_ParamLimits 0x5d60, // (0x0000d874) list_single_idle_plugin_shortcut_pane_g1 0x5d6c, // (0x0000d880) list_single_idle_plugin_shortcut_pane_g2_ParamLimits 0x5d6c, // (0x0000d880) list_single_idle_plugin_shortcut_pane_g2 0x5d8a, // (0x0000d89e) list_single_idle_plugin_shortcut_pane_g3_ParamLimits 0x5d8a, // (0x0000d89e) list_single_idle_plugin_shortcut_pane_g3 0x0002, 0xfdac, // (0x000178c0) list_single_idle_plugin_shortcut_pane_g_ParamLimits 0xfdac, // (0x000178c0) list_single_idle_plugin_shortcut_pane_g 0x5d9f, // (0x0000d8b3) cell_ai_shortcut_pane_ParamLimits 0x5d9f, // (0x0000d8b3) cell_ai_shortcut_pane 0x5db5, // (0x0000d8c9) cell_ai_shortcut_pane_g1_ParamLimits 0x5db5, // (0x0000d8c9) cell_ai_shortcut_pane_g1 0x09c2, // (0x000084d6) ai_gene_pane_1_cp2 0x0bb8, // (0x000086cc) ai_gene_pane_2_cp2 0x0bc0, // (0x000086d4) list_highlight_pane_cp15 0x0bc9, // (0x000086dd) list_single_idle_plugin_calendar_pane_g1 0x0bc0, // (0x000086d4) list_highlight_pane_cp17 0x0bd1, // (0x000086e5) list_single_idle_plugin_calendar_pane_g1_copy1 0x0bd9, // (0x000086ed) list_single_idle_plugin_player_pane_g1 0xd900, // (0x00015414) list_single_idle_plugin_player_pane_g2 0x0001, 0xfdb3, // (0x000178c7) list_single_idle_plugin_player_pane_g 0x0be1, // (0x000086f5) list_single_idle_plugin_player_pane_t1 0x0bef, // (0x00008703) list_single_idle_plugin_player_pane_t2 0x0bfd, // (0x00008711) list_single_idle_plugin_player_pane_t3 0x0c0b, // (0x0000871f) list_single_idle_plugin_player_pane_t4 0x0003, 0xfdb8, // (0x000178cc) list_single_idle_plugin_player_pane_t 0x0c19, // (0x0000872d) wait_bar_pane_cp15 0x0c21, // (0x00008735) grid_ai_notification_pane 0xd900, // (0x00015414) list_single_idle_plugin_notification_pane_g1 0x5dd7, // (0x0000d8eb) cell_ai_notification_pane_ParamLimits 0x5dd7, // (0x0000d8eb) cell_ai_notification_pane 0x0c37, // (0x0000874b) cell_ai_notification_pane_g1 0x0c3f, // (0x00008753) cell_ai_notification_pane_t1 0x5de4, // (0x0000d8f8) tb_ext_find_button_pane 0x5dec, // (0x0000d900) tb_ext_find_pane_g1 0x5df4, // (0x0000d908) tb_ext_find_pane_t1 0x9d5b, // (0x0001186f) tb_ext_find_button_pane_g1 0x0c6b, // (0x0000877f) tb_ext_find_button_pane_g2 0x0001, 0xfdc1, // (0x000178d5) tb_ext_find_button_pane_g 0x5bff, // (0x0000d713) main_idle_act4_pane_t1_ParamLimits 0x5c17, // (0x0000d72b) main_idle_act4_pane_t2_ParamLimits 0xfd7f, // (0x00017893) main_idle_act4_pane_t_ParamLimits 0x5c4b, // (0x0000d75f) popup_clock_digital_analogue_window_cp2_ParamLimits 0x5c62, // (0x0000d776) sat_plugin_idle_act4_pane_ParamLimits 0x5c62, // (0x0000d776) sat_plugin_idle_act4_pane 0x5e02, // (0x0000d916) sat_plugin_idle_act4_pane_t1_ParamLimits 0x5e02, // (0x0000d916) sat_plugin_idle_act4_pane_t1 0x5e1a, // (0x0000d92e) sat_plugin_idle_act4_pane_t2_ParamLimits 0x5e1a, // (0x0000d92e) sat_plugin_idle_act4_pane_t2 0x5e32, // (0x0000d946) sat_plugin_idle_act4_pane_t3_ParamLimits 0x5e32, // (0x0000d946) sat_plugin_idle_act4_pane_t3 0x5e4a, // (0x0000d95e) sat_plugin_idle_act4_pane_t4_ParamLimits 0x5e4a, // (0x0000d95e) sat_plugin_idle_act4_pane_t4 0x0003, 0xfdc6, // (0x000178da) sat_plugin_idle_act4_pane_t_ParamLimits 0xfdc6, // (0x000178da) sat_plugin_idle_act4_pane_t 0x6bd2, // (0x0000e6e6) popup_battery_window_ParamLimits 0x6bd2, // (0x0000e6e6) popup_battery_window 0x8a00, // (0x00010514) bg_popup_sub_pane_cp25_ParamLimits 0x8a00, // (0x00010514) bg_popup_sub_pane_cp25 0x0cc0, // (0x000087d4) popup_battery_window_g1_ParamLimits 0x0cc0, // (0x000087d4) popup_battery_window_g1 0x0ccc, // (0x000087e0) popup_battery_window_t1_ParamLimits 0x0ccc, // (0x000087e0) popup_battery_window_t1 0x0cde, // (0x000087f2) popup_battery_window_t2_ParamLimits 0x0cde, // (0x000087f2) popup_battery_window_t2 0x0001, 0xfdcf, // (0x000178e3) popup_battery_window_t_ParamLimits 0xfdcf, // (0x000178e3) popup_battery_window_t 0x3b3a, // (0x0000b64e) midp_canvas_pane_ParamLimits 0x3b99, // (0x0000b6ad) midp_keypad_pane_ParamLimits 0x3b99, // (0x0000b6ad) midp_keypad_pane 0xa6e9, // (0x000121fd) main_midp_pane_ParamLimits 0xe1d0, // (0x00015ce4) signal_pane_g2_cp_ParamLimits 0x5e62, // (0x0000d976) aid_size_cell_midp_keypad_ParamLimits 0x5e62, // (0x0000d976) aid_size_cell_midp_keypad 0x5e80, // (0x0000d994) midp_keyp_game_grid_pane_ParamLimits 0x5e80, // (0x0000d994) midp_keyp_game_grid_pane 0x5ea7, // (0x0000d9bb) midp_keyp_rocker_pane_ParamLimits 0x5ea7, // (0x0000d9bb) midp_keyp_rocker_pane 0x5ef0, // (0x0000da04) midp_keyp_sk_left_pane_ParamLimits 0x5ef0, // (0x0000da04) midp_keyp_sk_left_pane 0x5f42, // (0x0000da56) midp_keyp_sk_right_pane_ParamLimits 0x5f42, // (0x0000da56) midp_keyp_sk_right_pane 0x8562, // (0x00010076) bg_button_pane_cp03 0x5f94, // (0x0000daa8) midp_keyp_sk_left_pane_g1 0x8562, // (0x00010076) bg_button_pane_cp04 0x5f94, // (0x0000daa8) midp_keyp_sk_right_pane_g1 0xe502, // (0x00016016) midp_keyp_rocker_pane_g1 0x5f9d, // (0x0000dab1) keyp_game_cell_pane_ParamLimits 0x5f9d, // (0x0000dab1) keyp_game_cell_pane 0x8562, // (0x00010076) bg_button_pane_cp02 0x5fc3, // (0x0000dad7) keyp_game_cell_pane_g1 0xc963, // (0x00014477) popup_fep_vkb2_window_ParamLimits 0xc963, // (0x00014477) popup_fep_vkb2_window 0x7e09, // (0x0000f91d) aid_size_cell_vkb2_ParamLimits 0x7e09, // (0x0000f91d) aid_size_cell_vkb2 0x7e55, // (0x0000f969) popup_fep_vkb2_window_g1_ParamLimits 0x7e55, // (0x0000f969) popup_fep_vkb2_window_g1 0x7e9d, // (0x0000f9b1) vkb2_area_bottom_pane_ParamLimits 0x7e9d, // (0x0000f9b1) vkb2_area_bottom_pane 0x7ef1, // (0x0000fa05) vkb2_area_keypad_pane_ParamLimits 0x7ef1, // (0x0000fa05) vkb2_area_keypad_pane 0x7f37, // (0x0000fa4b) vkb2_area_top_pane_ParamLimits 0x7f37, // (0x0000fa4b) vkb2_area_top_pane 0x7fb1, // (0x0000fac5) vkb2_top_entry_pane_ParamLimits 0x7fb1, // (0x0000fac5) vkb2_top_entry_pane 0x7fdb, // (0x0000faef) vkb2_top_grid_left_pane_ParamLimits 0x7fdb, // (0x0000faef) vkb2_top_grid_left_pane 0x7ff9, // (0x0000fb0d) vkb2_top_grid_right_pane_ParamLimits 0x7ff9, // (0x0000fb0d) vkb2_top_grid_right_pane 0x8017, // (0x0000fb2b) vkb2_cell_keypad_pane_ParamLimits 0x8017, // (0x0000fb2b) vkb2_cell_keypad_pane 0xce86, // (0x0001499a) vkb2_area_bottom_grid_pane_ParamLimits 0xce86, // (0x0001499a) vkb2_area_bottom_grid_pane 0xceb0, // (0x000149c4) vkb2_area_bottom_pane_g1_ParamLimits 0xceb0, // (0x000149c4) vkb2_area_bottom_pane_g1 0xced6, // (0x000149ea) vkb2_area_bottom_pane_g2_ParamLimits 0xced6, // (0x000149ea) vkb2_area_bottom_pane_g2 0xcf07, // (0x00014a1b) vkb2_area_bottom_pane_g3_ParamLimits 0xcf07, // (0x00014a1b) vkb2_area_bottom_pane_g3 0x0002, 0xfdd4, // (0x000178e8) vkb2_area_bottom_pane_g_ParamLimits 0xfdd4, // (0x000178e8) vkb2_area_bottom_pane_g 0x81a0, // (0x0000fcb4) vkb2_top_cell_left_pane_ParamLimits 0x81a0, // (0x0000fcb4) vkb2_top_cell_left_pane 0x120a, // (0x00008d1e) vkb2_top_entry_pane_g1_ParamLimits 0x120a, // (0x00008d1e) vkb2_top_entry_pane_g1 0x1218, // (0x00008d2c) vkb2_top_entry_pane_t1_ParamLimits 0x1218, // (0x00008d2c) vkb2_top_entry_pane_t1 0x1230, // (0x00008d44) vkb2_top_entry_pane_t2_ParamLimits 0x1230, // (0x00008d44) vkb2_top_entry_pane_t2 0x1248, // (0x00008d5c) vkb2_top_entry_pane_t3_ParamLimits 0x1248, // (0x00008d5c) vkb2_top_entry_pane_t3 0x0002, 0xfddb, // (0x000178ef) vkb2_top_entry_pane_t_ParamLimits 0xfddb, // (0x000178ef) vkb2_top_entry_pane_t 0xcf71, // (0x00014a85) vkb2_top_grid_right_pane_g1_ParamLimits 0xcf71, // (0x00014a85) vkb2_top_grid_right_pane_g1 0x8203, // (0x0000fd17) vkb2_top_grid_right_pane_g2_ParamLimits 0x8203, // (0x0000fd17) vkb2_top_grid_right_pane_g2 0x821b, // (0x0000fd2f) vkb2_top_grid_right_pane_g3_ParamLimits 0x821b, // (0x0000fd2f) vkb2_top_grid_right_pane_g3 0xcf87, // (0x00014a9b) vkb2_top_grid_right_pane_g4_ParamLimits 0xcf87, // (0x00014a9b) vkb2_top_grid_right_pane_g4 0x0003, 0xfde2, // (0x000178f6) vkb2_top_grid_right_pane_g_ParamLimits 0xfde2, // (0x000178f6) vkb2_top_grid_right_pane_g 0x8249, // (0x0000fd5d) vkb2_top_cell_left_pane_g1 0x8260, // (0x0000fd74) vkb2_cell_keypad_pane_g1_ParamLimits 0x8260, // (0x0000fd74) vkb2_cell_keypad_pane_g1 0x130c, // (0x00008e20) vkb2_cell_keypad_pane_t1_ParamLimits 0x130c, // (0x00008e20) vkb2_cell_keypad_pane_t1 0x826e, // (0x0000fd82) vkb2_cell_bottom_grid_pane_ParamLimits 0x826e, // (0x0000fd82) vkb2_cell_bottom_grid_pane 0x82a7, // (0x0000fdbb) vkb2_cell_bottom_grid_pane_g1 0x5c93, // (0x0000d7a7) aid_call2_pane_cp02 0x5c9b, // (0x0000d7af) aid_call_pane_cp02 0x5ca3, // (0x0000d7b7) clock_digital_number_pane_cp10 0x5cab, // (0x0000d7bf) clock_digital_number_pane_cp11 0x5cb3, // (0x0000d7c7) clock_digital_number_pane_cp12 0x5cbb, // (0x0000d7cf) clock_digital_number_pane_cp13 0x5cc3, // (0x0000d7d7) clock_digital_separator_pane_cp10 0x9d5b, // (0x0001186f) popup_clock_digital_analogue_window_cp2_g1 0x9d5b, // (0x0001186f) popup_clock_digital_analogue_window_cp2_g2 0x5ccb, // (0x0000d7df) popup_clock_digital_analogue_window_cp2_g3 0x9d5b, // (0x0001186f) popup_clock_digital_analogue_window_cp2_g4 0x5ccb, // (0x0000d7df) popup_clock_digital_analogue_window_cp2_g5 0x0004, 0xfd97, // (0x000178ab) popup_clock_digital_analogue_window_cp2_g 0x5cd3, // (0x0000d7e7) popup_clock_digital_analogue_window_cp2_t1 0x5ce1, // (0x0000d7f5) popup_clock_digital_analogue_window_cp2_t2 0x0001, 0xfda2, // (0x000178b6) popup_clock_digital_analogue_window_cp2_t 0xe502, // (0x00016016) clock_digital_number_pane_cp10_g1 0xe502, // (0x00016016) clock_digital_number_pane_cp10_g2 0x0001, 0xfb83, // (0x00017697) clock_digital_number_pane_cp10_g 0xe502, // (0x00016016) clock_digital_separator_pane_cp10_g1 0xe502, // (0x00016016) clock_digital_separator_pane_cp10_g2 0x0001, 0xfb83, // (0x00017697) clock_digital_separator_pane_cp10_g 0x090a, // (0x0000841e) uniindi_top_pane_g3 0x091b, // (0x0000842f) uniindi_top_pane_g4 0x8081, // (0x0000fb95) vkb2_row_keypad_pane_ParamLimits 0x8081, // (0x0000fb95) vkb2_row_keypad_pane 0x82c3, // (0x0000fdd7) vkb2_cell_t_keypad_pane_ParamLimits 0x82c3, // (0x0000fdd7) vkb2_cell_t_keypad_pane 0x82d3, // (0x0000fde7) vkb2_cell_t_keypad_pane_cp08_ParamLimits 0x82d3, // (0x0000fde7) vkb2_cell_t_keypad_pane_cp08 0x82e8, // (0x0000fdfc) vkb2_cell_t_keypad_pane_cp09_ParamLimits 0x82e8, // (0x0000fdfc) vkb2_cell_t_keypad_pane_cp09 0x82fc, // (0x0000fe10) vkb2_cell_t_keypad_pane_cp01_ParamLimits 0x82fc, // (0x0000fe10) vkb2_cell_t_keypad_pane_cp01 0x830d, // (0x0000fe21) vkb2_cell_t_keypad_pane_cp02_ParamLimits 0x830d, // (0x0000fe21) vkb2_cell_t_keypad_pane_cp02 0x831e, // (0x0000fe32) vkb2_cell_t_keypad_pane_cp03_ParamLimits 0x831e, // (0x0000fe32) vkb2_cell_t_keypad_pane_cp03 0x832f, // (0x0000fe43) vkb2_cell_t_keypad_pane_cp04_ParamLimits 0x832f, // (0x0000fe43) vkb2_cell_t_keypad_pane_cp04 0x8340, // (0x0000fe54) vkb2_cell_t_keypad_pane_cp05_ParamLimits 0x8340, // (0x0000fe54) vkb2_cell_t_keypad_pane_cp05 0x8351, // (0x0000fe65) vkb2_cell_t_keypad_pane_cp06_ParamLimits 0x8351, // (0x0000fe65) vkb2_cell_t_keypad_pane_cp06 0x8364, // (0x0000fe78) vkb2_cell_t_keypad_pane_cp07_ParamLimits 0x8364, // (0x0000fe78) vkb2_cell_t_keypad_pane_cp07 0x8379, // (0x0000fe8d) vkb2_cell_t_keypad_pane_cp10_ParamLimits 0x8379, // (0x0000fe8d) vkb2_cell_t_keypad_pane_cp10 0x7b3a, // (0x0000f64e) vkb2_cell_t_keypad_pane_g1 0x1442, // (0x00008f56) vkb2_cell_t_keypad_pane_t1 0x6c5d, // (0x0000e771) popup_grid_graphic2_window 0x6109, // (0x0000dc1d) aid_size_cell_graphic2_ParamLimits 0x6109, // (0x0000dc1d) aid_size_cell_graphic2 0xb8da, // (0x000133ee) bg_popup_window_pane_cp21_ParamLimits 0xb8da, // (0x000133ee) bg_popup_window_pane_cp21 0x613b, // (0x0000dc4f) graphic2_pages_pane_ParamLimits 0x613b, // (0x0000dc4f) graphic2_pages_pane 0x6193, // (0x0000dca7) grid_graphic2_control_pane_ParamLimits 0x6193, // (0x0000dca7) grid_graphic2_control_pane 0x61c7, // (0x0000dcdb) grid_graphic2_pane_ParamLimits 0x61c7, // (0x0000dcdb) grid_graphic2_pane 0x623e, // (0x0000dd52) cell_graphic2_pane 0x8562, // (0x00010076) main_comp_mode_pane 0x0040, // (0x00007b54) list_ai3_gene_pane_ParamLimits 0x5962, // (0x0000d476) bg_popup_window_pane_cp19_ParamLimits 0x0472, // (0x00007f86) bg_touch_area_indi_pane_ParamLimits 0x0472, // (0x00007f86) bg_touch_area_indi_pane 0x0488, // (0x00007f9c) bg_touch_area_indi_pane_cp01_ParamLimits 0x0488, // (0x00007f9c) bg_touch_area_indi_pane_cp01 0x04a0, // (0x00007fb4) bg_touch_area_indi_pane_cp02_ParamLimits 0x04a0, // (0x00007fb4) bg_touch_area_indi_pane_cp02 0x04ba, // (0x00007fce) bg_touch_area_indi_pane_cp03_ParamLimits 0x04ba, // (0x00007fce) bg_touch_area_indi_pane_cp03 0x04d4, // (0x00007fe8) popup_slider_window_g1_ParamLimits 0x04f0, // (0x00008004) popup_slider_window_g2_ParamLimits 0x050c, // (0x00008020) popup_slider_window_g3_ParamLimits 0xfd2c, // (0x00017840) popup_slider_window_g_ParamLimits 0x0568, // (0x0000807c) popup_slider_window_t1_ParamLimits 0x05dc, // (0x000080f0) small_volume_slider_vertical_pane_ParamLimits 0x623e, // (0x0000dd52) cell_graphic2_pane_ParamLimits 0x62a1, // (0x0000ddb5) bg_button_pane_cp10_ParamLimits 0x62a1, // (0x0000ddb5) bg_button_pane_cp10 0x62b2, // (0x0000ddc6) bg_button_pane_cp11_ParamLimits 0x62b2, // (0x0000ddc6) bg_button_pane_cp11 0x62c3, // (0x0000ddd7) graphic2_pages_pane_g1_ParamLimits 0x62c3, // (0x0000ddd7) graphic2_pages_pane_g1 0x62de, // (0x0000ddf2) graphic2_pages_pane_g2_ParamLimits 0x62de, // (0x0000ddf2) graphic2_pages_pane_g2 0x0001, 0xfdf0, // (0x00017904) graphic2_pages_pane_g_ParamLimits 0xfdf0, // (0x00017904) graphic2_pages_pane_g 0x62f6, // (0x0000de0a) graphic2_pages_pane_t1_ParamLimits 0x62f6, // (0x0000de0a) graphic2_pages_pane_t1 0x630e, // (0x0000de22) cell_graphic2_control_pane_ParamLimits 0x630e, // (0x0000de22) cell_graphic2_control_pane 0x6328, // (0x0000de3c) cell_graphic2_pane_g1_ParamLimits 0x6328, // (0x0000de3c) cell_graphic2_pane_g1 0xe736, // (0x0001624a) cell_graphic2_pane_g2_ParamLimits 0xe736, // (0x0001624a) cell_graphic2_pane_g2 0x6335, // (0x0000de49) cell_graphic2_pane_g3_ParamLimits 0x6335, // (0x0000de49) cell_graphic2_pane_g3 0xe743, // (0x00016257) cell_graphic2_pane_g4_ParamLimits 0xe743, // (0x00016257) cell_graphic2_pane_g4 0x6342, // (0x0000de56) cell_graphic2_pane_g5_ParamLimits 0x6342, // (0x0000de56) cell_graphic2_pane_g5 0x0004, 0xfdf5, // (0x00017909) cell_graphic2_pane_g_ParamLimits 0xfdf5, // (0x00017909) cell_graphic2_pane_g 0x6362, // (0x0000de76) cell_graphic2_pane_t1_ParamLimits 0x6362, // (0x0000de76) cell_graphic2_pane_t1 0xd042, // (0x00014b56) grid_highlight_pane_cp11_ParamLimits 0xd042, // (0x00014b56) grid_highlight_pane_cp11 0x9561, // (0x00011075) bg_button_pane_cp05 0x6379, // (0x0000de8d) cell_graphic2_control_pane_g1 0xe502, // (0x00016016) bg_touch_area_indi_pane_g1 0x169a, // (0x000091ae) aid_cmod_rocker_key_size 0x16a4, // (0x000091b8) aid_cmode_itu_key_size 0x16ae, // (0x000091c2) main_cmode_video_pane 0x16b8, // (0x000091cc) main_comp_mode_itu_pane 0x16c4, // (0x000091d8) main_comp_mode_rocker_pane 0x16d0, // (0x000091e4) cell_cmode_rocker_pane_ParamLimits 0x16d0, // (0x000091e4) cell_cmode_rocker_pane 0x16e4, // (0x000091f8) cell_cmode_itu_pane_ParamLimits 0x16e4, // (0x000091f8) cell_cmode_itu_pane 0x9561, // (0x00011075) bg_button_pane_cp06_ParamLimits 0x9561, // (0x00011075) bg_button_pane_cp06 0xe69c, // (0x000161b0) cell_cmode_rocker_pane_g1_ParamLimits 0xe69c, // (0x000161b0) cell_cmode_rocker_pane_g1 0x075c, // (0x00008270) cell_cmode_rocker_pane_g2_ParamLimits 0x075c, // (0x00008270) cell_cmode_rocker_pane_g2 0x0001, 0xfe00, // (0x00017914) cell_cmode_rocker_pane_g_ParamLimits 0xfe00, // (0x00017914) cell_cmode_rocker_pane_g 0x8562, // (0x00010076) bg_button_pane_cp07 0x16fb, // (0x0000920f) cell_cmode_itu_pane_g1 0x1704, // (0x00009218) cell_cmode_itu_pane_t1 0x1712, // (0x00009226) cell_cmode_itu_pane_t2 0x0001, 0xfe05, // (0x00017919) cell_cmode_itu_pane_t 0x098e, // (0x000084a2) aid_touch_ctrl_left 0x0996, // (0x000084aa) aid_touch_ctrl_right 0x8562, // (0x00010076) compa_mode_pane 0x6386, // (0x0000de9a) aid_cmod_rocker_key_size_cp 0x6390, // (0x0000dea4) aid_cmode_itu_key_size_cp 0x1734, // (0x00009248) compa_mode_pane_g1 0x173c, // (0x00009250) compa_mode_pane_g2 0x1744, // (0x00009258) compa_mode_pane_g3 0x0002, 0xfe0a, // (0x0001791e) compa_mode_pane_g 0x639a, // (0x0000deae) main_comp_mode_itu_pane_cp 0x63a4, // (0x0000deb8) main_comp_mode_rocker_pane_cp 0x63ae, // (0x0000dec2) cell_cmode_itu_pane_cp_ParamLimits 0x63ae, // (0x0000dec2) cell_cmode_itu_pane_cp 0x63c5, // (0x0000ded9) cell_cmode_rocker_pane_cp_ParamLimits 0x63c5, // (0x0000ded9) cell_cmode_rocker_pane_cp 0x9561, // (0x00011075) bg_button_pane_cp06_cp_ParamLimits 0x9561, // (0x00011075) bg_button_pane_cp06_cp 0xe69c, // (0x000161b0) cell_cmode_rocker_pane_g1_cp_ParamLimits 0xe69c, // (0x000161b0) cell_cmode_rocker_pane_g1_cp 0xe502, // (0x00016016) cell_cmode_rocker_pane_g2_cp 0x8562, // (0x00010076) bg_button_pane_cp07_cp 0x63d9, // (0x0000deed) cell_cmode_itu_pane_g1_cp 0x63e2, // (0x0000def6) cell_cmode_itu_pane_t1_cp 0x63f0, // (0x0000df04) cell_cmode_itu_pane_t2_cp 0x4e2c, // (0x0000c940) settings_code_pane_cp2 0x8746, // (0x0001025a) bg_popup_window_pane_cp3_ParamLimits 0x8bf0, // (0x00010704) heading_pane_cp3_ParamLimits 0x8bfc, // (0x00010710) listscroll_popup_graphic_pane_ParamLimits 0x78d1, // (0x0000f3e5) fep_hwr_aid_pane_ParamLimits 0x7d5d, // (0x0000f871) aid_touch_sctrl_top_ParamLimits 0x7d78, // (0x0000f88c) sctrl_sk_top_pane_g1_ParamLimits 0x7b3a, // (0x0000f64e) sctrl_sk_top_pane_g2_ParamLimits 0xfd45, // (0x00017859) sctrl_sk_top_pane_g_ParamLimits 0x7d85, // (0x0000f899) sctrl_sk_top_pane_t1_ParamLimits 0x7d5d, // (0x0000f871) aid_touch_sctrl_bottom_ParamLimits 0x7d85, // (0x0000f899) sctrl_sk_bottom_pane_t1_ParamLimits 0x08d4, // (0x000083e8) aid_area_touch_clock 0x7f79, // (0x0000fa8d) aid_vkb2_area_top_pane_cell_ParamLimits 0x7f79, // (0x0000fa8d) aid_vkb2_area_top_pane_cell 0xce60, // (0x00014974) aid_vkb2_area_bottom_pane_cell_ParamLimits 0xce60, // (0x00014974) aid_vkb2_area_bottom_pane_cell 0x1202, // (0x00008d16) popup_char_count_window 0x17b0, // (0x000092c4) popup_char_count_window_g1 0x17b9, // (0x000092cd) popup_char_count_window_g2 0x17c2, // (0x000092d6) popup_char_count_window_g3 0x0002, 0xfe11, // (0x00017925) popup_char_count_window_g 0x17cb, // (0x000092df) popup_char_count_window_t1 0x7e33, // (0x0000f947) popup_fep_char_preview_window_ParamLimits 0x7e33, // (0x0000f947) popup_fep_char_preview_window 0x7f97, // (0x0000faab) vkb2_top_candi_pane_ParamLimits 0x7f97, // (0x0000faab) vkb2_top_candi_pane 0x17d9, // (0x000092ed) cell_vkb2_top_candi_pane_ParamLimits 0x17d9, // (0x000092ed) cell_vkb2_top_candi_pane 0x838e, // (0x0000fea2) bg_popup_fep_char_preview_window_ParamLimits 0x838e, // (0x0000fea2) bg_popup_fep_char_preview_window 0x839c, // (0x0000feb0) popup_fep_char_preview_window_t1_ParamLimits 0x839c, // (0x0000feb0) popup_fep_char_preview_window_t1 0x1874, // (0x00009388) bg_popup_fep_char_preview_window_g1 0x186c, // (0x00009380) bg_popup_fep_char_preview_window_g2 0x1864, // (0x00009378) bg_popup_fep_char_preview_window_g3 0x189c, // (0x000093b0) bg_popup_fep_char_preview_window_g4 0x1894, // (0x000093a8) bg_popup_fep_char_preview_window_g5 0x83d6, // (0x0000feea) bg_popup_fep_char_preview_window_g6 0x1884, // (0x00009398) bg_popup_fep_char_preview_window_g7 0x187c, // (0x00009390) bg_popup_fep_char_preview_window_g8 0x18a4, // (0x000093b8) bg_popup_fep_char_preview_window_g9 0x0008, 0xfe18, // (0x0001792c) bg_popup_fep_char_preview_window_g 0x7b3a, // (0x0000f64e) cell_vkb2_top_candi_pane_g1_ParamLimits 0x7b3a, // (0x0000f64e) cell_vkb2_top_candi_pane_g1 0x7b48, // (0x0000f65c) cell_vkb2_top_candi_pane_g2_ParamLimits 0x7b48, // (0x0000f65c) cell_vkb2_top_candi_pane_g2 0x18cd, // (0x000093e1) cell_vkb2_top_candi_pane_g3_ParamLimits 0x18cd, // (0x000093e1) cell_vkb2_top_candi_pane_g3 0x83de, // (0x0000fef2) cell_vkb2_top_candi_pane_g4_ParamLimits 0x83de, // (0x0000fef2) cell_vkb2_top_candi_pane_g4 0xea70, // (0x00016584) cell_vkb2_top_candi_pane_g5_ParamLimits 0xea70, // (0x00016584) cell_vkb2_top_candi_pane_g5 0x83ff, // (0x0000ff13) cell_vkb2_top_candi_pane_g6_ParamLimits 0x83ff, // (0x0000ff13) cell_vkb2_top_candi_pane_g6 0x0005, 0xfe2b, // (0x0001793f) cell_vkb2_top_candi_pane_g_ParamLimits 0xfe2b, // (0x0001793f) cell_vkb2_top_candi_pane_g 0x840d, // (0x0000ff21) cell_vkb2_top_candi_pane_t1 0x76fb, // (0x0000f20f) aid_size_touch_slider_mark_ParamLimits 0x76fb, // (0x0000f20f) aid_size_touch_slider_mark 0x6177, // (0x0000dc8b) grid_graphic2_catg_pane_ParamLimits 0x6177, // (0x0000dc8b) grid_graphic2_catg_pane 0x620d, // (0x0000dd21) popup_grid_graphic2_window_t1_ParamLimits 0x620d, // (0x0000dd21) popup_grid_graphic2_window_t1 0x6223, // (0x0000dd37) popup_grid_graphic2_window_t2_ParamLimits 0x6223, // (0x0000dd37) popup_grid_graphic2_window_t2 0x0001, 0xfdeb, // (0x000178ff) popup_grid_graphic2_window_t_ParamLimits 0xfdeb, // (0x000178ff) popup_grid_graphic2_window_t 0x9561, // (0x00011075) bg_button_pane_cp05_ParamLimits 0x6379, // (0x0000de8d) cell_graphic2_control_pane_g1_ParamLimits 0x63fe, // (0x0000df12) cell_graphic2_catg_pane_ParamLimits 0x63fe, // (0x0000df12) cell_graphic2_catg_pane 0x8562, // (0x00010076) bg_button_pane_cp12 0x6410, // (0x0000df24) cell_graphic2_catg_pane_g1 0x08a0, // (0x000083b4) cell_tb_ext_pane_t1_ParamLimits 0x81c0, // (0x0000fcd4) vkb2_top_cell_right_narrow_pane_ParamLimits 0x81c0, // (0x0000fcd4) vkb2_top_cell_right_narrow_pane 0x81d8, // (0x0000fcec) vkb2_top_cell_right_wide_pane_ParamLimits 0x81d8, // (0x0000fcec) vkb2_top_cell_right_wide_pane 0x78c3, // (0x0000f3d7) bg_vkb2_func_pane_ParamLimits 0x78c3, // (0x0000f3d7) bg_vkb2_func_pane 0x8249, // (0x0000fd5d) vkb2_top_cell_left_pane_g1_ParamLimits 0x78c3, // (0x0000f3d7) bg_vkb2_fuc_pane_cp03_ParamLimits 0x78c3, // (0x0000f3d7) bg_vkb2_fuc_pane_cp03 0x82a7, // (0x0000fdbb) vkb2_cell_bottom_grid_pane_g1_ParamLimits 0xb1ff, // (0x00012d13) bg_vkb2_func_pane_g1 0xb207, // (0x00012d1b) bg_vkb2_func_pane_g2 0xb217, // (0x00012d2b) bg_vkb2_func_pane_g3 0xb20f, // (0x00012d23) bg_vkb2_func_pane_g4 0xb21f, // (0x00012d33) bg_vkb2_func_pane_g5 0xb227, // (0x00012d3b) bg_vkb2_func_pane_g6 0xb22f, // (0x00012d43) bg_vkb2_func_pane_g7 0xb237, // (0x00012d4b) bg_vkb2_func_pane_g8 0xb1f7, // (0x00012d0b) bg_vkb2_func_pane_g9 0x0008, 0xfe38, // (0x0001794c) bg_vkb2_func_pane_g 0x78c3, // (0x0000f3d7) bg_vkb2_fuc_pane_cp01_ParamLimits 0x78c3, // (0x0000f3d7) bg_vkb2_fuc_pane_cp01 0x8249, // (0x0000fd5d) vkb2_top_cell_right_wide_pane_g1_ParamLimits 0x8249, // (0x0000fd5d) vkb2_top_cell_right_wide_pane_g1 0x78c3, // (0x0000f3d7) bg_vkb2_fuc_pane_cp02_ParamLimits 0x78c3, // (0x0000f3d7) bg_vkb2_fuc_pane_cp02 0x82a7, // (0x0000fdbb) vkb2_top_cell_right_narrow_pane_g1_ParamLimits 0x82a7, // (0x0000fdbb) vkb2_top_cell_right_narrow_pane_g1 0x589c, // (0x0000d3b0) aid_touch_area_decrease_ParamLimits 0x589c, // (0x0000d3b0) aid_touch_area_decrease 0x58d6, // (0x0000d3ea) aid_touch_area_increase_ParamLimits 0x58d6, // (0x0000d3ea) aid_touch_area_increase 0x58fe, // (0x0000d412) aid_touch_area_mute_ParamLimits 0x58fe, // (0x0000d412) aid_touch_area_mute 0x592e, // (0x0000d442) aid_touch_area_slider_ParamLimits 0x592e, // (0x0000d442) aid_touch_area_slider 0x596e, // (0x0000d482) popup_slider_window_g4_ParamLimits 0x596e, // (0x0000d482) popup_slider_window_g4 0x5996, // (0x0000d4aa) popup_slider_window_g5_ParamLimits 0x5996, // (0x0000d4aa) popup_slider_window_g5 0x59ca, // (0x0000d4de) popup_slider_window_g6_ParamLimits 0x59ca, // (0x0000d4de) popup_slider_window_g6 0x0596, // (0x000080aa) popup_slider_window_t2_ParamLimits 0x0596, // (0x000080aa) popup_slider_window_t2 0x0001, 0xfd39, // (0x0001784d) popup_slider_window_t_ParamLimits 0xfd39, // (0x0001784d) popup_slider_window_t 0x59e6, // (0x0000d4fa) slider_pane_ParamLimits 0x59e6, // (0x0000d4fa) slider_pane 0x191f, // (0x00009433) slider_pane_g1_ParamLimits 0x191f, // (0x00009433) slider_pane_g1 0x1933, // (0x00009447) slider_pane_g2_ParamLimits 0x1933, // (0x00009447) slider_pane_g2 0x1949, // (0x0000945d) slider_pane_g3_ParamLimits 0x1949, // (0x0000945d) slider_pane_g3 0x0003, 0xfe4b, // (0x0001795f) slider_pane_g_ParamLimits 0xfe4b, // (0x0001795f) slider_pane_g 0x43d3, // (0x0000bee7) popup_tb_float_extension_window_ParamLimits 0x43d3, // (0x0000bee7) popup_tb_float_extension_window 0x1975, // (0x00009489) aid_size_cell_tb_float_ext 0x8562, // (0x00010076) bg_popup_sub_window_cp28 0x1981, // (0x00009495) grid_tb_float_ext_pane 0x198d, // (0x000094a1) cell_tb_float_ext_pane_ParamLimits 0x198d, // (0x000094a1) cell_tb_float_ext_pane 0x19a9, // (0x000094bd) cell_tb_float_ext_pane_g1 0x19b2, // (0x000094c6) grid_highlight_pane_cp12 0xcdd2, // (0x000148e6) cell_last_hwr_side_pane_ParamLimits 0xcdd2, // (0x000148e6) cell_last_hwr_side_pane 0xe502, // (0x00016016) cell_last_hwr_side_pane_g1 0x19bb, // (0x000094cf) cell_last_hwr_side_pane_g2 0x0001, 0xfe54, // (0x00017968) cell_last_hwr_side_pane_g 0xcf3c, // (0x00014a50) vkb2_area_bottom_space_btn_pane_ParamLimits 0xcf3c, // (0x00014a50) vkb2_area_bottom_space_btn_pane 0x7b3a, // (0x0000f64e) vkb2_cell_t_keypad_pane_g1_ParamLimits 0x1442, // (0x00008f56) vkb2_cell_t_keypad_pane_t1_ParamLimits 0x840d, // (0x0000ff21) cell_vkb2_top_candi_pane_t1_ParamLimits 0x8423, // (0x0000ff37) vkb2_area_bottom_space_btn_pane_g1_ParamLimits 0x8423, // (0x0000ff37) vkb2_area_bottom_space_btn_pane_g1 0x845d, // (0x0000ff71) vkb2_area_bottom_space_btn_pane_g2_ParamLimits 0x845d, // (0x0000ff71) vkb2_area_bottom_space_btn_pane_g2 0x8493, // (0x0000ffa7) vkb2_area_bottom_space_btn_pane_g3_ParamLimits 0x8493, // (0x0000ffa7) vkb2_area_bottom_space_btn_pane_g3 0x0003, 0xfe59, // (0x0001796d) vkb2_area_bottom_space_btn_pane_g_ParamLimits 0xfe59, // (0x0001796d) vkb2_area_bottom_space_btn_pane_g 0x7988, // (0x0000f49c) cel_fep_hwr_func_pane_ParamLimits 0x7988, // (0x0000f49c) cel_fep_hwr_func_pane 0xcda7, // (0x000148bb) cell_hwr_side_button_pane_ParamLimits 0xcda7, // (0x000148bb) cell_hwr_side_button_pane 0x08d4, // (0x000083e8) aid_area_touch_clock_ParamLimits 0x8a00, // (0x00010514) bg_uniindi_top_pane_ParamLimits 0x08e8, // (0x000083fc) uniindi_top_pane_g1_ParamLimits 0x08fe, // (0x00008412) uniindi_top_pane_g2_ParamLimits 0x090a, // (0x0000841e) uniindi_top_pane_g3_ParamLimits 0x091b, // (0x0000842f) uniindi_top_pane_g4_ParamLimits 0xfd71, // (0x00017885) uniindi_top_pane_g_ParamLimits 0x0928, // (0x0000843c) uniindi_top_pane_t1_ParamLimits 0x8a00, // (0x00010514) bg_vkb2_func_pane_cp01_ParamLimits 0x8a00, // (0x00010514) bg_vkb2_func_pane_cp01 0x12fe, // (0x00008e12) cel_fep_hwr_func_pane_g1_ParamLimits 0x12fe, // (0x00008e12) cel_fep_hwr_func_pane_g1 0x8a00, // (0x00010514) bg_vkb2_func_pane_cp02_ParamLimits 0x8a00, // (0x00010514) bg_vkb2_func_pane_cp02 0x12fe, // (0x00008e12) cell_hwr_side_button_pane_g1_ParamLimits 0x12fe, // (0x00008e12) cell_hwr_side_button_pane_g1 0xb080, // (0x00012b94) status_pane_g4_ParamLimits 0xb080, // (0x00012b94) status_pane_g4 0xb09a, // (0x00012bae) status_pane_t1 0xe38a, // (0x00015e9e) form2_midp_gauge_slider_cont_pane 0xe392, // (0x00015ea6) form2_midp_gauge_slider_pane_t1_ParamLimits 0x5109, // (0x0000cc1d) form2_midp_gauge_slider_pane_t2_ParamLimits 0x511b, // (0x0000cc2f) form2_midp_gauge_slider_pane_t3_ParamLimits 0xfb36, // (0x0001764a) form2_midp_gauge_slider_pane_t_ParamLimits 0xe3a4, // (0x00015eb8) form2_midp_slider_pane_ParamLimits 0x7dfb, // (0x0000f90f) aid_size_cell_func_vkb2_ParamLimits 0x7dfb, // (0x0000f90f) aid_size_cell_func_vkb2 0x1961, // (0x00009475) slider_pane_g4_ParamLimits 0x1961, // (0x00009475) slider_pane_g4 0xcf9d, // (0x00014ab1) form2_midp_gauge_slider_pane_t2_cp01 0xcfab, // (0x00014abf) form2_midp_gauge_slider_pane_t3_cp01_ParamLimits 0xcfab, // (0x00014abf) form2_midp_gauge_slider_pane_t3_cp01 0x8508, // (0x0001001c) form2_midp_slider_pane_cp01 0x8562, // (0x00010076) navi_smil_pane 0x1add, // (0x000095f1) navi_smil_pane_g1 0x1ae5, // (0x000095f9) navi_smil_pane_t1 0x1ab2, // (0x000095c6) form2_midp_slider_pane_g1 0x1abb, // (0x000095cf) form2_midp_slider_pane_g2 0x1ac3, // (0x000095d7) form2_midp_slider_pane_g3 0x1ab2, // (0x000095c6) form2_midp_slider_pane_g4 0x6444, // (0x0000df58) form2_midp_slider_pane_g5 0x0004, 0xfe62, // (0x00017976) form2_midp_slider_pane_g 0x84cd, // (0x0000ffe1) vkb2_area_bottom_space_btn_pane_g4_ParamLimits 0x84cd, // (0x0000ffe1) vkb2_area_bottom_space_btn_pane_g4 0x45a1, // (0x0000c0b5) lc0_navi_pane_ParamLimits 0x45a1, // (0x0000c0b5) lc0_navi_pane 0x4611, // (0x0000c125) lc0_stat_indi_pane_ParamLimits 0x4611, // (0x0000c125) lc0_stat_indi_pane 0x4626, // (0x0000c13a) ls0_title_pane_ParamLimits 0x4626, // (0x0000c13a) ls0_title_pane 0x9561, // (0x00011075) bg_popup_sub_pane_cp14_ParamLimits 0x08bb, // (0x000083cf) list_uniindi_pane_ParamLimits 0x08c7, // (0x000083db) uniindi_top_pane_ParamLimits 0x0966, // (0x0000847a) list_single_uniindi_pane_g1_ParamLimits 0x0979, // (0x0000848d) list_single_uniindi_pane_t1_ParamLimits 0xcfc8, // (0x00014adc) lc0_stat_clock_pane_ParamLimits 0xcfc8, // (0x00014adc) lc0_stat_clock_pane 0x6467, // (0x0000df7b) lc0_stat_indi_pane_g1_ParamLimits 0x6467, // (0x0000df7b) lc0_stat_indi_pane_g1 0x645a, // (0x0000df6e) lc0_stat_indi_pane_g2_ParamLimits 0x645a, // (0x0000df6e) lc0_stat_indi_pane_g2 0x0001, 0xfe6d, // (0x00017981) lc0_stat_indi_pane_g_ParamLimits 0xfe6d, // (0x00017981) lc0_stat_indi_pane_g 0xcfd5, // (0x00014ae9) lc0_uni_indicator_pane_ParamLimits 0xcfd5, // (0x00014ae9) lc0_uni_indicator_pane 0x6481, // (0x0000df95) ls0_title_pane_g1_ParamLimits 0x6481, // (0x0000df95) ls0_title_pane_g1 0x6495, // (0x0000dfa9) ls0_title_pane_t1_ParamLimits 0x6495, // (0x0000dfa9) ls0_title_pane_t1 0xcfe2, // (0x00014af6) lc0_uni_indicator_pane_g1_ParamLimits 0xcfe2, // (0x00014af6) lc0_uni_indicator_pane_g1 0x1b84, // (0x00009698) lc0_stat_clock_pane_t1 0x8562, // (0x00010076) main_ai5_pane 0x1b92, // (0x000096a6) ai5_sk_pane_ParamLimits 0x1b92, // (0x000096a6) ai5_sk_pane 0x64df, // (0x0000dff3) cell_ai5_widget_pane_ParamLimits 0x64df, // (0x0000dff3) cell_ai5_widget_pane 0x1c0b, // (0x0000971f) aid_size_cell_widget_grid 0x1c1f, // (0x00009733) bg_ai5_widget_pane_ParamLimits 0x1c1f, // (0x00009733) bg_ai5_widget_pane 0x6552, // (0x0000e066) cell_ai5_widget_pane_g2 0x6562, // (0x0000e076) cell_ai5_widget_pane_g3 0x6576, // (0x0000e08a) cell_ai5_widget_pane_g4 0x6582, // (0x0000e096) cell_ai5_widget_pane_g5 0x658e, // (0x0000e0a2) cell_ai5_widget_pane_g6 0x659a, // (0x0000e0ae) cell_ai5_widget_pane_g7 0x65e2, // (0x0000e0f6) cell_ai5_widget_pane_t1_ParamLimits 0x65e2, // (0x0000e0f6) cell_ai5_widget_pane_t1 0x65ff, // (0x0000e113) cell_ai5_widget_pane_t2_ParamLimits 0x65ff, // (0x0000e113) cell_ai5_widget_pane_t2 0x6617, // (0x0000e12b) cell_ai5_widget_pane_t3_ParamLimits 0x6617, // (0x0000e12b) cell_ai5_widget_pane_t3 0x662f, // (0x0000e143) cell_ai5_widget_pane_t4_ParamLimits 0x662f, // (0x0000e143) cell_ai5_widget_pane_t4 0x6649, // (0x0000e15d) cell_ai5_widget_pane_t5_ParamLimits 0x6649, // (0x0000e15d) cell_ai5_widget_pane_t5 0x1d4f, // (0x00009863) cell_ai5_widget_pane_t6_ParamLimits 0x1d4f, // (0x00009863) cell_ai5_widget_pane_t6 0x1d61, // (0x00009875) cell_ai5_widget_pane_t7_ParamLimits 0x1d61, // (0x00009875) cell_ai5_widget_pane_t7 0x6668, // (0x0000e17c) cell_ai5_widget_pane_t8_ParamLimits 0x6668, // (0x0000e17c) cell_ai5_widget_pane_t8 0x0009, 0xfe87, // (0x0001799b) cell_ai5_widget_pane_t_ParamLimits 0xfe87, // (0x0001799b) cell_ai5_widget_pane_t 0x66b0, // (0x0000e1c4) grid_ai5_widget_pane 0x9561, // (0x00011075) highlight_cell_ai5_widget_pane_ParamLimits 0x9561, // (0x00011075) highlight_cell_ai5_widget_pane 0x66c7, // (0x0000e1db) ai5_sk_left_pane 0x66d1, // (0x0000e1e5) ai5_sk_middle_pane 0x66db, // (0x0000e1ef) ai5_sk_right_pane 0x1df7, // (0x0000990b) bg_ai5_widget_pane_g1_ParamLimits 0x1df7, // (0x0000990b) bg_ai5_widget_pane_g1 0x1e03, // (0x00009917) bg_ai5_widget_pane_g2_ParamLimits 0x1e03, // (0x00009917) bg_ai5_widget_pane_g2 0x1e0f, // (0x00009923) bg_ai5_widget_pane_g3_ParamLimits 0x1e0f, // (0x00009923) bg_ai5_widget_pane_g3 0x1e1b, // (0x0000992f) bg_ai5_widget_pane_g4_ParamLimits 0x1e1b, // (0x0000992f) bg_ai5_widget_pane_g4 0x1e27, // (0x0000993b) bg_ai5_widget_pane_g5_ParamLimits 0x1e27, // (0x0000993b) bg_ai5_widget_pane_g5 0x1e33, // (0x00009947) bg_ai5_widget_pane_g6_ParamLimits 0x1e33, // (0x00009947) bg_ai5_widget_pane_g6 0x1e3f, // (0x00009953) bg_ai5_widget_pane_g7_ParamLimits 0x1e3f, // (0x00009953) bg_ai5_widget_pane_g7 0x1e4b, // (0x0000995f) bg_ai5_widget_pane_g8_ParamLimits 0x1e4b, // (0x0000995f) bg_ai5_widget_pane_g8 0x1e57, // (0x0000996b) bg_ai5_widget_pane_g9_ParamLimits 0x1e57, // (0x0000996b) bg_ai5_widget_pane_g9 0x0008, 0xfe9c, // (0x000179b0) bg_ai5_widget_pane_g_ParamLimits 0xfe9c, // (0x000179b0) bg_ai5_widget_pane_g 0x1e7a, // (0x0000998e) cell_shortcut_ai5_widget_pane_ParamLimits 0x1e7a, // (0x0000998e) cell_shortcut_ai5_widget_pane 0x8835, // (0x00010349) bg_cell_shortcut_ai5_widget_pane 0x1e8c, // (0x000099a0) cell_grid_ai5_widget_pane_g1 0x1e95, // (0x000099a9) highlight_cell_shortcut_ai5_widget_pane 0xb1ff, // (0x00012d13) ai5_sk_left_pane_g1 0x1e9d, // (0x000099b1) ai5_sk_left_pane_g2 0x1ea5, // (0x000099b9) ai5_sk_left_pane_g3 0x1ead, // (0x000099c1) ai5_sk_left_pane_g4 0x0003, 0xfeaf, // (0x000179c3) ai5_sk_left_pane_g 0x1eb5, // (0x000099c9) ai5_sk_left_pane_t1 0xb207, // (0x00012d1b) ai5_sk_right_pane_g1 0x1ec3, // (0x000099d7) ai5_sk_right_pane_g2 0x1ecb, // (0x000099df) ai5_sk_right_pane_g3 0x1ed3, // (0x000099e7) ai5_sk_right_pane_g4 0x0003, 0xfeb8, // (0x000179cc) ai5_sk_right_pane_g 0x1edb, // (0x000099ef) ai5_sk_right_pane_t1 0xb207, // (0x00012d1b) ai5_sk_middle_pane_g1 0xb1ff, // (0x00012d13) ai5_sk_middle_pane_g2 0xb21f, // (0x00012d33) ai5_sk_middle_pane_g3 0x1ecb, // (0x000099df) ai5_sk_middle_pane_g4 0x1ea5, // (0x000099b9) ai5_sk_middle_pane_g5 0x1ee9, // (0x000099fd) ai5_sk_middle_pane_g6 0x66e5, // (0x0000e1f9) ai5_sk_middle_pane_g7 0x0006, 0xfec1, // (0x000179d5) ai5_sk_middle_pane_g 0x4499, // (0x0000bfad) aid_touch_area_size_lc0_ParamLimits 0x4499, // (0x0000bfad) aid_touch_area_size_lc0 0x7b69, // (0x0000f67d) cell_hwr_candidate_pane_t1_ParamLimits 0xad5b, // (0x0001286f) aid_touch_navi_pane 0x4732, // (0x0000c246) status_dt_navi_pane_ParamLimits 0x4732, // (0x0000c246) status_dt_navi_pane 0x474a, // (0x0000c25e) status_dt_sta_pane_ParamLimits 0x474a, // (0x0000c25e) status_dt_sta_pane 0x66ed, // (0x0000e201) dt_sta_controll_pane 0x66fa, // (0x0000e20e) dt_sta_indi_pane 0x6707, // (0x0000e21b) dt_sta_title_pane 0x8a00, // (0x00010514) bg_dt_sta_indi_pane_ParamLimits 0x8a00, // (0x00010514) bg_dt_sta_indi_pane 0x6719, // (0x0000e22d) dt_sta_battery_pane 0x6721, // (0x0000e235) dt_sta_indi_pane_g1 0x672a, // (0x0000e23e) dt_sta_indi_pane_g2 0x6733, // (0x0000e247) dt_sta_indi_pane_g3 0x0002, 0xfed0, // (0x000179e4) dt_sta_indi_pane_g 0x673c, // (0x0000e250) dt_sta_signal_pane 0x9561, // (0x00011075) bg_dt_sta_title_pane_ParamLimits 0x9561, // (0x00011075) bg_dt_sta_title_pane 0x6745, // (0x0000e259) dt_sta_title_pane_g1 0x674d, // (0x0000e261) dt_sta_title_pane_t1_ParamLimits 0x674d, // (0x0000e261) dt_sta_title_pane_t1 0x8562, // (0x00010076) bg_dt_sta_control_pane 0x6762, // (0x0000e276) dt_sta_controll_pane_g1 0x676b, // (0x0000e27f) bg_dt_sta_title_pane_g1 0x6774, // (0x0000e288) bg_dt_sta_title_pane_g2 0x677d, // (0x0000e291) bg_dt_sta_title_pane_g3 0x0002, 0xfed7, // (0x000179eb) bg_dt_sta_title_pane_g 0xe502, // (0x00016016) bg_dt_sta_indi_pane_g1 0x6786, // (0x0000e29a) dt_sta_signal_pane_g1 0x678e, // (0x0000e2a2) dt_sta_signal_pane_g2 0x0001, 0xfede, // (0x000179f2) dt_sta_signal_pane_g 0x1fa7, // (0x00009abb) dt_sta_battery_pane_g1 0x1fb0, // (0x00009ac4) dt_sta_battery_pane_t1 0xe502, // (0x00016016) bg_dt_sta_control_pane_g1 0x9e3d, // (0x00011951) fep_china_uni_eep_pane 0x9e45, // (0x00011959) fep_china_uni_entry_pane_ParamLimits 0x9e55, // (0x00011969) popup_fep_china_uni_window_g1_ParamLimits 0x9e65, // (0x00011979) popup_fep_china_uni_window_g2_ParamLimits 0x9e65, // (0x00011979) popup_fep_china_uni_window_g2 0x0001, 0xf77e, // (0x00017292) popup_fep_china_uni_window_g_ParamLimits 0xf77e, // (0x00017292) popup_fep_china_uni_window_g 0x1fbf, // (0x00009ad3) fep_china_uni_eep_pane_g1 0x1fc7, // (0x00009adb) fep_china_uni_eep_pane_t1 0x1ad4, // (0x000095e8) aid_touch_area_size_smil_player 0xae96, // (0x000129aa) lc0_clock_pane 0xb08e, // (0x00012ba2) status_pane_g5_ParamLimits 0xb08e, // (0x00012ba2) status_pane_g5 0x3eff, // (0x0000ba13) popup_keymap_window 0xb054, // (0x00012b68) status_icon_pane 0x6562, // (0x0000e076) cell_ai5_widget_pane_g3_ParamLimits 0x6576, // (0x0000e08a) cell_ai5_widget_pane_g4_ParamLimits 0x6582, // (0x0000e096) cell_ai5_widget_pane_g5_ParamLimits 0x65a6, // (0x0000e0ba) cell_ai5_widget_pane_g8_ParamLimits 0x65a6, // (0x0000e0ba) cell_ai5_widget_pane_g8 0x65ba, // (0x0000e0ce) cell_ai5_widget_pane_g9_ParamLimits 0x65ba, // (0x0000e0ce) cell_ai5_widget_pane_g9 0x65ce, // (0x0000e0e2) cell_ai5_widget_pane_g10_ParamLimits 0x65ce, // (0x0000e0e2) cell_ai5_widget_pane_g10 0x1fd6, // (0x00009aea) status_icon_pane_g1 0x8562, // (0x00010076) bg_popup_sub_pane_cp13 0x1fde, // (0x00009af2) popup_keymap_window_t1 0x3c30, // (0x0000b744) control_pane_g6_ParamLimits 0x3c30, // (0x0000b744) control_pane_g6 0x3c23, // (0x0000b737) control_pane_g7_ParamLimits 0x3c23, // (0x0000b737) control_pane_g7 0x3c16, // (0x0000b72a) control_pane_g8_ParamLimits 0x3c16, // (0x0000b72a) control_pane_g8 0x66ed, // (0x0000e201) dt_sta_controll_pane_ParamLimits 0x66fa, // (0x0000e20e) dt_sta_indi_pane_ParamLimits 0x6707, // (0x0000e21b) dt_sta_title_pane_ParamLimits 0x8f25, // (0x00010a39) aid_size_touch_scroll_bar_cale 0x6bea, // (0x0000e6fe) popup_discreet_window_ParamLimits 0x6bea, // (0x0000e6fe) popup_discreet_window 0xc9ad, // (0x000144c1) popup_sk_window 0xb8da, // (0x000133ee) bg_popup_sub_pane_cp28_ParamLimits 0xb8da, // (0x000133ee) bg_popup_sub_pane_cp28 0x1fec, // (0x00009b00) popup_discreet_window_g1_ParamLimits 0x1fec, // (0x00009b00) popup_discreet_window_g1 0x200c, // (0x00009b20) popup_discreet_window_t1_ParamLimits 0x200c, // (0x00009b20) popup_discreet_window_t1 0x202a, // (0x00009b3e) popup_discreet_window_t2_ParamLimits 0x202a, // (0x00009b3e) popup_discreet_window_t2 0x0002, 0xfee3, // (0x000179f7) popup_discreet_window_t_ParamLimits 0xfee3, // (0x000179f7) popup_discreet_window_t 0x207c, // (0x00009b90) popup_sk_window_g1 0x2086, // (0x00009b9a) popup_sk_window_g2 0x0001, 0xfeea, // (0x000179fe) popup_sk_window_g 0x2090, // (0x00009ba4) popup_sk_window_t1 0x209e, // (0x00009bb2) popup_sk_window_t1_copy1 0x6552, // (0x0000e066) cell_ai5_widget_pane_g2_ParamLimits 0x667a, // (0x0000e18e) cell_ai5_widget_pane_t9_ParamLimits 0x667a, // (0x0000e18e) cell_ai5_widget_pane_t9 0x8562, // (0x00010076) main_fep_fshwr2_pane 0x6796, // (0x0000e2aa) aid_fshwr2_btn_pane 0x679e, // (0x0000e2b2) aid_fshwr2_syb_pane 0x67a6, // (0x0000e2ba) aid_fshwr2_txt_pane 0x67ae, // (0x0000e2c2) fshwr2_func_candi_pane 0x67b8, // (0x0000e2cc) fshwr2_hwr_syb_pane 0x67c4, // (0x0000e2d8) fshwr2_icf_pane 0x8562, // (0x00010076) fshwr2_icf_bg_pane 0x67ce, // (0x0000e2e2) fshwr2_icf_pane_t1_ParamLimits 0x67ce, // (0x0000e2e2) fshwr2_icf_pane_t1 0xe502, // (0x00016016) fshwr2_func_candi_pane_g1 0x2113, // (0x00009c27) fshwr2_func_candi_row_pane_ParamLimits 0x2113, // (0x00009c27) fshwr2_func_candi_row_pane 0x67e6, // (0x0000e2fa) cell_fshwr2_syb_pane_ParamLimits 0x67e6, // (0x0000e2fa) cell_fshwr2_syb_pane 0xe69c, // (0x000161b0) fshwr2_hwr_syb_pane_g1_ParamLimits 0xe69c, // (0x000161b0) fshwr2_hwr_syb_pane_g1 0x8562, // (0x00010076) bg_popup_call_pane_cp01 0x213e, // (0x00009c52) fshwr2_func_candi_cell_pane_ParamLimits 0x213e, // (0x00009c52) fshwr2_func_candi_cell_pane 0x2170, // (0x00009c84) fshwr2_func_candi_cell_bg_pane_ParamLimits 0x2170, // (0x00009c84) fshwr2_func_candi_cell_bg_pane 0x218a, // (0x00009c9e) fshwr2_func_candi_cell_pane_g1_ParamLimits 0x218a, // (0x00009c9e) fshwr2_func_candi_cell_pane_g1 0x21aa, // (0x00009cbe) fshwr2_func_candi_cell_pane_t1_ParamLimits 0x21aa, // (0x00009cbe) fshwr2_func_candi_cell_pane_t1 0x8562, // (0x00010076) bg_button_pane_cp08 0xa362, // (0x00011e76) cell_fshwr2_syb_bg_pane 0x67ff, // (0x0000e313) cell_fshwr2_syb_bg_pane_g1 0x6807, // (0x0000e31b) cell_fshwr2_syb_bg_pane_t1 0x8562, // (0x00010076) main_tmo_pane 0x4bd6, // (0x0000c6ea) uni_indicator_pane_g1_ParamLimits 0x4beb, // (0x0000c6ff) uni_indicator_pane_g2_ParamLimits 0x4c01, // (0x0000c715) uni_indicator_pane_g3_ParamLimits 0xd3f7, // (0x00014f0b) uni_indicator_pane_g4_ParamLimits 0xd3f7, // (0x00014f0b) uni_indicator_pane_g4 0xd40b, // (0x00014f1f) uni_indicator_pane_g5_ParamLimits 0xd40b, // (0x00014f1f) uni_indicator_pane_g5 0xd41f, // (0x00014f33) uni_indicator_pane_g6_ParamLimits 0xd41f, // (0x00014f33) uni_indicator_pane_g6 0xf96f, // (0x00017483) uni_indicator_pane_g_ParamLimits 0x586c, // (0x0000d380) popup_tmo_note_window_ParamLimits 0x586c, // (0x0000d380) popup_tmo_note_window 0x8562, // (0x00010076) fshwr2_bg_pane 0x219b, // (0x00009caf) fshwr2_func_candi_cell_pane_g2_ParamLimits 0x219b, // (0x00009caf) fshwr2_func_candi_cell_pane_g2 0x0001, 0xfeef, // (0x00017a03) fshwr2_func_candi_cell_pane_g_ParamLimits 0xfeef, // (0x00017a03) fshwr2_func_candi_cell_pane_g 0xe502, // (0x00016016) bg_popup_window_pane_cp01 0x21d4, // (0x00009ce8) bg_popup_window_pane_g1_cp01 0x21dd, // (0x00009cf1) bg_popup_window_pane_cp22_ParamLimits 0x21dd, // (0x00009cf1) bg_popup_window_pane_cp22 0x21eb, // (0x00009cff) listscroll_tmo_link_pane_ParamLimits 0x21eb, // (0x00009cff) listscroll_tmo_link_pane 0x222b, // (0x00009d3f) popup_tmo_note_window_g1_ParamLimits 0x222b, // (0x00009d3f) popup_tmo_note_window_g1 0x2238, // (0x00009d4c) tmo_note_info_pane_ParamLimits 0x2238, // (0x00009d4c) tmo_note_info_pane 0x2252, // (0x00009d66) list_tmo_note_info_pane_g1_ParamLimits 0x2252, // (0x00009d66) list_tmo_note_info_pane_g1 0x225e, // (0x00009d72) list_tmo_note_info_pane_g2_ParamLimits 0x225e, // (0x00009d72) list_tmo_note_info_pane_g2 0x0001, 0xfef4, // (0x00017a08) list_tmo_note_info_pane_g_ParamLimits 0xfef4, // (0x00017a08) list_tmo_note_info_pane_g 0x227a, // (0x00009d8e) list_tmo_note_info_text_pane_ParamLimits 0x227a, // (0x00009d8e) list_tmo_note_info_text_pane 0x22e0, // (0x00009df4) list_tmo_link_pane 0x22ed, // (0x00009e01) scroll_pane_cp20 0x22fa, // (0x00009e0e) list_single_tmo_link_pane_ParamLimits 0x22fa, // (0x00009e0e) list_single_tmo_link_pane 0x230a, // (0x00009e1e) list_single_tmo_link_pane_t1 0x2318, // (0x00009e2c) list_tmo_note_info_text_pane_t1_ParamLimits 0x2318, // (0x00009e2c) list_tmo_note_info_text_pane_t1 0x97a7, // (0x000112bb) aid_size_touch_scroll_bar_cp01_ParamLimits 0x97a7, // (0x000112bb) aid_size_touch_scroll_bar_cp01 0x37e6, // (0x0000b2fa) aid_size_touch_slider_marker 0xc99d, // (0x000144b1) popup_settings_window_ParamLimits 0xc99d, // (0x000144b1) popup_settings_window 0xa711, // (0x00012225) popup_candi_list_indi_window 0xad5b, // (0x0001286f) aid_touch_navi_pane_ParamLimits 0x7d31, // (0x0000f845) rs_clock_indi_pane 0x7d3a, // (0x0000f84e) sctrl_sk_bottom_pane_ParamLimits 0x7d4b, // (0x0000f85f) sctrl_sk_top_pane_ParamLimits 0x7e4d, // (0x0000f961) popup_fep_tooltip_window 0x1c0b, // (0x0000971f) aid_size_cell_widget_grid_ParamLimits 0x6546, // (0x0000e05a) cell_ai5_widget_pane_g1_ParamLimits 0x6546, // (0x0000e05a) cell_ai5_widget_pane_g1 0x658e, // (0x0000e0a2) cell_ai5_widget_pane_g6_ParamLimits 0x659a, // (0x0000e0ae) cell_ai5_widget_pane_g7_ParamLimits 0x0009, 0xfe72, // (0x00017986) cell_ai5_widget_pane_g_ParamLimits 0xfe72, // (0x00017986) cell_ai5_widget_pane_g 0x669e, // (0x0000e1b2) cell_ai5_widget_pane_t10_ParamLimits 0x669e, // (0x0000e1b2) cell_ai5_widget_pane_t10 0x66b0, // (0x0000e1c4) grid_ai5_widget_pane_ParamLimits 0x1e63, // (0x00009977) cell_contacts_ai5_widget_pane_ParamLimits 0x1e63, // (0x00009977) cell_contacts_ai5_widget_pane 0x203f, // (0x00009b53) popup_discreet_window_t3_ParamLimits 0x203f, // (0x00009b53) popup_discreet_window_t3 0x20e4, // (0x00009bf8) popup_fshwr2_char_preview_window_ParamLimits 0x20e4, // (0x00009bf8) popup_fshwr2_char_preview_window 0x2298, // (0x00009dac) tmo_note_info_pane_t1 0x22a6, // (0x00009dba) tmo_note_info_pane_t2 0x22b6, // (0x00009dca) tmo_note_info_pane_t3 0x22c4, // (0x00009dd8) tmo_note_info_pane_t4 0x22d2, // (0x00009de6) tmo_note_info_pane_t5 0x0004, 0xfef9, // (0x00017a0d) tmo_note_info_pane_t 0x22e0, // (0x00009df4) list_tmo_link_pane_ParamLimits 0x22ed, // (0x00009e01) scroll_pane_cp20_ParamLimits 0x8562, // (0x00010076) bg_popup_fep_char_preview_window_cp01 0x2331, // (0x00009e45) popup_fshwr2_char_preview_window_t1 0x233f, // (0x00009e53) popup_candi_list_indi_window_g1 0x8835, // (0x00010349) bg_cell_contacts_ai5_widget_pane 0x2348, // (0x00009e5c) cell_contacts_ai5_widget_pane_g1 0x2351, // (0x00009e65) cell_contacts_ai5_widget_pane_g2 0x2359, // (0x00009e6d) cell_contacts_ai5_widget_pane_g3 0x0002, 0xff04, // (0x00017a18) cell_contacts_ai5_widget_pane_g 0x2361, // (0x00009e75) cell_contacts_ai5_widget_pane_t1 0x8562, // (0x00010076) highlight_cell_shortcut_ai5_widget_pane_cp01 0x236f, // (0x00009e83) settings_container_pane 0xa362, // (0x00011e76) listscroll_set_pane_copy1 0x8f85, // (0x00010a99) scroll_pane_cp121_copy1 0x946a, // (0x00010f7e) set_content_pane_copy1 0x2378, // (0x00009e8c) aid_height_set_list_copy1_ParamLimits 0x2378, // (0x00009e8c) aid_height_set_list_copy1 0xd5bc, // (0x000150d0) aid_size_parent_copy1_ParamLimits 0xd5bc, // (0x000150d0) aid_size_parent_copy1 0x2384, // (0x00009e98) button_value_adjust_pane_cp6_copy1_ParamLimits 0x2384, // (0x00009e98) button_value_adjust_pane_cp6_copy1 0xa6e9, // (0x000121fd) list_highlight_pane_cp2_copy1_ParamLimits 0xa6e9, // (0x000121fd) list_highlight_pane_cp2_copy1 0x2398, // (0x00009eac) list_set_pane_copy1_ParamLimits 0x2398, // (0x00009eac) list_set_pane_copy1 0x242f, // (0x00009f43) main_pane_set_t1_copy1_ParamLimits 0x242f, // (0x00009f43) main_pane_set_t1_copy1 0x2469, // (0x00009f7d) main_pane_set_t2_copy1_ParamLimits 0x2469, // (0x00009f7d) main_pane_set_t2_copy1 0x2488, // (0x00009f9c) main_pane_set_t3_copy1 0x2496, // (0x00009faa) main_pane_set_t4_copy1 0x9081, // (0x00010b95) set_content_pane_g1_copy1_ParamLimits 0x9081, // (0x00010b95) set_content_pane_g1_copy1 0x24a4, // (0x00009fb8) setting_code_pane_copy1 0x24ae, // (0x00009fc2) setting_slider_graphic_pane_copy1 0x24ae, // (0x00009fc2) setting_slider_pane_copy1 0x24ae, // (0x00009fc2) setting_text_pane_copy1 0x24ae, // (0x00009fc2) setting_volume_pane_copy1 0x24b8, // (0x00009fcc) settings_code_pane_cp2_copy1 0x24c0, // (0x00009fd4) settings_code_pane_cp_copy1_ParamLimits 0x24c0, // (0x00009fd4) settings_code_pane_cp_copy1 0x24d4, // (0x00009fe8) volume_set_pane_copy1 0x24dc, // (0x00009ff0) volume_set_pane_g10_copy1 0x24e4, // (0x00009ff8) volume_set_pane_g1_copy1 0x24ec, // (0x0000a000) volume_set_pane_g2_copy1 0x24f4, // (0x0000a008) volume_set_pane_g3_copy1 0x24fc, // (0x0000a010) volume_set_pane_g4_copy1 0x2504, // (0x0000a018) volume_set_pane_g5_copy1 0x250c, // (0x0000a020) volume_set_pane_g6_copy1 0x2514, // (0x0000a028) volume_set_pane_g7_copy1 0x251c, // (0x0000a030) volume_set_pane_g8_copy1 0x2524, // (0x0000a038) volume_set_pane_g9_copy1 0x8746, // (0x0001025a) bg_set_opt_pane_cp_copy1_ParamLimits 0x8746, // (0x0001025a) bg_set_opt_pane_cp_copy1 0x8c62, // (0x00010776) setting_slider_pane_t1_copy1_ParamLimits 0x8c62, // (0x00010776) setting_slider_pane_t1_copy1 0x252c, // (0x0000a040) setting_slider_pane_t2_copy1_ParamLimits 0x252c, // (0x0000a040) setting_slider_pane_t2_copy1 0x2546, // (0x0000a05a) setting_slider_pane_t3_copy1_ParamLimits 0x2546, // (0x0000a05a) setting_slider_pane_t3_copy1 0x8c78, // (0x0001078c) slider_set_pane_copy1_ParamLimits 0x8c78, // (0x0001078c) slider_set_pane_copy1 0x969a, // (0x000111ae) set_opt_bg_pane_g1_copy2 0x96a2, // (0x000111b6) set_opt_bg_pane_g2_copy2 0x255e, // (0x0000a072) set_opt_bg_pane_g3_copy2 0x96b2, // (0x000111c6) set_opt_bg_pane_g4_copy2 0x96ba, // (0x000111ce) set_opt_bg_pane_g5_copy2 0x96c2, // (0x000111d6) set_opt_bg_pane_g6_copy2 0x2568, // (0x0000a07c) set_opt_bg_pane_g7_copy2 0x2572, // (0x0000a086) set_opt_bg_pane_g8_copy2 0x257c, // (0x0000a090) set_opt_bg_pane_g9_copy2 0xda1d, // (0x00015531) aid_size_touch_slider_mark_copy1_ParamLimits 0xda1d, // (0x00015531) aid_size_touch_slider_mark_copy1 0xd5ce, // (0x000150e2) slider_set_pane_g1_copy1 0xd5d7, // (0x000150eb) slider_set_pane_g2_copy1 0xda31, // (0x00015545) slider_set_pane_g3_copy1_ParamLimits 0xda31, // (0x00015545) slider_set_pane_g3_copy1 0xda45, // (0x00015559) slider_set_pane_g4_copy1_ParamLimits 0xda45, // (0x00015559) slider_set_pane_g4_copy1 0xda5d, // (0x00015571) slider_set_pane_g5_copy1_ParamLimits 0xda5d, // (0x00015571) slider_set_pane_g5_copy1 0xda31, // (0x00015545) slider_set_pane_g6_copy1_ParamLimits 0xda31, // (0x00015545) slider_set_pane_g6_copy1 0x2586, // (0x0000a09a) slider_set_pane_g7_copy1_ParamLimits 0x2586, // (0x0000a09a) slider_set_pane_g7_copy1 0x8666, // (0x0001017a) bg_set_opt_pane_cp2_copy1 0x8788, // (0x0001029c) setting_slider_graphic_pane_g1_copy1 0x259c, // (0x0000a0b0) setting_slider_graphic_pane_t1_copy1 0x25ac, // (0x0000a0c0) setting_slider_graphic_pane_t2_copy1 0x25bc, // (0x0000a0d0) slider_set_pane_cp_copy1 0x8666, // (0x0001017a) input_focus_pane_cp1_copy1 0xd5b4, // (0x000150c8) list_set_text_pane_copy1 0x856c, // (0x00010080) setting_text_pane_g1_copy1 0x25c4, // (0x0000a0d8) set_text_pane_t1_copy1 0x8666, // (0x0001017a) input_focus_pane_cp2_copy1 0x856c, // (0x00010080) setting_code_pane_g1_copy1 0x8791, // (0x000102a5) setting_code_pane_t1_copy1 0x25d3, // (0x0000a0e7) list_set_graphic_pane_copy1_ParamLimits 0x25d3, // (0x0000a0e7) list_set_graphic_pane_copy1 0x8666, // (0x0001017a) bg_set_opt_pane_cp4_copy1 0xa0cf, // (0x00011be3) list_set_graphic_pane_g1_copy1_ParamLimits 0xa0cf, // (0x00011be3) list_set_graphic_pane_g1_copy1 0x25e0, // (0x0000a0f4) list_set_graphic_pane_g2_copy1 0x25e8, // (0x0000a0fc) list_set_graphic_pane_t1_copy1_ParamLimits 0x25e8, // (0x0000a0fc) list_set_graphic_pane_t1_copy1 0xe502, // (0x00016016) rs_clock_indi_pane_g1 0x2600, // (0x0000a114) rs_clock_indi_pane_t1 0x260e, // (0x0000a122) rs_indi_pane 0x2616, // (0x0000a12a) rs_indi_pane_g1 0x261f, // (0x0000a133) rs_indi_pane_g2 0x2628, // (0x0000a13c) rs_indi_pane_g3 0x0002, 0xff0b, // (0x00017a1f) rs_indi_pane_g 0xa362, // (0x00011e76) bg_popup_preview_window_pane_cp03 0x2631, // (0x0000a145) popup_fep_tooltip_window_t1 }; const AknLayoutScalable_Avkon::SCdlImpl KCdlImpl = { &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &TextLineRVC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineRVC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineCVR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineRVC, &ParameterLimitsV, &TextLineRVC, &Limits, &ParameterLimitsTableLV, &TextTableLRVC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVRC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &TextLineRVC, &WindowLineVCR, &TextLineRVC, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowLineVCR, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &TextLineVRC, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &Limits, &WindowLineVCR, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineRVC, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineCVR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVRC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineCVR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVRC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVRC, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &TextLineRVC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineRVC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineCVR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineCVR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineRVC, &ParameterLimitsV, &TextLineRVC, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVRC, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &TextLineVRC, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineCVR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVRC, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVRC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineCRV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineRVC, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineCRV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineCVR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineCVR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineRVC, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &GetComponentTypeById, &GetParamLimitsById, &GetWindowComponentById, &GetTextComponentById, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineRVC, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineCVR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineCRV, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsTableLV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineCVR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineCRV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &Limits, &ParameterLimitsTableLV, &TextTableLVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsTableLV, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &ParameterLimitsV, &Limits, &ParameterLimitsTableLV, &WindowTableLVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &TextLineVCR, &Limits, &TextTableLVCR, &ParameterLimitsV, &ParameterLimitsV, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &TextLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &TextLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &WindowLineVCR, &WindowLineVCR, &ParameterLimitsV, &TextLineVCR, &WindowLineVCR, &TextLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &WindowLineVCR, &Limits, &WindowTableLVCR, &WindowLineVCR, &TextLineVCR, }; } // end of namespace AknLayoutScalable_Abrw_pvl_av_vga_lsc_Normal
[ "kirill.dremov@nokia.com" ]
kirill.dremov@nokia.com
5d4d6403a7c8da0032e01423047acbaa37b0f7b4
ccf205644cc2d5c4fd50a48169df8074784b4b1f
/couchbase-sys/libcouchbase/src/search/search_handle.cc
58dde282c4a879389ac7fe93ae3b7dea0cea46ec
[ "LicenseRef-scancode-unknown-license-reference", "Apache-2.0" ]
permissive
jsatka/couchbase-rs
5a133d8d3e31b312360d252aaa3a429c91713071
3c3e4805d1b58f4122894955bad35632feadedd7
refs/heads/master
2023-08-06T08:43:04.467666
2021-10-05T09:41:56
2021-10-05T09:42:31
265,197,346
0
0
Apache-2.0
2020-05-19T09:01:16
2020-05-19T09:01:16
null
UTF-8
C++
false
false
7,114
cc
/* -*- Mode: C; tab-width: 4; c-basic-offset: 4; indent-tabs-mode: nil -*- */ /* * Copyright 2016-2021 Couchbase, 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. */ #include "internal.h" #include "auth-priv.h" #include "http/http-priv.h" #include "search_handle.hh" #include "capi/cmd_http.hh" #define LOGFMT "(NR=%p) " #define LOGID(req) static_cast<const void *>(req) #define LOGARGS(req, lvl) (req)->instance_->settings, "searchh", LCB_LOG_##lvl, __FILE__, __LINE__ #define LOGARGS2(req, lvl) (instance)->settings, "searchh", LCB_LOG_##lvl, __FILE__, __LINE__ static void chunk_callback(lcb_INSTANCE *, int, const lcb_RESPHTTP *resp) { lcb_SEARCH_HANDLE_ *req = nullptr; lcb_resphttp_cookie(resp, reinterpret_cast<void **>(&req)); req->http_response(resp); if (lcb_resphttp_is_final(resp)) { req->invoke_last(); delete req; } else if (req->is_cancelled()) { /* Cancelled. Similar to the block above, except the http request * should remain alive (so we can cancel it later on) */ delete req; } else { req->consume_http_chunk(); } } void lcb_SEARCH_HANDLE_::invoke_row(lcb_RESPSEARCH *resp) { resp->cookie = cookie_; resp->htresp = http_response_; resp->handle = this; if (resp->htresp) { resp->ctx.http_response_code = resp->htresp->ctx.response_code; resp->ctx.endpoint = resp->htresp->ctx.endpoint; resp->ctx.endpoint_len = resp->htresp->ctx.endpoint_len; } resp->ctx.index = index_name_.c_str(); resp->ctx.index_len = index_name_.size(); switch (resp->ctx.http_response_code) { case 500: resp->ctx.rc = LCB_ERR_INTERNAL_SERVER_FAILURE; break; case 401: case 403: resp->ctx.rc = LCB_ERR_AUTHENTICATION_FAILURE; break; } if (callback_) { if (resp->rflags & LCB_RESP_F_FINAL) { Json::Value meta; if (Json::Reader().parse(resp->row, resp->row + resp->nrow, meta)) { const Json::Value &top_error = meta["error"]; if (top_error.isString()) { resp->ctx.has_top_level_error = 1; error_message_ = top_error.asString(); } else { const Json::Value &status = meta["status"]; if (status.isObject()) { const Json::Value &errors = meta["errors"]; if (!errors.isNull()) { error_message_ = Json::FastWriter().write(errors); } } } if (!error_message_.empty()) { resp->ctx.error_message = error_message_.c_str(); resp->ctx.error_message_len = error_message_.size(); if (error_message_.find("QueryBleve parsing") != std::string::npos) { resp->ctx.rc = LCB_ERR_PARSING_FAILURE; } else if (resp->ctx.http_response_code == 400 && error_message_.find("not_found") != std::string::npos) { resp->ctx.rc = LCB_ERR_INDEX_NOT_FOUND; } } } } callback_(instance_, LCB_CALLBACK_SEARCH, resp); } } void lcb_SEARCH_HANDLE_::invoke_last() { lcb_RESPSEARCH resp{}; resp.rflags |= LCB_RESP_F_FINAL; resp.ctx.rc = last_error_; if (parser_) { lcb_IOV meta; parser_->get_postmortem(meta); resp.row = static_cast<const char *>(meta.iov_base); resp.nrow = meta.iov_len; } LCBTRACE_HTTP_FINISH(span_); if (http_request_ != nullptr) { http_request_->span = nullptr; } if (http_request_ != nullptr) { record_http_op_latency(index_name_.c_str(), "search", instance_, http_request_->start); } invoke_row(&resp); clear_callback(); } lcb_SEARCH_HANDLE_::lcb_SEARCH_HANDLE_(lcb_INSTANCE *instance, void *cookie, const lcb_CMDSEARCH *cmd) : lcb::jsparse::Parser::Actions(), parser_(new lcb::jsparse::Parser(lcb::jsparse::Parser::MODE_FTS, this)), cookie_(cookie), callback_(cmd->callback()), instance_(instance) { std::string content_type("application/json"); lcb_CMDHTTP *htcmd; lcb_cmdhttp_create(&htcmd, LCB_HTTP_TYPE_SEARCH); lcb_cmdhttp_method(htcmd, LCB_HTTP_METHOD_POST); lcb_cmdhttp_handle(htcmd, &http_request_); lcb_cmdhttp_content_type(htcmd, content_type.c_str(), content_type.size()); lcb_cmdhttp_streaming(htcmd, true); Json::Value root; if (!Json::Reader().parse(cmd->query(), root)) { last_error_ = LCB_ERR_INVALID_ARGUMENT; return; } const Json::Value &constRoot = root; const Json::Value &j_ixname = constRoot["indexName"]; if (!j_ixname.isString()) { last_error_ = LCB_ERR_INVALID_ARGUMENT; return; } index_name_ = j_ixname.asString(); if (instance_->settings->tracer) { span_ = cmd->parent_span(); } std::string url; url.append("api/index/").append(j_ixname.asCString()).append("/query"); lcb_cmdhttp_path(htcmd, url.c_str(), url.size()); // Making a copy here to ensure that we don't accidentally create a new // 'ctl' field. const Json::Value &ctl = constRoot["value"]; uint32_t timeout = cmd->timeout_or_default_in_microseconds(LCBT_SETTING(instance_, search_timeout)); if (ctl.isObject()) { const Json::Value &tmo = ctl["timeout"]; if (tmo.isNumeric()) { timeout = tmo.asLargestUInt() * 1000; /* ms -> us */ } } else { root["ctl"]["timeout"] = timeout / 1000; /* us -> ms */ } lcb_cmdhttp_timeout(htcmd, timeout); std::string qbody(Json::FastWriter().write(root)); lcb_cmdhttp_body(htcmd, qbody.c_str(), qbody.size()); LCBTRACE_HTTP_START(instance_->settings, nullptr, span_, LCBTRACE_TAG_SERVICE_SEARCH, LCBTRACE_THRESHOLD_SEARCH, span_); lcb_cmdhttp_parent_span(htcmd, span_); last_error_ = lcb_http(instance_, this, htcmd); lcb_cmdhttp_destroy(htcmd); if (last_error_ == LCB_SUCCESS) { http_request_->set_callback(reinterpret_cast<lcb_RESPCALLBACK>(chunk_callback)); } } lcb_SEARCH_HANDLE_::~lcb_SEARCH_HANDLE_() { invoke_last(); if (http_request_ != nullptr) { lcb_http_cancel(instance_, http_request_); http_request_ = nullptr; } if (parser_ != nullptr) { delete parser_; parser_ = nullptr; } }
[ "chvckd@gmail.com" ]
chvckd@gmail.com
077bf27c6bde6f1ed866d46498e59f9bbb0bc183
06bed8ad5fd60e5bba6297e9870a264bfa91a71d
/Tables/reporterwidget.h
4727a01d2c82a94f2c4cea3c4fd1b9abfdaf579f
[]
no_license
allenck/DecoderPro_app
43aeb9561fe3fe9753684f7d6d76146097d78e88
226c7f245aeb6951528d970f773776d50ae2c1dc
refs/heads/master
2023-05-12T07:36:18.153909
2023-05-10T21:17:40
2023-05-10T21:17:40
61,044,197
4
3
null
null
null
null
UTF-8
C++
false
false
906
h
#ifndef REPORTERWIDGET_H #define REPORTERWIDGET_H #include <QWidget> #include "reportermanager.h" #include "abstractreportermanager.h" #include "proxyreportermanager.h" #include <QSignalMapper> #include "abstractnamedbean.h" namespace Ui { class ReporterWidget; } class ReporterWidget : public QWidget { Q_OBJECT public: explicit ReporterWidget(QWidget *parent = 0); ~ReporterWidget(); private: Ui::ReporterWidget *ui; ProxyReporterManager* mgr; QVector<Reporter*> rows; void updateRow(int row, Reporter* r); QSignalMapper* deleteMapper; private slots: void on_propertyChange(Reporter*,QString,QVariant,QVariant); void on_propertyChange(AbstractNamedBean* bean, QString o, QString n); void on_newReporterCreated(AbstractReporterManager*,Reporter*); void on_btnAdd_clicked(); void on_deleteMapper_signaled(int); }; #endif // REPORTERWIDGET_H
[ "allenck@windstream.net" ]
allenck@windstream.net
d83b6a1bc1a9c7819f16160caa3ea16afc689cfc
03ead98a2978f26f2bf97c95e57b1a632c26e692
/BondEngine/MainMenu.hpp
fee2475b1e77a343bc25d76ea712d25a1b946cdc
[ "MIT" ]
permissive
mr-freeman/BondEngine
6183026b5f20af933123039987639b252efd6777
5c05a33f21368685de281ddb08723a05203473c9
refs/heads/master
2022-11-16T11:06:37.727791
2020-07-14T21:36:37
2020-07-14T21:36:37
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,587
hpp
// Copyright ⓒ 2020 Valentyn Bondarenko. All rights reserved. #pragma once #include <GUISystem.hpp> #include <Sound2D.hpp> #include <Texture.hpp> #include <VertexBuffer.hpp> #include <IndexBuffer.hpp> namespace be::game { // One of three major game states. class MainMenu { public: MainMenu() : sound{ std::make_unique<sound::Sound2D>("mm\\main_theme") } { sound->setLoop(true); } ~MainMenu() = default; MainMenu(const MainMenu&) = delete; MainMenu(MainMenu&&) = delete; MainMenu operator=(const MainMenu&) = delete; MainMenu operator=(MainMenu&&) = delete; public: struct Branch { void initializeBuffers(int positionX, int positionY) { Diligent::Uint32 Indices[] = { 0, 1, 2, 3, 4, 5 }; // index_buffer->create(rend, Indices, sizeof(Indices)); using namespace math; auto m_screenWidth = 1366; auto m_screenHeight = 768; auto m_bitmapWidth = 512; auto m_bitmapHeight = 512; // Calculate the screen coordinates of the left side of the bitmap. auto left = static_cast<float>((m_screenWidth / 2) * -1) + (float)positionX; // Calculate the screen coordinates of the right side of the bitmap. auto right = left + static_cast<decltype(left)>(m_bitmapWidth); // Calculate the screen coordinates of the top of the bitmap. auto top = (float)(m_screenHeight / 2) - (float)positionY; // Calculate the screen coordinates of the bottom of the bitmap. auto bottom = top - (float)m_bitmapHeight; /* render::utils::Vertex CubeVerts[] = { float3(left, top, 0.0f), float2(0.0f, 0.0f), // Top left. float3(right, bottom, 0.0f), float2(1.0f, 1.0f), // Bottom right. float3(left, bottom, 0.0f), float2(0.0f, 1.0f), // Bottom left. float3(left, top, 0.0f), float2(0.0f, 0.0f), // Top left. float3(right, top, 0.0f), float2(1.0f, 0.0f), // Top right. float3(right, bottom, 0.0f), float2(1.0f, 1.0f) // Bottom right. }; // vertex_buffer->create(rend, CubeVerts, sizeof(CubeVerts)); */ } void render(); // buttons unique_ptr<Texture> texture; unique_ptr<render::utils::VertexBuffer> vertex_buffer; unique_ptr<render::utils::IndexBuffer> index_buffer; }; public: void render_ui(); const unique_ptr<sound::Sound2D>& getSound() { return sound; } const bool& getNewGamePressed() const { return new_game_pressed; } const bool& getExitPressed() const { return execute_exit; } private: unique_ptr<sound::Sound2D> sound; bool new_game_pressed = false; bool load_game_pressed = false; bool settings_pressed = false; bool exit_pressed = false; bool ep = false; bool execute_exit = false; float button_count = 4.f + 2.f; float button_size = 30.f; Branch main; Branch difficulty; Branch settings; }; }
[ "noreply@github.com" ]
noreply@github.com
978305298b2c91ae64ec13e9f89b2229c34dd188
8cf9b251e0f4a23a6ef979c33ee96ff4bdb829ab
/src-ginga-editing/ncl30-generator-cpp/src/CausalConnectorGenerator.cpp
7913769cdb001902c930abccf95743fc73ce3fb8
[]
no_license
BrunoSSts/ginga-wac
7436a9815427a74032c9d58028394ccaac45cbf9
ea4c5ab349b971bd7f4f2b0940f2f595e6475d6c
refs/heads/master
2020-05-20T22:21:33.645904
2011-10-17T12:34:32
2011-10-17T12:34:32
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,773
cpp
/****************************************************************************** Este arquivo eh parte da implementacao do ambiente declarativo do middleware Ginga (Ginga-NCL). Copyright (C) 2009 UFSCar/Lince, Todos os Direitos Reservados. Este programa eh software livre; voce pode redistribui-lo e/ou modificah-lo sob os termos da Licenca Publica Geral GNU versao 2 conforme publicada pela Free Software Foundation. Este programa eh distribuido na expectativa de que seja util, porem, SEM NENHUMA GARANTIA; nem mesmo a garantia implicita de COMERCIABILIDADE OU ADEQUACAO A UMA FINALIDADE ESPECIFICA. Consulte a Licenca Publica Geral do GNU versao 2 para mais detalhes. Voce deve ter recebido uma copia da Licenca Publica Geral do GNU versao 2 junto com este programa; se nao, escreva para a Free Software Foundation, Inc., no endereco 59 Temple Street, Suite 330, Boston, MA 02111-1307 USA. Para maiores informacoes: lince@dc.ufscar.br http://www.ncl.org.br http://www.ginga.org.br http://lince.dc.ufscar.br ****************************************************************************** This file is part of the declarative environment of middleware Ginga (Ginga-NCL) Copyright (C) 2009 UFSCar/Lince, Todos os Direitos Reservados. This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License version 2 as published by the Free Software Foundation. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License version 2 for more details. You should have received a copy of the GNU General Public License version 2 along with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA For further information contact: lince@dc.ufscar.br http://www.ncl.org.br http://www.ginga.org.br http://lince.dc.ufscar.br *******************************************************************************/ /** * @file CausalConnectorGenerator.cpp * @author Caio Viel * @date 29-01-10 */ #include "../include/CausalConnectorGenerator.h" namespace br { namespace ufscar { namespace lince { namespace ncl { namespace generate { string CausalConnectorGenerator::generateCode() { string ret = "<causalConnector id=\"" + this->getId() + "\">\n"; vector<Parameter*>* parameters = this->getParameters(); if (parameters != NULL) { vector<Parameter*>::iterator paramIt; paramIt = parameters->begin(); while (paramIt != parameters->end()) { ParameterGenerator* paramGen = static_cast<ParameterGenerator*>(*paramIt); ret += paramGen->generateCode("connectorParam", "type") + "\n"; paramIt++; } } ConditionExpression* condition = this->getConditionExpression(); if (condition != NULL) { if (condition->instanceOf("SimpleCondition")) { ret+= static_cast<SimpleConditionGenerator*>(condition)->generateCode() + "\n"; } else if (condition->instanceOf("CompoundCondition")) { ret+= static_cast<CompoundConditionGenerator*>(condition)->generateCode() + "\n"; } } Action* action = this->getAction(); if (action != NULL) { if (action->instanceOf("SimpleAction")) { ret+= static_cast<SimpleActionGenerator*>(action)->generateCode() + "\n"; } else if (action->instanceOf("CompoundAction")) { ret+= static_cast<CompoundActionGenerator*>(action)->generateCode() + "\n"; } } ret+= "</causalConnector>"; return ret; } } } } } }
[ "erickmelo@gmail.com" ]
erickmelo@gmail.com
7dc5b30231edf535e358ac2fe2b7f6991f7de6ef
91a882547e393d4c4946a6c2c99186b5f72122dd
/Source/XPSP1/NT/printscan/wia/inc/cstring.h
5ec1707b38944fa3a36b328f39a383b2750ad436
[]
no_license
IAmAnubhavSaini/cryptoAlgorithm-nt5src
94f9b46f101b983954ac6e453d0cf8d02aa76fc7
d9e1cdeec650b9d6d3ce63f9f0abe50dabfaf9e2
refs/heads/master
2023-09-02T10:14:14.795579
2021-11-20T13:47:06
2021-11-20T13:47:06
null
0
0
null
null
null
null
UTF-8
C++
false
false
11,478
h
/*++ Copyright (c) 1997 Microsoft Corporation Module Name: cstring.h Abstract: Extracted from MFC Author: Revision History: --*/ #ifndef _CSTRING_H_ #define _CSTRING_H_ # include <ctype.h> # include <tchar.h> #include <stidebug.h> #define _AFX_NO_BSTR_SUPPORT 1 #define AFX_CDECL CDECL #define AFXAPI WINAPI #define AFX_DATA #define AFX_DATADEF #define DEBUG_NEW new #define TRACE1(s,x) DPRINTF(DM_TRACE,s,x) #define VERIFY REQUIRE #define _AFX_INLINE inline BOOL AfxIsValidString( LPCWSTR lpsz, int nLength ) ; BOOL AfxIsValidString( LPCSTR lpsz, int nLength ) ; BOOL AfxIsValidAddress( const void* lp, UINT nBytes, BOOL bReadWrite ); ///////////////////////////////////////////////////////////////////////////// // Strings #ifndef _OLEAUTO_H_ #ifdef OLE2ANSI typedef LPSTR BSTR; #else typedef LPWSTR BSTR;// must (semantically) match typedef in oleauto.h #endif #endif struct CStringData { long nRefs; // reference count int nDataLength; int nAllocLength; // TCHAR data[nAllocLength] TCHAR* data() { return (TCHAR*)(this+1); } }; class CString { public: // Constructors CString(); CString(const CString& stringSrc); CString(TCHAR ch, int nRepeat = 1); CString(LPCSTR lpsz); CString(LPCWSTR lpsz); CString(LPCTSTR lpch, int nLength); CString(const unsigned char* psz); // Attributes & Operations // as an array of characters int GetLength() const; BOOL IsEmpty() const; void Empty(); // free up the data TCHAR GetAt(int nIndex) const; // 0 based TCHAR operator[](int nIndex) const; // same as GetAt void SetAt(int nIndex, TCHAR ch); operator LPCTSTR() const; // as a C string // overloaded assignment const CString& operator=(const CString& stringSrc); const CString& operator=(TCHAR ch); #ifdef _UNICODE const CString& operator=(char ch); #endif const CString& operator=(LPCSTR lpsz); const CString& operator=(LPCWSTR lpsz); const CString& operator=(const unsigned char* psz); // string concatenation const CString& operator+=(const CString& string); const CString& operator+=(TCHAR ch); #ifdef _UNICODE const CString& operator+=(char ch); #endif const CString& operator+=(LPCTSTR lpsz); friend CString AFXAPI operator+(const CString& string1, const CString& string2); friend CString AFXAPI operator+(const CString& string, TCHAR ch); friend CString AFXAPI operator+(TCHAR ch, const CString& string); #ifdef _UNICODE friend CString AFXAPI operator+(const CString& string, char ch); friend CString AFXAPI operator+(char ch, const CString& string); #endif friend CString AFXAPI operator+(const CString& string, LPCTSTR lpsz); friend CString AFXAPI operator+(LPCTSTR lpsz, const CString& string); // string comparison int Compare(LPCTSTR lpsz) const; // straight character int CompareNoCase(LPCTSTR lpsz) const; // ignore case int Collate(LPCTSTR lpsz) const; // NLS aware // simple sub-string extraction CString Mid(int nFirst, int nCount) const; CString Mid(int nFirst) const; CString Left(int nCount) const; CString Right(int nCount) const; CString SpanIncluding(LPCTSTR lpszCharSet) const; CString SpanExcluding(LPCTSTR lpszCharSet) const; // upper/lower/reverse conversion void MakeUpper(); void MakeLower(); void MakeReverse(); // trimming whitespace (either side) void TrimRight(); void TrimLeft(); // searching (return starting index, or -1 if not found) // look for a single character match int Find(TCHAR ch) const; // like "C" strchr int ReverseFind(TCHAR ch) const; int FindOneOf(LPCTSTR lpszCharSet) const; // look for a specific sub-string int Find(LPCTSTR lpszSub) const; // like "C" strstr // simple formatting void AFX_CDECL Format(LPCTSTR lpszFormat, ...); void AFX_CDECL Format(UINT nFormatID, ...); // formatting for localization (uses FormatMessage API) void AFX_CDECL FormatMessage(LPCTSTR lpszFormat, ...); void AFX_CDECL FormatMessage(UINT nFormatID, ...); // input and output //friend CArchive& AFXAPI operator<<(CArchive& ar, const CString& string); //friend CArchive& AFXAPI operator>>(CArchive& ar, CString& string); // Windows support BOOL LoadString(UINT nID); // load from string resource // 255 chars max #ifndef _UNICODE // ANSI <-> OEM support (convert string in place) void AnsiToOem(); void OemToAnsi(); #endif #ifndef _AFX_NO_BSTR_SUPPORT // OLE BSTR support (use for OLE automation) BSTR AllocSysString() const; BSTR SetSysString(BSTR* pbstr) const; #endif // Access to string implementation buffer as "C" character array LPTSTR GetBuffer(int nMinBufLength); void ReleaseBuffer(int nNewLength = -1); LPTSTR GetBufferSetLength(int nNewLength); void FreeExtra(); // Use LockBuffer/UnlockBuffer to turn refcounting off LPTSTR LockBuffer(); void UnlockBuffer(); // Implementation public: ~CString(); int GetAllocLength() const; protected: LPTSTR m_pchData; // pointer to ref counted string data // implementation helpers CStringData* GetData() const; void Init(); void AllocCopy(CString& dest, int nCopyLen, int nCopyIndex, int nExtraLen) const; void AllocBuffer(int nLen); void AssignCopy(int nSrcLen, LPCTSTR lpszSrcData); void ConcatCopy(int nSrc1Len, LPCTSTR lpszSrc1Data, int nSrc2Len, LPCTSTR lpszSrc2Data); void ConcatInPlace(int nSrcLen, LPCTSTR lpszSrcData); void FormatV(LPCTSTR lpszFormat, va_list argList); void CopyBeforeWrite(); void AllocBeforeWrite(int nLen); void Release(); static void PASCAL Release(CStringData* pData); static int PASCAL SafeStrlen(LPCTSTR lpsz); }; // Compare helpers bool AFXAPI operator==(const CString& s1, const CString& s2); bool AFXAPI operator==(const CString& s1, LPCTSTR s2); bool AFXAPI operator==(LPCTSTR s1, const CString& s2); bool AFXAPI operator!=(const CString& s1, const CString& s2); bool AFXAPI operator!=(const CString& s1, LPCTSTR s2); bool AFXAPI operator!=(LPCTSTR s1, const CString& s2); bool AFXAPI operator<(const CString& s1, const CString& s2); bool AFXAPI operator<(const CString& s1, LPCTSTR s2); bool AFXAPI operator<(LPCTSTR s1, const CString& s2); bool AFXAPI operator>(const CString& s1, const CString& s2); bool AFXAPI operator>(const CString& s1, LPCTSTR s2); bool AFXAPI operator>(LPCTSTR s1, const CString& s2); bool AFXAPI operator<=(const CString& s1, const CString& s2); bool AFXAPI operator<=(const CString& s1, LPCTSTR s2); bool AFXAPI operator<=(LPCTSTR s1, const CString& s2); bool AFXAPI operator>=(const CString& s1, const CString& s2); bool AFXAPI operator>=(const CString& s1, LPCTSTR s2); bool AFXAPI operator>=(LPCTSTR s1, const CString& s2); // conversion helpers int AFX_CDECL _wcstombsz(char* mbstr, const wchar_t* wcstr, size_t count); int AFX_CDECL _mbstowcsz(wchar_t* wcstr, const char* mbstr, size_t count); // Globals //extern AFX_DATA TCHAR afxChNil; const CString& AFXAPI AfxGetEmptyString(); #define afxEmptyString AfxGetEmptyString() // CString _AFX_INLINE CStringData* CString::GetData() const { ASSERT(m_pchData != NULL); return ((CStringData*)m_pchData)-1; } _AFX_INLINE void CString::Init() { m_pchData = afxEmptyString.m_pchData; } _AFX_INLINE CString::CString(const unsigned char* lpsz) { Init(); *this = (LPCSTR)lpsz; } _AFX_INLINE const CString& CString::operator=(const unsigned char* lpsz) { *this = (LPCSTR)lpsz; return *this; } #ifdef _UNICODE _AFX_INLINE const CString& CString::operator+=(char ch) { *this += (TCHAR)ch; return *this; } _AFX_INLINE const CString& CString::operator=(char ch) { *this = (TCHAR)ch; return *this; } _AFX_INLINE CString AFXAPI operator+(const CString& string, char ch) { return string + (TCHAR)ch; } _AFX_INLINE CString AFXAPI operator+(char ch, const CString& string) { return (TCHAR)ch + string; } #endif _AFX_INLINE int CString::GetLength() const { return GetData()->nDataLength; } _AFX_INLINE int CString::GetAllocLength() const { return GetData()->nAllocLength; } _AFX_INLINE BOOL CString::IsEmpty() const { return GetData()->nDataLength == 0; } _AFX_INLINE CString::operator LPCTSTR() const { return m_pchData; } _AFX_INLINE int PASCAL CString::SafeStrlen(LPCTSTR lpsz) { return (lpsz == NULL) ? 0 : lstrlen(lpsz); } // CString support (windows specific) _AFX_INLINE int CString::Compare(LPCTSTR lpsz) const { return _tcscmp(m_pchData, lpsz); } // MBCS/Unicode aware _AFX_INLINE int CString::CompareNoCase(LPCTSTR lpsz) const { return _tcsicmp(m_pchData, lpsz); } // MBCS/Unicode aware // CString::Collate is often slower than Compare but is MBSC/Unicode // aware as well as locale-sensitive with respect to sort order. _AFX_INLINE int CString::Collate(LPCTSTR lpsz) const { return _tcscoll(m_pchData, lpsz); } // locale sensitive _AFX_INLINE TCHAR CString::GetAt(int nIndex) const { ASSERT(nIndex >= 0); ASSERT(nIndex < GetData()->nDataLength); return m_pchData[nIndex]; } _AFX_INLINE TCHAR CString::operator[](int nIndex) const { // same as GetAt ASSERT(nIndex >= 0); ASSERT(nIndex < GetData()->nDataLength); return m_pchData[nIndex]; } _AFX_INLINE bool AFXAPI operator==(const CString& s1, const CString& s2) { return s1.Compare(s2) == 0; } _AFX_INLINE bool AFXAPI operator==(const CString& s1, LPCTSTR s2) { return s1.Compare(s2) == 0; } _AFX_INLINE bool AFXAPI operator==(LPCTSTR s1, const CString& s2) { return s2.Compare(s1) == 0; } _AFX_INLINE bool AFXAPI operator!=(const CString& s1, const CString& s2) { return s1.Compare(s2) != 0; } _AFX_INLINE bool AFXAPI operator!=(const CString& s1, LPCTSTR s2) { return s1.Compare(s2) != 0; } _AFX_INLINE bool AFXAPI operator!=(LPCTSTR s1, const CString& s2) { return s2.Compare(s1) != 0; } _AFX_INLINE bool AFXAPI operator<(const CString& s1, const CString& s2) { return s1.Compare(s2) < 0; } _AFX_INLINE bool AFXAPI operator<(const CString& s1, LPCTSTR s2) { return s1.Compare(s2) < 0; } _AFX_INLINE bool AFXAPI operator<(LPCTSTR s1, const CString& s2) { return s2.Compare(s1) > 0; } _AFX_INLINE bool AFXAPI operator>(const CString& s1, const CString& s2) { return s1.Compare(s2) > 0; } _AFX_INLINE bool AFXAPI operator>(const CString& s1, LPCTSTR s2) { return s1.Compare(s2) > 0; } _AFX_INLINE bool AFXAPI operator>(LPCTSTR s1, const CString& s2) { return s2.Compare(s1) < 0; } _AFX_INLINE bool AFXAPI operator<=(const CString& s1, const CString& s2) { return s1.Compare(s2) <= 0; } _AFX_INLINE bool AFXAPI operator<=(const CString& s1, LPCTSTR s2) { return s1.Compare(s2) <= 0; } _AFX_INLINE bool AFXAPI operator<=(LPCTSTR s1, const CString& s2) { return s2.Compare(s1) >= 0; } _AFX_INLINE bool AFXAPI operator>=(const CString& s1, const CString& s2) { return s1.Compare(s2) >= 0; } _AFX_INLINE bool AFXAPI operator>=(const CString& s1, LPCTSTR s2) { return s1.Compare(s2) >= 0; } _AFX_INLINE bool AFXAPI operator>=(LPCTSTR s1, const CString& s2) { return s2.Compare(s1) <= 0; } #endif
[ "support@cryptoalgo.cf" ]
support@cryptoalgo.cf
9643c01b228c9a0405c4deae7511691d82c5420a
c9b02ab1612c8b436c1de94069b139137657899b
/sg5/app/data/DataArena.cpp
ef36f0f7ce8d4f60a9176a9dc5b893f847b9264d
[]
no_license
colinblack/game_server
a7ee95ec4e1def0220ab71f5f4501c9a26ab61ab
a7724f93e0be5c43e323972da30e738e5fbef54f
refs/heads/master
2020-03-21T19:25:02.879552
2020-03-01T08:57:07
2020-03-01T08:57:07
138,948,382
1
1
null
null
null
null
UTF-8
C++
false
false
5,101
cpp
#include "DataArena.h" CDataArena::CDataArena() { m_init = false; } int CDataArena::Init(const string &path, semdat sem) { if(m_init) { return 0; } if (path.empty()) { error_log("[init_arena_data_fail][path=%s]", path.c_str()); return R_ERROR; } int semgroup = 0; int semserver = 0; Config::GetDomain(semserver); if(!semserver) Config::GetDB(semserver); int arenaId = ARENA_ID_MIN; for (; arenaId <= ARENA_ID_MAX; arenaId++) { string mapfile = path; if (path[path.length() - 1] != '/') mapfile.append("/"); mapfile.append(CTrans::ITOS(arenaId)).append(".arena"); int index = arenaId - ARENA_ID_MIN; if(!m_sh[index].CreateOrOpen(mapfile.c_str(), sizeof(DataArena), SEM_ID(sem,semgroup,semserver))) { error_log("[init_arena_data_fail][path=%s]", mapfile.c_str()); return R_ERROR; } CAutoLock lock(&(m_sh[index]), true); if(!m_sh[index].HasInit()) { DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); memset(pdata, 0, sizeof(*pdata)); m_sh[index].SetInitDone(); } } m_init = true; return 0; } int CDataArena::GetArena(int arenaId, DataArena &data) { if (!IsValidArenaId(arenaId)) return R_ERR_NO_DATA; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return R_ERR_DB; } CAutoLock lock(&(m_sh[index]), true); if (pdata->challenger != 0 && !IsBeingAttacked(pdata->breathTs)) { pdata->winCount++; pdata->preChallenger = pdata->challenger; pdata->challenger = 0; } memcpy(&data, pdata, sizeof(DataArena)); return 0; } int CDataArena::GetArenaLimit(int arenaId, DataArenaLimit &data) { if (!IsValidArenaId(arenaId)) return R_ERR_NO_DATA; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return R_ERR_DB; } CAutoLock lock(&(m_sh[index]), true); if (pdata->challenger != 0 && !IsBeingAttacked(pdata->breathTs)) { pdata->winCount++; pdata->preChallenger = pdata->challenger; pdata->challenger = 0; } memcpy(&data, pdata, sizeof(DataArenaLimit)); return 0; } int CDataArena::SetArena(int arenaId, const DataArena &data) { if (!IsValidArenaId(arenaId)) return R_ERR_DB; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return R_ERR_DB; } CAutoLock lock(&(m_sh[index]), true); memcpy(pdata, &data, sizeof(DataArena)); return 0; } int CDataArena::SetArenaLimit(int arenaId, const DataArenaLimit &data) { if (!IsValidArenaId(arenaId)) return R_ERR_DB; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return R_ERR_DB; } CAutoLock lock(&(m_sh[index]), true); memcpy(pdata, &data, sizeof(DataArenaLimit)); return 0; } bool CDataArena::EnableChallenge(int arenaId, unsigned challenger, unsigned addPrize, DataArena &data) { if (!IsValidArenaId(arenaId)) return false; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return false; } CAutoLock lock(&(m_sh[index]), true); if (pdata->challenger != 0 && !IsBeingAttacked(pdata->breathTs)) { pdata->winCount++; pdata->preChallenger = pdata->challenger; pdata->challenger = 0; } if (pdata->challenger == 0) { pdata->challenger = challenger; pdata->challengeTs = Time::GetGlobalTime(); pdata->breathTs = Time::GetGlobalTime(); pdata->prizePool += addPrize; memcpy(&data, pdata, sizeof(DataArena)); return true; } return false; } int CDataArena::UpdateWinArena(int arenaId, unsigned host, unsigned level, const string &name, const string &pic, const string &archive, DataArenaLimit &data) { if (!IsValidArenaId(arenaId)) return R_ERR_DB; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return R_ERR_DB; } CAutoLock lock(&(m_sh[index]), true); if (host != pdata->challenger) return R_ERR_REFUSE; memcpy(&data, pdata, sizeof(DataArenaLimit)); pdata->preHost = pdata->host; pdata->preChallenger = pdata->challenger; pdata->prizePool = 0; pdata->challenger = 0; pdata->winCount = 0; pdata->host = host; pdata->level = level; snprintf(pdata->name, sizeof(pdata->name), "%s", name.c_str()); snprintf(pdata->pic, sizeof(pdata->pic), "%s", pic.c_str()); snprintf(pdata->archive, sizeof(pdata->archive), "%s", archive.c_str()); return 0; } int CDataArena::BreathArena(int arenaId, unsigned challenger) { if (!IsValidArenaId(arenaId)) return R_ERR_DB; int index = arenaId - ARENA_ID_MIN; DataArena *pdata = (DataArena *)m_sh[index].GetAddress(); if(pdata == NULL) { error_log("[GetAddress fail][]"); return R_ERR_DB; } CAutoLock lock(&(m_sh[index]), true); if (pdata->challenger == challenger) pdata->breathTs = Time::GetGlobalTime(); return 0; }
[ "178370407@qq.com" ]
178370407@qq.com
0c7479d31ae3cd727d038c0dd9636df0d302439f
ba63b578b421daf3033d1575f8eaa53f5e5c4fd1
/源码/wbxu_Ph2StudManage/Server/Server.cpp
a06bf44e1ea55bab010c309491ccca233d9f951b
[]
no_license
wushenwu/Ph2_StudManage
99861b53496ab29179065f87632be726d7ebbf94
564c1dd1e433f03958aa9621958fb77b663a4d91
refs/heads/master
2021-05-27T12:17:19.009461
2014-10-23T13:45:34
2014-10-23T13:45:34
null
0
0
null
null
null
null
UTF-8
C++
false
false
4,631
cpp
// Server.cpp : Defines the class behaviors for the application. // #include "stdafx.h" #include "Server.h" #include "MainFrm.h" #include "ServerDoc.h" #include "ServerView.h" #include "TblTreeView.h" #ifdef _DEBUG #define new DEBUG_NEW #undef THIS_FILE static char THIS_FILE[] = __FILE__; #endif ///////////////////////////////////////////////////////////////////////////// // CServerApp BEGIN_MESSAGE_MAP(CServerApp, CWinApp) //{{AFX_MSG_MAP(CServerApp) ON_COMMAND(ID_APP_ABOUT, OnAppAbout) // NOTE - the ClassWizard will add and remove mapping macros here. // DO NOT EDIT what you see in these blocks of generated code! //}}AFX_MSG_MAP // Standard file based document commands ON_COMMAND(ID_FILE_NEW, CWinApp::OnFileNew) ON_COMMAND(ID_FILE_OPEN, CWinApp::OnFileOpen) // Standard print setup command ON_COMMAND(ID_FILE_PRINT_SETUP, CWinApp::OnFilePrintSetup) END_MESSAGE_MAP() ///////////////////////////////////////////////////////////////////////////// // CServerApp construction CServerApp::CServerApp() { // TODO: add construction code here, // Place all significant initialization in InitInstance } ///////////////////////////////////////////////////////////////////////////// // The one and only CServerApp object CServerApp theApp; ///////////////////////////////////////////////////////////////////////////// // CServerApp initialization BOOL CServerApp::InitInstance() { AfxEnableControlContainer(); // Standard initialization // If you are not using these features and wish to reduce the size // of your final executable, you should remove from the following // the specific initialization routines you do not need. #ifdef _AFXDLL Enable3dControls(); // Call this when using MFC in a shared DLL #else Enable3dControlsStatic(); // Call this when linking to MFC statically #endif // Change the registry key under which our settings are stored. // TODO: You should modify this string to be something appropriate // such as the name of your company or organization. SetRegistryKey(_T("Local AppWizard-Generated Applications")); LoadStdProfileSettings(); // Load standard INI file options (including MRU) // Register the application's document templates. Document templates // serve as the connection between documents, frame windows and views. CSingleDocTemplate* pDocTemplate; pDocTemplate = new CSingleDocTemplate( IDR_MAINFRAME, RUNTIME_CLASS(CServerDoc), RUNTIME_CLASS(CMainFrame), // main SDI frame window RUNTIME_CLASS(CServerView)); AddDocTemplate(pDocTemplate); // Parse command line for standard shell commands, DDE, file open CCommandLineInfo cmdInfo; ParseCommandLine(cmdInfo); // Dispatch commands specified on the command line if (!ProcessShellCommand(cmdInfo)) return FALSE; // The one and only window has been initialized, so show and update it. m_pMainWnd->ShowWindow(SW_SHOW); m_pMainWnd->UpdateWindow(); // Change the title m_pMainWnd->SetWindowText("Server"); CMainFrame *pMainFrame = reinterpret_cast<CMainFrame*>(m_pMainWnd); //DataBase Releated if (!pMainFrame->m_DataBase.ConnectDB()) { return FALSE; } if (!pMainFrame->m_DataBase.CreateConnectionPool()) { return FALSE; } #if 0 //UI Releated CTblTreeView* pTblTreeView = reinterpret_cast<CTblTreeView*>(pMainFrame->m_SplitterWnd2.GetPane(0,0)); if (pTblTreeView) { pTblTreeView->LoadTblTree(); } #endif return TRUE; } ///////////////////////////////////////////////////////////////////////////// // CAboutDlg dialog used for App About class CAboutDlg : public CDialog { public: CAboutDlg(); // Dialog Data //{{AFX_DATA(CAboutDlg) enum { IDD = IDD_ABOUTBOX }; //}}AFX_DATA // ClassWizard generated virtual function overrides //{{AFX_VIRTUAL(CAboutDlg) protected: virtual void DoDataExchange(CDataExchange* pDX); // DDX/DDV support //}}AFX_VIRTUAL // Implementation protected: //{{AFX_MSG(CAboutDlg) // No message handlers //}}AFX_MSG DECLARE_MESSAGE_MAP() }; CAboutDlg::CAboutDlg() : CDialog(CAboutDlg::IDD) { //{{AFX_DATA_INIT(CAboutDlg) //}}AFX_DATA_INIT } void CAboutDlg::DoDataExchange(CDataExchange* pDX) { CDialog::DoDataExchange(pDX); //{{AFX_DATA_MAP(CAboutDlg) //}}AFX_DATA_MAP } BEGIN_MESSAGE_MAP(CAboutDlg, CDialog) //{{AFX_MSG_MAP(CAboutDlg) // No message handlers //}}AFX_MSG_MAP END_MESSAGE_MAP() // App command to run the dialog void CServerApp::OnAppAbout() { CAboutDlg aboutDlg; aboutDlg.DoModal(); } ///////////////////////////////////////////////////////////////////////////// // CServerApp message handlers
[ "xuwenbo_outlook@outlook.com" ]
xuwenbo_outlook@outlook.com
c13799275fba5a120de89f03f4030082b149464c
6f326efb250a565ecde470104cc3807222a610b1
/Balanta/Unit8.cpp
7a2d464cbc83268567928668b90d40b9ce337171
[]
no_license
spartan2015/borland
64eeecc5f07e381657255cf3bc39255ca6a06365
8b9b739c9fefb28a4dde83b2f0ac3570a0b2f5cc
refs/heads/master
2020-03-23T19:12:19.456654
2018-07-23T04:15:30
2018-07-23T04:15:30
141,960,126
0
0
null
null
null
null
UTF-8
C++
false
false
5,832
cpp
//--------------------------------------------------------------------------- #include <vcl.h> #pragma hdrstop #include "Unit8.h" #include "Unit2.h" #include "Unit1.h" #include "Unit9.h" //--------------------------------------------------------------------------- #pragma package(smart_init) #pragma resource "*.dfm" Tfisasah *fisasah; //--------------------------------------------------------------------------- __fastcall Tfisasah::Tfisasah(TComponent* Owner) : TForm(Owner) { } //--------------------------------------------------------------------------- void __fastcall Tfisasah::Edit1Change(TObject *Sender) { if (Edit1->Text!="") { dm1->Table1->Filtered=true; dm1->Table1->Filter="an='"+Edit1->Text+"'"; } else dm1->Table1->Filtered=false; } //--------------------------------------------------------------------------- void __fastcall Tfisasah::adaugaExecute(TObject *Sender) { lista->Items->Add(dm1->Table1an->AsString+" "+dm1->Table1luna->AsString); } //--------------------------------------------------------------------------- void __fastcall Tfisasah::stergeExecute(TObject *Sender) { for (int i=0; i<lista->Items->Count; i++) if (lista->Selected[i]) lista->Items->Delete(i); } //--------------------------------------------------------------------------- void __fastcall Tfisasah::exitExecute(TObject *Sender) { Main->Show(); Close(); } //--------------------------------------------------------------------------- void __fastcall Tfisasah::adaugatotExecute(TObject *Sender) { dm1->Table1->First(); for (int i=0;i<dm1->Table1->RecordCount; i++){ lista->Items->Add(dm1->Table1an->AsString+" "+dm1->Table1luna->AsString); dm1->Table1->Next(); } } //--------------------------------------------------------------------------- void __fastcall Tfisasah::stergetotExecute(TObject *Sender) { lista->Clear(); } //--------------------------------------------------------------------------- void __fastcall Tfisasah::fisasahExecute(TObject *Sender) { TLocateOptions locate; locate <<loCaseInsensitive; TReplaceFlags Flags; Flags <<rfReplaceAll; int index; AnsiString an,luna; dm1->sah->Open(); dm1->Table2->DatabaseName="data\\"+StringReplace(dm1->Table7Nume_firma->AsString," ","z",Flags)+"\\"; if (Edit2->Text!="121"){ for (int i=0; i<lista->Items->Count; i++){ index=lista->Items->Strings[i].Pos(" "); an=lista->Items->Strings[i].SubString(1,index-1); luna=lista->Items->Strings[i].SubString(index+1,lista->Items->Strings[i].Length()); dm1->Table2->TableName="j"+an+luna; dm1->Table2->Open(); dm1->Table2->Filtered=true; dm1->Table2->Filter="Simbol_credit='"+Edit2->Text+"'"; if (dm1->Table2->RecordCount!=0){ dm1->Table2->First(); for (int c=0;c<dm1->Table2->RecordCount;c++){ dm1->sah->Append(); dm1->sahan->AsString=an; dm1->sahluna->AsString=luna; dm1->sahdb->AsString="debit"; dm1->sahcont->AsString=dm1->Table2Simbol_debit->AsString; dm1->sahsuma->AsFloat=dm1->Table2Sume_debit->AsFloat; dm1->sah->Post(); dm1->Table2->Next(); } } dm1->Table2->Filter="Simbol_debit='"+Edit2->Text+"'"; if (dm1->Table2->RecordCount!=0){ dm1->Table2->First(); for (int d=0; d<dm1->Table2->RecordCount; d++){ dm1->sah->Append(); dm1->sahan->AsString=an; dm1->sahluna->AsString=luna; dm1->sahdb->AsString="credit"; dm1->sahcont->AsString=dm1->Table2Simbol_credit->AsString; dm1->sahsuma->AsFloat=dm1->Table2Sume_credit->AsFloat; dm1->sah->Post(); dm1->Table2->Next(); } } dm1->Table2->Close(); } } if (Edit2->Text=="121"){ for (int i=0; i<lista->Items->Count; i++){ index=lista->Items->Strings[i].Pos(" "); an=lista->Items->Strings[i].SubString(1,index-1); luna=lista->Items->Strings[i].SubString(index+1,lista->Items->Strings[i].Length()); dm1->Table2->TableName="j"+an+luna; dm1->Table2->Open(); dm1->Table2->Filtered=true; dm1->Table2->Filter="Simbol_credit='7*'"; // ShowMessage("simbol credit: "+IntToStr(dm1->Table2->RecordCount)); if (dm1->Table2->RecordCount!=0){ dm1->Table2->First(); for (int c=0;c<dm1->Table2->RecordCount;c++){ dm1->sah->Append(); dm1->sahan->AsString=an; dm1->sahluna->AsString=luna; dm1->sahdb->AsString="debit"; dm1->sahcont->AsString=dm1->Table2Simbol_credit->AsString; dm1->sahsuma->AsFloat=dm1->Table2Sume_credit->AsFloat; dm1->sah->Post(); dm1->Table2->Next(); } } dm1->Table2->Filter="Simbol_debit='6*'"; // ShowMessage("simbol debit: "+IntToStr(dm1->Table2->RecordCount)); if (dm1->Table2->RecordCount!=0){ dm1->Table2->First(); for (int d=0; d<dm1->Table2->RecordCount; d++){ dm1->sah->Append(); dm1->sahan->AsString=an; dm1->sahluna->AsString=luna; dm1->sahdb->AsString="credit"; dm1->sahcont->AsString=dm1->Table2Simbol_debit->AsString; dm1->sahsuma->AsFloat=dm1->Table2Sume_debit->AsFloat; dm1->sah->Post(); dm1->Table2->Next(); } } dm1->Table2->Close(); } } sah->QRLabel3->Caption=Edit2->Text; sah->QuickRep1->Preview(); dm1->sah->Close(); dm1->sah->Exclusive=true; dm1->sah->Active=true; dm1->sah->EmptyTable(); //==== dm1->Table2->Filtered=false; } //---------------------------------------------------------------------------
[ "doc.mseco@gmail.com" ]
doc.mseco@gmail.com
231a1ecf43cf7f63e2932d54110471fa5f71d06a
6b8e1838e5c07e8ec60adfc029d1d01f1a4add0d
/Source/WebKit2/NetworkProcess/webrtc/LibWebRTCSocketClient.cpp
3618fd67a8ec3bda2dc079780a5c3b615fb4da9c
[]
no_license
CheckRan/webkit
84d12df62ff10ff225d9cb5971ef854fe3a731b4
c547c111162fe8eb2805f0138ca845c944da1850
refs/heads/master
2023-03-18T02:23:30.777530
2017-06-30T07:34:01
2017-06-30T07:34:01
95,863,134
1
0
null
2017-06-30T07:45:15
2017-06-30T07:45:15
null
UTF-8
C++
false
false
6,445
cpp
/* * Copyright (C) 2017 Apple 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: * 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. * * THIS SOFTWARE IS PROVIDED BY APPLE INC. AND ITS 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 APPLE INC. OR ITS 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 "config.h" #include "LibWebRTCSocketClient.h" #if USE(LIBWEBRTC) #include "Connection.h" #include "DataReference.h" #include "NetworkRTCProvider.h" #include "WebRTCSocketMessages.h" #include <WebCore/SharedBuffer.h> #include <wtf/Function.h> namespace WebKit { LibWebRTCSocketClient::LibWebRTCSocketClient(uint64_t identifier, NetworkRTCProvider& rtcProvider, std::unique_ptr<rtc::AsyncPacketSocket>&& socket, Type type) : m_identifier(identifier) , m_rtcProvider(rtcProvider) , m_socket(WTFMove(socket)) { ASSERT(m_socket); m_socket->SignalReadPacket.connect(this, &LibWebRTCSocketClient::signalReadPacket); m_socket->SignalSentPacket.connect(this, &LibWebRTCSocketClient::signalSentPacket); m_socket->SignalClose.connect(this, &LibWebRTCSocketClient::signalClose); switch (type) { case Type::ServerConnectionTCP: return; case Type::ClientTCP: m_socket->SignalConnect.connect(this, &LibWebRTCSocketClient::signalConnect); m_socket->SignalAddressReady.connect(this, &LibWebRTCSocketClient::signalAddressReady); return; case Type::ServerTCP: m_socket->SignalConnect.connect(this, &LibWebRTCSocketClient::signalConnect); m_socket->SignalNewConnection.connect(this, &LibWebRTCSocketClient::signalNewConnection); signalAddressReady(); return; case Type::UDP: m_socket->SignalConnect.connect(this, &LibWebRTCSocketClient::signalConnect); signalAddressReady(); return; } } void LibWebRTCSocketClient::sendTo(const WebCore::SharedBuffer& buffer, const rtc::SocketAddress& socketAddress, const rtc::PacketOptions& options) { m_socket->SendTo(reinterpret_cast<const uint8_t*>(buffer.data()), buffer.size(), socketAddress, options); } void LibWebRTCSocketClient::close() { ASSERT(m_socket); m_socket->Close(); m_rtcProvider.takeSocket(m_identifier); } void LibWebRTCSocketClient::setOption(int option, int value) { ASSERT(m_socket); m_socket->SetOption(static_cast<rtc::Socket::Option>(option), value); } void LibWebRTCSocketClient::signalReadPacket(rtc::AsyncPacketSocket* socket, const char* value, size_t length, const rtc::SocketAddress& address, const rtc::PacketTime& packetTime) { ASSERT_UNUSED(socket, m_socket.get() == socket); auto buffer = WebCore::SharedBuffer::create(value, length); m_rtcProvider.sendFromMainThread([identifier = m_identifier, buffer = WTFMove(buffer), address = RTCNetwork::isolatedCopy(address), packetTime](IPC::Connection& connection) { IPC::DataReference data(reinterpret_cast<const uint8_t*>(buffer->data()), buffer->size()); connection.send(Messages::WebRTCSocket::SignalReadPacket(data, RTCNetwork::IPAddress(address.ipaddr()), address.port(), packetTime.timestamp), identifier); }); } void LibWebRTCSocketClient::signalSentPacket(rtc::AsyncPacketSocket* socket, const rtc::SentPacket& sentPacket) { ASSERT_UNUSED(socket, m_socket.get() == socket); m_rtcProvider.sendFromMainThread([identifier = m_identifier, sentPacket](IPC::Connection& connection) { connection.send(Messages::WebRTCSocket::SignalSentPacket(sentPacket.packet_id, sentPacket.send_time_ms), identifier); }); } void LibWebRTCSocketClient::signalNewConnection(rtc::AsyncPacketSocket* socket, rtc::AsyncPacketSocket* newSocket) { ASSERT_UNUSED(socket, m_socket.get() == socket); m_rtcProvider.newConnection(*this, std::unique_ptr<rtc::AsyncPacketSocket>(newSocket)); } void LibWebRTCSocketClient::signalAddressReady(rtc::AsyncPacketSocket* socket, const rtc::SocketAddress& address) { ASSERT_UNUSED(socket, m_socket.get() == socket); m_rtcProvider.sendFromMainThread([identifier = m_identifier, address = RTCNetwork::isolatedCopy(address)](IPC::Connection& connection) { connection.send(Messages::WebRTCSocket::SignalAddressReady(RTCNetwork::SocketAddress(address)), identifier); }); } void LibWebRTCSocketClient::signalAddressReady() { signalAddressReady(m_socket.get(), m_socket->GetLocalAddress()); } void LibWebRTCSocketClient::signalConnect(rtc::AsyncPacketSocket* socket) { ASSERT_UNUSED(socket, m_socket.get() == socket); m_rtcProvider.sendFromMainThread([identifier = m_identifier](IPC::Connection& connection) { connection.send(Messages::WebRTCSocket::SignalConnect(), identifier); }); } void LibWebRTCSocketClient::signalClose(rtc::AsyncPacketSocket* socket, int error) { ASSERT_UNUSED(socket, m_socket.get() == socket); m_rtcProvider.sendFromMainThread([identifier = m_identifier, error](IPC::Connection& connection) { connection.send(Messages::WebRTCSocket::SignalClose(error), identifier); }); // We want to remove 'this' from the socket map now but we will destroy it asynchronously // so that the socket parameter of signalClose remains alive as the caller of signalClose may actually being using it afterwards. m_rtcProvider.callOnRTCNetworkThread([socket = m_rtcProvider.takeSocket(m_identifier)] { }); } } // namespace WebKit #endif // USE(LIBWEBRTC)
[ "commit-queue@webkit.org@268f45cc-cd09-0410-ab3c-d52691b4dbfc" ]
commit-queue@webkit.org@268f45cc-cd09-0410-ab3c-d52691b4dbfc
128aec5ab71f2937b6e08ce43a1050a4d71e19ad
7570a368244e3eea310e5960d5c3e26b2e633a9a
/work/base.h
1ede397c989b6576ca36288a8f235562b29b34cb
[]
no_license
ishaofeng/CrackingTheCodeInterview
49f20e4f9c75a8e06f369d3a09731821ee63cf3d
b88127565fcc07e1eb92aa2240b07f0432bd1d11
refs/heads/master
2021-01-22T08:30:00.456546
2014-11-24T03:59:35
2014-11-24T03:59:35
null
0
0
null
null
null
null
UTF-8
C++
false
false
119
h
#include <iostream> #include <string> #include <cstring> #include <cstdlib> #include <algorithm> using namespace std;
[ "ishaofeng@foxmail.com" ]
ishaofeng@foxmail.com
c371befb2dc04b0b1dd42412652c0b3e155b1761
019379aca83bb37e691ea306ccbbdf12330b2722
/Ship.h
559e2e0d03c89a6074c0736b4b365391c0644e38
[]
no_license
chrispyfrey/Battleship
a4025f62b0b05161ddeca56803511e54da2f237b
46e621c36f515edae1700f2f7f4bf654e70514ad
refs/heads/main
2023-06-24T07:36:17.644215
2021-07-19T22:06:10
2021-07-19T22:06:10
387,603,631
0
0
null
null
null
null
UTF-8
C++
false
false
1,316
h
// Chris Frey // CSCI 2312-001 // Final Project #ifndef SHIP_ #define SHIP_ class Ship { private: int size; int hits; int yLoc; char xLoc; char boardVal; bool isVertical; bool isSunk; public: Ship() { size = 0, hits = 0, yLoc = 0, xLoc = ' ', boardVal = ' ', isVertical = false, isSunk = false; } // mutators void setSize(const int &_size) { size = _size; } void setHits(const int &_hits) { hits = _hits; } void setYLoc(const int &_yLoc) { yLoc = _yLoc; } void setXLoc(const char &_xLoc) { xLoc = _xLoc; } void setBoardVal(const char &_boardVal) { boardVal = _boardVal;} void setVertical(const char &_hv) { _hv == 'v' ? isVertical = true : isVertical = false; } void setSunk(const bool &_isSunk) { isSunk = _isSunk; } // accessors int getSize() const { return size; } int getHits() const { return hits; } int getYLoc() const { return yLoc; } char getXLoc() const { return xLoc; } char getBoardVal() const { return boardVal; } bool getVertical() const { return isVertical; } bool getSunk() const { return isSunk; } // direct object copy operator overload Ship operator = (const Ship &rhs) { size = rhs.size; hits = rhs.hits; yLoc = rhs.yLoc; xLoc = rhs.xLoc; boardVal = rhs.boardVal; isVertical = rhs.isVertical; isSunk = rhs.isSunk; return *this; } }; #endif
[ "christopher.r.frey1@gmail.com" ]
christopher.r.frey1@gmail.com
45f0612e24070366ba619da5189378ca48690058
21b7d8820a0fbf8350d2d195f711c35ce9865a21
/Preparation for International Women's Day.cpp
32f841db4ede58e49f2a8b59814e819a7ba05255
[]
no_license
HarshitCd/Codeforces-Solutions
16e20619971c08e036bb19186473e3c77b9c4634
d8966129b391875ecf93bc3c03fc7b0832a2a542
refs/heads/master
2022-12-25T22:00:17.077890
2020-10-12T16:18:20
2020-10-12T16:18:20
286,409,002
0
0
null
null
null
null
UTF-8
C++
false
false
485
cpp
#include<bits/stdc++.h> using namespace std; int main(){ int n, k, ans=0; cin>>n>>k; vector<int> v(n); map<int, int> m; for(int i=0; i<n; i++){ cin>>v[i]; m[v[i]%k]++; } //for(auto x: m) cout<<x.first<<"-"<<x.second<<endl; for(int i=1; i<k/2; i++){ ans+=min(m[i], m[k-i]); } ans+=m[0]/2; if(k%2!=0) ans+=min(m[k/2], m[k-k/2]); else ans+=m[k/2]/2; //cout<<int(n/2)<<endl; cout<<2*ans; return 0; }
[ "harshitcd@gmail.com" ]
harshitcd@gmail.com
7458d8fa4dcb2cf9a90c0dfec1595bbdffc39605
78918391a7809832dc486f68b90455c72e95cdda
/boost_lib/boost/log/expressions/formatters/date_time.hpp
cfe9948d031ceb0b9679939feb189cd49bfcc6b4
[ "MIT" ]
permissive
kyx0r/FA_Patcher
50681e3e8bb04745bba44a71b5fd04e1004c3845
3f539686955249004b4483001a9e49e63c4856ff
refs/heads/master
2022-03-28T10:03:28.419352
2020-01-02T09:16:30
2020-01-02T09:16:30
141,066,396
2
0
null
null
null
null
UTF-8
C++
false
false
12,291
hpp
/* * Copyright Andrey Semashev 2007 - 2015. * Distributed under the Boost Software License, Version 1.0. * (See accompanying file LICENSE_1_0.txt or copy at * http://www.boost.org/LICENSE_1_0.txt) */ /*! * \file formatters/date_time.hpp * \author Andrey Semashev * \date 16.09.2012 * * The header contains a formatter function for date and time attribute values. */ #ifndef BOOST_LOG_EXPRESSIONS_FORMATTERS_DATE_TIME_HPP_INCLUDED_ #define BOOST_LOG_EXPRESSIONS_FORMATTERS_DATE_TIME_HPP_INCLUDED_ #include <string> #include <boost/move/core.hpp> #include <boost/move/utility_core.hpp> #include <boost/phoenix/core/actor.hpp> #include <boost/phoenix/core/terminal_fwd.hpp> #include <boost/phoenix/core/is_nullary.hpp> #include <boost/phoenix/core/environment.hpp> #include <boost/fusion/sequence/intrinsic/at_c.hpp> #include <boost/log/detail/config.hpp> #include <boost/log/attributes/attribute_name.hpp> #include <boost/log/attributes/fallback_policy.hpp> #include <boost/log/attributes/value_visitation.hpp> #include <boost/log/detail/light_function.hpp> #include <boost/log/detail/date_time_fmt_gen_traits_fwd.hpp> #include <boost/log/detail/custom_terminal_spec.hpp> #include <boost/log/detail/attr_output_terminal.hpp> #include <boost/log/expressions/attr_fwd.hpp> #include <boost/log/expressions/keyword_fwd.hpp> #include <boost/log/utility/formatting_ostream.hpp> #include <boost/log/utility/functional/bind.hpp> #include <boost/log/detail/header.hpp> #ifdef BOOST_HAS_PRAGMA_ONCE #pragma once #endif namespace boost { BOOST_LOG_OPEN_NAMESPACE namespace expressions { /*! * Date and time formatter terminal. */ template< typename T, typename FallbackPolicyT, typename CharT > class format_date_time_terminal { public: #ifndef BOOST_LOG_DOXYGEN_PASS //! Internal typedef for type categorization typedef void _is_boost_log_terminal; #endif //! Attribute value type typedef T value_type; //! Fallback policy typedef FallbackPolicyT fallback_policy; //! Character type typedef CharT char_type; //! String type typedef std::basic_string< char_type > string_type; //! Formatting stream type typedef basic_formatting_ostream< char_type > stream_type; //! Formatter function typedef boost::log::aux::light_function< void (stream_type&, value_type const&) > formatter_function_type; //! Function result type typedef string_type result_type; private: //! Formatter generator traits typedef aux::date_time_formatter_generator_traits< value_type, char_type > formatter_generator; //! Attribute value visitor invoker typedef value_visitor_invoker< value_type, fallback_policy > visitor_invoker_type; private: //! Attribute name attribute_name m_name; //! Formattr function formatter_function_type m_formatter; //! Attribute value visitor invoker visitor_invoker_type m_visitor_invoker; public: //! Initializing constructor format_date_time_terminal(attribute_name const& name, fallback_policy const& fallback, string_type const& format) : m_name(name), m_formatter(formatter_generator::parse(format)), m_visitor_invoker(fallback) { } //! Copy constructor format_date_time_terminal(format_date_time_terminal const& that) : m_name(that.m_name), m_formatter(that.m_formatter), m_visitor_invoker(that.m_visitor_invoker) { } //! Returns attribute name attribute_name get_name() const { return m_name; } //! Returns fallback policy fallback_policy const& get_fallback_policy() const { return m_visitor_invoker.get_fallback_policy(); } //! Retruns formatter function formatter_function_type const& get_formatter_function() const { return m_formatter; } //! Invokation operator template< typename ContextT > result_type operator() (ContextT const& ctx) { string_type str; stream_type strm(str); m_visitor_invoker(m_name, fusion::at_c< 0 >(phoenix::env(ctx).args()), binder1st< formatter_function_type&, stream_type& >(m_formatter, strm)); strm.flush(); return BOOST_LOG_NRVO_RESULT(str); } //! Invokation operator template< typename ContextT > result_type operator() (ContextT const& ctx) const { string_type str; stream_type strm(str); m_visitor_invoker(m_name, fusion::at_c< 0 >(phoenix::env(ctx).args()), binder1st< formatter_function_type const&, stream_type& >(m_formatter, strm)); strm.flush(); return BOOST_LOG_NRVO_RESULT(str); } BOOST_DELETED_FUNCTION(format_date_time_terminal()) }; /*! * Date and time formatter actor. */ template< typename T, typename FallbackPolicyT, typename CharT, template< typename > class ActorT = phoenix::actor > class format_date_time_actor : public ActorT< format_date_time_terminal< T, FallbackPolicyT, CharT > > { public: //! Attribute value type typedef T value_type; //! Character type typedef CharT char_type; //! Fallback policy typedef FallbackPolicyT fallback_policy; //! Base terminal type typedef format_date_time_terminal< value_type, fallback_policy, char_type > terminal_type; //! Formatter function typedef typename terminal_type::formatter_function_type formatter_function_type; //! Base actor type typedef ActorT< terminal_type > base_type; public: //! Initializing constructor explicit format_date_time_actor(base_type const& act) : base_type(act) { } /*! * \returns The attribute name */ attribute_name get_name() const { return this->proto_expr_.child0.get_name(); } /*! * \returns Fallback policy */ fallback_policy const& get_fallback_policy() const { return this->proto_expr_.child0.get_fallback_policy(); } /*! * \returns Formatter function */ formatter_function_type const& get_formatter_function() const { return this->proto_expr_.child0.get_formatter_function(); } }; #ifndef BOOST_LOG_DOXYGEN_PASS #define BOOST_LOG_AUX_OVERLOAD(left_ref, right_ref)\ template< typename LeftExprT, typename T, typename FallbackPolicyT, typename CharT >\ BOOST_FORCEINLINE phoenix::actor< aux::attribute_output_terminal< phoenix::actor< LeftExprT >, T, FallbackPolicyT, typename format_date_time_actor< T, FallbackPolicyT, CharT >::formatter_function_type > >\ operator<< (phoenix::actor< LeftExprT > left_ref left, format_date_time_actor< T, FallbackPolicyT, CharT > right_ref right)\ {\ typedef aux::attribute_output_terminal< phoenix::actor< LeftExprT >, T, FallbackPolicyT, typename format_date_time_actor< T, FallbackPolicyT, CharT >::formatter_function_type > terminal_type;\ phoenix::actor< terminal_type > actor = {{ terminal_type(left, right.get_name(), right.get_formatter_function(), right.get_fallback_policy()) }};\ return actor;\ } #include <boost/log/detail/generate_overloads.hpp> #undef BOOST_LOG_AUX_OVERLOAD #endif // BOOST_LOG_DOXYGEN_PASS /*! * The function generates a manipulator node in a template expression. The manipulator must participate in a formatting * expression (stream output or \c format placeholder filler). * * \param name Attribute name * \param format Format string */ template< typename AttributeValueT, typename CharT > BOOST_FORCEINLINE format_date_time_actor< AttributeValueT, fallback_to_none, CharT > format_date_time(attribute_name const& name, const CharT* format) { typedef format_date_time_actor< AttributeValueT, fallback_to_none, CharT > actor_type; typedef typename actor_type::terminal_type terminal_type; typename actor_type::base_type act = {{ terminal_type(name, fallback_to_none(), format) }}; return actor_type(act); } /*! * The function generates a manipulator node in a template expression. The manipulator must participate in a formatting * expression (stream output or \c format placeholder filler). * * \param name Attribute name * \param format Format string */ template< typename AttributeValueT, typename CharT > BOOST_FORCEINLINE format_date_time_actor< AttributeValueT, fallback_to_none, CharT > format_date_time(attribute_name const& name, std::basic_string< CharT > const& format) { typedef format_date_time_actor< AttributeValueT, fallback_to_none, CharT > actor_type; typedef typename actor_type::terminal_type terminal_type; typename actor_type::base_type act = {{ terminal_type(name, fallback_to_none(), format) }}; return actor_type(act); } /*! * The function generates a manipulator node in a template expression. The manipulator must participate in a formatting * expression (stream output or \c format placeholder filler). * * \param keyword Attribute keyword * \param format Format string */ template< typename DescriptorT, template< typename > class ActorT, typename CharT > BOOST_FORCEINLINE format_date_time_actor< typename DescriptorT::value_type, fallback_to_none, CharT, ActorT > format_date_time(attribute_keyword< DescriptorT, ActorT > const& keyword, const CharT* format) { typedef format_date_time_actor< typename DescriptorT::value_type, fallback_to_none, CharT, ActorT > actor_type; typedef typename actor_type::terminal_type terminal_type; typename actor_type::base_type act = {{ terminal_type(keyword.get_name(), fallback_to_none(), format) }}; return actor_type(act); } /*! * The function generates a manipulator node in a template expression. The manipulator must participate in a formatting * expression (stream output or \c format placeholder filler). * * \param keyword Attribute keyword * \param format Format string */ template< typename DescriptorT, template< typename > class ActorT, typename CharT > BOOST_FORCEINLINE format_date_time_actor< typename DescriptorT::value_type, fallback_to_none, CharT, ActorT > format_date_time(attribute_keyword< DescriptorT, ActorT > const& keyword, std::basic_string< CharT > const& format) { typedef format_date_time_actor< typename DescriptorT::value_type, fallback_to_none, CharT, ActorT > actor_type; typedef typename actor_type::terminal_type terminal_type; typename actor_type::base_type act = {{ terminal_type(keyword.get_name(), fallback_to_none(), format) }}; return actor_type(act); } /*! * The function generates a manipulator node in a template expression. The manipulator must participate in a formatting * expression (stream output or \c format placeholder filler). * * \param placeholder Attribute placeholder * \param format Format string */ template< typename T, typename FallbackPolicyT, typename TagT, template< typename > class ActorT, typename CharT > BOOST_FORCEINLINE format_date_time_actor< T, FallbackPolicyT, CharT, ActorT > format_date_time(attribute_actor< T, FallbackPolicyT, TagT, ActorT > const& placeholder, const CharT* format) { typedef format_date_time_actor< T, FallbackPolicyT, CharT, ActorT > actor_type; typedef typename actor_type::terminal_type terminal_type; typename actor_type::base_type act = {{ terminal_type(placeholder.get_name(), placeholder.get_fallback_policy(), format) }}; return actor_type(act); } /*! * The function generates a manipulator node in a template expression. The manipulator must participate in a formatting * expression (stream output or \c format placeholder filler). * * \param placeholder Attribute placeholder * \param format Format string */ template< typename T, typename FallbackPolicyT, typename TagT, template< typename > class ActorT, typename CharT > BOOST_FORCEINLINE format_date_time_actor< T, FallbackPolicyT, CharT, ActorT > format_date_time(attribute_actor< T, FallbackPolicyT, TagT, ActorT > const& placeholder, std::basic_string< CharT > const& format) { typedef format_date_time_actor< T, FallbackPolicyT, CharT, ActorT > actor_type; typedef typename actor_type::terminal_type terminal_type; typename actor_type::base_type act = {{ terminal_type(placeholder.get_name(), placeholder.get_fallback_policy(), format) }}; return actor_type(act); } } // namespace expressions BOOST_LOG_CLOSE_NAMESPACE // namespace log #ifndef BOOST_LOG_DOXYGEN_PASS namespace phoenix { namespace result_of { template< typename T, typename FallbackPolicyT, typename CharT > struct is_nullary< custom_terminal< boost::log::expressions::format_date_time_terminal< T, FallbackPolicyT, CharT > > > : public mpl::false_ { }; } // namespace result_of } // namespace phoenix #endif // BOOST_LOG_DOXYGEN_PASS } // namespace boost #include <boost/log/detail/footer.hpp> #endif // BOOST_LOG_EXPRESSIONS_FORMATTERS_DATE_TIME_HPP_INCLUDED_
[ "k.melekhin@gmail.com" ]
k.melekhin@gmail.com
f9912e3e844ebcadfc58c101dd063ee644307972
f2c8403a5884c5fdef03a63a27e010772d76f63d
/firmware/sonar-ping.h
08213fd6d6dc07a079307510a595199d6c66e333
[ "MIT" ]
permissive
mrkalePhotonLib/SonarPing
ef46f8b11964a4f5b31cf73a68ef0541cc725361
f279c7146ee2871d95323f0c0fa3211ee624fac1
refs/heads/master
2021-01-20T18:28:44.921266
2016-10-23T08:39:13
2016-10-23T08:39:13
65,207,791
0
0
null
null
null
null
UTF-8
C++
false
false
7,355
h
/* NAME: SonarPing DESCRIPTION: Library for ultrasonic sensor HC-SR04 or similar sensors. - Library uses function pulseIn() for measuring sound reflection times. - Library intentionally uses only SI measurement units. The conversion to imperial units should be provided in a sketch code or in a separate library in order to avoid duplicities in code using multiple libraries with the same conversion functionality. - Library does not intentionally use statistical processing of measured values (ping time, distance). There are separate libraries for that purpose to use in order to avoid duplicities in code. - Library uses the temperature compensation for air speed. It is limited to the temperature range from -128 to +127 centigrades (degrees of Celsius), which contains usual working range of sensors. - Sound speed in meters per second is calculated from the statement soundSpeed (m/s) = 331.3 (m/s) + 0.606 * temperature (degC). Default temperature is set to 20 degC. - Library measures the distance in whole centimeters in regards to practical accuracy of ultrasonic sensors. LICENSE: This program is free software; you can redistribute it and/or modify it under the terms of the license GNU GPL v3 http://www.gnu.org/licenses/gpl-3.0.html (related to original code) and MIT License (MIT) for added code. CREDENTIALS: Author: Libor Gabaj GitHub: https://github.com/mrkalePhotonLib/SonarPing.git */ #ifndef SONARPING_H #define SONARPING_H #define SONARPING_VERSION "SonarPing 1.0.0" #include "Particle.h" // You shoudln't change these values unless you really know what you're doing. #define SONARPING_NAN 0 // Represents undefined ping time or distance #define SONARPING_DISTANCE_MIN 2 // Minimal measuring distance (cm) #define SONARPING_DISTANCE_MAX 500 // Maximal measuring distance (cm) #define SONARPING_TEMPERATURE_DEF 20 // Default ambient temperature (degC) #define SONARPING_DELAY_INTERPING 29 // Minimal delay in milliseconds between pings from specification // Macro functions #define swap(a, b) { if (a > b) { int16_t t = a; a = b; b = t; } } class SonarPing { public: //------------------------------------------------------------------------- // Public methods //------------------------------------------------------------------------- /* Constructor with configuration parameters DESCRIPTION: Setting up configuration parameters for library and measurement. They all are stored in the private variables. - Maximal and minimal distance determines the expected range of measurement. Results outside this range are considered as erroneous ones and are ignored. - Measurement range is limited by limits 2 to 500 cm due to hardware limitation. Limits outside this range are defaulted to those bounderies. PARAMETERS: trigger_pin - digital pin number for sensor's trigger pin. echo_pin - digital pin number for sensor's echo pin. distance_max - maximal accepted measured distance from the sensor to a reflector in centimeters. - Defaulted and limited to 500 cm. distance_min - minimal accepted measured distance from the sensor to a reflector in centimeters. - Defaulted and limited to 2 cm. RETURN: object */ SonarPing(uint8_t trigger_pin, uint8_t echo_pin, \ uint16_t distance_max = SONARPING_DISTANCE_MAX, \ uint16_t distance_min = SONARPING_DISTANCE_MIN); /* Measure distance in centimeters from the sensor to a reflector. DESCRIPTION: The method measures distance from the sensor to a reflector based on measuring sound wave time to it and back. - Method corrects the measurement by temperature stored in class object before measurement. PARAMETERS: none RETURN: Distance in centimeters */ uint16_t getDistance(); //------------------------------------------------------------------------- // Public setters //------------------------------------------------------------------------- /* Setter for ambient air temperature in centigrades for sound speed correction. DESCRIPTION: The method stores the ambient temperature to the class instance object. - Default temperature is set to 20 degC at object initialization. - It is not needed to set temperature before every measurement, just then the temperature has changed significantly. PARAMETERS: temperature - ambient air temperature in centigrades - Limited to -128 ~ +127 degC by data type. - Defaulted to 20 degC. RETURN: none */ void setTemperature(int8_t temperature = SONARPING_TEMPERATURE_DEF); //------------------------------------------------------------------------- // Public getters //------------------------------------------------------------------------- /* Getter of the actual temperature for sound speed correction. DESCRIPTION: The method returns currently set temperature in centigrades for correction. PARAMETERS: none RETURN: Temperature in centigrades */ int8_t getTemperature(); /* Getters of the actual minimal and maximal valid distance DESCRIPTION: The methods return current minimal or maximal distance valid for measuring respectively set by the constructor. PARAMETERS: none RETURN: Actual Minimal resp. maximal valid value */ uint16_t getDistanceMax(); uint16_t getDistanceMin(); private: //------------------------------------------------------------------------- // Private attributes //------------------------------------------------------------------------- uint8_t _pinTrig; uint8_t _pinEcho; uint16_t _maxDistance; uint16_t _minDistance; int8_t _temperature = SONARPING_TEMPERATURE_DEF; //------------------------------------------------------------------------- // Private methods //------------------------------------------------------------------------- /* Calculate sound pace in microseconds per centimeter with temperature correction. DESCRIPTION: The method calculates number of microseconds the sound wave needs to travel one centimeter at the current temperature set previously. - It is reciprocal value to sound speed. - For a reasonable precision it is expressed as integer. - Within the temperature range -15 ~ +40 degC it is in the range 31 ~ 28 us/cm and temperature influence is 2 ~ -1 us/cm (6.6 ~ -3.4%) in comparison to reference temperature 20 degC. PARAMETERS: none RETURN: Sound pace in microseconds per centimeter */ uint8_t soundPace(void); /* Measure sound ping round trip time to reflector and back in microseconds. DESCRIPTION: The method makes the sensor to broadcast a sound impuls, then waits for the echo pulse and measures its length as the time of sound round trip from sensor to a reflector and back. - Method uses firmware function pulseIn() so that the default timeout is 3 seconds at waiting for echo signal. - Method cancels measuring the echo pulse if it takes longer or shorter than expected from maximal and minimal distance range set in constructor. - Method corrects sound speed by temperature stored in class object before measurement. PARAMETERS: none RETURN: Sound round trip time in microseconds */ uint16_t pingTime(); }; #endif
[ "libor.gabaj@gmail.com" ]
libor.gabaj@gmail.com
a9f7ddb3f575c4a7a5ac2c3572abb6bb5482e819
54f66f0dbcd8784394b2ab1c86c142b1d8ca545c
/include/rpc_cli_factory.hxx
f01902c679e87f579d21a0b980b6d118690af921
[ "Apache-2.0", "BSL-1.0" ]
permissive
source-reader/cornerstone
72958dc8f9aed32199201815d3dc7897e9e80129
9510bc34ab299418c1dd40cc35c38ac62a2d01f7
refs/heads/master
2023-01-14T17:49:41.037617
2020-11-24T14:14:51
2020-11-24T14:14:51
308,810,634
0
0
NOASSERTION
2020-10-31T05:26:02
2020-10-31T05:26:02
null
UTF-8
C++
false
false
958
hxx
/** * * Licensed to the Apache Software Foundation (ASF) under one * or more contributor license agreements. 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. */ #ifndef _RPC_CLIENT_FACTORY_HXX_ #define _RPC_CLIENT_FACTORY_HXX_ namespace cornerstone { class rpc_client_factory { __interface_body__(rpc_client_factory) public: virtual ptr<rpc_client> create_client(const std::string& endpoint) = 0; }; } #endif
[ "anche@corp.microsoft.com" ]
anche@corp.microsoft.com
a984e135a89a93a864bd90238d5f821640cb1617
78b42849281bd0d174b0bcef7870406a2d204026
/original-code/oreilly-1st-edition/winmain.cpp
6244ed093a96ce6730feffde69094d4e893b0b0b
[ "LicenseRef-scancode-oreilly-notice" ]
permissive
doughodson/physics-game-dev
2f13d2abea71d8027a6677fc89499aa7894baa7b
24d0124329c5ad4904efbda7c133cd17fc83f843
refs/heads/master
2022-03-03T09:48:11.434736
2022-01-31T20:11:46
2022-01-31T20:11:46
207,357,612
1
3
null
null
null
null
UTF-8
C++
false
false
6,728
cpp
#define INITGUID #define APPNAME "Flight Sim" // Windows Header Files: #include <windows.h> // C RunTime Header Files #include <windows.h> #include <stdio.h> #include <string.h> #include <malloc.h> #include <math.h> #include "mmsystem.h" #include "d3dstuff.h" #include "Physics.h" #define RENDER_FRAME_COUNT 330 // Global Variables: HINSTANCE hInst; // current instance int nShowCmd; // current show command char szAppName[] = APPNAME; // The name of this application char szTitle[] = APPNAME; // The title bar text HWND hTheMainWindow; DWORD OldTime, NewTime; float dt; BOOL Initialized = false; float TotalTime = 0; int FrameCounter = RENDER_FRAME_COUNT; int Configuration = 2; // Foward declarations of functions included in this code module: BOOL InitApplication(HINSTANCE); BOOL InitInstance(HINSTANCE, int); LRESULT CALLBACK WndProc(HWND, UINT, WPARAM, LPARAM); void NullEvent(void); BOOL IsKeyDown(short KeyCode); // externals extern RigidBody Bodies[]; extern d3dInfo D3D; extern LPDIRECT3DRMWINDEVICE WinDev; //----------------------------------------------------------------------------------------------------// int APIENTRY WinMain(HINSTANCE hInstance, HINSTANCE hPrevInstance, LPSTR lpCmdLine, int nCmdShow) { MSG msg; HANDLE hAccelTable; if (!hPrevInstance) { // Perform instance initialization: if (!InitApplication(hInstance)) { return (FALSE); } } // Perform application initialization: if (!InitInstance(hInstance, nCmdShow)) { return (FALSE); } hAccelTable = LoadAccelerators (hInstance, szAppName); OldTime = timeGetTime(); NewTime = OldTime; // Main message loop: while (1) { while(PeekMessage(&msg, NULL, 0, 0, PM_REMOVE)) { if (msg.message == WM_QUIT) { return msg.wParam; } TranslateMessage(&msg); DispatchMessage(&msg); } if(Initialized) NullEvent(); } return (msg.wParam); lpCmdLine; // This will prevent 'unused formal parameter' warnings } BOOL InitApplication(HINSTANCE hInstance) { WNDCLASS wc; HWND hwnd; hwnd = FindWindow (szAppName, NULL); if (hwnd) { if (IsIconic(hwnd)) { ShowWindow(hwnd, SW_RESTORE); } SetForegroundWindow (hwnd); return FALSE; } wc.style = CS_HREDRAW | CS_VREDRAW | CS_DBLCLKS; wc.lpfnWndProc = (WNDPROC)WndProc; wc.cbClsExtra = 0; wc.cbWndExtra = 0; wc.hInstance = hInstance; wc.hIcon = NULL;//LoadIcon (hInstance, MAKEINTRESOURCE(IDI_MAINICON)); wc.hCursor = LoadCursor(NULL, IDC_ARROW);//NULL wc.hbrBackground = (HBRUSH)GetStockObject(BLACK_BRUSH);//(HBRUSH)(COLOR_WINDOW+1); wc.lpszMenuName = NULL; //MAKEINTRESOURCE(IDR_MAINMENU);//"MAINMENU"; wc.lpszClassName = szAppName; return RegisterClass(&wc); } BOOL InitInstance(HINSTANCE hInstance, int nCmdShow) { hInst = hInstance; nShowCmd = nCmdShow; hTheMainWindow = CreateWindow( szAppName, szTitle, WS_OVERLAPPEDWINDOW | WS_CLIPCHILDREN | WS_CLIPSIBLINGS, 0, 0, 640, 480, NULL, NULL, hInst, NULL); if (!CreateD3DRMObject()) return (FALSE); if (!CreateD3DRMClipperObject(hTheMainWindow)) return (FALSE); if (!CreateViewPort(hTheMainWindow)) return (FALSE); ShowWindow(hTheMainWindow, nCmdShow); UpdateWindow(hTheMainWindow); InitializeObjects(Configuration); Initialized = true; TotalTime = 0; SetCamera3(); return (TRUE); } LRESULT CALLBACK WndProc(HWND hWnd, UINT message, WPARAM wParam, LPARAM lParam) { int wmId, wmEvent; BOOL validmenu = FALSE; int selection =0; PAINTSTRUCT ps; HDC pDC; WPARAM key; switch (message) { case WM_ACTIVATE: if (SUCCEEDED(D3D.Device->QueryInterface(IID_IDirect3DRMWinDevice, (void **) &WinDev))) { if (FAILED(WinDev->HandleActivate(wParam))) WinDev->Release(); } break; case WM_COMMAND: wmId = LOWORD(wParam); wmEvent = HIWORD(wParam); /*switch(wmId) { }*/ return (0); break; case WM_DESTROY: CleanUp(); PostQuitMessage(0); break; case WM_KEYUP: break; case WM_KEYDOWN: key = (int) wParam; if (key == 0x31) // 1 SetCamera1(); if (key == 0x32) // 2 SetCamera2(); if (key == 0x33) // 3 SetCamera3(); break; case WM_PAINT: pDC = BeginPaint(hTheMainWindow, (LPPAINTSTRUCT) &ps); if (SUCCEEDED(D3D.Device->QueryInterface(IID_IDirect3DRMWinDevice, (void **) &WinDev))) { if (FAILED(WinDev->HandlePaint(ps.hdc))) WinDev->Release(); } EndPaint(hTheMainWindow, (LPPAINTSTRUCT) &ps); return (0); break; default: return (DefWindowProc(hWnd, message, wParam, lParam)); } return (0); } void NullEvent(void) { Vector vz, vx; int i; char buf[256]; char s[256]; /*NewTime = timeGetTime(); dt = (float) (NewTime - OldTime)/1000.0f; OldTime = NewTime; if (dt > (0.001f)) dt = (0.001f);*/ dt = 0.0001f; TotalTime += dt; if(TotalTime > 2.0f) { Configuration++; if(Configuration >= 3) Configuration = 0; InitializeObjects(Configuration); TotalTime = 0.0f; FrameCounter = 0; } StepSimulation(dt); if(FrameCounter >= RENDER_FRAME_COUNT) { // Direct3D x = - our y // Direct3D y = our z // Direct3D z = our x SetCameraPosition(-Bodies[0].vPosition.y, Bodies[0].vPosition.z, Bodies[0].vPosition.x); vz = GetBodyZAxisVector(0); // pointing up in our coordinate system vx = GetBodyXAxisVector(0); // pointing forward in our coordinate system SetCameraOrientation( -vx.y, vx.z, vx.x, -vz.y, vz.z, vz.x); for(i=1; i<NUMBODIES; i++) { SetBodyPosition(i-1, -Bodies[i].vPosition.y, Bodies[i].vPosition.z, Bodies[i].vPosition.x); vz = GetBodyZAxisVector(i); // pointing up in our coordinate system vx = GetBodyXAxisVector(i); // pointing forward in our coordinate system SetBodyOrientation(i-1, -vx.y, vx.z, vx.x, -vz.y, vz.z, vz.x); } Render(); FrameCounter = 0; sprintf( buf, "TotalTime= %.3f ; ", TotalTime); strcpy(s, buf); SetWindowText(hTheMainWindow, s); } else FrameCounter++; } BOOL IsKeyDown(short KeyCode) { SHORT retval; retval = GetAsyncKeyState(KeyCode); if (HIBYTE(retval)) return TRUE; return FALSE; }
[ "doug@sidechannel.net" ]
doug@sidechannel.net
7057391dca3ca88aa06083b782f57d8274a8cf57
01c89a1704d7e7731f1509145445d91b9da1edf5
/easy/PLAYFIT.cpp
8727b7d6062c172eb591b3ce90e0c7e5a3c32c90
[ "MIT" ]
permissive
VasuGoel/codechef-problems
1fd2b4a64568271052b55cabdecd36e2a2dfcabb
53951be4d2a5a507798fb83e25bdaa675f65077b
refs/heads/master
2020-12-14T10:57:11.639932
2020-02-12T18:21:45
2020-02-12T18:21:45
234,719,044
0
0
null
null
null
null
UTF-8
C++
false
false
575
cpp
// // Created by Vasu Goel on 1/26/20. // #include <bits/stdc++.h> using namespace std; int main() { ios_base::sync_with_stdio(false); cin.tie(nullptr); int t, n; cin >> t; while(t--) { cin >> n; int min, goals, max = 0; cin >> min; for(int i = 1; i < n; i++) { cin >> goals; if(goals > min) { if(goals - min > max) max = goals - min; } else min = goals; } if(max) cout << max << '\n'; else cout << "UNFIT\n"; } return 0; }
[ "goelvasu0712@gmail.com" ]
goelvasu0712@gmail.com
b5d5b86656ec224000a923f6f2d6e69becc0998c
ac78deb59bc9dd53815c717ad25796f0d6041ee6
/GPS_Locator.ino
80b9cfff1990a25728cd8ddbbada5af33f364bbf
[]
no_license
RustyCrowbar/GPS_Locator
ec917ca2b8cf315161f6d8cc19578d42079dd453
13ba271d6ef9e1c4cd0d4fb980d83b39992f304d
refs/heads/master
2020-05-07T19:50:27.593955
2020-04-05T13:10:42
2020-04-05T13:10:42
180,831,295
0
0
null
null
null
null
UTF-8
C++
false
false
11,128
ino
#include "GPS_Locator.h" void rainbowCircle() { uint8_t coeff = 0xff * 6 / (NB_LEDS - 1); static uint8_t u; static uint8_t tmp; for (u = 0; u < ((NB_LEDS - 1) / 6); u++) { //0 - nb/6: R: 255; G: 0 - 255; B: 0 leds[u] = CRGB(255, u * coeff, 0); } tmp = 0; for (; u < ((NB_LEDS - 1) / 3); u++) { //nb/6 - 2nb/6: R: 255 - 0; G: 255; B: 0 leds[u] = CRGB(255 - tmp * coeff, 255, 0); tmp++; } tmp = 0; for (; u < ((NB_LEDS - 1) / 2); u++) { //2nb/6 - 3nb/6: R: 0; G: 255; B: 0 - 255 leds[u] = CRGB(0, 255, tmp * coeff); tmp++; } tmp = 0; for (; u < (2 * (NB_LEDS - 1) / 3); u++) { //3nb/6 - 4nb/6: R: 0; G: 255 - 0; B: 255 leds[u] = CRGB(0, 255 - tmp * coeff, 255); tmp++; } tmp = 0; for (; u < (5 * (NB_LEDS - 1) / 6); u++) { //4nb/6 - 5nb/6: R: 0 - 255; G: 0; B: 255 leds[u] = CRGB(tmp * coeff, 0, 255); tmp++; } tmp = 0; for (; u < (NB_LEDS - 1); u++) { //5nb/6 - nb: R: 255; G: 0; B: 255 - 0 leds[u] = CRGB(255, 0, 255 - tmp * coeff); tmp++; } for (uint8_t u = 0; u < NB_LEDS; u++) { //The number of iterations actually doesn't have to be NB_LEDS static CRGB tmp; static CRGB *p; static uint8_t index; tmp = leds[NB_LEDS - 1]; for (index = NB_LEDS - 1; index > 1; index--) { p = leds + index - 1; leds[index] = *p; } leds[1] = tmp; FastLED.show(); delay(200); } } bool satelitesAcquired() { static uint32_t sats = 42; while (gpsSerial.available() > 0) { //delay(1); char read = gpsSerial.read(); gps.encode(read); //Serial.print(read); //Serial.println("'"); //Serial.println(gps.location.lat(), 6); // Latitude in degrees (double) //Serial.println(gps.location.lng(), 6); // Longitude in degrees (double) //Serial.print(gps.location.rawLat().negative ? "-" : "+"); //Serial.println(gps.location.rawLat().deg); // Raw latitude in whole degrees //Serial.println(gps.location.rawLat().billionths);// ... and billionths (u16/u32) //Serial.print(gps.location.rawLng().negative ? "-" : "+"); //Serial.println(gps.location.rawLng().deg); // Raw longitude in whole degrees //Serial.println(gps.location.rawLng().billionths);// ... and billionths (u16/u32) //Serial.println(gps.date.value()); // Raw date in DDMMYY format (u32) //Serial.println(gps.date.year()); // Year (2000+) (u16) //Serial.println(gps.date.month()); // Month (1-12) (u8) //Serial.println(gps.date.day()); // Day (1-31) (u8) //Serial.println(gps.time.value()); // Raw time in HHMMSSCC format (u32) //Serial.println(gps.time.hour()); // Hour (0-23) (u8) //Serial.println(gps.time.minute()); // Minute (0-59) (u8) //Serial.println(gps.time.second()); // Second (0-59) (u8) //Serial.println(gps.time.centisecond()); // 100ths of a second (0-99) (u8) //Serial.println(gps.speed.value()); // Raw speed in 100ths of a knot (i32) //Serial.println(gps.speed.knots()); // Speed in knots (double) //Serial.println(gps.speed.mph()); // Speed in miles per hour (double) //Serial.println(gps.speed.mps()); // Speed in meters per second (double) //Serial.println(gps.speed.kmph()); // Speed in kilometers per hour (double) //Serial.println(gps.course.value()); // Raw course in 100ths of a degree (i32) //Serial.println(gps.course.deg()); // Course in degrees (double) //Serial.println(gps.altitude.value()); // Raw altitude in centimeters (i32) //Serial.println(gps.altitude.meters()); // Altitude in meters (double) //Serial.println(gps.altitude.miles()); // Altitude in miles (double) //Serial.println(gps.altitude.kilometers()); // Altitude in kilometers (double) //Serial.println(gps.altitude.feet()); // Altitude in feet (double) //Serial.println(gps.satellites.value()); // Number of satellites in use (u32) //Serial.println(gps.hdop.value()); // Horizontal Dim. of Precision (100ths-i32) } uint32_t newSats = gps.satellites.value(); if (sats != newSats) { sats = newSats; Serial.println(""); Serial.print("Sats: "); Serial.println(sats); } Serial.print("."); return gps.location.isUpdated(); } void showHeading(uint16_t heading) { /*static uint8_t r[NB_LEDS] = 0; static uint8_t g[NB_LEDS] = 0; static uint8_t b[NB_LEDS] = 0;*/ heading += ANGLE_CORRECTION; heading %= 360; //Serial.print("Heading: "); //Serial.println(heading); uint16_t quadrant = 360 / (NB_LEDS - 1); uint16_t min; uint16_t max; for (uint8_t u = 0; u < NB_LEDS - 1; u++) { min = u * quadrant; max = min + quadrant; leds[u + 1] = CRGB(0, 255 * (min < heading && heading <= max), 0); //Serial.print("u:"); Serial.print(u); Serial.print("; min:"); Serial.print(min); Serial.print("; max:"); Serial.println(max); } /*for (uint8_t u = 0; u < NB_LEDS; u++) { leds[u] = CRGB(r[u], g[u], b[u]); }*/ FastLED.show(); } void setup() { Serial.begin(115200); Serial.println("========== RESET =========="); FastLED.addLeds<NEOPIXEL, 2>(leds, NB_LEDS); FastLED.setBrightness(BRIGHTNESS); for (uint8_t u = 0; u < NB_LEDS; u++) leds[u] = red_led; Wire.begin(); Wire.beginTransmission(addr); //start talking Wire.write(0x0B); // Tell the HMC5883 to Continuously Measure Wire.write(0x01); // Set the Register Wire.endTransmission(); Wire.beginTransmission(addr); //start talking Wire.write(0x09); // Tell the HMC5883 to Continuously Measure Wire.write(0x1D); // Set the Register Wire.endTransmission(); //Initialize GPS gpsSerial.begin(9600); // connect gps sensor Serial.print("========== Waiting for the GPS to acquire a position... =========="); //Wait for the GPS to acquire satelites while (!satelitesAcquired()) rainbowCircle(); Serial.println("========== Acquired a position! =========="); for (uint8_t u = 0; u < NB_LEDS; u++) leds[u] = green_led; FastLED.show(); delay(20000); } void loop() { //Get data from GPS //Get data from magnetometer /*HMC6352.Wake(); int north = HMC6352.GetHeading(); HMC6352.Sleep(); Serial.println(north);*/ int x = 0; int y = 0; int z = 0; //triple axis data //Tell the HMC what register to begin writing data into Wire.beginTransmission(addr); Wire.write(0x00); //start with register 3. Wire.endTransmission(); //Read the data.. 2 bytes for each axis.. 6 total bytes Wire.requestFrom(addr, 6); if (6 <= Wire.available()) { x = Wire.read(); //MSB x x |= Wire.read() << 8; //LSB x z = Wire.read(); //MSB z z |= Wire.read() << 8; //LSB z y = Wire.read(); //MSB y y |= Wire.read() << 8; //LSB y } // Show Values /*Serial.print("X Value: "); Serial.println(x); Serial.print("Y Value: "); Serial.println(y); Serial.print("Z Value: "); Serial.println(z); Serial.println();*/ float north = atan2(x, y) / 0.0174532925; if(north < 0) north+=360; north = 360 - north; // N=0/360, E=90, S=180, W=270 //Display north showHeading(north); static double distanceToLoc = 0; static uint16_t dist = 0; static double courseToLoc = 0; if (gps.location.isValid()) { distanceToLoc = TinyGPSPlus::distanceBetween(gps.location.lat(), gps.location.lng(), Loc_Lat[CurrDest], Loc_Lon[CurrDest]); courseToLoc = TinyGPSPlus::courseTo(gps.location.lat(), gps.location.lng(), Loc_Lat[CurrDest], Loc_Lon[CurrDest]); dist = log10(distanceToLoc); Serial.print("distanceToLoc: "); Serial.println(distanceToLoc); Serial.print("dist: "); Serial.println(dist); Serial.print("courseToLoc: "); Serial.println(courseToLoc); Serial.print("north: "); Serial.println(north); //dircourse = north - courseToLoc; } else Serial.println("Got an invalid position from the GPS module."); static uint16_t loopCnt = 0; leds[NB_LEDS - 1] = off_led; if (!loopCnt) { loopCnt = dist; leds[NB_LEDS - 1] = red_led; if (dist <= DIST_MEDIUM) leds[NB_LEDS - 1] = orange_led; if (dist <= DIST_CLOSE) leds[NB_LEDS - 1] = green_led; } /*for (uint8_t u = 0; u < NB_LEDS; u++) { leds[u] = 0xFF0000; FastLED.show(); delay(100); } delay(200); for (uint8_t u = 0; u < NB_LEDS; u++) { leds[u] = 0x00FF00; FastLED.show(); delay(100); }*/ FastLED.show(); delay(100); } /* void setup() { cli(); pinMode(0, INPUT_PULLUP); //Push button to GND //pinMode(1, OUTPUT); //On-board LED FastLED.addLeds<NEOPIXEL, 1, 2>(leds, NB_LEDS); FastLED.setBrightness(brightness); GIMSK |= (1 << PCIE); PCMSK |= (1 << PCINT0); //INT for button 0 sei(); } void loop() { if (change_base) changeBase(); if (change_pattern) changePattern(); patterns[pattern](); FastLED.show(); delay(30); } #include "bases.h" #include "patterns.h" void save_base() { memcpy(current_base, leds, NB_LEDS * sizeof(*leds)); } void changeBase() { change_base = false; bases[(++base) % NB_BASES](); save_base(); } void changePattern() { change_pattern = false; pattern = (++pattern) % NB_PATTERNS; } ISR(PCINT0_vect) { delayMicroseconds(10000); //For debouncing purposes //10ms if (!digitalRead(0)) //Button is pressed { delayMicroseconds(10000); //For debouncing purposes //10ms delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes //100ms delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes //200ms if (!digitalRead(0)) //Intentionnal long press: alternate function change_base = true; else //Short press function change_pattern = true; } else { delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes delayMicroseconds(10000); //For debouncing purposes //100ms } }*/
[ "mathieu.corre@epita.fr" ]
mathieu.corre@epita.fr
6bb1c130325544566431525f867722c5b3cbfe90
adc15e40e6ad95476189a612a26ca7fe5f053a55
/main.cpp
134231eba85a537d5ae0481a221622e1ad4b84ca
[]
no_license
Gameriam1/Hash
dbfdef81817ca76f34424f060b348441e39acf05
58b51a0a82f63d185be4bdcd37f651814dcc4ee4
refs/heads/master
2023-04-05T11:24:36.912149
2021-03-31T02:55:35
2021-03-31T02:55:35
353,206,280
0
0
null
null
null
null
UTF-8
C++
false
false
1,573
cpp
#include <iostream> #include <fstream> #include <unordered_map> #include <istream> #include <string> #include <sstream> #include <algorithm> using namespace std; int main() { ifstream namefile("Files/Names.txt"); ifstream infile("Files/Assignments.txt"); // infile.open("Files/Assignments.txt"); vector<string> names; vector<string> assignments; vector<string> NoDupes; unordered_map<string,bool> duplicates; string nameline; string line; while(getline(namefile,nameline)) { namefile >> nameline; while (!namefile.eof()) { // for names string temp; namefile >> temp; names.push_back(temp); // cout << temp << endl; } } while(getline(infile,line)) { infile >>line; while (!infile.eof()){ string temp; infile >> temp; assignments.push_back(temp); //cout << temp << endl; } } for(int i = 0; i <assignments.size(); i++) { string s(assignments[i]); s.erase(remove(s.begin(), s.end(), '_A'), s.end()); cout << s; cout << endl; if(!duplicates[assignments[i]]){ NoDupes.push_back(assignments[i]); duplicates[assignments[i]] = true; } } for(int i = 0; i <NoDupes.size(); i++){ // cout << NoDupes[i]<< endl; } /* cout << "Names Missing Assignments"; for(int k =0;k<names.size(); k++) { cout << names[k] << " burgers" <<endl; } */ return 0; }
[ "Gameriam1@users.noreply.github.com" ]
Gameriam1@users.noreply.github.com
0fdc48f0c7aa405323cb1594fc2819566343d736
3a39b41a8f76d7d51b48be3c956a357cc183ffae
/BeakjoonOJ/2000/2861_원섭동사람들.cpp
557b89ef0a5c56c934a1f9244ebddfa2a2b7509d
[]
no_license
Acka1357/ProblemSolving
411facce03d6bf7fd4597dfe99ef58eb7724ac65
17ef7606af8386fbd8ecefcc490a336998a90b86
refs/heads/master
2020-05-05T10:27:43.356584
2019-11-07T06:23:11
2019-11-07T06:23:11
179,933,949
0
0
null
null
null
null
UTF-8
C++
false
false
1,198
cpp
// // Created by Acka on 2017. 10. 11.. // #include <stdio.h> #include <queue> using namespace std; bool chk[200001], chk2[200001]; long long sum[200001], ans; int in[200001], to[200001], cost[200001]; int dfs(int cur){ chk[cur] = true; int ret = cur; if(!chk[to[cur]]){ ret = dfs(to[cur]); if(cost[cur] - sum[cur] < cost[ret] - sum[ret]) ret = cur; } return ret; } void add_diff(int cur){ chk2[cur] = true; if(sum[cur] < cost[cur]) ans += cost[cur] - sum[cur]; sum[to[cur]] += cost[cur]; if(!chk2[to[cur]]) add_diff(to[cur]); } int main() { int N; scanf("%d", &N); for(int i = 1; i <= N; i++){ scanf("%d %d", &to[i], &cost[i]); in[to[i]]++; } queue<int> q; for(int i = 1; i <= N; i++) if(!in[i]) q.push(i); while(!q.empty()){ int cur = q.front(); q.pop(); chk[cur] = true; if(sum[cur] < cost[cur]) ans += cost[cur] - sum[cur]; sum[to[cur]] += cost[cur]; if(!(--in[to[cur]])) q.push(to[cur]); } for(int i = 1; i <= N; i++){ if(chk[i]) continue; add_diff(dfs(i)); } printf("%lld\n", ans); return 0; }
[ "Acka1357@gmail.com" ]
Acka1357@gmail.com
3dc84dc23ce4c7db196af252202bd13bbad22c16
e82e8b1a800f927238ba2c76584ab49d8ce66012
/Programmation numerique C++/chapitre10/lg/exp.cpp
3861d0ff33bc94d5f511a16b19dcbce75aafa811
[]
no_license
ettabib/calculParallele
ba80d5c9da5a805d6edf96a3fde715e094a9122a
2942ce14155924b116595113b78d7156b7740d14
refs/heads/master
2021-01-19T00:14:48.890504
2014-06-02T09:41:18
2014-06-02T09:41:18
null
0
0
null
null
null
null
UTF-8
C++
false
false
37,563
cpp
/* A Bison parser, made from exp.y by GNU bison 1.35. */ #define YYBISON 1 /* Identify Bison output. */ #define yyparse expparse #define yylex explex #define yyerror experror #define yylval explval #define yychar expchar #define yydebug expdebug #define yynerrs expnerrs # define WHILE 257 # define PRINT 258 # define DNUM 259 # define NEW_ID 260 # define STRING 261 # define ID 262 # define FUNC1 263 # define ENDOFFILE 264 #line 1 "exp.y" #include <iostream> #include <fstream> #include <complex> #include <string> #include <cassert> using namespace std; #ifdef __MWERKS__ #include "alloca.h" #endif #include "Expr.hpp" istream *ccin; inline void yyerror(const char * msg) { cerr << msg << endl; exit(1);} int yylex(); #line 19 "exp.y" #ifndef YYSTYPE typedef union{ double dnum; string * str; const Exp::ExpBase * exp; R (*f1)(R); void * p; } yystype; # define YYSTYPE yystype # define YYSTYPE_IS_TRIVIAL 1 #endif #ifndef YYDEBUG # define YYDEBUG 1 #endif #define YYFINAL 55 #define YYFLAG -32768 #define YYNTBASE 24 /* YYTRANSLATE(YYLEX) -- Bison token number corresponding to YYLEX. */ #define YYTRANSLATE(x) ((unsigned)(x) <= 264 ? yytranslate[x] : 32) /* YYTRANSLATE[YYLEX] -- Bison token number corresponding to YYLEX. */ static const char yytranslate[] = { 0, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 16, 2, 2, 20, 21, 14, 12, 11, 13, 2, 15, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 19, 2, 18, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 17, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 22, 2, 23, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 1, 3, 4, 5, 6, 7, 8, 9, 10 }; #if YYDEBUG static const short yyprhs[] = { 0, 0, 3, 5, 8, 13, 18, 22, 30, 32, 34, 38, 40, 44, 48, 52, 56, 58, 61, 64, 66, 70, 72, 76, 78 }; static const short yyrhs[] = { 25, 10, 0, 26, 0, 25, 26, 0, 6, 18, 28, 19, 0, 8, 18, 28, 19, 0, 4, 27, 19, 0, 3, 20, 28, 21, 22, 25, 23, 0, 28, 0, 7, 0, 27, 11, 27, 0, 29, 0, 28, 12, 28, 0, 28, 13, 28, 0, 28, 14, 28, 0, 28, 15, 28, 0, 30, 0, 13, 30, 0, 12, 30, 0, 31, 0, 31, 17, 29, 0, 5, 0, 20, 28, 21, 0, 8, 0, 9, 20, 28, 21, 0 }; #endif #if YYDEBUG /* YYRLINE[YYN] -- source line where rule number YYN was defined. */ static const short yyrline[] = { 0, 50, 57, 58, 61, 62, 63, 64, 68, 69, 70, 73, 74, 75, 76, 77, 80, 81, 82, 85, 86, 89, 90, 91, 92 }; #endif #if (YYDEBUG) || defined YYERROR_VERBOSE /* YYTNAME[TOKEN_NUM] -- String name of the token TOKEN_NUM. */ static const char *const yytname[] = { "$", "error", "$undefined.", "WHILE", "PRINT", "DNUM", "NEW_ID", "STRING", "ID", "FUNC1", "ENDOFFILE", "','", "'+'", "'-'", "'*'", "'/'", "'%'", "'^'", "'='", "';'", "'('", "')'", "'{'", "'}'", "start", "code", "instr", "parg", "expr", "unary_expr", "pow_expr", "primary", 0 }; #endif /* YYR1[YYN] -- Symbol number of symbol that rule YYN derives. */ static const short yyr1[] = { 0, 24, 25, 25, 26, 26, 26, 26, 27, 27, 27, 28, 28, 28, 28, 28, 29, 29, 29, 30, 30, 31, 31, 31, 31 }; /* YYR2[YYN] -- Number of symbols composing right hand side of rule YYN. */ static const short yyr2[] = { 0, 2, 1, 2, 4, 4, 3, 7, 1, 1, 3, 1, 3, 3, 3, 3, 1, 2, 2, 1, 3, 1, 3, 1, 4 }; /* YYDEFACT[S] -- default rule to reduce with in state S when YYTABLE doesn't specify something else to do. Zero means the default is an error. */ static const short yydefact[] = { 0, 0, 0, 0, 0, 0, 2, 0, 21, 9, 23, 0, 0, 0, 0, 0, 8, 11, 16, 19, 0, 0, 1, 3, 0, 0, 18, 17, 0, 0, 6, 0, 0, 0, 0, 0, 0, 0, 0, 0, 22, 10, 12, 13, 14, 15, 20, 4, 5, 0, 24, 0, 7, 0, 0, 0 }; static const short yydefgoto[] = { 53, 5, 6, 15, 16, 17, 18, 19 }; static const short yypact[] = { 80, -16, 4, -12, -8, 59,-32768, 24,-32768,-32768, -32768, -2, 30, 30, 24, 12, 77,-32768,-32768, 13, 24, 24,-32768,-32768, 28, 24,-32768,-32768, 39, 4, -32768, 24, 24, 24, 24, 24, 58, 66, 23, 43, -32768,-32768, 6, 6,-32768,-32768,-32768,-32768,-32768, 80, -32768, -1,-32768, 34, 61,-32768 }; static const short yypgoto[] = { -32768, 10, -5, 37, -6, 33, 35,-32768 }; #define YYLAST 92 static const short yytable[] = { 23, 24, 1, 2, 7, 3, 20, 4, 28, 8, 21, 9, 10, 11, 36, 37, 12, 13, 25, 39, 33, 34, 52, 29, 14, 42, 43, 44, 45, 8, 35, 30, 10, 11, 54, 8, 12, 13, 10, 11, 31, 32, 33, 34, 14, 49, 23, 26, 27, 38, 14, 31, 32, 33, 34, 31, 32, 33, 34, 51, 40, 55, 1, 2, 50, 3, 41, 4, 46, 22, 31, 32, 33, 34, 0, 0, 0, 47, 31, 32, 33, 34, 0, 1, 2, 48, 3, 0, 4, 31, 32, 33, 34 }; static const short yycheck[] = { 5, 7, 3, 4, 20, 6, 18, 8, 14, 5, 18, 7, 8, 9, 20, 21, 12, 13, 20, 25, 14, 15, 23, 11, 20, 31, 32, 33, 34, 5, 17, 19, 8, 9, 0, 5, 12, 13, 8, 9, 12, 13, 14, 15, 20, 22, 51, 12, 13, 21, 20, 12, 13, 14, 15, 12, 13, 14, 15, 49, 21, 0, 3, 4, 21, 6, 29, 8, 35, 10, 12, 13, 14, 15, -1, -1, -1, 19, 12, 13, 14, 15, -1, 3, 4, 19, 6, -1, 8, 12, 13, 14, 15 }; /* -*-C-*- Note some compilers choke on comments on `#line' lines. */ #line 3 "/usr/share/bison/bison.simple" /* Skeleton output parser for bison, Copyright (C) 1984, 1989, 1990, 2000, 2001, 2002 Free Software Foundation, Inc. This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA. */ /* As a special exception, when this file is copied by Bison into a Bison output file, you may use that output file without restriction. This special exception was added by the Free Software Foundation in version 1.24 of Bison. */ /* This is the parser code that is written into each bison parser when the %semantic_parser declaration is not specified in the grammar. It was written by Richard Stallman by simplifying the hairy parser used when %semantic_parser is specified. */ /* All symbols defined below should begin with yy or YY, to avoid infringing on user name space. This should be done even for local variables, as they might otherwise be expanded by user macros. There are some unavoidable exceptions within include files to define necessary library symbols; they are noted "INFRINGES ON USER NAME SPACE" below. */ #if ! defined (yyoverflow) || defined (YYERROR_VERBOSE) /* The parser invokes alloca or malloc; define the necessary symbols. */ # if YYSTACK_USE_ALLOCA # define YYSTACK_ALLOC alloca # else # ifndef YYSTACK_USE_ALLOCA # if defined (alloca) || defined (_ALLOCA_H) # define YYSTACK_ALLOC alloca # else # ifdef __GNUC__ # define YYSTACK_ALLOC __builtin_alloca # endif # endif # endif # endif # ifdef YYSTACK_ALLOC /* Pacify GCC's `empty if-body' warning. */ # define YYSTACK_FREE(Ptr) do { /* empty */; } while (0) # else # if defined (__STDC__) || defined (__cplusplus) # include <stdlib.h> /* INFRINGES ON USER NAME SPACE */ # define YYSIZE_T size_t # endif # define YYSTACK_ALLOC malloc # define YYSTACK_FREE free # endif #endif /* ! defined (yyoverflow) || defined (YYERROR_VERBOSE) */ #if (! defined (yyoverflow) \ && (! defined (__cplusplus) \ || (YYLTYPE_IS_TRIVIAL && YYSTYPE_IS_TRIVIAL))) /* A type that is properly aligned for any stack member. */ union yyalloc { short yyss; YYSTYPE yyvs; # if YYLSP_NEEDED YYLTYPE yyls; # endif }; /* The size of the maximum gap between one aligned stack and the next. */ # define YYSTACK_GAP_MAX (sizeof (union yyalloc) - 1) /* The size of an array large to enough to hold all stacks, each with N elements. */ # if YYLSP_NEEDED # define YYSTACK_BYTES(N) \ ((N) * (sizeof (short) + sizeof (YYSTYPE) + sizeof (YYLTYPE)) \ + 2 * YYSTACK_GAP_MAX) # else # define YYSTACK_BYTES(N) \ ((N) * (sizeof (short) + sizeof (YYSTYPE)) \ + YYSTACK_GAP_MAX) # endif /* Copy COUNT objects from FROM to TO. The source and destination do not overlap. */ # ifndef YYCOPY # if 1 < __GNUC__ # define YYCOPY(To, From, Count) \ __builtin_memcpy (To, From, (Count) * sizeof (*(From))) # else # define YYCOPY(To, From, Count) \ do \ { \ register YYSIZE_T yyi; \ for (yyi = 0; yyi < (Count); yyi++) \ (To)[yyi] = (From)[yyi]; \ } \ while (0) # endif # endif /* Relocate STACK from its old location to the new one. The local variables YYSIZE and YYSTACKSIZE give the old and new number of elements in the stack, and YYPTR gives the new location of the stack. Advance YYPTR to a properly aligned location for the next stack. */ # define YYSTACK_RELOCATE(Stack) \ do \ { \ YYSIZE_T yynewbytes; \ YYCOPY (&yyptr->Stack, Stack, yysize); \ Stack = &yyptr->Stack; \ yynewbytes = yystacksize * sizeof (*Stack) + YYSTACK_GAP_MAX; \ yyptr += yynewbytes / sizeof (*yyptr); \ } \ while (0) #endif #if ! defined (YYSIZE_T) && defined (__SIZE_TYPE__) # define YYSIZE_T __SIZE_TYPE__ #endif #if ! defined (YYSIZE_T) && defined (size_t) # define YYSIZE_T size_t #endif #if ! defined (YYSIZE_T) # if defined (__STDC__) || defined (__cplusplus) # include <stddef.h> /* INFRINGES ON USER NAME SPACE */ # define YYSIZE_T size_t # endif #endif #if ! defined (YYSIZE_T) # define YYSIZE_T unsigned int #endif #define yyerrok (yyerrstatus = 0) #define yyclearin (yychar = YYEMPTY) #define YYEMPTY -2 #define YYEOF 0 #define YYACCEPT goto yyacceptlab #define YYABORT goto yyabortlab #define YYERROR goto yyerrlab1 /* Like YYERROR except do call yyerror. This remains here temporarily to ease the transition to the new meaning of YYERROR, for GCC. Once GCC version 2 has supplanted version 1, this can go. */ #define YYFAIL goto yyerrlab #define YYRECOVERING() (!!yyerrstatus) #define YYBACKUP(Token, Value) \ do \ if (yychar == YYEMPTY && yylen == 1) \ { \ yychar = (Token); \ yylval = (Value); \ yychar1 = YYTRANSLATE (yychar); \ YYPOPSTACK; \ goto yybackup; \ } \ else \ { \ yyerror ("syntax error: cannot back up"); \ YYERROR; \ } \ while (0) #define YYTERROR 1 #define YYERRCODE 256 /* YYLLOC_DEFAULT -- Compute the default location (before the actions are run). When YYLLOC_DEFAULT is run, CURRENT is set the location of the first token. By default, to implement support for ranges, extend its range to the last symbol. */ #ifndef YYLLOC_DEFAULT # define YYLLOC_DEFAULT(Current, Rhs, N) \ Current.last_line = Rhs[N].last_line; \ Current.last_column = Rhs[N].last_column; #endif /* YYLEX -- calling `yylex' with the right arguments. */ #if YYPURE # if YYLSP_NEEDED # ifdef YYLEX_PARAM # define YYLEX yylex (&yylval, &yylloc, YYLEX_PARAM) # else # define YYLEX yylex (&yylval, &yylloc) # endif # else /* !YYLSP_NEEDED */ # ifdef YYLEX_PARAM # define YYLEX yylex (&yylval, YYLEX_PARAM) # else # define YYLEX yylex (&yylval) # endif # endif /* !YYLSP_NEEDED */ #else /* !YYPURE */ # define YYLEX yylex () #endif /* !YYPURE */ /* Enable debugging if requested. */ #if YYDEBUG # ifndef YYFPRINTF # include <stdio.h> /* INFRINGES ON USER NAME SPACE */ # define YYFPRINTF fprintf # endif # define YYDPRINTF(Args) \ do { \ if (yydebug) \ YYFPRINTF Args; \ } while (0) /* Nonzero means print parse trace. It is left uninitialized so that multiple parsers can coexist. */ int yydebug; #else /* !YYDEBUG */ # define YYDPRINTF(Args) #endif /* !YYDEBUG */ /* YYINITDEPTH -- initial size of the parser's stacks. */ #ifndef YYINITDEPTH # define YYINITDEPTH 200 #endif /* YYMAXDEPTH -- maximum size the stacks can grow to (effective only if the built-in stack extension method is used). Do not make this value too large; the results are undefined if SIZE_MAX < YYSTACK_BYTES (YYMAXDEPTH) evaluated with infinite-precision integer arithmetic. */ #if YYMAXDEPTH == 0 # undef YYMAXDEPTH #endif #ifndef YYMAXDEPTH # define YYMAXDEPTH 10000 #endif #ifdef YYERROR_VERBOSE # ifndef yystrlen # if defined (__GLIBC__) && defined (_STRING_H) # define yystrlen strlen # else /* Return the length of YYSTR. */ static YYSIZE_T # if defined (__STDC__) || defined (__cplusplus) yystrlen (const char *yystr) # else yystrlen (yystr) const char *yystr; # endif { register const char *yys = yystr; while (*yys++ != '\0') continue; return yys - yystr - 1; } # endif # endif # ifndef yystpcpy # if defined (__GLIBC__) && defined (_STRING_H) && defined (_GNU_SOURCE) # define yystpcpy stpcpy # else /* Copy YYSRC to YYDEST, returning the address of the terminating '\0' in YYDEST. */ static char * # if defined (__STDC__) || defined (__cplusplus) yystpcpy (char *yydest, const char *yysrc) # else yystpcpy (yydest, yysrc) char *yydest; const char *yysrc; # endif { register char *yyd = yydest; register const char *yys = yysrc; while ((*yyd++ = *yys++) != '\0') continue; return yyd - 1; } # endif # endif #endif #line 315 "/usr/share/bison/bison.simple" /* The user can define YYPARSE_PARAM as the name of an argument to be passed into yyparse. The argument should have type void *. It should actually point to an object. Grammar actions can access the variable by casting it to the proper pointer type. */ #ifdef YYPARSE_PARAM # if defined (__STDC__) || defined (__cplusplus) # define YYPARSE_PARAM_ARG void *YYPARSE_PARAM # define YYPARSE_PARAM_DECL # else # define YYPARSE_PARAM_ARG YYPARSE_PARAM # define YYPARSE_PARAM_DECL void *YYPARSE_PARAM; # endif #else /* !YYPARSE_PARAM */ # define YYPARSE_PARAM_ARG # define YYPARSE_PARAM_DECL #endif /* !YYPARSE_PARAM */ /* Prevent warning if -Wstrict-prototypes. */ #ifdef __GNUC__ # ifdef YYPARSE_PARAM int yyparse (void *); # else int yyparse (void); # endif #endif /* YY_DECL_VARIABLES -- depending whether we use a pure parser, variables are global, or local to YYPARSE. */ #define YY_DECL_NON_LSP_VARIABLES \ /* The lookahead symbol. */ \ int yychar; \ \ /* The semantic value of the lookahead symbol. */ \ YYSTYPE yylval; \ \ /* Number of parse errors so far. */ \ int yynerrs; #if YYLSP_NEEDED # define YY_DECL_VARIABLES \ YY_DECL_NON_LSP_VARIABLES \ \ /* Location data for the lookahead symbol. */ \ YYLTYPE yylloc; #else # define YY_DECL_VARIABLES \ YY_DECL_NON_LSP_VARIABLES #endif /* If nonreentrant, generate the variables here. */ #if !YYPURE YY_DECL_VARIABLES #endif /* !YYPURE */ int yyparse (YYPARSE_PARAM_ARG) YYPARSE_PARAM_DECL { /* If reentrant, generate the variables here. */ #if YYPURE YY_DECL_VARIABLES #endif /* !YYPURE */ register int yystate; register int yyn; int yyresult; /* Number of tokens to shift before error messages enabled. */ int yyerrstatus; /* Lookahead token as an internal (translated) token number. */ int yychar1 = 0; /* Three stacks and their tools: `yyss': related to states, `yyvs': related to semantic values, `yyls': related to locations. Refer to the stacks thru separate pointers, to allow yyoverflow to reallocate them elsewhere. */ /* The state stack. */ short yyssa[YYINITDEPTH]; short *yyss = yyssa; register short *yyssp; /* The semantic value stack. */ YYSTYPE yyvsa[YYINITDEPTH]; YYSTYPE *yyvs = yyvsa; register YYSTYPE *yyvsp; #if YYLSP_NEEDED /* The location stack. */ YYLTYPE yylsa[YYINITDEPTH]; YYLTYPE *yyls = yylsa; YYLTYPE *yylsp; #endif #if YYLSP_NEEDED # define YYPOPSTACK (yyvsp--, yyssp--, yylsp--) #else # define YYPOPSTACK (yyvsp--, yyssp--) #endif YYSIZE_T yystacksize = YYINITDEPTH; /* The variables used to return semantic value and location from the action routines. */ YYSTYPE yyval; #if YYLSP_NEEDED YYLTYPE yyloc; #endif /* When reducing, the number of symbols on the RHS of the reduced rule. */ int yylen; YYDPRINTF ((stderr, "Starting parse\n")); yystate = 0; yyerrstatus = 0; yynerrs = 0; yychar = YYEMPTY; /* Cause a token to be read. */ /* Initialize stack pointers. Waste one element of value and location stack so that they stay on the same level as the state stack. The wasted elements are never initialized. */ yyssp = yyss; yyvsp = yyvs; #if YYLSP_NEEDED yylsp = yyls; #endif goto yysetstate; /*------------------------------------------------------------. | yynewstate -- Push a new state, which is found in yystate. | `------------------------------------------------------------*/ yynewstate: /* In all cases, when you get here, the value and location stacks have just been pushed. so pushing a state here evens the stacks. */ yyssp++; yysetstate: *yyssp = yystate; if (yyssp >= yyss + yystacksize - 1) { /* Get the current used size of the three stacks, in elements. */ YYSIZE_T yysize = yyssp - yyss + 1; #ifdef yyoverflow { /* Give user a chance to reallocate the stack. Use copies of these so that the &'s don't force the real ones into memory. */ YYSTYPE *yyvs1 = yyvs; short *yyss1 = yyss; /* Each stack pointer address is followed by the size of the data in use in that stack, in bytes. */ # if YYLSP_NEEDED YYLTYPE *yyls1 = yyls; /* This used to be a conditional around just the two extra args, but that might be undefined if yyoverflow is a macro. */ yyoverflow ("parser stack overflow", &yyss1, yysize * sizeof (*yyssp), &yyvs1, yysize * sizeof (*yyvsp), &yyls1, yysize * sizeof (*yylsp), &yystacksize); yyls = yyls1; # else yyoverflow ("parser stack overflow", &yyss1, yysize * sizeof (*yyssp), &yyvs1, yysize * sizeof (*yyvsp), &yystacksize); # endif yyss = yyss1; yyvs = yyvs1; } #else /* no yyoverflow */ # ifndef YYSTACK_RELOCATE goto yyoverflowlab; # else /* Extend the stack our own way. */ if (yystacksize >= YYMAXDEPTH) goto yyoverflowlab; yystacksize *= 2; if (yystacksize > YYMAXDEPTH) yystacksize = YYMAXDEPTH; { short *yyss1 = yyss; union yyalloc *yyptr = (union yyalloc *) YYSTACK_ALLOC (YYSTACK_BYTES (yystacksize)); if (! yyptr) goto yyoverflowlab; YYSTACK_RELOCATE (yyss); YYSTACK_RELOCATE (yyvs); # if YYLSP_NEEDED YYSTACK_RELOCATE (yyls); # endif # undef YYSTACK_RELOCATE if (yyss1 != yyssa) YYSTACK_FREE (yyss1); } # endif #endif /* no yyoverflow */ yyssp = yyss + yysize - 1; yyvsp = yyvs + yysize - 1; #if YYLSP_NEEDED yylsp = yyls + yysize - 1; #endif YYDPRINTF ((stderr, "Stack size increased to %lu\n", (unsigned long int) yystacksize)); if (yyssp >= yyss + yystacksize - 1) YYABORT; } YYDPRINTF ((stderr, "Entering state %d\n", yystate)); goto yybackup; /*-----------. | yybackup. | `-----------*/ yybackup: /* Do appropriate processing given the current state. */ /* Read a lookahead token if we need one and don't already have one. */ /* yyresume: */ /* First try to decide what to do without reference to lookahead token. */ yyn = yypact[yystate]; if (yyn == YYFLAG) goto yydefault; /* Not known => get a lookahead token if don't already have one. */ /* yychar is either YYEMPTY or YYEOF or a valid token in external form. */ if (yychar == YYEMPTY) { YYDPRINTF ((stderr, "Reading a token: ")); yychar = YYLEX; } /* Convert token to internal form (in yychar1) for indexing tables with */ if (yychar <= 0) /* This means end of input. */ { yychar1 = 0; yychar = YYEOF; /* Don't call YYLEX any more */ YYDPRINTF ((stderr, "Now at end of input.\n")); } else { yychar1 = YYTRANSLATE (yychar); #if YYDEBUG /* We have to keep this `#if YYDEBUG', since we use variables which are defined only if `YYDEBUG' is set. */ if (yydebug) { YYFPRINTF (stderr, "Next token is %d (%s", yychar, yytname[yychar1]); /* Give the individual parser a way to print the precise meaning of a token, for further debugging info. */ # ifdef YYPRINT YYPRINT (stderr, yychar, yylval); # endif YYFPRINTF (stderr, ")\n"); } #endif } yyn += yychar1; if (yyn < 0 || yyn > YYLAST || yycheck[yyn] != yychar1) goto yydefault; yyn = yytable[yyn]; /* yyn is what to do for this token type in this state. Negative => reduce, -yyn is rule number. Positive => shift, yyn is new state. New state is final state => don't bother to shift, just return success. 0, or most negative number => error. */ if (yyn < 0) { if (yyn == YYFLAG) goto yyerrlab; yyn = -yyn; goto yyreduce; } else if (yyn == 0) goto yyerrlab; if (yyn == YYFINAL) YYACCEPT; /* Shift the lookahead token. */ YYDPRINTF ((stderr, "Shifting token %d (%s), ", yychar, yytname[yychar1])); /* Discard the token being shifted unless it is eof. */ if (yychar != YYEOF) yychar = YYEMPTY; *++yyvsp = yylval; #if YYLSP_NEEDED *++yylsp = yylloc; #endif /* Count tokens shifted since error; after three, turn off error status. */ if (yyerrstatus) yyerrstatus--; yystate = yyn; goto yynewstate; /*-----------------------------------------------------------. | yydefault -- do the default action for the current state. | `-----------------------------------------------------------*/ yydefault: yyn = yydefact[yystate]; if (yyn == 0) goto yyerrlab; goto yyreduce; /*-----------------------------. | yyreduce -- Do a reduction. | `-----------------------------*/ yyreduce: /* yyn is the number of a rule to reduce with. */ yylen = yyr2[yyn]; /* If YYLEN is nonzero, implement the default value of the action: `$$ = $1'. Otherwise, the following line sets YYVAL to the semantic value of the lookahead token. This behavior is undocumented and Bison users should not rely upon it. Assigning to YYVAL unconditionally makes the parser a bit smaller, and it avoids a GCC warning that YYVAL may be used uninitialized. */ yyval = yyvsp[1-yylen]; #if YYLSP_NEEDED /* Similarly for the default location. Let the user run additional commands if for instance locations are ranges. */ yyloc = yylsp[1-yylen]; YYLLOC_DEFAULT (yyloc, (yylsp - yylen), yylen); #endif #if YYDEBUG /* We have to keep this `#if YYDEBUG', since we use variables which are defined only if `YYDEBUG' is set. */ if (yydebug) { int yyi; YYFPRINTF (stderr, "Reducing via rule %d (line %d), ", yyn, yyrline[yyn]); /* Print the symbols being reduced, and their result. */ for (yyi = yyprhs[yyn]; yyrhs[yyi] > 0; yyi++) YYFPRINTF (stderr, "%s ", yytname[yyrhs[yyi]]); YYFPRINTF (stderr, " -> %s\n", yytname[yyr1[yyn]]); } #endif switch (yyn) { case 1: #line 50 "exp.y" { cout << "------- exec ------- \n" ; (*yyvsp[-1].exp)() ; cout << endl; return 0; ; break;} case 3: #line 58 "exp.y" { yyval.exp=(Exp(yyvsp[-1].exp),yyvsp[0].exp);; break;} case 4: #line 61 "exp.y" { yyval.exp=(Exp(tableId.Add(*yyvsp[-3].str,Exp(new R)))=yyvsp[-1].exp);; break;} case 5: #line 62 "exp.y" { yyval.exp = (Exp(yyvsp[-3].exp)=yyvsp[-1].exp); ; break;} case 6: #line 63 "exp.y" {yyval.exp=yyvsp[-1].exp;; break;} case 7: #line 65 "exp.y" { yyval.exp = comp(While,Exp(yyvsp[-4].exp),Exp(yyvsp[-1].exp));; break;} case 8: #line 68 "exp.y" { yyval.exp=print(yyvsp[0].exp) ;; break;} case 9: #line 69 "exp.y" { yyval.exp=print(yyvsp[0].str) ;; break;} case 10: #line 70 "exp.y" {yyval.exp=(Exp(yyvsp[-2].exp),yyvsp[0].exp);; break;} case 12: #line 74 "exp.y" {yyval.exp = Exp(yyvsp[-2].exp)+yyvsp[0].exp;; break;} case 13: #line 75 "exp.y" {yyval.exp = Exp(yyvsp[-2].exp)-Exp(yyvsp[0].exp);; break;} case 14: #line 76 "exp.y" {yyval.exp = Exp(yyvsp[-2].exp)*yyvsp[0].exp;; break;} case 15: #line 77 "exp.y" {yyval.exp = Exp(yyvsp[-2].exp)/yyvsp[0].exp;; break;} case 17: #line 81 "exp.y" {yyval.exp=-Exp(yyvsp[0].exp);; break;} case 18: #line 82 "exp.y" {yyval.exp=yyvsp[0].exp;; break;} case 20: #line 86 "exp.y" {yyval.exp=comp(pow,yyvsp[-2].exp,yyvsp[0].exp);; break;} case 21: #line 89 "exp.y" {yyval.exp=Exp(yyvsp[0].dnum);; break;} case 22: #line 90 "exp.y" { yyval.exp=yyvsp[-1].exp;; break;} case 23: #line 91 "exp.y" { yyval.exp=yyvsp[0].exp;; break;} case 24: #line 92 "exp.y" { yyval.exp=comp(yyvsp[-3].f1,yyvsp[-1].exp);; break;} } #line 705 "/usr/share/bison/bison.simple" yyvsp -= yylen; yyssp -= yylen; #if YYLSP_NEEDED yylsp -= yylen; #endif #if YYDEBUG if (yydebug) { short *yyssp1 = yyss - 1; YYFPRINTF (stderr, "state stack now"); while (yyssp1 != yyssp) YYFPRINTF (stderr, " %d", *++yyssp1); YYFPRINTF (stderr, "\n"); } #endif *++yyvsp = yyval; #if YYLSP_NEEDED *++yylsp = yyloc; #endif /* Now `shift' the result of the reduction. Determine what state that goes to, based on the state we popped back to and the rule number reduced by. */ yyn = yyr1[yyn]; yystate = yypgoto[yyn - YYNTBASE] + *yyssp; if (yystate >= 0 && yystate <= YYLAST && yycheck[yystate] == *yyssp) yystate = yytable[yystate]; else yystate = yydefgoto[yyn - YYNTBASE]; goto yynewstate; /*------------------------------------. | yyerrlab -- here on detecting error | `------------------------------------*/ yyerrlab: /* If not already recovering from an error, report this error. */ if (!yyerrstatus) { ++yynerrs; #ifdef YYERROR_VERBOSE yyn = yypact[yystate]; if (yyn > YYFLAG && yyn < YYLAST) { YYSIZE_T yysize = 0; char *yymsg; int yyx, yycount; yycount = 0; /* Start YYX at -YYN if negative to avoid negative indexes in YYCHECK. */ for (yyx = yyn < 0 ? -yyn : 0; yyx < (int) (sizeof (yytname) / sizeof (char *)); yyx++) if (yycheck[yyx + yyn] == yyx) yysize += yystrlen (yytname[yyx]) + 15, yycount++; yysize += yystrlen ("parse error, unexpected ") + 1; yysize += yystrlen (yytname[YYTRANSLATE (yychar)]); yymsg = (char *) YYSTACK_ALLOC (yysize); if (yymsg != 0) { char *yyp = yystpcpy (yymsg, "parse error, unexpected "); yyp = yystpcpy (yyp, yytname[YYTRANSLATE (yychar)]); if (yycount < 5) { yycount = 0; for (yyx = yyn < 0 ? -yyn : 0; yyx < (int) (sizeof (yytname) / sizeof (char *)); yyx++) if (yycheck[yyx + yyn] == yyx) { const char *yyq = ! yycount ? ", expecting " : " or "; yyp = yystpcpy (yyp, yyq); yyp = yystpcpy (yyp, yytname[yyx]); yycount++; } } yyerror (yymsg); YYSTACK_FREE (yymsg); } else yyerror ("parse error; also virtual memory exhausted"); } else #endif /* defined (YYERROR_VERBOSE) */ yyerror ("parse error"); } goto yyerrlab1; /*--------------------------------------------------. | yyerrlab1 -- error raised explicitly by an action | `--------------------------------------------------*/ yyerrlab1: if (yyerrstatus == 3) { /* If just tried and failed to reuse lookahead token after an error, discard it. */ /* return failure if at end of input */ if (yychar == YYEOF) YYABORT; YYDPRINTF ((stderr, "Discarding token %d (%s).\n", yychar, yytname[yychar1])); yychar = YYEMPTY; } /* Else will try to reuse lookahead token after shifting the error token. */ yyerrstatus = 3; /* Each real token shifted decrements this */ goto yyerrhandle; /*-------------------------------------------------------------------. | yyerrdefault -- current state does not do anything special for the | | error token. | `-------------------------------------------------------------------*/ yyerrdefault: #if 0 /* This is wrong; only states that explicitly want error tokens should shift them. */ /* If its default is to accept any token, ok. Otherwise pop it. */ yyn = yydefact[yystate]; if (yyn) goto yydefault; #endif /*---------------------------------------------------------------. | yyerrpop -- pop the current state because it cannot handle the | | error token | `---------------------------------------------------------------*/ yyerrpop: if (yyssp == yyss) YYABORT; yyvsp--; yystate = *--yyssp; #if YYLSP_NEEDED yylsp--; #endif #if YYDEBUG if (yydebug) { short *yyssp1 = yyss - 1; YYFPRINTF (stderr, "Error: state stack now"); while (yyssp1 != yyssp) YYFPRINTF (stderr, " %d", *++yyssp1); YYFPRINTF (stderr, "\n"); } #endif /*--------------. | yyerrhandle. | `--------------*/ yyerrhandle: yyn = yypact[yystate]; if (yyn == YYFLAG) goto yyerrdefault; yyn += YYTERROR; if (yyn < 0 || yyn > YYLAST || yycheck[yyn] != YYTERROR) goto yyerrdefault; yyn = yytable[yyn]; if (yyn < 0) { if (yyn == YYFLAG) goto yyerrpop; yyn = -yyn; goto yyreduce; } else if (yyn == 0) goto yyerrpop; if (yyn == YYFINAL) YYACCEPT; YYDPRINTF ((stderr, "Shifting error token, ")); *++yyvsp = yylval; #if YYLSP_NEEDED *++yylsp = yylloc; #endif yystate = yyn; goto yynewstate; /*-------------------------------------. | yyacceptlab -- YYACCEPT comes here. | `-------------------------------------*/ yyacceptlab: yyresult = 0; goto yyreturn; /*-----------------------------------. | yyabortlab -- YYABORT comes here. | `-----------------------------------*/ yyabortlab: yyresult = 1; goto yyreturn; /*---------------------------------------------. | yyoverflowab -- parser overflow comes here. | `---------------------------------------------*/ yyoverflowlab: yyerror ("parser stack overflow"); yyresult = 2; /* Fall through. */ yyreturn: #ifndef yyoverflow if (yyss != yyssa) YYSTACK_FREE (yyss); #endif return yyresult; } #line 95 "exp.y" int yylex() { L1: if (ccin->eof()) return ENDOFFILE; int c=ccin->peek(); if (c<0) return ENDOFFILE; if (isdigit(c)) { *ccin >> yylval.dnum; assert(ccin->eof() || ccin->good()); cout << yylval.dnum; return DNUM;} else if (c=='.') { ccin->get(); c=ccin->peek(); ccin->putback('.'); if (isdigit(c)) { *ccin >> yylval.dnum; assert(ccin->eof() || ccin->good()); cout << yylval.dnum; return DNUM;} return ccin->get();} else if (c=='+' || c=='*' || c=='(' || c==')' || c=='-' || c=='/' || c=='{' || c=='}' || c=='=' || c=='^' || c==';' || c==',' || c=='.' ) { cout << char(c) ; return ccin->get(); } else if (c=='"') { yylval.str = new string(); ccin->get(); while ( (c=ccin->peek()) != '"' && c != EOF) *yylval.str += char(ccin->get()); assert(ccin->peek() == '"' ); ccin->get(); cout << '"'<< *yylval.str << '"' ; return STRING; } else if (isalpha(c)) { yylval.str = new string(); do { *yylval.str += char(ccin->get()); } while (isalnum(ccin->peek())); cout << *yylval.str; pair<int,void*> p=tableId.Find(*yylval.str); if (p.first==0) return NEW_ID; else { delete yylval.str; yylval.p=p.second; return p.first;} } else if (isspace(c)) { ccin->get(); cout << char(c) ; goto L1;} else { cerr << " caractere invalide " << char(c) << " " << c << endl; exit(1);} }; pair<int,void*> TableOfIdentifier::Find(const string & id) const { maptype::const_iterator i=m.find(id); if (i == m.end()) return make_pair<int,void*>(0,0); else return i->second; } void * TableOfIdentifier::Add(const string & id, R (*f)(R)) { return Add(id,FUNC1,(void*)f);} const Exp::ExpBase * TableOfIdentifier::Add(const string & id,const Exp::ExpBase * f) { Add(id,ID,(void*)f); return f;} int main (int argc, char **argv) { ccin = & cin; if(argc>1) ccin = new ifstream(argv[1]); if(!ccin) { cerr << " error opening " << argv[1] <<endl;exit(1);} // yydebug = 1; R x,y; tableId.Add("x",Exp(&x)); tableId.Add("y",Exp(&y)); tableId.Add("cos",cos); tableId.Add("atan",atan); tableId.Add("end",ENDOFFILE); tableId.Add("while",WHILE); tableId.Add("print",PRINT); cout << " input : \n"; yyparse(); cout << "\n fin normale \n"; return 0; }
[ "ettabib@gmail.com" ]
ettabib@gmail.com
684eedd267c9833c8bcbb940c17a4142c22f5406
71d7889f37bbdeccc971c1f189a70b5c2d8607dd
/QT/build-mytrainer-Desktop_Qt_5_4_0_MinGW_32bit-Debug/ui_QtAdmin.h
e607c0e60ef70f8da60d73d265c5d5e9ae9e9d4a
[]
no_license
OneEspylacopa/Data-Structure
87bf80508972edffb40b539696c4b76fe9076794
fbc4fc5fc477c32471e669fbb3fb770ede7a2c67
refs/heads/master
2020-12-31T00:09:56.549172
2018-02-11T00:16:47
2018-02-11T00:16:47
86,562,297
1
3
null
2018-02-11T00:16:48
2017-03-29T09:17:50
C++
UTF-8
C++
false
false
4,915
h
/******************************************************************************** ** Form generated from reading UI file 'QtAdmin.ui' ** ** Created by: Qt User Interface Compiler version 5.4.0 ** ** WARNING! All changes made in this file will be lost when recompiling UI file! ********************************************************************************/ #ifndef UI_QTADMIN_H #define UI_QTADMIN_H #include <QtCore/QVariant> #include <QtWidgets/QAction> #include <QtWidgets/QApplication> #include <QtWidgets/QButtonGroup> #include <QtWidgets/QHeaderView> #include <QtWidgets/QLabel> #include <QtWidgets/QMainWindow> #include <QtWidgets/QPushButton> #include <QtWidgets/QStatusBar> #include <QtWidgets/QWidget> QT_BEGIN_NAMESPACE class Ui_QtAdmin { public: QWidget *centralwidget; QPushButton *pushButton; QPushButton *pushButton_2; QPushButton *pushButton_3; QPushButton *pushButton_4; QPushButton *pushButton_5; QPushButton *pushButton_6; QPushButton *pushButton_7; QPushButton *pushButton_8; QLabel *label; QStatusBar *statusbar; void setupUi(QMainWindow *QtAdmin) { if (QtAdmin->objectName().isEmpty()) QtAdmin->setObjectName(QStringLiteral("QtAdmin")); QtAdmin->resize(400, 300); centralwidget = new QWidget(QtAdmin); centralwidget->setObjectName(QStringLiteral("centralwidget")); pushButton = new QPushButton(centralwidget); pushButton->setObjectName(QStringLiteral("pushButton")); pushButton->setGeometry(QRect(142, 40, 101, 28)); pushButton_2 = new QPushButton(centralwidget); pushButton_2->setObjectName(QStringLiteral("pushButton_2")); pushButton_2->setGeometry(QRect(142, 210, 101, 28)); pushButton_3 = new QPushButton(centralwidget); pushButton_3->setObjectName(QStringLiteral("pushButton_3")); pushButton_3->setGeometry(QRect(272, 210, 101, 28)); pushButton_4 = new QPushButton(centralwidget); pushButton_4->setObjectName(QStringLiteral("pushButton_4")); pushButton_4->setGeometry(QRect(272, 40, 101, 28)); pushButton_5 = new QPushButton(centralwidget); pushButton_5->setObjectName(QStringLiteral("pushButton_5")); pushButton_5->setGeometry(QRect(12, 40, 101, 28)); pushButton_6 = new QPushButton(centralwidget); pushButton_6->setObjectName(QStringLiteral("pushButton_6")); pushButton_6->setGeometry(QRect(272, 120, 101, 28)); pushButton_7 = new QPushButton(centralwidget); pushButton_7->setObjectName(QStringLiteral("pushButton_7")); pushButton_7->setGeometry(QRect(12, 120, 101, 28)); pushButton_8 = new QPushButton(centralwidget); pushButton_8->setObjectName(QStringLiteral("pushButton_8")); pushButton_8->setGeometry(QRect(12, 210, 101, 28)); label = new QLabel(centralwidget); label->setObjectName(QStringLiteral("label")); label->setGeometry(QRect(140, 110, 131, 41)); QtAdmin->setCentralWidget(centralwidget); statusbar = new QStatusBar(QtAdmin); statusbar->setObjectName(QStringLiteral("statusbar")); QtAdmin->setStatusBar(statusbar); retranslateUi(QtAdmin); QMetaObject::connectSlotsByName(QtAdmin); } // setupUi void retranslateUi(QMainWindow *QtAdmin) { QtAdmin->setWindowTitle(QApplication::translate("QtAdmin", "MainWindow", 0)); pushButton->setText(QApplication::translate("QtAdmin", "\345\210\240\351\231\244\350\277\220\350\241\214\350\256\241\345\210\222", 0)); pushButton_2->setText(QApplication::translate("QtAdmin", "\346\237\245\347\234\213\347\263\273\347\273\237\346\227\245\345\277\227", 0)); pushButton_3->setText(QApplication::translate("QtAdmin", "\351\200\200\345\207\272\347\231\273\345\275\225", 0)); pushButton_4->setText(QApplication::translate("QtAdmin", "\344\277\256\346\224\271\350\277\220\350\241\214\350\256\241\345\210\222", 0)); pushButton_5->setText(QApplication::translate("QtAdmin", "\346\267\273\345\212\240\350\277\220\350\241\214\350\256\241\345\210\222", 0)); pushButton_6->setText(QApplication::translate("QtAdmin", "\345\201\234\346\255\242\345\217\221\345\224\256", 0)); pushButton_7->setText(QApplication::translate("QtAdmin", "\345\274\200\345\247\213\345\217\221\345\224\256", 0)); pushButton_8->setText(QApplication::translate("QtAdmin", "\346\237\245\350\257\242\347\224\250\346\210\267\344\277\241\346\201\257", 0)); label->setText(QApplication::translate("QtAdmin", "<html><head/><body><p><span style=\" font-size:11pt;\">\345\220\221\347\256\241\347\220\206\345\221\230\344\275\216\345\244\264\357\274\201</span></p></body></html>", 0)); } // retranslateUi }; namespace Ui { class QtAdmin: public Ui_QtAdmin {}; } // namespace Ui QT_END_NAMESPACE #endif // UI_QTADMIN_H
[ "674808516@qq.com" ]
674808516@qq.com
a95a4eb668dda56038547d1ead3bf654effd627f
635c344550534c100e0a86ab318905734c95390d
/wpilibc/src/main/native/include/frc/SynchronousInterrupt.h
fbe0fca680ea922dc35489ba4fa1a7e331073e09
[ "BSD-3-Clause" ]
permissive
wpilibsuite/allwpilib
2435cd2f5c16fb5431afe158a5b8fd84da62da24
8f3d6a1d4b1713693abc888ded06023cab3cab3a
refs/heads/main
2023-08-23T21:04:26.896972
2023-08-23T17:47:32
2023-08-23T17:47:32
24,655,143
986
769
NOASSERTION
2023-09-14T03:51:22
2014-09-30T20:51:33
C++
UTF-8
C++
false
false
3,214
h
// Copyright (c) FIRST and other WPILib contributors. // Open Source Software; you can modify and/or share it under the terms of // the WPILib BSD license file in the root directory of this project. #pragma once #include <memory> #include <hal/Types.h> #include <units/time.h> namespace frc { class DigitalSource; /** * Class for handling synchronous (blocking) interrupts. * * <p> By default, interrupts will occur on rising edge. * * <p> Asynchronous interrupts are handled by the AsynchronousInterrupt class. */ class SynchronousInterrupt { public: /** * Event trigger combinations for a synchronous interrupt. */ enum WaitResult { kTimeout = 0x0, kRisingEdge = 0x1, kFallingEdge = 0x100, kBoth = 0x101, }; /** * Construct a Synchronous Interrupt from a Digital Source. * * @param source the DigitalSource the interrupts are triggered from */ explicit SynchronousInterrupt(DigitalSource& source); /** * Construct a Synchronous Interrupt from a Digital Source. * * @param source the DigitalSource the interrupts are triggered from */ explicit SynchronousInterrupt(DigitalSource* source); /** * Construct a Synchronous Interrupt from a Digital Source. * * @param source the DigitalSource the interrupts are triggered from */ explicit SynchronousInterrupt(std::shared_ptr<DigitalSource> source); ~SynchronousInterrupt(); SynchronousInterrupt(SynchronousInterrupt&&) = default; SynchronousInterrupt& operator=(SynchronousInterrupt&&) = default; /** * Wait for an interrupt to occur. * * <p> Both rising and falling edge can be returned if both a rising and * falling happened between calls, and ignorePrevious is false. * * @param timeout The timeout to wait for. 0s or less will return immediately. * @param ignorePrevious True to ignore any previous interrupts, false to * return interrupt value if an interrupt has occurred since last call. * @return The edge(s) that were triggered, or timeout. */ WaitResult WaitForInterrupt(units::second_t timeout, bool ignorePrevious = true); /** * Set which edges cause an interrupt to occur. * * @param risingEdge true to trigger on rising edge, false otherwise. * @param fallingEdge true to trigger on falling edge, false otherwise */ void SetInterruptEdges(bool risingEdge, bool fallingEdge); /** * Get the timestamp (relative to FPGA Time) of the last rising edge. * * @return the timestamp in seconds relative to getFPGATime */ units::second_t GetRisingTimestamp(); /** * Get the timestamp of the last falling edge. * * <p>This function does not require the interrupt to be enabled to work. * * <p>This only works if falling edge was configured using setInterruptEdges. * @return the timestamp in seconds relative to getFPGATime */ units::second_t GetFallingTimestamp(); /** * Wake up an existing wait call. Can be called from any thread. */ void WakeupWaitingInterrupt(); private: void InitSynchronousInterrupt(); std::shared_ptr<DigitalSource> m_source; hal::Handle<HAL_InterruptHandle> m_handle; }; } // namespace frc
[ "noreply@github.com" ]
noreply@github.com
910e3fa595b18a1f9ee4cb939007bc8d3a7cca21
29be7c52e05d32a4b02e6c0a1a6424abb2f60d57
/fuse-qreader/Example/build/Android/Preview/app/src/main/include/Fuse.Reactive.WindowList-1.h
7c6e666a368b8ae3fac3c462e8374c2eaf85111a
[ "MIT" ]
permissive
redtree0/CITOS-APP
3b8cbc86fd88f6adb5b480035788eac08290c7a6
624f69770d8573dffc174f1f9540c22f19c71f14
refs/heads/master
2020-03-29T05:42:49.041569
2018-09-25T14:24:55
2018-09-25T14:24:55
149,594,359
0
0
null
2018-09-20T10:47:57
2018-09-20T10:47:57
null
UTF-8
C++
false
false
4,045
h
// This file was generated based on C:/Users/채재윤융합IT학부/AppData/Local/Fusetools/Packages/Fuse.Reactive.Bindings/1.9.0/WindowList.uno. // WARNING: Changes might be lost if you edit this file directly. #pragma once #include <Uno.Object.h> namespace g{namespace Fuse{namespace Internal{struct ObjectList;}}} namespace g{namespace Fuse{namespace Reactive{struct WindowList;}}} namespace g{ namespace Fuse{ namespace Reactive{ // internal abstract class WindowList<T> :95 // { struct WindowList_type : uType { void(*fp_CreateWindowItem)(::g::Fuse::Reactive::WindowList*, int32_t*, uObject**); void(*fp_GetDataCount)(::g::Fuse::Reactive::WindowList*, int32_t*); void(*fp_OnAddedWindowItem)(::g::Fuse::Reactive::WindowList*, int32_t*, uObject*); void(*fp_OnErrorMessageChanged)(::g::Fuse::Reactive::WindowList*, uString*); void(*fp_OnRemovedWindowItem)(::g::Fuse::Reactive::WindowList*, uObject*); }; WindowList_type* WindowList_typeof(); void WindowList__ctor__fn(WindowList* __this); void WindowList__CalcOffsetLimitCountOf_fn(WindowList* __this, int32_t* length, int32_t* __retval); void WindowList__ClearError_fn(WindowList* __this); void WindowList__DataToWindowIndex_fn(WindowList* __this, int32_t* dataIndex, int32_t* __retval); void WindowList__get_ErrorMessage_fn(WindowList* __this, uString** __retval); void WindowList__set_ErrorMessage_fn(WindowList* __this, uString* value); void WindowList__GetWindowItem_fn(WindowList* __this, int32_t* i, uObject** __retval); void WindowList__GetWindowItemIndex_fn(WindowList* __this, uObject* item, int32_t* __retval); void WindowList__get_HasLimit_fn(WindowList* __this, bool* __retval); void WindowList__InsertedDataAt_fn(WindowList* __this, int32_t* dataIndex); void WindowList__InsertWindowItem_fn(WindowList* __this, int32_t* windowIndex, int32_t* dataIndex); void WindowList__get_Limit_fn(WindowList* __this, int32_t* __retval); void WindowList__set_Limit_fn(WindowList* __this, int32_t* value); void WindowList__get_Offset_fn(WindowList* __this, int32_t* __retval); void WindowList__set_Offset_fn(WindowList* __this, int32_t* value); void WindowList__RemoveAll_fn(WindowList* __this); void WindowList__RemovedDataAt_fn(WindowList* __this, int32_t* dataIndex); void WindowList__SetError_fn(WindowList* __this, uString* msg); void WindowList__TrimAndPad_fn(WindowList* __this); void WindowList__get_WindowItemCount_fn(WindowList* __this, int32_t* __retval); struct WindowList : uObject { int32_t _offset; int32_t _limit; bool _hasLimit; uStrong< ::g::Fuse::Internal::ObjectList*> _windowItems; uStrong<uString*> _errorMessage; void ctor_(); int32_t CalcOffsetLimitCountOf(int32_t length); void ClearError(); uObject* CreateWindowItem(int32_t dataIndex) { uObject* __retval; return (((WindowList_type*)__type)->fp_CreateWindowItem)(this, &dataIndex, &__retval), __retval; } int32_t DataToWindowIndex(int32_t dataIndex); uString* ErrorMessage(); void ErrorMessage(uString* value); int32_t GetDataCount() { int32_t __retval; return (((WindowList_type*)__type)->fp_GetDataCount)(this, &__retval), __retval; } uObject* GetWindowItem(int32_t i); int32_t GetWindowItemIndex(uObject* item); bool HasLimit(); void InsertedDataAt(int32_t dataIndex); void InsertWindowItem(int32_t windowIndex, int32_t dataIndex); int32_t Limit(); void Limit(int32_t value); int32_t Offset(); void Offset(int32_t value); void OnAddedWindowItem(int32_t windowIndex, uObject* wi) { (((WindowList_type*)__type)->fp_OnAddedWindowItem)(this, &windowIndex, wi); } void OnErrorMessageChanged(uString* _errorMessage1) { (((WindowList_type*)__type)->fp_OnErrorMessageChanged)(this, _errorMessage1); } void OnRemovedWindowItem(uObject* wi) { (((WindowList_type*)__type)->fp_OnRemovedWindowItem)(this, wi); } void RemoveAll(); void RemovedDataAt(int32_t dataIndex); void SetError(uString* msg); void TrimAndPad(); int32_t WindowItemCount(); }; // } }}} // ::g::Fuse::Reactive
[ "moter74@naver.com" ]
moter74@naver.com
36616a197646987f9aef7e9cc5854477e91c9116
a21cae5dabd4e739d72c1b9702aee2bf71845959
/Classes/Layer/GameLayer.h
2de23b5185b21221a551b32ab5c991c99b28e746
[]
no_license
dinhnhat0401/Henshin
f79a385dbabad55d810356cac1051cf9b81126f4
321f1d53475e19be92aa7ea4368f031626c83f22
refs/heads/master
2016-09-10T10:36:39.900432
2014-09-18T09:44:52
2014-09-18T09:44:52
null
0
0
null
null
null
null
UTF-8
C++
false
false
371
h
// // GameLayer.h // Henshin // // Created by duong minh khoa on 7/30/14. // Copyright (c) 2014 (THE) ONE of THEM. All rights reserved. // #ifndef __Henshin__GameLayer__ #define __Henshin__GameLayer__ #include "cocos2d.h" class Game : public cocos2d::Layer { public: virtual bool init(); CREATE_FUNC(Game); }; #endif /* defined(__Henshin__GameLayer__) */
[ "khoad4@gmail.com" ]
khoad4@gmail.com
4610a558e7b07d7e558d2af2eafc8f6111b3f39f
1501c818e8ea905d706b4fc0d251e312c8716148
/rbinarySearch.cpp
f671e94e87375d0b1463f2010750e55ceb1517d2
[]
no_license
dorururu/data-structure
d4b730a3bdb229adbc4d33918109ac74156bd5f3
8fb00358472c713b1fc04c439236aa3b21917058
refs/heads/master
2020-12-23T15:44:21.930474
2020-04-22T06:15:04
2020-04-22T06:15:04
237,194,271
2
0
null
null
null
null
UTF-8
C++
false
false
637
cpp
#include <iostream> using namespace std; int binarySearch(int arr[], int left, int right, int key) { if(left > right) return -1; int mid = (left+right) / 2; if(arr[mid] == key) { return mid; } else if(arr[mid] < key) { return binarySearch(arr, mid+1, right, key); } else { return binarySearch(arr, left, mid-1, key); } } int main() { int arr[] = { -3,-2,0,2,3,5,6,10,11,30 }; int key; cin >> key; int result = binarySearch(arr, 0, 9, key); if(result == -1) cout << "Not Found" << '\n'; else cout << "key index : " << result << '\n'; return 0; }
[ "askyox7595@gmail.com" ]
askyox7595@gmail.com
7be4ca3c2b2e7dbd139e43c6fc95dd96c19c8d34
1960a112a98f95108e081f2f24a3db2047d293fe
/Parcial_Rep/src/Cola.cpp
8a0376b8fcb9da5ecd2c499583dc7925b5bba051
[]
no_license
Sara270/Reposici-nParcial
3d2c43a53ab30fafdd2b9290af87d2051d84ba67
547bff36bd1116305c321c1cea38f907fba0f7cb
refs/heads/master
2021-07-17T19:34:40.099597
2017-10-23T03:07:28
2017-10-23T03:07:28
107,305,287
0
0
null
null
null
null
ISO-8859-1
C++
false
false
1,617
cpp
/* * Cola.cpp * * Created on: 17/10/2017 * Author: Sara */ #include "Cola.h" #include <iostream> using namespace std; Cola::Cola (){ this-> frente = new Nodo1(0); this-> fin = new Nodo1(0); } Cola::~Cola(){ } //función para determinar si la cola esta vacía bool Cola :: ValidarVacia(Nodo1 *frente){ if(frente == NULL ){ // NULL return true; }else{ return false; } } // Metodo para encolar void Cola :: enqueue (Nodo1 *&frente, Nodo1 *&fin, int a){ Nodo1 *nd = new Nodo1(0); nd->dato= a; nd->siguiente =NULL;//NULL if(ValidarVacia(frente)){ frente = nd; }else{ fin->siguiente = nd; } fin = nd; } // Metodo para desencoclar void Cola :: dequeue(Nodo1 *&frente, Nodo1 *&fin, int &a){ a = frente->dato; Nodo1 *aux=frente; if(frente == fin){ frente = NULL; fin = NULL; }else{ frente = frente->siguiente; } delete aux; } void Cola :: Menu1(){ int opcion, dato; do{ cout<<"MENU\n"; cout<<"1. Encolar elementos\n"; cout<<"2. Desencolar elementos\n"; cout<<"3. Salir\n"; cout<<"Opcion: "; cin >> opcion; switch(opcion){ case 1: cout << "\nDigite el número: "; cin >> dato; enqueue(frente, fin , dato); cout<<"\n"; system("pause"); break; case 2: cout<<"\nMostrando Dato: "; while(frente!=NULL){ dequeue(frente, fin, dato); if(frente!=NULL){ cout<<dato<<" , "; }else{ cout<<dato<<"."; } } system("pause"); break; } system("cls"); }while(opcion != 3); }
[ "noreply@github.com" ]
noreply@github.com
fa59c1bf5191971a2741fe4942c573f2b9245245
5bb0a22fc4046023700657230fa4f860803c9d45
/controllers/nrt_software/plugins_misc/src/online_centralized_controller.cpp
2971f6063ffd54733dc28ececa9f76a572d0098c
[ "Zlib" ]
permissive
mkamedula/Software-for-Robotic-Control
f953d0a9c3b22716db30f92c16f47fd21da61989
fc3f7b344d56aa238d77c22c5804831941fcba24
refs/heads/master
2022-07-07T18:21:09.001800
2022-06-12T23:10:55
2022-06-12T23:10:55
306,434,538
0
0
null
null
null
null
UTF-8
C++
false
false
5,660
cpp
#include <mwoibn/robot_class/robot_xbot_nrt.h> #include <mwoibn/robot_class/robot_ros_nrt.h> #include <std_srvs/SetBool.h> #include <std_srvs/Empty.h> #include <custom_messages/CustomCmnd.h> #include "mgnss/controllers/online_centralized_controller.h" #include <config.h> void switchMode(mwoibn::robot_class::Robot* robot_ptr, mwoibn::robot_class::Robot* robot_ref_ptr, bool* motor_side) { if (*motor_side) { robot_ref_ptr->state.position.set(robot_ptr->command.position.get()); robot_ref_ptr->update(); } else robot_ptr->command.position.set(robot_ref_ptr->state.position.get()); } void setReference(RigidBodyDynamics::Math::VectorNd* state_ptr, mwoibn::robot_class::Robot* robot_ptr, mwoibn::robot_class::Robot* robot_ref_ptr, bool* motor_side) { if (*motor_side) { robot_ref_ptr->state.position.set(*state_ptr); robot_ref_ptr->update(); } else robot_ptr->command.position.set(*state_ptr); } bool setMotorSideReference(std_srvs::SetBool::Request& req, std_srvs::SetBool::Response& res, mwoibn::robot_class::Robot* robot_ptr, mwoibn::robot_class::Robot* robot_ref_ptr, bool* motor_side) { std::string enabled = "motor_side", disabled = "link_side"; if (*motor_side == req.data) { res.success = true; res.message = "Reference has alredy been on " + (*motor_side ? enabled : disabled) + "!"; return true; } *motor_side = req.data; res.message = "Reference is now for " + (*motor_side ? enabled : disabled) + "!"; switchMode(robot_ptr, robot_ref_ptr, motor_side); res.success = true; return true; } bool resetReference(std_srvs::Empty::Request& req, std_srvs::Empty::Response& res, mwoibn::robot_class::Robot* robot_ptr, mwoibn::robot_class::Robot* robot_ref_ptr, bool* motor_side) { RigidBodyDynamics::Math::VectorNd state = robot_ptr->state.position.get(); setReference(&state, robot_ptr, robot_ref_ptr, motor_side); return true; } void getContacts(const custom_messages::CustomCmnd::ConstPtr& msg, mwoibn::robot_class::Robot* robot_ptr, mwoibn::robot_class::Robot* robot_ref_ptr) { for (int i = 0; i < robot_ptr->contacts().size(); i++) { // std::cout << "for" << std::endl; if (msg->onlineGain1[i]) { // std::cout << "active" << std::endl; robot_ptr->contacts().contact(i).activate(); robot_ref_ptr->contacts().contact(i).activate(); } else { // std::cout << "not active" << std::endl; robot_ptr->contacts().contact(i).deactivate(); robot_ref_ptr->contacts().contact(i).deactivate(); } } return; } int main(int argc, char** argv) { ros::init(argc, argv, "centralized_controller"); // initalize node ros::NodeHandle n; bool motor_side = false; std::string path = std::string(DRIVING_FRAMEWORK_WORKSPACE); // init real robot mwoibn::robot_class::RobotXBotNRT robot(path+"DrivingFramework/configs/mwoibn/configs/mwoibn_2_5.yaml", "default", path+"DrivingFramework/configs/mwoibn/configs/support/centralized_controller.yaml"); mwoibn::robot_class::RobotXBotNRT robot_ref( path+"DrivingFramework/locomotion_framework/configs/" "mwoibn_v2.yaml", "reference", path+"DrivingFramework/controllers/nrt_software/configs/centralized_controller.yaml"); mgnss::controllers::OnlineCentralizedController controller(robot); ros::Subscriber sub = n.subscribe<custom_messages::CustomCmnd>( "CoM_regulator/contacts", 1, boost::bind(&getContacts, _1, &robot, &robot_ref)); // // debbuging purposes, switch between motor side and link side reference ros::ServiceServer switch_reference = n.advertiseService<std_srvs::SetBool::Request, std_srvs::SetBool::Response>( "centralized_controller/motor_side_reference", boost::bind(&setMotorSideReference, _1, _2, &robot, &robot_ref, &motor_side)); // debbuging purposes, set current robot position as new reference ros::ServiceServer reset_reference = n.advertiseService<std_srvs::Empty::Request, std_srvs::Empty::Response>( "centralized_controller/reset_reference", boost::bind(&resetReference, _1, _2, &robot, &robot_ref, &motor_side)); robot.get(); // set valid reference for current contact points robot.command.position.set(robot.state.position.get()); robot_ref.state.position.set(robot.state.position.get()); while (ros::ok()) { if (robot_ref.get()) controller.fullUpdate(robot_ref.state.position.get(), robot_ref.state.velocity.get()); } }
[ "malgorzata.kamedula@gmail.com" ]
malgorzata.kamedula@gmail.com
a1cf8ef76daf27cd985d981ee28715dff5750b85
c76e86083eb3cbe3d71c73d60728d5c4951813c4
/libs/src/svkDynamicMRIAlgoTemplate.cc
15231939008dd5ecaec6d6db2cb2c820220d76cf
[]
no_license
CSwish/sivic
f9deb093131bc5cb930b2006994110ed72687831
e2bd908ae94300d49330b197c3cd5797063f8cf7
refs/heads/master
2021-01-13T17:08:32.211191
2016-03-17T21:02:46
2016-03-17T21:02:46
null
0
0
null
null
null
null
UTF-8
C++
false
false
26,973
cc
/* * Copyright © 2009-2014 The Regents of the University of California. * 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. * • None of the names of any campus of the University of California, the name * "The Regents of the University of California," or the names of any 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 HOLDERS 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. */ /* * $URL$ * $Rev$ * $Author$ * $Date$ * * Authors: * Jason C. Crane, Ph.D. * Beck Olson, * Nonlinear LS fit added by: Christine Leon (Jul 28, 2012) */ #include <vtkInformation.h> #include <vtkInformationVector.h> #include <vtkStreamingDemandDrivenPipeline.h> #include <svkDynamicMRIAlgoTemplate.h> #include <cminpack.h> #include <math.h> #include <stdio.h> #include <string.h> # define real __cminpack_real__ using namespace svk; vtkCxxRevisionMacro(svkDynamicMRIAlgoTemplate, "$Rev$"); vtkStandardNewMacro(svkDynamicMRIAlgoTemplate); /* Use for user provided Jacobian*/ int fcn_lmder(void *p, int m, int n, const real *x, real *fvec, real *fjac, int ldfjac, int iflag); /* Use for no Jacobian Provided */ int fcn_lmdif(void *p, int combinedNumberOfTimePoints, int numMets, const double *x, double *fvec, int iflag); /* the following struct defines the data points */ typedef struct { int m; real *y; } fcndata_t; /*! * */ svkDynamicMRIAlgoTemplate::svkDynamicMRIAlgoTemplate() { #if VTK_DEBUG_ON this->DebugOn(); #endif vtkDebugMacro(<< this->GetClassName() << "::" << this->GetClassName() << "()"); this->newSeriesDescription = ""; // 3 required input ports: this->SetNumberOfInputPorts(3); } /*! * */ svkDynamicMRIAlgoTemplate::~svkDynamicMRIAlgoTemplate() { vtkDebugMacro(<<this->GetClassName()<<"::~"<<this->GetClassName()); } /*! * Set the series description for the DICOM header of the copy. */ void svkDynamicMRIAlgoTemplate::SetSeriesDescription( vtkstd::string newSeriesDescription ) { this->newSeriesDescription = newSeriesDescription; this->Modified(); } /*! * Resets the origin and extent for correct initialization of output svkMriImageData object from input * svkMrsImageData object. */ int svkDynamicMRIAlgoTemplate::RequestInformation( vtkInformation* request, vtkInformationVector** inputVector, vtkInformationVector* outputVector ) { vtkInformation *inInfo = inputVector[0]->GetInformationObject(0); vtkInformation *outInfo = outputVector->GetInformationObject(0); int inWholeExt[6]; inInfo->Get(vtkStreamingDemandDrivenPipeline::WHOLE_EXTENT(), inWholeExt); double inSpacing[3]; this->GetImageDataInput(0)->GetSpacing( inSpacing ); // MRI image data output map has the same extent as the input MRI // image data (points): int outUpExt[6]; int outWholeExt[6]; double outSpacing[3]; for (int i = 0; i < 3; i++) { outUpExt[2*i] = inWholeExt[2*i]; outUpExt[2*i+1] = inWholeExt[2*i+1]; outWholeExt[2*i] = inWholeExt[2*i]; outWholeExt[2*i+1] = inWholeExt[2*i+1]; outSpacing[i] = inSpacing[i]; } // MRS Input data has origin at first point (voxel corner). Whereas output MRI image has origin at // center of a point (point data). In both cases this is the DICOM origin, but needs to be represented // differently in VTK and DCM: double outOrigin[3]; this->GetImageDataInput(0)->GetDcmHeader()->GetOrigin( outOrigin ); outInfo->Set(vtkStreamingDemandDrivenPipeline::WHOLE_EXTENT(), outWholeExt, 6); outInfo->Set(vtkStreamingDemandDrivenPipeline::UPDATE_EXTENT(), outUpExt, 6); outInfo->Set(vtkDataObject::SPACING(), outSpacing, 3); outInfo->Set(vtkDataObject::ORIGIN(), outOrigin, 3); return 1; } /*! * Copy the Dcm Header and Provenance from the input to the output. */ int svkDynamicMRIAlgoTemplate::RequestData( vtkInformation* request, vtkInformationVector** inputVector, vtkInformationVector* outputVector ) { // Create the template data object by // extractng an svkMriImageData from the input svImageData object // Use an arbitrary point for initialization of scalars. Actual data // will be overwritten by algorithm. int indexArray[1]; indexArray[0] = 0; svkMriImageData::SafeDownCast( this->GetImageDataInput(0) )->GetCellDataRepresentation()->GetImage( svkMriImageData::SafeDownCast( this->GetOutput() ), 0, this->newSeriesDescription, indexArray, 0, VTK_DOUBLE ); this->GenerateKineticParamMap(); svkDcmHeader* hdr = this->GetOutput()->GetDcmHeader(); hdr->InsertUniqueUID("SeriesInstanceUID"); hdr->InsertUniqueUID("SOPInstanceUID"); hdr->SetValue("SeriesDescription", this->newSeriesDescription); return 1; }; /*! * Generate 3D image parameter map from analysis of dynamic data. */ void svkDynamicMRIAlgoTemplate::GenerateKineticParamMap() { this->ZeroData(); int numVoxels[3]; this->GetOutput()->GetNumberOfVoxels(numVoxels); int totalVoxels = numVoxels[0] * numVoxels[1] * numVoxels[2]; // Get the data array to initialize. vtkDataArray* kineticsMapArray; kineticsMapArray = this->GetOutput()->GetPointData()->GetArray(0); // Add the output volume array to the correct array in the svkMriImageData object vtkstd::string arrayNameString("pixels"); kineticsMapArray->SetName( arrayNameString.c_str() ); double voxelValue; for (int i = 0; i < totalVoxels; i++ ) { cout << "VOXEL NUMBER: " << i << endl; vtkFloatArray* kineticTrace0 = vtkFloatArray::SafeDownCast( svkMriImageData::SafeDownCast(this->GetImageDataInput(0))->GetCellDataRepresentation()->GetArray(i) ); vtkFloatArray* kineticTrace1 = vtkFloatArray::SafeDownCast( svkMriImageData::SafeDownCast(this->GetImageDataInput(1))->GetCellDataRepresentation()->GetArray(i) ); vtkFloatArray* kineticTrace2 = vtkFloatArray::SafeDownCast( svkMriImageData::SafeDownCast(this->GetImageDataInput(2))->GetCellDataRepresentation()->GetArray(i) ); float* metKinetics0 = kineticTrace0->GetPointer(0); float* metKinetics1 = kineticTrace1->GetPointer(0); float* metKinetics2 = kineticTrace2->GetPointer(0); //cout << "NUM COMP: " << kineticTrace->GetNumberOfComponents() << endl; //cout << "NUM TUPS: " << kineticTrace->GetNumberOfTuples() << endl; //this->metKinetics0 = kineticTrace0->GetPointer(0); //this->metKinetics1 = kineticTrace1->GetPointer(0); //this->metKinetics2 = kineticTrace2->GetPointer(0); voxelValue = this->GetKineticsMapVoxelValue( metKinetics0, metKinetics1, metKinetics2 ); //voxelValue = this->GetKineticsMapVoxelValue( ); kineticsMapArray->SetTuple1(i, voxelValue); } } /*! * Fit the kinetics for a single voxel. */ double svkDynamicMRIAlgoTemplate::GetKineticsMapVoxelValue(float* metKinetics0, float* metKinetics1, float* metKinetics2 ) { double voxelValue; // get num points in kinetic trace: int numPts = this->GetImageDataInput(0)->GetDcmHeader()->GetNumberOfTimePoints(); // Get other parameters outside of kinetics that describe kinetics // Get max(aka peak hieght) and min intensity data point for upper and lower bounds: float maxValue0 = metKinetics0[0]; float maxValue1 = metKinetics1[0]; float maxValue2 = metKinetics2[0]; float minValue0 = metKinetics0[0]; float minValue1 = metKinetics1[0]; float minValue2 = metKinetics2[0]; // Get arrival time: float arrival0 = 0; float arrival1 = 0; float arrival2 = 0; // Get area under curve time: float AreaUnderCurve0 = metKinetics0[0]; float AreaUnderCurve1 = metKinetics1[0]; float AreaUnderCurve2 = metKinetics2[0]; // Get approximate Full Width Half Max: float t_start_FWHM0 = 0; float t_end_FWHM0 = 0; float t_start_FWHM1 = 0; float t_end_FWHM1 = 0; float t_start_FWHM2 = 0; float t_end_FWHM2 = 0; // Get Mean Time: float MeanTime0 = 0; float MeanTime1 = 0; float MeanTime2 = 0; float time = 1; for ( int t = 0; t < numPts; t++ ) { cout << " val: " << t << " " << metKinetics0[t] << " " << metKinetics1[t] << " " << metKinetics2[t] << endl; if (t > 0){ /* Calculate AUC */ AreaUnderCurve0 = AreaUnderCurve0 + metKinetics0[t-1]; AreaUnderCurve1 = AreaUnderCurve1 + metKinetics1[t-1]; AreaUnderCurve2 = AreaUnderCurve2 + metKinetics2[t-1]; time = 1 + time; /* Calculate MT */ MeanTime0 = (time*metKinetics0[t]) + MeanTime0; MeanTime1 = (time*metKinetics1[t]) + MeanTime1; MeanTime2 = (time*metKinetics2[t]) + MeanTime2; } MeanTime0 = MeanTime0/AreaUnderCurve0; MeanTime1 = MeanTime1/AreaUnderCurve1; MeanTime2 = MeanTime2/AreaUnderCurve2; /* Calculate max(aka peak hieght), min, & arrival time */ if ( metKinetics0[t] > maxValue0) { maxValue0 = metKinetics0[ t ]; arrival0 = t; } if ( metKinetics0[t] < minValue0) { minValue0 = metKinetics0[ t ]; } if ( metKinetics1[t] > maxValue1) { maxValue1 = metKinetics1[ t ]; arrival1 = t; } if ( metKinetics1[t] < minValue1) { minValue1 = metKinetics1[ t ]; } if ( metKinetics2[t] > maxValue2) { maxValue2 = metKinetics2[ t ]; arrival2 = t; } if ( metKinetics2[t] < minValue2) { minValue2 = metKinetics2[ t ]; } } // calculate approximate FWHM // PYRUVATE for ( int t = 0; t < numPts; t++ ) { if ( metKinetics0[t] > 0.5*maxValue0){ t_start_FWHM0 = t; break; } } for ( int t = 0; t < numPts; t++ ) { if ( metKinetics0[numPts-t] > 0.5*maxValue0){ t_end_FWHM0 = numPts-t; break; } } // LACTATE for ( int t = 0; t < numPts; t++ ) { if ( metKinetics1[t] > 0.5*maxValue1){ t_start_FWHM1 = t; break; } } //UREA for ( int t = 0; t < numPts; t++ ) { if ( metKinetics1[numPts-t] > 0.5*maxValue1){ t_end_FWHM1 = numPts-t; break; } } for ( int t = 0; t < numPts; t++ ) { if ( metKinetics2[t] > 0.5*maxValue2){ t_start_FWHM2 = t; break; } } for ( int t = 0; t < numPts; t++ ) { if ( metKinetics2[numPts-t] > 0.5*maxValue2){ t_end_FWHM2 = numPts-t; break; } } float FWHM0 = t_end_FWHM0- t_start_FWHM0; float FWHM1 = t_end_FWHM1- t_start_FWHM1; float FWHM2 = t_end_FWHM2- t_start_FWHM2; // Set up dynamic variable arrray for cmin_pack const int numMets = 3; const int combinedNumberOfTimePoints = numMets * numPts; /* m = 3*numPts... should this be 3? 15? 20? 60? */ int i, j, ldfjac, maxfev, mode, nprint, info, nfev, njev; int* ipvt = new int[numMets]; real ftol, xtol, gtol, factor, fnorm, epsfcn; double* x = new double[numMets]; double* fvec = new double[combinedNumberOfTimePoints]; double* diag = new double[numMets]; double* fjac = new double[combinedNumberOfTimePoints*numMets]; double* qtf = new double[numMets]; double* wa1 = new double[numMets]; double* wa2 = new double[numMets]; double* wa3 = new double[numMets]; double* wa4 = new double[combinedNumberOfTimePoints]; int k; real y[combinedNumberOfTimePoints]; for (int met=0; met < numMets; met++){ for (int t=0; t < numPts; t++){ if(met==0) { y[met*numPts+t] = metKinetics0[t]; } if(met==1) { y[met*numPts+t] = metKinetics1[t]; } if(met==2) { y[met*numPts+t] = metKinetics2[t]; } } } fcndata_t data; data.m = combinedNumberOfTimePoints; data.y = y; // Not sure what this is for...based on examples from cminpack-1.3.0/examples/tlmdifc.c real TR = 1; // sec // Set initial values (sec-1) //x[0] = this->metKinetics0[0]; // Pyr at time = 0 //x[1] = this->metKinetics1[0]; // Lac at time = 0 //x[2] = this->metKinetics2[0]; // Urea at time = 0 x[0] = 1/(20*TR); // 1/T1 All //x[4] = 1/(10*TR); // T1,Pyr //x[5] = 1/(10*TR); // T1,Lac x[2] = 1/(10*TR); // T1,Urea //x[2] = 1/TR; // Pyruvate bolus arrival time x[1] = 0.5/TR; // Kpyr->lac ldfjac = combinedNumberOfTimePoints; // Set ftol and xtol to the square root of the machine // and gtol to zero. unless high solutions are // required, these are the recommended settings. //ftol =sqrt(__cminpack_func__(dpmpar)(1)); xtol =sqrt(__cminpack_func__(dpmpar)(1)); gtol =0.; maxfev = 2000; epsfcn = 0.; mode = 1; factor = 10; //nprint =0; // Set lower and upper bounds // double lb[] = {minValue0, minValue1, minValue2, 1/50, 1/50, 1/50, 0}; // double ub[] = {maxValue0, maxValue1, maxValue2, 1/5, 1/5, 1/5, 1}; // SI pyr, SI lac, SI urea, 1/Tp, 1/T1L, 1/T1U, rate lac-pyr...sec-1 // lmder: User defined Jacobian // based on examples from cminpack-1.3.0/examples/tlmderc.c //info = __cminpack_func__(lmder)(fcn_lmder, &data, m, n, x, fvec, fjac, ldfjac, ftol, xtol, gtol, //maxfev, diag, mode, factor, nprint, &nfev, &njev, //ipvt, qtf, wa1, wa2, wa3, wa4); // lmdif: Calculates Jacobian based on derivatives // based on examples from cminpack-1.3.0/examples/tlmdifc.c info = __cminpack_func__(lmdif)(fcn_lmdif, &data,combinedNumberOfTimePoints , numMets, x, fvec, ftol, xtol, gtol, maxfev, epsfcn, diag, mode, factor, nprint, &nfev, fjac, ldfjac,ipvt, qtf, wa1, wa2, wa3, wa4); fnorm = __cminpack_func__(enorm)(combinedNumberOfTimePoints, fvec); // // Look at rank, covariance and residuals to ensure goodness of fit // printf(" final 12 norm of the residuals:%15.7g\n\n",(double)fnorm); printf(" number of function evaulations:%15.7g\n\n",fvec); printf(" exit parameter %10i\n\n",info); switch (info){ case 0: printf(" improper iin put parameters "); break; case 1: printf(" F_error < ftol "); break; case 2: printf(" delta < xtol*xnorm "); break; case 3: printf(" both_error < tol "); break; case 4: printf(" cos(angle fvec Jacobian < gtol "); break; case 5: printf(" n ftn evaluation > maxfev "); break; case 6: printf(" too small ftol for F_error "); break; case 7: printf(" too small xtol for x_error "); break; case 99: printf(" too small gtol for cos(angle) "); break; } printf("\n"); printf("\n"); //for (j=0; j<n; ++j) { // printf(" Estimated value:%15.7g\n\n",x[j]); // printf("\n"); // } ftol = __cminpack_func__(dpmpar)(1); #ifdef TEST_COVAR { // test the original covar from MINPACK real covfac = fnorm*fnorm/(combinedNumberOfTimePoints-numMets); real fjac1[15*3]; memcpy(fjac1, fjac, sizeof(fjac)); covar(n, fjac1, ldfjac, ipvt, ftol, wa1); printf(" covariance (using covar)\n"); for (i=0; i < numMets; ++i) { for (j=0; j < numMets; ++j){ printf("%s%15.7g", j%3==1?"\n ":"", (double)fjac1[i*ldfjac+j]*covfac); } } printf("\n"); } #endif // test covar1, which also estimates the rank of the Jacobian k = __cminpack_func__(covar1)(combinedNumberOfTimePoints, numMets, fnorm*fnorm, fjac, ldfjac, ipvt, ftol, wa1); printf(" covariance\n"); for (i=0; i < numMets; ++i) { for (j=0; j < numMets; ++j){ printf("%s%15.7g", j%3==0?"\n ":"", (double)fjac[i*ldfjac+j]); } } printf("\n"); printf("\n"); printf(" rank(J) = %d\n", k != 0 ? k : numMets); printf("\n"); //double Mfit[] = fcn_lmdif(void *p, int m, int n, const real *x, real *fvec, int iflag); // Get parameters //double Klp = 0; //double T1p = 1/x[4]; //double T1l = 1/x[5]; //double t_arrival = x[1]; double T1u = 1/x[2]; double T1all = 1/x[0]; double Kpl = x[1]; cout << " Two Site Exchange assuming back reaction is zero and acq starts after bolus" << endl; printf("\n"); // Dealing with all of these parameters later //cout << " Klp: " << Klp << endl; //cout << " T1p: " << T1p << endl; //cout << " Tl1: " << T1l << endl; //cout << " Bolus arrival time: " << t_arrival << endl; //printf("\n"); cout << " Tlu: " << T1u << endl; printf("\n"); cout << " Kpl: " << Kpl << endl; printf("\n"); cout << " T1 all metabolites: " << T1all << endl; printf("\n"); float* calculatedLacKinetics = new float[numPts]; //float* calculatedPyrKinetics = new float[numPts]; //float* calculatedUreaKinetics = new float[numPts]; this->CalculateLactateKinetics(x, numPts, metKinetics0, metKinetics1, calculatedLacKinetics); delete[] calculatedLacKinetics; // clean up memory: delete[] ipvt; delete[] x; delete[] fvec; delete[] diag; delete[] fjac; delete[] qtf; delete[] wa1; delete[] wa2; delete[] wa3; delete[] wa4; // EDIT HERE!!! Christine // Add a reasonable mask if (maxValue1 > 5*minValue1){ voxelValue=MeanTime1; }else{ voxelValue = 0; } return voxelValue; } /*! * Function to caluculate the lactate kinetic trace from the best fit params for this voxel */ void svkDynamicMRIAlgoTemplate::CalculateLactateKinetics(double* fittedModelParams, int numTimePts,float* metKinetics0, float* metKinetics1, float* calculatedLacKinetics ) { double T1all = 1/fittedModelParams[0]; double Kpl = fittedModelParams[1]; int t_arrival = 2; // use fitted model params and initial concentration/intensity to calculate the lactacte intensity at // each time point // solved met(t) = met(0)*invlaplace(phi(t)), where phi(t) = sI - x. x is the matrix of parameters. cout << " Calculating Lactate Kinetics from LS fit " << endl; for ( int t = 0; t < numTimePts; t++ ) { if (t<t_arrival){ calculatedLacKinetics[t] = 0; } if (t >= t_arrival){ // PYRUVATE // calculatedPyrKinetics[t] = metKinetics0[0]*exp(-((1/T1all)+Kpl-t_arrival)*t); // UREA // calculatedUreaKinetics[t] = metKinetics2[0]*exp(-((1/T1all)-t_arrival)*t); // LACTATE calculatedLacKinetics[t] = metKinetics0[t_arrival]*(-exp(-t/T1all-t*Kpl)+exp(-t/T1all))+metKinetics1[t_arrival]*exp(-t/T1all); } cout << "Measured at time t=" << t << " : "<< metKinetics1[t] << endl; cout << "Estimated at time t=" << t <<" : "<< calculatedLacKinetics[t] << endl; } printf("\n"); } /* * lmder stub */ // int fcn_lmder(void *p, int m, int n, const real *x, real *fvec, real *fjac, int ldfjac, int iflag) // { // return 0; // } /*! * model exchange */ int fcn_lmdif(void *p, int combinedNumberOfTimePoints, int numMets, const double *x, double *fvec, int iflag) { //const real y* = ((fcndata_t*)p)->y; //int mets = 3; int pfa = 0; float TR = 1; /* sec */ double pi = vtkMath::Pi();//3.14159265358979323846; int numTimePoints = combinedNumberOfTimePoints/numMets; //cout << "numTimePoints: " << numTimePoints << endl; // Now extract the arrays from the fcndata_t struct: const real* y = ((fcndata_t*)p)->y; const real* metKinetics0 = y; const real* metKinetics1 = y+=numTimePoints; const real* metKinetics2 = y+=numTimePoints; //cout << " metKinetics0[0] = "<< metKinetics0[0] << endl; //cout << " metKinetics1[0] = "<< metKinetics1[0] << endl; //cout << " metKinetics2[0] = "<< metKinetics2[0] << endl; //cout << " metKinetics0[numTimePoints-1] = "<< metKinetics0[numTimePoints-1] << endl; //cout << " metKinetics1[numTimePoints-1] = "<< metKinetics1[numTimePoints-1] << endl; //cout << " metKinetics2[numTimePoints-1] = "<< metKinetics2[numTimePoints-1] << endl; // For now use a set bolus arrival time to simplify perfusion int t_arrival = 2; // set initial conditions and remove perfusion data for now for (int mm = 0; mm<numMets; mm++){ for ( int t = 1; t < t_arrival; t++ ){ fvec[(mm-1)*numTimePoints+t] = 0; } fvec[(mm-1)*numTimePoints+t_arrival] = y[(mm-1)*numTimePoints+t_arrival]-y[(mm-1)*numTimePoints+t_arrival]; } // Use when inital conditions are not estimated (PYR, LAC, UREA) // double K[] = {x[1]-x[0]-x[2],0,0,x[2],-x[0],0, 0,0,x[1]-x[0]}; // Use when inital conditions are not estimated (PYR, LAC, LAC) // double K[] = {x[1]-x[0]-x[2],0,0,x[2],-x[0],0, x[2],0,-x[0]}; // Use when inital conditions are not estimated (PYR, LAC, LAC) ignoring urea and perfusion for now double K[] = {-x[0]-x[1],0,0,x[1],-x[0],0, 0,0,-x[2]}; // Test on pyruvate data only estimates T1p // double K[] = {x[1]-x[0],0,0, 0,x[1]-x[0],0, 0,0,x[1]-x[0]}; //cout<< " X[0] = " << x[0] << endl; //cout<< " X[1] = " << x[1] << endl; //cout<< " X[2] = " << x[2] << endl; // need to define TR, flip earlier int j=1; // find residuals at x for (int mm = 0; mm<numMets; mm++){ for ( int t = t_arrival+1; t < numTimePoints; t++ ){ //if (t<t_arrival){ // fvec[(mm-1)*numTimePoints+t] = 0; // } //if (t==t_arrival || t>t_arrival){ if ( pfa != 0){ // correct for progressive flip angle real flip=atan(1/(sqrt(numTimePoints-j))); fvec[(mm-1)*numTimePoints+t] =y[(mm-1)*numTimePoints+t]- (exp(K[(mm-1)*numMets+0]*TR)+exp(K[(mm-1)*numMets+1]*TR)+exp(K[(mm-1)*numMets+2]*TR))*fvec[(mm-1)*numTimePoints+t-1]*cos(flip*pi/180); } if (pfa == 0){ // PYRUVATE if (mm==0){ fvec[(mm)*numTimePoints+t] = metKinetics0[t] - (exp(K[(mm-1)*numMets+0]*TR)+exp(K[(mm-1)*numMets+1]*TR)+exp(K[(mm-1)*numMets+2]*TR)) * fvec[(mm-1)*numTimePoints+t-1]; } // LACTATE if (mm==1){ fvec[(mm)*numTimePoints+t] = metKinetics1[t] - (exp(K[(mm-1)*numMets+0]*TR)+exp(K[(mm-1)*numMets+1]*TR)+exp(K[(mm-1)*numMets+2]*TR)) * fvec[(mm-1)*numTimePoints+t-1]; } // UREA if (mm==2){ fvec[(mm)*numTimePoints+t] = metKinetics2[t] - (exp(K[(mm-1)*numMets+0]*TR)+exp(K[(mm-1)*numMets+1]*TR)+exp(K[(mm-1)*numMets+2]*TR)) * fvec[(mm-1)*numTimePoints+t-1]; } // cout<< " fvec = " << fvec[(mm-1)*numTimePoints+t] << " at " << t << " and metabolite "<< mm << endl; } //} j=j+1; } } cout << " Kpl = "<< x[1] << endl; //cout << "1/T1all = "<< x[0] << endl; return 0; } /*! * Get residuals: Not sure if this package needs this */ //double g(double* x,float* metKinetics0, float* metKinetics1, float* metKinetics2){ // int mets = 3; // int Nt = sizeof(metKinetics0); // double res[3*numTimePoints];/*res[sizeof(X)];*/ // double model[3*numTimePoints]; // model = fcn_lmdif(void *p, int m, int n, const real *x, real *fvec, real *fjac, // int ldfjac, int iflag); // for (int m=1; m>mets; m++){ // for (int t=1; t<numTimePoints; t++){ // if (m==1){ // res[(m-1)*numTimePoints+t] = model[(m-1)*numTimePoints+t] - metKinetics0[t]; /*double check that this is right*/ // } // if (m==2){ // res[(m-1)*numTimePoints+t] = model[(m-1)*numTimePoints+t] - metKinetics1[t]; /*double check that this is right*/ // } // if (m==3){ // res[(m-1)*numTimePoints+t] = model[(m-1)*numTimePoints+t] - metKinetics2[t]; /*double check that this is right*/ // } // } // } // // return res; //} /*! * Zero data */ void svkDynamicMRIAlgoTemplate::ZeroData() { int numVoxels[3]; this->GetOutput()->GetNumberOfVoxels(numVoxels); int totalVoxels = numVoxels[0] * numVoxels[1] * numVoxels[2]; double zeroValue = 0.; for (int i = 0; i < totalVoxels; i++ ) { this->GetOutput()->GetPointData()->GetScalars()->SetTuple1(i, zeroValue); } } /*! * */ void svkDynamicMRIAlgoTemplate::UpdateProvenance() { vtkDebugMacro(<<this->GetClassName()<<"::UpdateProvenance()"); } /*! * input ports 0 - 2 are required. All input ports are for dynamic MRI data. */ int svkDynamicMRIAlgoTemplate::FillInputPortInformation( int port, vtkInformation* info ) { info->Set(vtkAlgorithm::INPUT_REQUIRED_DATA_TYPE(), "svkMriImageData"); return 1; } /*! * Output from this algo is an svkMriImageData object. */ int svkDynamicMRIAlgoTemplate::FillOutputPortInformation( int vtkNotUsed(port), vtkInformation* info ) { info->Set( vtkDataObject::DATA_TYPE_NAME(), "svkMriImageData"); return 1; }
[ "jccrane@users.sourceforge.net" ]
jccrane@users.sourceforge.net
4c9016e637442ef7575459f4d4e5945eb87df0d7
c67a90d8aba17b6740da7b0112c06eb73e359300
/src/dioptre/graphics/box_geometry.cpp
0cab9db6aa6b62a1c105c68d6f72843b833498cb
[ "MIT" ]
permissive
tobscher/rts
ec717c536f0ae2fcec7a962e7f8e63088863a42d
7f30faf6a13d309e4db828be8be3c05d28c05364
refs/heads/master
2016-09-06T17:16:37.615725
2015-10-03T11:25:35
2015-10-03T11:25:35
32,095,728
2
0
null
null
null
null
UTF-8
C++
false
false
4,075
cpp
#include "dioptre/graphics/box_geometry.h" #include "dioptre/debug.h" namespace dioptre { namespace graphics { BoxGeometry::BoxGeometry(glm::float32 width, glm::float32 height, glm::float32 depth) : width_(width), height_(height), depth_(depth), boundingBox_(nullptr) { auto halfWidth = width / 2.0f; auto halfHeight = height / 2.0f; auto halfDepth = depth / 2.0f; // Back vertices vertices_.push_back(glm::vec3(halfWidth, -halfHeight, halfDepth)); vertices_.push_back(glm::vec3(halfWidth, halfHeight, halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, halfHeight, halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, -halfHeight, halfDepth)); // Front vertices vertices_.push_back(glm::vec3(-halfWidth, -halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(halfWidth, halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(halfWidth, -halfHeight, -halfDepth)); // Left vertices vertices_.push_back(glm::vec3(-halfWidth, -halfHeight, halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, halfHeight, halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, -halfHeight, -halfDepth)); // Right vertices vertices_.push_back(glm::vec3(halfWidth, -halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(halfWidth, halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(halfWidth, halfHeight, halfDepth)); vertices_.push_back(glm::vec3(halfWidth, -halfHeight, halfDepth)); // Top vertices vertices_.push_back(glm::vec3(halfWidth, halfHeight, halfDepth)); vertices_.push_back(glm::vec3(halfWidth, halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, halfHeight, halfDepth)); // Bottom vertices vertices_.push_back(glm::vec3(halfWidth, -halfHeight, -halfDepth)); vertices_.push_back(glm::vec3(halfWidth, -halfHeight, halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, -halfHeight, halfDepth)); vertices_.push_back(glm::vec3(-halfWidth, -halfHeight, -halfDepth)); // Back for (unsigned int i = 0; i < 4; i++) { normals_.push_back(glm::vec3(0, 0, 1)); } // Front for (unsigned int i = 0; i < 4; i++) { normals_.push_back(glm::vec3(0, 0, -1)); } // Left for (unsigned int i = 0; i < 4; i++) { normals_.push_back(glm::vec3(-1, 0, 0)); } // Right for (unsigned int i = 0; i < 4; i++) { normals_.push_back(glm::vec3(1, 0, 0)); } // Top for (unsigned int i = 0; i < 4; i++) { normals_.push_back(glm::vec3(0, 1, 0)); } // Bottom for (unsigned int i = 0; i < 4; i++) { normals_.push_back(glm::vec3(0, -1, 0)); } // Back faces_.push_back(glm::uvec3(0, 1, 2)); faces_.push_back(glm::uvec3(0, 2, 3)); // Front faces_.push_back(glm::uvec3(4, 5, 6)); faces_.push_back(glm::uvec3(4, 6, 7)); // Left faces_.push_back(glm::uvec3(8, 9, 10)); faces_.push_back(glm::uvec3(8, 10, 11)); // Right faces_.push_back(glm::uvec3(12, 13, 14)); faces_.push_back(glm::uvec3(12, 14, 15)); // Top faces_.push_back(glm::uvec3(16, 17, 18)); faces_.push_back(glm::uvec3(16, 18, 19)); // Bottom faces_.push_back(glm::uvec3(20, 21, 22)); faces_.push_back(glm::uvec3(20, 22, 23)); // UV coordinates for (int i = 0; i < 6; i++) { uvs_.push_back(glm::vec2(1, 0)); uvs_.push_back(glm::vec2(1, 1)); uvs_.push_back(glm::vec2(0, 1)); uvs_.push_back(glm::vec2(0, 0)); } boundingBox_ = new BoundingBox(glm::vec3(-halfWidth, -halfHeight, -halfDepth), glm::vec3(halfWidth, halfHeight, halfDepth)); } BoxGeometry::~BoxGeometry() { delete boundingBox_; } glm::float32 BoxGeometry::getWidth() { return width_; } glm::float32 BoxGeometry::getHeight() { return height_; } glm::float32 BoxGeometry::getDepth() { return height_; } BoundingBox *BoxGeometry::getBoundingBox() { return boundingBox_; } } // graphics } // dioptre
[ "tobias.haar@gmail.com" ]
tobias.haar@gmail.com
cf3bb5522a6d4120ea2a44d1758a3a7ddc29ab2d
8dc84558f0058d90dfc4955e905dab1b22d12c08
/android_webview/browser/aw_login_delegate.cc
356e2863b477536e121dbb772e2e7cb3bb60c5ba
[ "LicenseRef-scancode-unknown-license-reference", "BSD-3-Clause" ]
permissive
meniossin/src
42a95cc6c4a9c71d43d62bc4311224ca1fd61e03
44f73f7e76119e5ab415d4593ac66485e65d700a
refs/heads/master
2022-12-16T20:17:03.747113
2020-09-03T10:43:12
2020-09-03T10:43:12
263,710,168
1
0
BSD-3-Clause
2020-05-13T18:20:09
2020-05-13T18:20:08
null
UTF-8
C++
false
false
3,541
cc
// 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. #include "android_webview/browser/aw_login_delegate.h" #include "android_webview/browser/aw_browser_context.h" #include "base/android/jni_android.h" #include "base/logging.h" #include "base/memory/ptr_util.h" #include "content/public/browser/browser_thread.h" #include "content/public/browser/render_frame_host.h" #include "content/public/browser/web_contents.h" #include "net/base/auth.h" using namespace base::android; using content::BrowserThread; using content::WebContents; namespace android_webview { AwLoginDelegate::AwLoginDelegate( net::AuthChallengeInfo* auth_info, content::ResourceRequestInfo::WebContentsGetter web_contents_getter, bool first_auth_attempt, LoginAuthRequiredCallback auth_required_callback) : auth_info_(auth_info), auth_required_callback_(std::move(auth_required_callback)) { BrowserThread::PostTask( BrowserThread::UI, FROM_HERE, base::BindOnce(&AwLoginDelegate::HandleHttpAuthRequestOnUIThread, this, first_auth_attempt, web_contents_getter)); } AwLoginDelegate::~AwLoginDelegate() { // The Auth handler holds a ref count back on |this| object, so it should be // impossible to reach here while this object still owns an auth handler. DCHECK(!aw_http_auth_handler_); } void AwLoginDelegate::Proceed(const base::string16& user, const base::string16& password) { DCHECK_CURRENTLY_ON(BrowserThread::UI); BrowserThread::PostTask(BrowserThread::IO, FROM_HERE, base::BindOnce(&AwLoginDelegate::ProceedOnIOThread, this, user, password)); } void AwLoginDelegate::Cancel() { DCHECK_CURRENTLY_ON(BrowserThread::UI); BrowserThread::PostTask( BrowserThread::IO, FROM_HERE, base::BindOnce(&AwLoginDelegate::CancelOnIOThread, this)); } void AwLoginDelegate::HandleHttpAuthRequestOnUIThread( bool first_auth_attempt, const content::ResourceRequestInfo::WebContentsGetter& web_contents_getter) { DCHECK_CURRENTLY_ON(BrowserThread::UI); WebContents* web_contents = web_contents_getter.Run(); aw_http_auth_handler_.reset( new AwHttpAuthHandler(this, auth_info_.get(), first_auth_attempt)); if (!aw_http_auth_handler_->HandleOnUIThread(web_contents)) { Cancel(); return; } } void AwLoginDelegate::CancelOnIOThread() { DCHECK_CURRENTLY_ON(BrowserThread::IO); if (!auth_required_callback_.is_null()) std::move(auth_required_callback_).Run(base::nullopt); DeleteAuthHandlerSoon(); } void AwLoginDelegate::ProceedOnIOThread(const base::string16& user, const base::string16& password) { DCHECK_CURRENTLY_ON(BrowserThread::IO); if (!auth_required_callback_.is_null()) { std::move(auth_required_callback_) .Run(net::AuthCredentials(user, password)); } DeleteAuthHandlerSoon(); } void AwLoginDelegate::OnRequestCancelled() { DCHECK_CURRENTLY_ON(BrowserThread::IO); auth_required_callback_.Reset(); DeleteAuthHandlerSoon(); } void AwLoginDelegate::DeleteAuthHandlerSoon() { if (!BrowserThread::CurrentlyOn(BrowserThread::UI)) { BrowserThread::PostTask( BrowserThread::UI, FROM_HERE, base::BindOnce(&AwLoginDelegate::DeleteAuthHandlerSoon, this)); return; } aw_http_auth_handler_.reset(); } } // namespace android_webview
[ "arnaud@geometry.ee" ]
arnaud@geometry.ee
5b568232bb22de0c2f0db3f5a169b904c0906f1e
6e7b3871a4b45881488bf940ca21b9ea2fd2ac02
/src/init.cpp
854451ad06a8c399951586ef146048f0f8934ab2
[ "MIT" ]
permissive
woolongdev1/auryn
a0436d690fa71dba30f28740a608127c55937157
3ffc628d58faaacff4863fcfc858468502dec592
refs/heads/master
2020-05-02T12:01:50.343128
2019-03-30T00:29:19
2019-03-30T00:29:19
177,947,891
0
0
null
null
null
null
UTF-8
C++
false
false
93,763
cpp
// Copyright (c) 2009-2010 Satoshi Nakamoto // Copyright (c) 2009-2014 The Bitcoin developers // Copyright (c) 2014-2015 The Dash developers // Copyright (c) 2015-2018 The PIVX developers // Copyright (c) 2018 The auryn developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #if defined(HAVE_CONFIG_H) #include "config/bitcoin-config.h" #endif #include "init.h" #include "accumulatorcheckpoints.h" #include "accumulators.h" #include "activemasternode.h" #include "addrman.h" #include "amount.h" #include "checkpoints.h" #include "compat/sanity.h" #include "httpserver.h" #include "httprpc.h" #include "invalid.h" #include "key.h" #include "main.h" #include "masternode-budget.h" #include "masternode-payments.h" #include "masternodeconfig.h" #include "masternodeman.h" #include "miner.h" #include "net.h" #include "rpcserver.h" #include "script/standard.h" #include "scheduler.h" #include "spork.h" #include "sporkdb.h" #include "txdb.h" #include "torcontrol.h" #include "ui_interface.h" #include "util.h" #include "utilmoneystr.h" #include "validationinterface.h" #include "zpivchain.h" #ifdef ENABLE_WALLET #include "db.h" #include "wallet.h" #include "walletdb.h" #include "accumulators.h" #endif #include <fstream> #include <stdint.h> #include <stdio.h> #ifndef WIN32 #include <signal.h> #endif #include <boost/algorithm/string/predicate.hpp> #include <boost/algorithm/string/replace.hpp> #include <boost/filesystem.hpp> #include <boost/interprocess/sync/file_lock.hpp> #include <boost/thread.hpp> #include <openssl/crypto.h> #if ENABLE_ZMQ #include "zmq/zmqnotificationinterface.h" #endif using namespace boost; using namespace std; #ifdef ENABLE_WALLET CWallet* pwalletMain = NULL; CzPIVWallet* zwalletMain = NULL; int nWalletBackups = 10; #endif volatile bool fFeeEstimatesInitialized = false; volatile bool fRestartRequested = false; // true: restart false: shutdown extern std::list<uint256> listAccCheckpointsNoDB; #if ENABLE_ZMQ static CZMQNotificationInterface* pzmqNotificationInterface = NULL; #endif #ifdef WIN32 // Win32 LevelDB doesn't use filedescriptors, and the ones used for // accessing block files, don't count towards to fd_set size limit // anyway. #define MIN_CORE_FILEDESCRIPTORS 0 #else #define MIN_CORE_FILEDESCRIPTORS 150 #endif /** Used to pass flags to the Bind() function */ enum BindFlags { BF_NONE = 0, BF_EXPLICIT = (1U << 0), BF_REPORT_ERROR = (1U << 1), BF_WHITELIST = (1U << 2), }; static const char* FEE_ESTIMATES_FILENAME = "fee_estimates.dat"; CClientUIInterface uiInterface; ////////////////////////////////////////////////////////////////////////////// // // Shutdown // // // Thread management and startup/shutdown: // // The network-processing threads are all part of a thread group // created by AppInit() or the Qt main() function. // // A clean exit happens when StartShutdown() or the SIGTERM // signal handler sets fRequestShutdown, which triggers // the DetectShutdownThread(), which interrupts the main thread group. // DetectShutdownThread() then exits, which causes AppInit() to // continue (it .joins the shutdown thread). // Shutdown() is then // called to clean up database connections, and stop other // threads that should only be stopped after the main network-processing // threads have exited. // // Note that if running -daemon the parent process returns from AppInit2 // before adding any threads to the threadGroup, so .join_all() returns // immediately and the parent exits from main(). // // Shutdown for Qt is very similar, only it uses a QTimer to detect // fRequestShutdown getting set, and then does the normal Qt // shutdown thing. // volatile bool fRequestShutdown = false; void StartShutdown() { fRequestShutdown = true; } bool ShutdownRequested() { return fRequestShutdown || fRestartRequested; } class CCoinsViewErrorCatcher : public CCoinsViewBacked { public: CCoinsViewErrorCatcher(CCoinsView* view) : CCoinsViewBacked(view) {} bool GetCoins(const uint256& txid, CCoins& coins) const { try { return CCoinsViewBacked::GetCoins(txid, coins); } catch (const std::runtime_error& e) { uiInterface.ThreadSafeMessageBox(_("Error reading from database, shutting down."), "", CClientUIInterface::MSG_ERROR); LogPrintf("Error reading from database: %s\n", e.what()); // Starting the shutdown sequence and returning false to the caller would be // interpreted as 'entry not found' (as opposed to unable to read data), and // could lead to invalid interpration. Just exit immediately, as we can't // continue anyway, and all writes should be atomic. abort(); } } // Writes do not need similar protection, as failure to write is handled by the caller. }; static CCoinsViewDB* pcoinsdbview = NULL; static CCoinsViewErrorCatcher* pcoinscatcher = NULL; void Interrupt(boost::thread_group& threadGroup) { InterruptHTTPServer(); InterruptHTTPRPC(); InterruptRPC(); InterruptREST(); InterruptTorControl(); threadGroup.interrupt_all(); } /** Preparing steps before shutting down or restarting the wallet */ void PrepareShutdown() { fRequestShutdown = true; // Needed when we shutdown the wallet fRestartRequested = true; // Needed when we restart the wallet LogPrintf("%s: In progress...\n", __func__); static CCriticalSection cs_Shutdown; TRY_LOCK(cs_Shutdown, lockShutdown); if (!lockShutdown) return; /// Note: Shutdown() must be able to handle cases in which AppInit2() failed part of the way, /// for example if the data directory was found to be locked. /// Be sure that anything that writes files or flushes caches only does this if the respective /// module was initialized. RenameThread("auryn-shutoff"); mempool.AddTransactionsUpdated(1); StopHTTPRPC(); StopREST(); StopRPC(); StopHTTPServer(); #ifdef ENABLE_WALLET if (pwalletMain) bitdb.Flush(false); GenerateBitcoins(false, NULL, 0); #endif StopNode(); DumpMasternodes(); DumpBudgets(); DumpMasternodePayments(); UnregisterNodeSignals(GetNodeSignals()); if (fFeeEstimatesInitialized) { boost::filesystem::path est_path = GetDataDir() / FEE_ESTIMATES_FILENAME; CAutoFile est_fileout(fopen(est_path.string().c_str(), "wb"), SER_DISK, CLIENT_VERSION); if (!est_fileout.IsNull()) mempool.WriteFeeEstimates(est_fileout); else LogPrintf("%s: Failed to write fee estimates to %s\n", __func__, est_path.string()); fFeeEstimatesInitialized = false; } { LOCK(cs_main); if (pcoinsTip != NULL) { FlushStateToDisk(); //record that client took the proper shutdown procedure pblocktree->WriteFlag("shutdown", true); } delete pcoinsTip; pcoinsTip = NULL; delete pcoinscatcher; pcoinscatcher = NULL; delete pcoinsdbview; pcoinsdbview = NULL; delete pblocktree; pblocktree = NULL; delete zerocoinDB; zerocoinDB = NULL; delete pSporkDB; pSporkDB = NULL; } #ifdef ENABLE_WALLET if (pwalletMain) bitdb.Flush(true); #endif #if ENABLE_ZMQ if (pzmqNotificationInterface) { UnregisterValidationInterface(pzmqNotificationInterface); delete pzmqNotificationInterface; pzmqNotificationInterface = NULL; } #endif #ifndef WIN32 try { boost::filesystem::remove(GetPidFile()); } catch (const boost::filesystem::filesystem_error& e) { LogPrintf("%s: Unable to remove pidfile: %s\n", __func__, e.what()); } #endif UnregisterAllValidationInterfaces(); } /** * Shutdown is split into 2 parts: * Part 1: shut down everything but the main wallet instance (done in PrepareShutdown() ) * Part 2: delete wallet instance * * In case of a restart PrepareShutdown() was already called before, but this method here gets * called implicitly when the parent object is deleted. In this case we have to skip the * PrepareShutdown() part because it was already executed and just delete the wallet instance. */ void Shutdown() { // Shutdown part 1: prepare shutdown if (!fRestartRequested) { PrepareShutdown(); } // Shutdown part 2: Stop TOR thread and delete wallet instance StopTorControl(); #ifdef ENABLE_WALLET delete pwalletMain; pwalletMain = NULL; delete zwalletMain; zwalletMain = NULL; #endif LogPrintf("%s: done\n", __func__); } /** * Signal handlers are very limited in what they are allowed to do, so: */ void HandleSIGTERM(int) { fRequestShutdown = true; } void HandleSIGHUP(int) { fReopenDebugLog = true; } bool static InitError(const std::string& str) { uiInterface.ThreadSafeMessageBox(str, "", CClientUIInterface::MSG_ERROR); return false; } bool static InitWarning(const std::string& str) { uiInterface.ThreadSafeMessageBox(str, "", CClientUIInterface::MSG_WARNING); return true; } bool static Bind(const CService& addr, unsigned int flags) { if (!(flags & BF_EXPLICIT) && IsLimited(addr)) return false; std::string strError; if (!BindListenPort(addr, strError, (flags & BF_WHITELIST) != 0)) { if (flags & BF_REPORT_ERROR) return InitError(strError); return false; } return true; } void OnRPCStopped() { cvBlockChange.notify_all(); LogPrint("rpc", "RPC stopped.\n"); } void OnRPCPreCommand(const CRPCCommand& cmd) { #ifdef ENABLE_WALLET if (cmd.reqWallet && !pwalletMain) throw JSONRPCError(RPC_METHOD_NOT_FOUND, "Method not found (disabled)"); #endif // Observe safe mode string strWarning = GetWarnings("rpc"); if (strWarning != "" && !GetBoolArg("-disablesafemode", false) && !cmd.okSafeMode) throw JSONRPCError(RPC_FORBIDDEN_BY_SAFE_MODE, string("Safe mode: ") + strWarning); } std::string HelpMessage(HelpMessageMode mode) { // When adding new options to the categories, please keep and ensure alphabetical ordering. string strUsage = HelpMessageGroup(_("Options:")); strUsage += HelpMessageOpt("-?", _("This help message")); strUsage += HelpMessageOpt("-version", _("Print version and exit")); strUsage += HelpMessageOpt("-alertnotify=<cmd>", _("Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message)")); strUsage += HelpMessageOpt("-alerts", strprintf(_("Receive and display P2P network alerts (default: %u)"), DEFAULT_ALERTS)); strUsage += HelpMessageOpt("-blocknotify=<cmd>", _("Execute command when the best block changes (%s in cmd is replaced by block hash)")); strUsage += HelpMessageOpt("-blocksizenotify=<cmd>", _("Execute command when the best block changes and its size is over (%s in cmd is replaced by block hash, %d with the block size)")); strUsage += HelpMessageOpt("-checkblocks=<n>", strprintf(_("How many blocks to check at startup (default: %u, 0 = all)"), 500)); strUsage += HelpMessageOpt("-conf=<file>", strprintf(_("Specify configuration file (default: %s)"), "auryn.conf")); if (mode == HMM_BITCOIND) { #if !defined(WIN32) strUsage += HelpMessageOpt("-daemon", _("Run in the background as a daemon and accept commands")); #endif } strUsage += HelpMessageOpt("-datadir=<dir>", _("Specify data directory")); strUsage += HelpMessageOpt("-dbcache=<n>", strprintf(_("Set database cache size in megabytes (%d to %d, default: %d)"), nMinDbCache, nMaxDbCache, nDefaultDbCache)); strUsage += HelpMessageOpt("-loadblock=<file>", _("Imports blocks from external blk000??.dat file") + " " + _("on startup")); strUsage += HelpMessageOpt("-maxreorg=<n>", strprintf(_("Set the Maximum reorg depth (default: %u)"), Params(CBaseChainParams::MAIN).MaxReorganizationDepth())); strUsage += HelpMessageOpt("-maxorphantx=<n>", strprintf(_("Keep at most <n> unconnectable transactions in memory (default: %u)"), DEFAULT_MAX_ORPHAN_TRANSACTIONS)); strUsage += HelpMessageOpt("-par=<n>", strprintf(_("Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d)"), -(int)boost::thread::hardware_concurrency(), MAX_SCRIPTCHECK_THREADS, DEFAULT_SCRIPTCHECK_THREADS)); #ifndef WIN32 strUsage += HelpMessageOpt("-pid=<file>", strprintf(_("Specify pid file (default: %s)"), "auryn.pid")); #endif strUsage += HelpMessageOpt("-reindex", _("Rebuild block chain index from current blk000??.dat files") + " " + _("on startup")); strUsage += HelpMessageOpt("-reindexaccumulators", _("Reindex the accumulator database") + " " + _("on startup")); strUsage += HelpMessageOpt("-reindexmoneysupply", _("Reindex the AURN and zAURN money supply statistics") + " " + _("on startup")); strUsage += HelpMessageOpt("-resync", _("Delete blockchain folders and resync from scratch") + " " + _("on startup")); #if !defined(WIN32) strUsage += HelpMessageOpt("-sysperms", _("Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality)")); #endif strUsage += HelpMessageOpt("-txindex", strprintf(_("Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u)"), 0)); strUsage += HelpMessageOpt("-forcestart", _("Attempt to force blockchain corruption recovery") + " " + _("on startup")); strUsage += HelpMessageGroup(_("Connection options:")); strUsage += HelpMessageOpt("-addnode=<ip>", _("Add a node to connect to and attempt to keep the connection open")); strUsage += HelpMessageOpt("-banscore=<n>", strprintf(_("Threshold for disconnecting misbehaving peers (default: %u)"), 100)); strUsage += HelpMessageOpt("-bantime=<n>", strprintf(_("Number of seconds to keep misbehaving peers from reconnecting (default: %u)"), 86400)); strUsage += HelpMessageOpt("-bind=<addr>", _("Bind to given address and always listen on it. Use [host]:port notation for IPv6")); strUsage += HelpMessageOpt("-connect=<ip>", _("Connect only to the specified node(s)")); strUsage += HelpMessageOpt("-discover", _("Discover own IP address (default: 1 when listening and no -externalip)")); strUsage += HelpMessageOpt("-dns", _("Allow DNS lookups for -addnode, -seednode and -connect") + " " + _("(default: 1)")); strUsage += HelpMessageOpt("-dnsseed", _("Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect)")); strUsage += HelpMessageOpt("-externalip=<ip>", _("Specify your own public address")); strUsage += HelpMessageOpt("-forcednsseed", strprintf(_("Always query for peer addresses via DNS lookup (default: %u)"), 0)); strUsage += HelpMessageOpt("-listen", _("Accept connections from outside (default: 1 if no -proxy or -connect)")); strUsage += HelpMessageOpt("-listenonion", strprintf(_("Automatically create Tor hidden service (default: %d)"), DEFAULT_LISTEN_ONION)); strUsage += HelpMessageOpt("-maxconnections=<n>", strprintf(_("Maintain at most <n> connections to peers (default: %u)"), 125)); strUsage += HelpMessageOpt("-maxreceivebuffer=<n>", strprintf(_("Maximum per-connection receive buffer, <n>*1000 bytes (default: %u)"), 5000)); strUsage += HelpMessageOpt("-maxsendbuffer=<n>", strprintf(_("Maximum per-connection send buffer, <n>*1000 bytes (default: %u)"), 1000)); strUsage += HelpMessageOpt("-onion=<ip:port>", strprintf(_("Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s)"), "-proxy")); strUsage += HelpMessageOpt("-onlynet=<net>", _("Only connect to nodes in network <net> (ipv4, ipv6 or onion)")); strUsage += HelpMessageOpt("-permitbaremultisig", strprintf(_("Relay non-P2SH multisig (default: %u)"), 1)); strUsage += HelpMessageOpt("-peerbloomfilters", strprintf(_("Support filtering of blocks and transaction with bloom filters (default: %u)"), DEFAULT_PEERBLOOMFILTERS)); strUsage += HelpMessageOpt("-port=<port>", strprintf(_("Listen for connections on <port> (default: %u or testnet: %u)"), 28171, 28172)); strUsage += HelpMessageOpt("-proxy=<ip:port>", _("Connect through SOCKS5 proxy")); strUsage += HelpMessageOpt("-proxyrandomize", strprintf(_("Randomize credentials for every proxy connection. This enables Tor stream isolation (default: %u)"), 1)); strUsage += HelpMessageOpt("-seednode=<ip>", _("Connect to a node to retrieve peer addresses, and disconnect")); strUsage += HelpMessageOpt("-timeout=<n>", strprintf(_("Specify connection timeout in milliseconds (minimum: 1, default: %d)"), DEFAULT_CONNECT_TIMEOUT)); strUsage += HelpMessageOpt("-torcontrol=<ip>:<port>", strprintf(_("Tor control port to use if onion listening enabled (default: %s)"), DEFAULT_TOR_CONTROL)); strUsage += HelpMessageOpt("-torpassword=<pass>", _("Tor control port password (default: empty)")); #ifdef USE_UPNP #if USE_UPNP strUsage += HelpMessageOpt("-upnp", _("Use UPnP to map the listening port (default: 1 when listening)")); #else strUsage += HelpMessageOpt("-upnp", strprintf(_("Use UPnP to map the listening port (default: %u)"), 0)); #endif #endif strUsage += HelpMessageOpt("-whitebind=<addr>", _("Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6")); strUsage += HelpMessageOpt("-whitelist=<netmask>", _("Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times.") + " " + _("Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway")); #ifdef ENABLE_WALLET strUsage += HelpMessageGroup(_("Wallet options:")); strUsage += HelpMessageOpt("-backuppath=<dir|file>", _("Specify custom backup path to add a copy of any wallet backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup.")); strUsage += HelpMessageOpt("-createwalletbackups=<n>", _("Number of automatic wallet backups (default: 10)")); strUsage += HelpMessageOpt("-custombackupthreshold=<n>", strprintf(_("Number of custom location backups to retain (default: %d)"), DEFAULT_CUSTOMBACKUPTHRESHOLD)); strUsage += HelpMessageOpt("-disablewallet", _("Do not load the wallet and disable wallet RPC calls")); strUsage += HelpMessageOpt("-keypool=<n>", strprintf(_("Set key pool size to <n> (default: %u)"), 100)); if (GetBoolArg("-help-debug", false)) strUsage += HelpMessageOpt("-mintxfee=<amt>", strprintf(_("Fees (in AURN/Kb) smaller than this are considered zero fee for transaction creation (default: %s)"), FormatMoney(CWallet::minTxFee.GetFeePerK()))); strUsage += HelpMessageOpt("-paytxfee=<amt>", strprintf(_("Fee (in AURN/kB) to add to transactions you send (default: %s)"), FormatMoney(payTxFee.GetFeePerK()))); strUsage += HelpMessageOpt("-rescan", _("Rescan the block chain for missing wallet transactions") + " " + _("on startup")); strUsage += HelpMessageOpt("-salvagewallet", _("Attempt to recover private keys from a corrupt wallet.dat") + " " + _("on startup")); strUsage += HelpMessageOpt("-sendfreetransactions", strprintf(_("Send transactions as zero-fee transactions if possible (default: %u)"), 0)); strUsage += HelpMessageOpt("-spendzeroconfchange", strprintf(_("Spend unconfirmed change when sending transactions (default: %u)"), 1)); strUsage += HelpMessageOpt("-disablesystemnotifications", strprintf(_("Disable OS notifications for incoming transactions (default: %u)"), 0)); strUsage += HelpMessageOpt("-txconfirmtarget=<n>", strprintf(_("If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u)"), 1)); strUsage += HelpMessageOpt("-maxtxfee=<amt>", strprintf(_("Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s)"), FormatMoney(maxTxFee))); strUsage += HelpMessageOpt("-upgradewallet", _("Upgrade wallet to latest format") + " " + _("on startup")); strUsage += HelpMessageOpt("-wallet=<file>", _("Specify wallet file (within data directory)") + " " + strprintf(_("(default: %s)"), "wallet.dat")); strUsage += HelpMessageOpt("-walletnotify=<cmd>", _("Execute command when a wallet transaction changes (%s in cmd is replaced by TxID)")); if (mode == HMM_BITCOIN_QT) strUsage += HelpMessageOpt("-windowtitle=<name>", _("Wallet window title")); strUsage += HelpMessageOpt("-zapwallettxes=<mode>", _("Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup") + " " + _("(1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data)")); #endif #if ENABLE_ZMQ strUsage += HelpMessageGroup(_("ZeroMQ notification options:")); strUsage += HelpMessageOpt("-zmqpubhashblock=<address>", _("Enable publish hash block in <address>")); strUsage += HelpMessageOpt("-zmqpubhashtx=<address>", _("Enable publish hash transaction in <address>")); strUsage += HelpMessageOpt("-zmqpubhashtxlock=<address>", _("Enable publish hash transaction (locked via SwiftX) in <address>")); strUsage += HelpMessageOpt("-zmqpubrawblock=<address>", _("Enable publish raw block in <address>")); strUsage += HelpMessageOpt("-zmqpubrawtx=<address>", _("Enable publish raw transaction in <address>")); strUsage += HelpMessageOpt("-zmqpubrawtxlock=<address>", _("Enable publish raw transaction (locked via SwiftX) in <address>")); #endif strUsage += HelpMessageGroup(_("Debugging/Testing options:")); if (GetBoolArg("-help-debug", false)) { strUsage += HelpMessageOpt("-checkblockindex", strprintf("Do a full consistency check for mapBlockIndex, setBlockIndexCandidates, chainActive and mapBlocksUnlinked occasionally. Also sets -checkmempool (default: %u)", Params(CBaseChainParams::MAIN).DefaultConsistencyChecks())); strUsage += HelpMessageOpt("-checkmempool=<n>", strprintf("Run checks every <n> transactions (default: %u)", Params(CBaseChainParams::MAIN).DefaultConsistencyChecks())); strUsage += HelpMessageOpt("-checkpoints", strprintf(_("Only accept block chain matching built-in checkpoints (default: %u)"), 1)); strUsage += HelpMessageOpt("-dblogsize=<n>", strprintf(_("Flush database activity from memory pool to disk log every <n> megabytes (default: %u)"), 100)); strUsage += HelpMessageOpt("-disablesafemode", strprintf(_("Disable safemode, override a real safe mode event (default: %u)"), 0)); strUsage += HelpMessageOpt("-testsafemode", strprintf(_("Force safe mode (default: %u)"), 0)); strUsage += HelpMessageOpt("-dropmessagestest=<n>", _("Randomly drop 1 of every <n> network messages")); strUsage += HelpMessageOpt("-fuzzmessagestest=<n>", _("Randomly fuzz 1 of every <n> network messages")); strUsage += HelpMessageOpt("-flushwallet", strprintf(_("Run a thread to flush wallet periodically (default: %u)"), 1)); strUsage += HelpMessageOpt("-maxreorg", strprintf(_("Use a custom max chain reorganization depth (default: %u)"), 100)); strUsage += HelpMessageOpt("-stopafterblockimport", strprintf(_("Stop running after importing blocks from disk (default: %u)"), 0)); strUsage += HelpMessageOpt("-sporkkey=<privkey>", _("Enable spork administration functionality with the appropriate private key.")); } string debugCategories = "addrman, alert, bench, coindb, db, lock, rand, rpc, selectcoins, tor, mempool, net, proxy, http, libevent, auryn, (obfuscation, swiftx, masternode, mnpayments, mnbudget, zero)"; // Don't translate these and qt below if (mode == HMM_BITCOIN_QT) debugCategories += ", qt"; strUsage += HelpMessageOpt("-debug=<category>", strprintf(_("Output debugging information (default: %u, supplying <category> is optional)"), 0) + ". " + _("If <category> is not supplied, output all debugging information.") + _("<category> can be:") + " " + debugCategories + "."); if (GetBoolArg("-help-debug", false)) strUsage += HelpMessageOpt("-nodebug", "Turn off debugging messages, same as -debug=0"); #ifdef ENABLE_WALLET strUsage += HelpMessageOpt("-gen", strprintf(_("Generate coins (default: %u)"), 0)); strUsage += HelpMessageOpt("-genproclimit=<n>", strprintf(_("Set the number of threads for coin generation if enabled (-1 = all cores, default: %d)"), 1)); #endif strUsage += HelpMessageOpt("-help-debug", _("Show all debugging options (usage: --help -help-debug)")); strUsage += HelpMessageOpt("-logips", strprintf(_("Include IP addresses in debug output (default: %u)"), 0)); strUsage += HelpMessageOpt("-logtimestamps", strprintf(_("Prepend debug output with timestamp (default: %u)"), 1)); if (GetBoolArg("-help-debug", false)) { strUsage += HelpMessageOpt("-limitfreerelay=<n>", strprintf(_("Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u)"), 15)); strUsage += HelpMessageOpt("-relaypriority", strprintf(_("Require high priority for relaying free or low-fee transactions (default:%u)"), 1)); strUsage += HelpMessageOpt("-maxsigcachesize=<n>", strprintf(_("Limit size of signature cache to <n> entries (default: %u)"), 50000)); } strUsage += HelpMessageOpt("-minrelaytxfee=<amt>", strprintf(_("Fees (in AURN/Kb) smaller than this are considered zero fee for relaying (default: %s)"), FormatMoney(::minRelayTxFee.GetFeePerK()))); strUsage += HelpMessageOpt("-printtoconsole", strprintf(_("Send trace/debug info to console instead of debug.log file (default: %u)"), 0)); if (GetBoolArg("-help-debug", false)) { strUsage += HelpMessageOpt("-printpriority", strprintf(_("Log transaction priority and fee per kB when mining blocks (default: %u)"), 0)); strUsage += HelpMessageOpt("-privdb", strprintf(_("Sets the DB_PRIVATE flag in the wallet db environment (default: %u)"), 1)); strUsage += HelpMessageOpt("-regtest", _("Enter regression test mode, which uses a special chain in which blocks can be solved instantly.") + " " + _("This is intended for regression testing tools and app development.") + " " + _("In this mode -genproclimit controls how many blocks are generated immediately.")); } strUsage += HelpMessageOpt("-shrinkdebugfile", _("Shrink debug.log file on client startup (default: 1 when no -debug)")); strUsage += HelpMessageOpt("-testnet", _("Use the test network")); strUsage += HelpMessageOpt("-litemode=<n>", strprintf(_("Disable all auryn specific functionality (Masternodes, Zerocoin, SwiftX, Budgeting) (0-1, default: %u)"), 0)); #ifdef ENABLE_WALLET strUsage += HelpMessageGroup(_("Staking options:")); strUsage += HelpMessageOpt("-staking=<n>", strprintf(_("Enable staking functionality (0-1, default: %u)"), 1)); strUsage += HelpMessageOpt("-stake=<n>", strprintf(_("Enable or disable staking functionality for AURN inputs (0-1, default: %u)"), 1)); strUsage += HelpMessageOpt("-zstake=<n>", strprintf(_("Enable or disable staking functionality for zAURN inputs (0-1, default: %u)"), 1)); strUsage += HelpMessageOpt("-reservebalance=<amt>", _("Keep the specified amount available for spending at all times (default: 0)")); if (GetBoolArg("-help-debug", false)) { strUsage += HelpMessageOpt("-printstakemodifier", _("Display the stake modifier calculations in the debug.log file.")); strUsage += HelpMessageOpt("-printcoinstake", _("Display verbose coin stake messages in the debug.log file.")); } #endif strUsage += HelpMessageGroup(_("Masternode options:")); strUsage += HelpMessageOpt("-masternode=<n>", strprintf(_("Enable the client to act as a masternode (0-1, default: %u)"), 0)); strUsage += HelpMessageOpt("-mnconf=<file>", strprintf(_("Specify masternode configuration file (default: %s)"), "masternode.conf")); strUsage += HelpMessageOpt("-mnconflock=<n>", strprintf(_("Lock masternodes from masternode configuration file (default: %u)"), 1)); strUsage += HelpMessageOpt("-masternodeprivkey=<n>", _("Set the masternode private key")); strUsage += HelpMessageOpt("-masternodeaddr=<n>", strprintf(_("Set external address:port to get to this masternode (example: %s)"), "128.127.106.235:9009")); strUsage += HelpMessageOpt("-budgetvotemode=<mode>", _("Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto)")); strUsage += HelpMessageGroup(_("Zerocoin options:")); #ifdef ENABLE_WALLET strUsage += HelpMessageOpt("-enablezeromint=<n>", strprintf(_("Enable automatic Zerocoin minting (0-1, default: %u)"), 0)); strUsage += HelpMessageOpt("-zeromintpercentage=<n>", strprintf(_("Percentage of automatically minted Zerocoin (1-100, default: %u)"), 10)); strUsage += HelpMessageOpt("-preferredDenom=<n>", strprintf(_("Preferred Denomination for automatically minted Zerocoin (1/5/10/50/100/500/1000/5000), 0 for no preference. default: %u)"), 0)); strUsage += HelpMessageOpt("-backupz=<n>", strprintf(_("Enable automatic wallet backups triggered after each zAURN minting (0-1, default: %u)"), 1)); strUsage += HelpMessageOpt("-zbackuppath=<dir|file>", _("Specify custom backup path to add a copy of any automatic zAURN backup. If set as dir, every backup generates a timestamped file. If set as file, will rewrite to that file every backup. If backuppath is set as well, 4 backups will happen")); #endif // ENABLE_WALLET strUsage += HelpMessageOpt("-reindexzerocoin=<n>", strprintf(_("Delete all zerocoin spends and mints that have been recorded to the blockchain database and reindex them (0-1, default: %u)"), 0)); // strUsage += " -liquidityprovider=<n> " + strprintf(_("Provide liquidity to Obfuscation by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees)"), 0) + "\n"; strUsage += HelpMessageGroup(_("SwiftX options:")); strUsage += HelpMessageOpt("-enableswifttx=<n>", strprintf(_("Enable SwiftX, show confirmations for locked transactions (bool, default: %s)"), "true")); strUsage += HelpMessageOpt("-swifttxdepth=<n>", strprintf(_("Show N confirmations for a successfully locked transaction (0-9999, default: %u)"), nSwiftTXDepth)); strUsage += HelpMessageGroup(_("Node relay options:")); strUsage += HelpMessageOpt("-datacarrier", strprintf(_("Relay and mine data carrier transactions (default: %u)"), 1)); strUsage += HelpMessageOpt("-datacarriersize", strprintf(_("Maximum size of data in data carrier transactions we relay and mine (default: %u)"), MAX_OP_RETURN_RELAY)); if (GetBoolArg("-help-debug", false)) { strUsage += HelpMessageOpt("-blockversion=<n>", "Override block version to test forking scenarios"); } strUsage += HelpMessageGroup(_("Block creation options:")); strUsage += HelpMessageOpt("-blockminsize=<n>", strprintf(_("Set minimum block size in bytes (default: %u)"), 0)); strUsage += HelpMessageOpt("-blockmaxsize=<n>", strprintf(_("Set maximum block size in bytes (default: %d)"), DEFAULT_BLOCK_MAX_SIZE)); strUsage += HelpMessageOpt("-blockprioritysize=<n>", strprintf(_("Set maximum size of high-priority/low-fee transactions in bytes (default: %d)"), DEFAULT_BLOCK_PRIORITY_SIZE)); strUsage += HelpMessageGroup(_("RPC server options:")); strUsage += HelpMessageOpt("-server", _("Accept command line and JSON-RPC commands")); strUsage += HelpMessageOpt("-rest", strprintf(_("Accept public REST requests (default: %u)"), 0)); strUsage += HelpMessageOpt("-rpcbind=<addr>", _("Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces)")); strUsage += HelpMessageOpt("-rpccookiefile=<loc>", _("Location of the auth cookie (default: data dir)")); strUsage += HelpMessageOpt("-rpcuser=<user>", _("Username for JSON-RPC connections")); strUsage += HelpMessageOpt("-rpcpassword=<pw>", _("Password for JSON-RPC connections")); strUsage += HelpMessageOpt("-rpcport=<port>", strprintf(_("Listen for JSON-RPC connections on <port> (default: %u or testnet: %u)"), 27073, 27074)); strUsage += HelpMessageOpt("-rpcallowip=<ip>", _("Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times")); strUsage += HelpMessageOpt("-rpcthreads=<n>", strprintf(_("Set the number of threads to service RPC calls (default: %d)"), DEFAULT_HTTP_THREADS)); if (GetBoolArg("-help-debug", false)) { strUsage += HelpMessageOpt("-rpcworkqueue=<n>", strprintf("Set the depth of the work queue to service RPC calls (default: %d)", DEFAULT_HTTP_WORKQUEUE)); strUsage += HelpMessageOpt("-rpcservertimeout=<n>", strprintf("Timeout during HTTP requests (default: %d)", DEFAULT_HTTP_SERVER_TIMEOUT)); } strUsage += HelpMessageOpt("-blockspamfilter=<n>", strprintf(_("Use block spam filter (default: %u)"), DEFAULT_BLOCK_SPAM_FILTER)); strUsage += HelpMessageOpt("-blockspamfiltermaxsize=<n>", strprintf(_("Maximum size of the list of indexes in the block spam filter (default: %u)"), DEFAULT_BLOCK_SPAM_FILTER_MAX_SIZE)); strUsage += HelpMessageOpt("-blockspamfiltermaxavg=<n>", strprintf(_("Maximum average size of an index occurrence in the block spam filter (default: %u)"), DEFAULT_BLOCK_SPAM_FILTER_MAX_AVG)); return strUsage; } std::string LicenseInfo() { return FormatParagraph(strprintf(_("Copyright (C) 2009-%i The Bitcoin Core Developers"), COPYRIGHT_YEAR)) + "\n" + "\n" + FormatParagraph(strprintf(_("Copyright (C) 2014-%i The Dash Core Developers"), COPYRIGHT_YEAR)) + "\n" + "\n" + FormatParagraph(strprintf(_("Copyright (C) 2015-%i The PIVX Core Developers"), COPYRIGHT_YEAR)) + "\n" + "\n" + FormatParagraph(strprintf(_("Copyright (C) 2018-%i The auryn Core Developers"), COPYRIGHT_YEAR)) + "\n" + "\n" + FormatParagraph(_("This is experimental software.")) + "\n" + "\n" + FormatParagraph(_("Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>.")) + "\n" + "\n" + FormatParagraph(_("This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard.")) + "\n"; } static void BlockNotifyCallback(const uint256& hashNewTip) { std::string strCmd = GetArg("-blocknotify", ""); boost::replace_all(strCmd, "%s", hashNewTip.GetHex()); boost::thread t(runCommand, strCmd); // thread runs free } static void BlockSizeNotifyCallback(int size, const uint256& hashNewTip) { std::string strCmd = GetArg("-blocksizenotify", ""); boost::replace_all(strCmd, "%s", hashNewTip.GetHex()); boost::replace_all(strCmd, "%d", std::to_string(size)); boost::thread t(runCommand, strCmd); // thread runs free } struct CImportingNow { CImportingNow() { assert(fImporting == false); fImporting = true; } ~CImportingNow() { assert(fImporting == true); fImporting = false; } }; void ThreadImport(std::vector<boost::filesystem::path> vImportFiles) { RenameThread("auryn-loadblk"); // -reindex if (fReindex) { CImportingNow imp; int nFile = 0; while (true) { CDiskBlockPos pos(nFile, 0); if (!boost::filesystem::exists(GetBlockPosFilename(pos, "blk"))) break; // No block files left to reindex FILE* file = OpenBlockFile(pos, true); if (!file) break; // This error is logged in OpenBlockFile LogPrintf("Reindexing block file blk%05u.dat...\n", (unsigned int)nFile); LoadExternalBlockFile(file, &pos); nFile++; } pblocktree->WriteReindexing(false); fReindex = false; LogPrintf("Reindexing finished\n"); // To avoid ending up in a situation without genesis block, re-try initializing (no-op if reindexing worked): InitBlockIndex(); } // hardcoded $DATADIR/bootstrap.dat filesystem::path pathBootstrap = GetDataDir() / "bootstrap.dat"; if (filesystem::exists(pathBootstrap)) { FILE* file = fopen(pathBootstrap.string().c_str(), "rb"); if (file) { CImportingNow imp; filesystem::path pathBootstrapOld = GetDataDir() / "bootstrap.dat.old"; LogPrintf("Importing bootstrap.dat...\n"); LoadExternalBlockFile(file); RenameOver(pathBootstrap, pathBootstrapOld); } else { LogPrintf("Warning: Could not open bootstrap file %s\n", pathBootstrap.string()); } } // -loadblock= BOOST_FOREACH (boost::filesystem::path& path, vImportFiles) { FILE* file = fopen(path.string().c_str(), "rb"); if (file) { CImportingNow imp; LogPrintf("Importing blocks file %s...\n", path.string()); LoadExternalBlockFile(file); } else { LogPrintf("Warning: Could not open blocks file %s\n", path.string()); } } if (GetBoolArg("-stopafterblockimport", false)) { LogPrintf("Stopping after block import\n"); StartShutdown(); } } /** Sanity checks * Ensure that auryn is running in a usable environment with all * necessary library support. */ bool InitSanityCheck(void) { if (!ECC_InitSanityCheck()) { InitError("OpenSSL appears to lack support for elliptic curve cryptography. For more " "information, visit https://en.bitcoin.it/wiki/OpenSSL_and_EC_Libraries"); return false; } if (!glibc_sanity_test() || !glibcxx_sanity_test()) return false; return true; } bool AppInitServers(boost::thread_group& threadGroup) { RPCServer::OnStopped(&OnRPCStopped); RPCServer::OnPreCommand(&OnRPCPreCommand); if (!InitHTTPServer()) return false; if (!StartRPC()) return false; if (!StartHTTPRPC()) return false; if (GetBoolArg("-rest", false) && !StartREST()) return false; if (!StartHTTPServer()) return false; return true; } /** Initialize the app. * @pre Parameters should be parsed and config file should be read. */ bool AppInit2(boost::thread_group& threadGroup, CScheduler& scheduler) { // ********************************************************* Step 1: setup #ifdef _MSC_VER // Turn off Microsoft heap dump noise _CrtSetReportMode(_CRT_WARN, _CRTDBG_MODE_FILE); _CrtSetReportFile(_CRT_WARN, CreateFileA("NUL", GENERIC_WRITE, 0, NULL, OPEN_EXISTING, 0, 0)); #endif #if _MSC_VER >= 1400 // Disable confusing "helpful" text message on abort, Ctrl-C _set_abort_behavior(0, _WRITE_ABORT_MSG | _CALL_REPORTFAULT); #endif #ifdef WIN32 // Enable Data Execution Prevention (DEP) // Minimum supported OS versions: WinXP SP3, WinVista >= SP1, Win Server 2008 // A failure is non-critical and needs no further attention! #ifndef PROCESS_DEP_ENABLE // We define this here, because GCCs winbase.h limits this to _WIN32_WINNT >= 0x0601 (Windows 7), // which is not correct. Can be removed, when GCCs winbase.h is fixed! #define PROCESS_DEP_ENABLE 0x00000001 #endif typedef BOOL(WINAPI * PSETPROCDEPPOL)(DWORD); PSETPROCDEPPOL setProcDEPPol = (PSETPROCDEPPOL)GetProcAddress(GetModuleHandleA("Kernel32.dll"), "SetProcessDEPPolicy"); if (setProcDEPPol != NULL) setProcDEPPol(PROCESS_DEP_ENABLE); #endif if (!SetupNetworking()) return InitError("Error: Initializing networking failed"); #ifndef WIN32 if (GetBoolArg("-sysperms", false)) { #ifdef ENABLE_WALLET if (!GetBoolArg("-disablewallet", false)) return InitError("Error: -sysperms is not allowed in combination with enabled wallet functionality"); #endif } else { umask(077); } // Clean shutdown on SIGTERM struct sigaction sa; sa.sa_handler = HandleSIGTERM; sigemptyset(&sa.sa_mask); sa.sa_flags = 0; sigaction(SIGTERM, &sa, NULL); sigaction(SIGINT, &sa, NULL); // Reopen debug.log on SIGHUP struct sigaction sa_hup; sa_hup.sa_handler = HandleSIGHUP; sigemptyset(&sa_hup.sa_mask); sa_hup.sa_flags = 0; sigaction(SIGHUP, &sa_hup, NULL); // Ignore SIGPIPE, otherwise it will bring the daemon down if the client closes unexpectedly signal(SIGPIPE, SIG_IGN); #endif // ********************************************************* Step 2: parameter interactions // Set this early so that parameter interactions go to console fPrintToConsole = GetBoolArg("-printtoconsole", false); fLogTimestamps = GetBoolArg("-logtimestamps", true); fLogIPs = GetBoolArg("-logips", false); if (mapArgs.count("-bind") || mapArgs.count("-whitebind")) { // when specifying an explicit binding address, you want to listen on it // even when -connect or -proxy is specified if (SoftSetBoolArg("-listen", true)) LogPrintf("AppInit2 : parameter interaction: -bind or -whitebind set -> setting -listen=1\n"); } if (mapArgs.count("-connect") && mapMultiArgs["-connect"].size() > 0) { // when only connecting to trusted nodes, do not seed via DNS, or listen by default if (SoftSetBoolArg("-dnsseed", false)) LogPrintf("AppInit2 : parameter interaction: -connect set -> setting -dnsseed=0\n"); if (SoftSetBoolArg("-listen", false)) LogPrintf("AppInit2 : parameter interaction: -connect set -> setting -listen=0\n"); } if (mapArgs.count("-proxy")) { // to protect privacy, do not listen by default if a default proxy server is specified if (SoftSetBoolArg("-listen", false)) LogPrintf("%s: parameter interaction: -proxy set -> setting -listen=0\n", __func__); // to protect privacy, do not use UPNP when a proxy is set. The user may still specify -listen=1 // to listen locally, so don't rely on this happening through -listen below. if (SoftSetBoolArg("-upnp", false)) LogPrintf("%s: parameter interaction: -proxy set -> setting -upnp=0\n", __func__); // to protect privacy, do not discover addresses by default if (SoftSetBoolArg("-discover", false)) LogPrintf("AppInit2 : parameter interaction: -proxy set -> setting -discover=0\n"); } if (!GetBoolArg("-listen", true)) { // do not map ports or try to retrieve public IP when not listening (pointless) if (SoftSetBoolArg("-upnp", false)) LogPrintf("AppInit2 : parameter interaction: -listen=0 -> setting -upnp=0\n"); if (SoftSetBoolArg("-discover", false)) LogPrintf("AppInit2 : parameter interaction: -listen=0 -> setting -discover=0\n"); if (SoftSetBoolArg("-listenonion", false)) LogPrintf("AppInit2 : parameter interaction: -listen=0 -> setting -listenonion=0\n"); } if (mapArgs.count("-externalip")) { // if an explicit public IP is specified, do not try to find others if (SoftSetBoolArg("-discover", false)) LogPrintf("AppInit2 : parameter interaction: -externalip set -> setting -discover=0\n"); } if (GetBoolArg("-salvagewallet", false)) { // Rewrite just private keys: rescan to find transactions if (SoftSetBoolArg("-rescan", true)) LogPrintf("AppInit2 : parameter interaction: -salvagewallet=1 -> setting -rescan=1\n"); } // -zapwallettx implies a rescan if (GetBoolArg("-zapwallettxes", false)) { if (SoftSetBoolArg("-rescan", true)) LogPrintf("AppInit2 : parameter interaction: -zapwallettxes=<mode> -> setting -rescan=1\n"); } if (!GetBoolArg("-enableswifttx", fEnableSwiftTX)) { if (SoftSetArg("-swifttxdepth", "0")) LogPrintf("AppInit2 : parameter interaction: -enableswifttx=false -> setting -nSwiftTXDepth=0\n"); } if (mapArgs.count("-reservebalance")) { if (!ParseMoney(mapArgs["-reservebalance"], nReserveBalance)) { InitError(_("Invalid amount for -reservebalance=<amount>")); return false; } } // Make sure enough file descriptors are available int nBind = std::max((int)mapArgs.count("-bind") + (int)mapArgs.count("-whitebind"), 1); nMaxConnections = GetArg("-maxconnections", 125); nMaxConnections = std::max(std::min(nMaxConnections, (int)(FD_SETSIZE - nBind - MIN_CORE_FILEDESCRIPTORS)), 0); int nFD = RaiseFileDescriptorLimit(nMaxConnections + MIN_CORE_FILEDESCRIPTORS); if (nFD < MIN_CORE_FILEDESCRIPTORS) return InitError(_("Not enough file descriptors available.")); if (nFD - MIN_CORE_FILEDESCRIPTORS < nMaxConnections) nMaxConnections = nFD - MIN_CORE_FILEDESCRIPTORS; // ********************************************************* Step 3: parameter-to-internal-flags fDebug = !mapMultiArgs["-debug"].empty(); // Special-case: if -debug=0/-nodebug is set, turn off debugging messages const vector<string>& categories = mapMultiArgs["-debug"]; if (GetBoolArg("-nodebug", false) || find(categories.begin(), categories.end(), string("0")) != categories.end()) fDebug = false; // Check for -debugnet if (GetBoolArg("-debugnet", false)) InitWarning(_("Warning: Unsupported argument -debugnet ignored, use -debug=net.")); // Check for -socks - as this is a privacy risk to continue, exit here if (mapArgs.count("-socks")) return InitError(_("Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported.")); // Check for -tor - as this is a privacy risk to continue, exit here if (GetBoolArg("-tor", false)) return InitError(_("Error: Unsupported argument -tor found, use -onion.")); // Check level must be 4 for zerocoin checks if (mapArgs.count("-checklevel")) return InitError(_("Error: Unsupported argument -checklevel found. Checklevel must be level 4.")); if (GetBoolArg("-benchmark", false)) InitWarning(_("Warning: Unsupported argument -benchmark ignored, use -debug=bench.")); // Checkmempool and checkblockindex default to true in regtest mode mempool.setSanityCheck(GetBoolArg("-checkmempool", Params().DefaultConsistencyChecks())); fCheckBlockIndex = GetBoolArg("-checkblockindex", Params().DefaultConsistencyChecks()); Checkpoints::fEnabled = GetBoolArg("-checkpoints", true); // -par=0 means autodetect, but nScriptCheckThreads==0 means no concurrency nScriptCheckThreads = GetArg("-par", DEFAULT_SCRIPTCHECK_THREADS); if (nScriptCheckThreads <= 0) nScriptCheckThreads += boost::thread::hardware_concurrency(); if (nScriptCheckThreads <= 1) nScriptCheckThreads = 0; else if (nScriptCheckThreads > MAX_SCRIPTCHECK_THREADS) nScriptCheckThreads = MAX_SCRIPTCHECK_THREADS; fServer = GetBoolArg("-server", false); setvbuf(stdout, NULL, _IOLBF, 0); /// ***TODO*** do we still need this after -printtoconsole is gone? // Staking needs a CWallet instance, so make sure wallet is enabled #ifdef ENABLE_WALLET bool fDisableWallet = GetBoolArg("-disablewallet", false); if (fDisableWallet) { #endif if (SoftSetBoolArg("-staking", false)) LogPrintf("AppInit2 : parameter interaction: wallet functionality not enabled -> setting -staking=0\n"); #ifdef ENABLE_WALLET } #endif nConnectTimeout = GetArg("-timeout", DEFAULT_CONNECT_TIMEOUT); if (nConnectTimeout <= 0) nConnectTimeout = DEFAULT_CONNECT_TIMEOUT; // Fee-per-kilobyte amount considered the same as "free" // If you are mining, be careful setting this: // if you set it to zero then // a transaction spammer can cheaply fill blocks using // 1-satoshi-fee transactions. It should be set above the real // cost to you of processing a transaction. if (mapArgs.count("-minrelaytxfee")) { CAmount n = 0; if (ParseMoney(mapArgs["-minrelaytxfee"], n) && n > 0) ::minRelayTxFee = CFeeRate(n); else return InitError(strprintf(_("Invalid amount for -minrelaytxfee=<amount>: '%s'"), mapArgs["-minrelaytxfee"])); } #ifdef ENABLE_WALLET if (mapArgs.count("-mintxfee")) { CAmount n = 0; if (ParseMoney(mapArgs["-mintxfee"], n) && n > 0) CWallet::minTxFee = CFeeRate(n); else return InitError(strprintf(_("Invalid amount for -mintxfee=<amount>: '%s'"), mapArgs["-mintxfee"])); } if (mapArgs.count("-paytxfee")) { CAmount nFeePerK = 0; if (!ParseMoney(mapArgs["-paytxfee"], nFeePerK)) return InitError(strprintf(_("Invalid amount for -paytxfee=<amount>: '%s'"), mapArgs["-paytxfee"])); if (nFeePerK > nHighTransactionFeeWarning) InitWarning(_("Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction.")); payTxFee = CFeeRate(nFeePerK, 1000); if (payTxFee < ::minRelayTxFee) { return InitError(strprintf(_("Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s)"), mapArgs["-paytxfee"], ::minRelayTxFee.ToString())); } } if (mapArgs.count("-maxtxfee")) { CAmount nMaxFee = 0; if (!ParseMoney(mapArgs["-maxtxfee"], nMaxFee)) return InitError(strprintf(_("Invalid amount for -maxtxfee=<amount>: '%s'"), mapArgs["-maxtxfee"])); if (nMaxFee > nHighTransactionMaxFeeWarning) InitWarning(_("Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction.")); maxTxFee = nMaxFee; if (CFeeRate(maxTxFee, 1000) < ::minRelayTxFee) { return InitError(strprintf(_("Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions)"), mapArgs["-maxtxfee"], ::minRelayTxFee.ToString())); } } nTxConfirmTarget = GetArg("-txconfirmtarget", 1); bSpendZeroConfChange = GetBoolArg("-spendzeroconfchange", false); bdisableSystemnotifications = GetBoolArg("-disablesystemnotifications", false); fSendFreeTransactions = GetBoolArg("-sendfreetransactions", false); std::string strWalletFile = GetArg("-wallet", "wallet.dat"); #endif // ENABLE_WALLET fIsBareMultisigStd = GetBoolArg("-permitbaremultisig", true) != 0; nMaxDatacarrierBytes = GetArg("-datacarriersize", nMaxDatacarrierBytes); fAlerts = GetBoolArg("-alerts", DEFAULT_ALERTS); if (GetBoolArg("-peerbloomfilters", DEFAULT_PEERBLOOMFILTERS)) nLocalServices |= NODE_BLOOM; // ********************************************************* Step 4: application initialization: dir lock, daemonize, pidfile, debug log // Sanity check if (!InitSanityCheck()) return InitError(_("Initialization sanity check failed. auryn Core is shutting down.")); std::string strDataDir = GetDataDir().string(); #ifdef ENABLE_WALLET // Wallet file must be a plain filename without a directory if (strWalletFile != boost::filesystem::basename(strWalletFile) + boost::filesystem::extension(strWalletFile)) return InitError(strprintf(_("Wallet %s resides outside data directory %s"), strWalletFile, strDataDir)); #endif // Make sure only a single auryn process is using the data directory. boost::filesystem::path pathLockFile = GetDataDir() / ".lock"; FILE* file = fopen(pathLockFile.string().c_str(), "a"); // empty lock file; created if it doesn't exist. if (file) fclose(file); static boost::interprocess::file_lock lock(pathLockFile.string().c_str()); // Wait maximum 10 seconds if an old wallet is still running. Avoids lockup during restart if (!lock.timed_lock(boost::get_system_time() + boost::posix_time::seconds(10))) return InitError(strprintf(_("Cannot obtain a lock on data directory %s. auryn Core is probably already running."), strDataDir)); #ifndef WIN32 CreatePidFile(GetPidFile(), getpid()); #endif if (GetBoolArg("-shrinkdebugfile", !fDebug)) ShrinkDebugFile(); LogPrintf("\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n"); LogPrintf("auryn version %s (%s)\n", FormatFullVersion(), CLIENT_DATE); LogPrintf("Using OpenSSL version %s\n", SSLeay_version(SSLEAY_VERSION)); #ifdef ENABLE_WALLET LogPrintf("Using BerkeleyDB version %s\n", DbEnv::version(0, 0, 0)); #endif if (!fLogTimestamps) LogPrintf("Startup time: %s\n", DateTimeStrFormat("%Y-%m-%d %H:%M:%S", GetTime())); LogPrintf("Default data directory %s\n", GetDefaultDataDir().string()); LogPrintf("Using data directory %s\n", strDataDir); LogPrintf("Using config file %s\n", GetConfigFile().string()); LogPrintf("Using at most %i connections (%i file descriptors available)\n", nMaxConnections, nFD); std::ostringstream strErrors; LogPrintf("Using %u threads for script verification\n", nScriptCheckThreads); if (nScriptCheckThreads) { for (int i = 0; i < nScriptCheckThreads - 1; i++) threadGroup.create_thread(&ThreadScriptCheck); } if (mapArgs.count("-sporkkey")) // spork priv key { if (!sporkManager.SetPrivKey(GetArg("-sporkkey", ""))) return InitError(_("Unable to sign spork message, wrong key?")); } // Start the lightweight task scheduler thread CScheduler::Function serviceLoop = boost::bind(&CScheduler::serviceQueue, &scheduler); threadGroup.create_thread(boost::bind(&TraceThread<CScheduler::Function>, "scheduler", serviceLoop)); /* Start the RPC server already. It will be started in "warmup" mode * and not really process calls already (but it will signify connections * that the server is there and will be ready later). Warmup mode will * be disabled when initialisation is finished. */ if (fServer) { uiInterface.InitMessage.connect(SetRPCWarmupStatus); if (!AppInitServers(threadGroup)) return InitError(_("Unable to start HTTP server. See debug log for details.")); } int64_t nStart; // ********************************************************* Step 5: Backup wallet and verify wallet database integrity #ifdef ENABLE_WALLET if (!fDisableWallet) { filesystem::path backupDir = GetDataDir() / "backups"; if (!filesystem::exists(backupDir)) { // Always create backup folder to not confuse the operating system's file browser filesystem::create_directories(backupDir); } nWalletBackups = GetArg("-createwalletbackups", 10); nWalletBackups = std::max(0, std::min(10, nWalletBackups)); if (nWalletBackups > 0) { if (filesystem::exists(backupDir)) { // Create backup of the wallet std::string dateTimeStr = DateTimeStrFormat(".%Y-%m-%d-%H-%M", GetTime()); std::string backupPathStr = backupDir.string(); backupPathStr += "/" + strWalletFile; std::string sourcePathStr = GetDataDir().string(); sourcePathStr += "/" + strWalletFile; boost::filesystem::path sourceFile = sourcePathStr; boost::filesystem::path backupFile = backupPathStr + dateTimeStr; sourceFile.make_preferred(); backupFile.make_preferred(); if (boost::filesystem::exists(sourceFile)) { #if BOOST_VERSION >= 105800 try { boost::filesystem::copy_file(sourceFile, backupFile); LogPrintf("Creating backup of %s -> %s\n", sourceFile, backupFile); } catch (boost::filesystem::filesystem_error& error) { LogPrintf("Failed to create backup %s\n", error.what()); } #else std::ifstream src(sourceFile.string(), std::ios::binary); std::ofstream dst(backupFile.string(), std::ios::binary); dst << src.rdbuf(); #endif } // Keep only the last 10 backups, including the new one of course typedef std::multimap<std::time_t, boost::filesystem::path> folder_set_t; folder_set_t folder_set; boost::filesystem::directory_iterator end_iter; boost::filesystem::path backupFolder = backupDir.string(); backupFolder.make_preferred(); // Build map of backup files for current(!) wallet sorted by last write time boost::filesystem::path currentFile; for (boost::filesystem::directory_iterator dir_iter(backupFolder); dir_iter != end_iter; ++dir_iter) { // Only check regular files if (boost::filesystem::is_regular_file(dir_iter->status())) { currentFile = dir_iter->path().filename(); // Only add the backups for the current wallet, e.g. wallet.dat.* if (dir_iter->path().stem().string() == strWalletFile) { folder_set.insert(folder_set_t::value_type(boost::filesystem::last_write_time(dir_iter->path()), *dir_iter)); } } } // Loop backward through backup files and keep the N newest ones (1 <= N <= 10) int counter = 0; BOOST_REVERSE_FOREACH (PAIRTYPE(const std::time_t, boost::filesystem::path) file, folder_set) { counter++; if (counter > nWalletBackups) { // More than nWalletBackups backups: delete oldest one(s) try { boost::filesystem::remove(file.second); LogPrintf("Old backup deleted: %s\n", file.second); } catch (boost::filesystem::filesystem_error& error) { LogPrintf("Failed to delete backup %s\n", error.what()); } } } } } if (GetBoolArg("-resync", false)) { uiInterface.InitMessage(_("Preparing for resync...")); // Delete the local blockchain folders to force a resync from scratch to get a consitent blockchain-state filesystem::path blocksDir = GetDataDir() / "blocks"; filesystem::path chainstateDir = GetDataDir() / "chainstate"; filesystem::path sporksDir = GetDataDir() / "sporks"; filesystem::path zerocoinDir = GetDataDir() / "zerocoin"; LogPrintf("Deleting blockchain folders blocks, chainstate, sporks and zerocoin\n"); // We delete in 4 individual steps in case one of the folder is missing already try { if (filesystem::exists(blocksDir)){ boost::filesystem::remove_all(blocksDir); LogPrintf("-resync: folder deleted: %s\n", blocksDir.string().c_str()); } if (filesystem::exists(chainstateDir)){ boost::filesystem::remove_all(chainstateDir); LogPrintf("-resync: folder deleted: %s\n", chainstateDir.string().c_str()); } if (filesystem::exists(sporksDir)){ boost::filesystem::remove_all(sporksDir); LogPrintf("-resync: folder deleted: %s\n", sporksDir.string().c_str()); } if (filesystem::exists(zerocoinDir)){ boost::filesystem::remove_all(zerocoinDir); LogPrintf("-resync: folder deleted: %s\n", zerocoinDir.string().c_str()); } } catch (boost::filesystem::filesystem_error& error) { LogPrintf("Failed to delete blockchain folders %s\n", error.what()); } } LogPrintf("Using wallet %s\n", strWalletFile); uiInterface.InitMessage(_("Verifying wallet...")); if (!bitdb.Open(GetDataDir())) { // try moving the database env out of the way boost::filesystem::path pathDatabase = GetDataDir() / "database"; boost::filesystem::path pathDatabaseBak = GetDataDir() / strprintf("database.%d.bak", GetTime()); try { boost::filesystem::rename(pathDatabase, pathDatabaseBak); LogPrintf("Moved old %s to %s. Retrying.\n", pathDatabase.string(), pathDatabaseBak.string()); } catch (boost::filesystem::filesystem_error& error) { // failure is ok (well, not really, but it's not worse than what we started with) } // try again if (!bitdb.Open(GetDataDir())) { // if it still fails, it probably means we can't even create the database env string msg = strprintf(_("Error initializing wallet database environment %s!"), strDataDir); return InitError(msg); } } if (GetBoolArg("-salvagewallet", false)) { // Recover readable keypairs: if (!CWalletDB::Recover(bitdb, strWalletFile, true)) return false; } if (filesystem::exists(GetDataDir() / strWalletFile)) { CDBEnv::VerifyResult r = bitdb.Verify(strWalletFile, CWalletDB::Recover); if (r == CDBEnv::RECOVER_OK) { string msg = strprintf(_("Warning: wallet.dat corrupt, data salvaged!" " Original wallet.dat saved as wallet.{timestamp}.bak in %s; if" " your balance or transactions are incorrect you should" " restore from a backup."), strDataDir); InitWarning(msg); } if (r == CDBEnv::RECOVER_FAIL) return InitError(_("wallet.dat corrupt, salvage failed")); } } // (!fDisableWallet) #endif // ENABLE_WALLET // ********************************************************* Step 6: network initialization RegisterNodeSignals(GetNodeSignals()); if (mapArgs.count("-onlynet")) { std::set<enum Network> nets; BOOST_FOREACH (std::string snet, mapMultiArgs["-onlynet"]) { enum Network net = ParseNetwork(snet); if (net == NET_UNROUTABLE) return InitError(strprintf(_("Unknown network specified in -onlynet: '%s'"), snet)); nets.insert(net); } for (int n = 0; n < NET_MAX; n++) { enum Network net = (enum Network)n; if (!nets.count(net)) SetLimited(net); } } if (mapArgs.count("-whitelist")) { BOOST_FOREACH (const std::string& net, mapMultiArgs["-whitelist"]) { CSubNet subnet(net); if (!subnet.IsValid()) return InitError(strprintf(_("Invalid netmask specified in -whitelist: '%s'"), net)); CNode::AddWhitelistedRange(subnet); } } // Check for host lookup allowed before parsing any network related parameters fNameLookup = GetBoolArg("-dns", DEFAULT_NAME_LOOKUP); bool proxyRandomize = GetBoolArg("-proxyrandomize", true); // -proxy sets a proxy for all outgoing network traffic // -noproxy (or -proxy=0) as well as the empty string can be used to not set a proxy, this is the default std::string proxyArg = GetArg("-proxy", ""); SetLimited(NET_TOR); if (proxyArg != "" && proxyArg != "0") { CService proxyAddr; if (!Lookup(proxyArg.c_str(), proxyAddr, 9050, fNameLookup)) { return InitError(strprintf(_("Lookup(): Invalid -proxy address or hostname: '%s'"), proxyArg)); } proxyType addrProxy = proxyType(proxyAddr, proxyRandomize); if (!addrProxy.IsValid()) return InitError(strprintf(_("isValid(): Invalid -proxy address or hostname: '%s'"), proxyArg)); SetProxy(NET_IPV4, addrProxy); SetProxy(NET_IPV6, addrProxy); SetProxy(NET_TOR, addrProxy); SetNameProxy(addrProxy); SetLimited(NET_TOR, false); // by default, -proxy sets onion as reachable, unless -noonion later } // -onion can be used to set only a proxy for .onion, or override normal proxy for .onion addresses // -noonion (or -onion=0) disables connecting to .onion entirely // An empty string is used to not override the onion proxy (in which case it defaults to -proxy set above, or none) std::string onionArg = GetArg("-onion", ""); if (onionArg != "") { if (onionArg == "0") { // Handle -noonion/-onion=0 SetLimited(NET_TOR); // set onions as unreachable } else { CService onionProxy; if (!Lookup(onionArg.c_str(), onionProxy, 9050, fNameLookup)) { return InitError(strprintf(_("Invalid -onion address or hostname: '%s'"), onionArg)); } proxyType addrOnion = proxyType(onionProxy, proxyRandomize); if (!addrOnion.IsValid()) return InitError(strprintf(_("Invalid -onion address or hostname: '%s'"), onionArg)); SetProxy(NET_TOR, addrOnion); SetLimited(NET_TOR, false); } } // see Step 2: parameter interactions for more information about these fListen = GetBoolArg("-listen", DEFAULT_LISTEN); fDiscover = GetBoolArg("-discover", true); bool fBound = false; if (fListen) { if (mapArgs.count("-bind") || mapArgs.count("-whitebind")) { BOOST_FOREACH (std::string strBind, mapMultiArgs["-bind"]) { CService addrBind; if (!Lookup(strBind.c_str(), addrBind, GetListenPort(), false)) return InitError(strprintf(_("Cannot resolve -bind address: '%s'"), strBind)); fBound |= Bind(addrBind, (BF_EXPLICIT | BF_REPORT_ERROR)); } BOOST_FOREACH (std::string strBind, mapMultiArgs["-whitebind"]) { CService addrBind; if (!Lookup(strBind.c_str(), addrBind, 0, false)) return InitError(strprintf(_("Cannot resolve -whitebind address: '%s'"), strBind)); if (addrBind.GetPort() == 0) return InitError(strprintf(_("Need to specify a port with -whitebind: '%s'"), strBind)); fBound |= Bind(addrBind, (BF_EXPLICIT | BF_REPORT_ERROR | BF_WHITELIST)); } } else { struct in_addr inaddr_any; inaddr_any.s_addr = INADDR_ANY; fBound |= Bind(CService(in6addr_any, GetListenPort()), BF_NONE); fBound |= Bind(CService(inaddr_any, GetListenPort()), !fBound ? BF_REPORT_ERROR : BF_NONE); } if (!fBound) return InitError(_("Failed to listen on any port. Use -listen=0 if you want this.")); } if (mapArgs.count("-externalip")) { BOOST_FOREACH (string strAddr, mapMultiArgs["-externalip"]) { CService addrLocal(strAddr, GetListenPort(), fNameLookup); if (!addrLocal.IsValid()) return InitError(strprintf(_("Cannot resolve -externalip address: '%s'"), strAddr)); AddLocal(CService(strAddr, GetListenPort(), fNameLookup), LOCAL_MANUAL); } } BOOST_FOREACH (string strDest, mapMultiArgs["-seednode"]) AddOneShot(strDest); #if ENABLE_ZMQ pzmqNotificationInterface = CZMQNotificationInterface::CreateWithArguments(mapArgs); if (pzmqNotificationInterface) { RegisterValidationInterface(pzmqNotificationInterface); } #endif // ********************************************************* Step 7: load block chain //PIVX: Load Accumulator Checkpoints according to network (main/test/regtest) assert(AccumulatorCheckpoints::LoadCheckpoints(Params().NetworkIDString())); fReindex = GetBoolArg("-reindex", false); // Upgrading to 0.8; hard-link the old blknnnn.dat files into /blocks/ filesystem::path blocksDir = GetDataDir() / "blocks"; if (!filesystem::exists(blocksDir)) { filesystem::create_directories(blocksDir); bool linked = false; for (unsigned int i = 1; i < 10000; i++) { filesystem::path source = GetDataDir() / strprintf("blk%04u.dat", i); if (!filesystem::exists(source)) break; filesystem::path dest = blocksDir / strprintf("blk%05u.dat", i - 1); try { filesystem::create_hard_link(source, dest); LogPrintf("Hardlinked %s -> %s\n", source.string(), dest.string()); linked = true; } catch (filesystem::filesystem_error& e) { // Note: hardlink creation failing is not a disaster, it just means // blocks will get re-downloaded from peers. LogPrintf("Error hardlinking blk%04u.dat : %s\n", i, e.what()); break; } } if (linked) { fReindex = true; } } // cache size calculations size_t nTotalCache = (GetArg("-dbcache", nDefaultDbCache) << 20); if (nTotalCache < (nMinDbCache << 20)) nTotalCache = (nMinDbCache << 20); // total cache cannot be less than nMinDbCache else if (nTotalCache > (nMaxDbCache << 20)) nTotalCache = (nMaxDbCache << 20); // total cache cannot be greater than nMaxDbCache size_t nBlockTreeDBCache = nTotalCache / 8; if (nBlockTreeDBCache > (1 << 21) && !GetBoolArg("-txindex", true)) nBlockTreeDBCache = (1 << 21); // block tree db cache shouldn't be larger than 2 MiB nTotalCache -= nBlockTreeDBCache; size_t nCoinDBCache = nTotalCache / 2; // use half of the remaining cache for coindb cache nTotalCache -= nCoinDBCache; nCoinCacheSize = nTotalCache / 300; // coins in memory require around 300 bytes bool fLoaded = false; while (!fLoaded) { bool fReset = fReindex; std::string strLoadError; uiInterface.InitMessage(_("Loading block index...")); nStart = GetTimeMillis(); do { try { UnloadBlockIndex(); delete pcoinsTip; delete pcoinsdbview; delete pcoinscatcher; delete pblocktree; delete zerocoinDB; delete pSporkDB; //PIVX specific: zerocoin and spork DB's zerocoinDB = new CZerocoinDB(0, false, fReindex); pSporkDB = new CSporkDB(0, false, false); pblocktree = new CBlockTreeDB(nBlockTreeDBCache, false, fReindex); pcoinsdbview = new CCoinsViewDB(nCoinDBCache, false, fReindex); pcoinscatcher = new CCoinsViewErrorCatcher(pcoinsdbview); pcoinsTip = new CCoinsViewCache(pcoinscatcher); if (fReindex) pblocktree->WriteReindexing(true); // PIVX: load previous sessions sporks if we have them. uiInterface.InitMessage(_("Loading sporks...")); LoadSporksFromDB(); uiInterface.InitMessage(_("Loading block index...")); string strBlockIndexError = ""; if (!LoadBlockIndex(strBlockIndexError)) { strLoadError = _("Error loading block database"); strLoadError = strprintf("%s : %s", strLoadError, strBlockIndexError); break; } // If the loaded chain has a wrong genesis, bail out immediately // (we're likely using a testnet datadir, or the other way around). if (!mapBlockIndex.empty() && mapBlockIndex.count(Params().HashGenesisBlock()) == 0) return InitError(_("Incorrect or no genesis block found. Wrong datadir for network?")); // Initialize the block index (no-op if non-empty database was already loaded) if (!InitBlockIndex()) { strLoadError = _("Error initializing block database"); break; } // Check for changed -txindex state if (fTxIndex != GetBoolArg("-txindex", true)) { strLoadError = _("You need to rebuild the database using -reindex to change -txindex"); break; } /* NOTE: GJH inappropriate for auryn // Populate list of invalid/fraudulent outpoints that are banned from the chain invalid_out::LoadOutpoints(); invalid_out::LoadSerials(); */ // Drop all information from the zerocoinDB and repopulate if (GetBoolArg("-reindexzerocoin", false)) { uiInterface.InitMessage(_("Reindexing zerocoin database...")); std::string strError = ReindexZerocoinDB(); if (strError != "") { strLoadError = strError; break; } } // Recalculate money supply for blocks that are impacted by accounting issue after zerocoin activation if (GetBoolArg("-reindexmoneysupply", false)) { if (chainActive.Height() > Params().Zerocoin_StartHeight()) { RecalculateZPIVMinted(); RecalculateZPIVSpent(); } RecalculatePIVSupply(1); } // Force recalculation of accumulators. if (GetBoolArg("-reindexaccumulators", false)) { CBlockIndex* pindex = chainActive[Params().Zerocoin_StartHeight()]; while (pindex->nHeight < chainActive.Height()) { if (!count(listAccCheckpointsNoDB.begin(), listAccCheckpointsNoDB.end(), pindex->nAccumulatorCheckpoint)) listAccCheckpointsNoDB.emplace_back(pindex->nAccumulatorCheckpoint); pindex = chainActive.Next(pindex); } } // PIVX: recalculate Accumulator Checkpoints that failed to database properly if (!listAccCheckpointsNoDB.empty()) { uiInterface.InitMessage(_("Calculating missing accumulators...")); LogPrintf("%s : finding missing checkpoints\n", __func__); string strError; if (!ReindexAccumulators(listAccCheckpointsNoDB, strError)) return InitError(strError); } uiInterface.InitMessage(_("Verifying blocks...")); // Flag sent to validation code to let it know it can skip certain checks fVerifyingBlocks = true; // Zerocoin must check at level 4 if (!CVerifyDB().VerifyDB(pcoinsdbview, 4, GetArg("-checkblocks", 100))) { strLoadError = _("Corrupted block database detected"); fVerifyingBlocks = false; break; } } catch (std::exception& e) { if (fDebug) LogPrintf("%s\n", e.what()); strLoadError = _("Error opening block database"); fVerifyingBlocks = false; break; } fVerifyingBlocks = false; fLoaded = true; } while (false); if (!fLoaded) { // first suggest a reindex if (!fReset) { bool fRet = uiInterface.ThreadSafeMessageBox( strLoadError + ".\n\n" + _("Do you want to rebuild the block database now?"), "", CClientUIInterface::MSG_ERROR | CClientUIInterface::BTN_ABORT); if (fRet) { fReindex = true; fRequestShutdown = false; } else { LogPrintf("Aborted block database rebuild. Exiting.\n"); return false; } } else { return InitError(strLoadError); } } } // As LoadBlockIndex can take several minutes, it's possible the user // requested to kill the GUI during the last operation. If so, exit. // As the program has not fully started yet, Shutdown() is possibly overkill. if (fRequestShutdown) { LogPrintf("Shutdown requested. Exiting.\n"); return false; } LogPrintf(" block index %15dms\n", GetTimeMillis() - nStart); boost::filesystem::path est_path = GetDataDir() / FEE_ESTIMATES_FILENAME; CAutoFile est_filein(fopen(est_path.string().c_str(), "rb"), SER_DISK, CLIENT_VERSION); // Allowed to fail as this file IS missing on first startup. if (!est_filein.IsNull()) mempool.ReadFeeEstimates(est_filein); fFeeEstimatesInitialized = true; // ********************************************************* Step 8: load wallet #ifdef ENABLE_WALLET if (fDisableWallet) { pwalletMain = NULL; zwalletMain = NULL; LogPrintf("Wallet disabled!\n"); } else { // needed to restore wallet transaction meta data after -zapwallettxes std::vector<CWalletTx> vWtx; if (GetBoolArg("-zapwallettxes", false)) { uiInterface.InitMessage(_("Zapping all transactions from wallet...")); pwalletMain = new CWallet(strWalletFile); DBErrors nZapWalletRet = pwalletMain->ZapWalletTx(vWtx); if (nZapWalletRet != DB_LOAD_OK) { uiInterface.InitMessage(_("Error loading wallet.dat: Wallet corrupted")); return false; } delete pwalletMain; pwalletMain = NULL; } uiInterface.InitMessage(_("Loading wallet...")); fVerifyingBlocks = true; nStart = GetTimeMillis(); bool fFirstRun = true; pwalletMain = new CWallet(strWalletFile); DBErrors nLoadWalletRet = pwalletMain->LoadWallet(fFirstRun); if (nLoadWalletRet != DB_LOAD_OK) { if (nLoadWalletRet == DB_CORRUPT) strErrors << _("Error loading wallet.dat: Wallet corrupted") << "\n"; else if (nLoadWalletRet == DB_NONCRITICAL_ERROR) { string msg(_("Warning: error reading wallet.dat! All keys read correctly, but transaction data" " or address book entries might be missing or incorrect.")); InitWarning(msg); } else if (nLoadWalletRet == DB_TOO_NEW) strErrors << _("Error loading wallet.dat: Wallet requires newer version of auryn Core") << "\n"; else if (nLoadWalletRet == DB_NEED_REWRITE) { strErrors << _("Wallet needed to be rewritten: restart auryn Core to complete") << "\n"; LogPrintf("%s", strErrors.str()); return InitError(strErrors.str()); } else strErrors << _("Error loading wallet.dat") << "\n"; } if (GetBoolArg("-upgradewallet", fFirstRun)) { int nMaxVersion = GetArg("-upgradewallet", 0); if (nMaxVersion == 0) // the -upgradewallet without argument case { LogPrintf("Performing wallet upgrade to %i\n", FEATURE_LATEST); nMaxVersion = CLIENT_VERSION; pwalletMain->SetMinVersion(FEATURE_LATEST); // permanently upgrade the wallet immediately } else LogPrintf("Allowing wallet upgrade up to %i\n", nMaxVersion); if (nMaxVersion < pwalletMain->GetVersion()) strErrors << _("Cannot downgrade wallet") << "\n"; pwalletMain->SetMaxVersion(nMaxVersion); } if (fFirstRun) { // Create new keyUser and set as default key RandAddSeedPerfmon(); CPubKey newDefaultKey; if (pwalletMain->GetKeyFromPool(newDefaultKey)) { pwalletMain->SetDefaultKey(newDefaultKey); if (!pwalletMain->SetAddressBook(pwalletMain->vchDefaultKey.GetID(), "", "receive")) strErrors << _("Cannot write default address") << "\n"; } pwalletMain->SetBestChain(chainActive.GetLocator()); } LogPrintf("%s", strErrors.str()); LogPrintf(" wallet %15dms\n", GetTimeMillis() - nStart); zwalletMain = new CzPIVWallet(pwalletMain->strWalletFile); pwalletMain->setZWallet(zwalletMain); RegisterValidationInterface(pwalletMain); CBlockIndex* pindexRescan = chainActive.Tip(); if (GetBoolArg("-rescan", false)) pindexRescan = chainActive.Genesis(); else { CWalletDB walletdb(strWalletFile); CBlockLocator locator; if (walletdb.ReadBestBlock(locator)) pindexRescan = FindForkInGlobalIndex(chainActive, locator); else pindexRescan = chainActive.Genesis(); } if (chainActive.Tip() && chainActive.Tip() != pindexRescan) { uiInterface.InitMessage(_("Rescanning...")); LogPrintf("Rescanning last %i blocks (from block %i)...\n", chainActive.Height() - pindexRescan->nHeight, pindexRescan->nHeight); nStart = GetTimeMillis(); pwalletMain->ScanForWalletTransactions(pindexRescan, true); LogPrintf(" rescan %15dms\n", GetTimeMillis() - nStart); pwalletMain->SetBestChain(chainActive.GetLocator()); nWalletDBUpdated++; // Restore wallet transaction metadata after -zapwallettxes=1 if (GetBoolArg("-zapwallettxes", false) && GetArg("-zapwallettxes", "1") != "2") { BOOST_FOREACH (const CWalletTx& wtxOld, vWtx) { uint256 hash = wtxOld.GetHash(); std::map<uint256, CWalletTx>::iterator mi = pwalletMain->mapWallet.find(hash); if (mi != pwalletMain->mapWallet.end()) { const CWalletTx* copyFrom = &wtxOld; CWalletTx* copyTo = &mi->second; copyTo->mapValue = copyFrom->mapValue; copyTo->vOrderForm = copyFrom->vOrderForm; copyTo->nTimeReceived = copyFrom->nTimeReceived; copyTo->nTimeSmart = copyFrom->nTimeSmart; copyTo->fFromMe = copyFrom->fFromMe; copyTo->strFromAccount = copyFrom->strFromAccount; copyTo->nOrderPos = copyFrom->nOrderPos; copyTo->WriteToDisk(); } } } } fVerifyingBlocks = false; //Inititalize zPIVWallet uiInterface.InitMessage(_("Syncing zAURN wallet...")); bool fEnableZPivBackups = GetBoolArg("-backupz", true); pwalletMain->setZPivAutoBackups(fEnableZPivBackups); //Load zerocoin mint hashes to memory pwalletMain->zpivTracker->Init(); zwalletMain->LoadMintPoolFromDB(); zwalletMain->SyncWithChain(); } // (!fDisableWallet) #else // ENABLE_WALLET LogPrintf("No wallet compiled in!\n"); #endif // !ENABLE_WALLET // ********************************************************* Step 9: import blocks if (mapArgs.count("-blocknotify")) uiInterface.NotifyBlockTip.connect(BlockNotifyCallback); if (mapArgs.count("-blocksizenotify")) uiInterface.NotifyBlockSize.connect(BlockSizeNotifyCallback); // scan for better chains in the block chain database, that are not yet connected in the active best chain CValidationState state; if (!ActivateBestChain(state)) strErrors << "Failed to connect best block"; std::vector<boost::filesystem::path> vImportFiles; if (mapArgs.count("-loadblock")) { BOOST_FOREACH (string strFile, mapMultiArgs["-loadblock"]) vImportFiles.push_back(strFile); } threadGroup.create_thread(boost::bind(&ThreadImport, vImportFiles)); if (chainActive.Tip() == NULL) { LogPrintf("Waiting for genesis block to be imported...\n"); while (!fRequestShutdown && chainActive.Tip() == NULL) MilliSleep(10); } // ********************************************************* Step 10: setup ObfuScation uiInterface.InitMessage(_("Loading masternode cache...")); CMasternodeDB mndb; CMasternodeDB::ReadResult readResult = mndb.Read(mnodeman); if (readResult == CMasternodeDB::FileError) LogPrintf("Missing masternode cache file - mncache.dat, will try to recreate\n"); else if (readResult != CMasternodeDB::Ok) { LogPrintf("Error reading mncache.dat: "); if (readResult == CMasternodeDB::IncorrectFormat) LogPrintf("magic is ok but data has invalid format, will try to recreate\n"); else LogPrintf("file format is unknown or invalid, please fix it manually\n"); } uiInterface.InitMessage(_("Loading budget cache...")); CBudgetDB budgetdb; CBudgetDB::ReadResult readResult2 = budgetdb.Read(budget); if (readResult2 == CBudgetDB::FileError) LogPrintf("Missing budget cache - budget.dat, will try to recreate\n"); else if (readResult2 != CBudgetDB::Ok) { LogPrintf("Error reading budget.dat: "); if (readResult2 == CBudgetDB::IncorrectFormat) LogPrintf("magic is ok but data has invalid format, will try to recreate\n"); else LogPrintf("file format is unknown or invalid, please fix it manually\n"); } //flag our cached items so we send them to our peers budget.ResetSync(); budget.ClearSeen(); uiInterface.InitMessage(_("Loading masternode payment cache...")); CMasternodePaymentDB mnpayments; CMasternodePaymentDB::ReadResult readResult3 = mnpayments.Read(masternodePayments); if (readResult3 == CMasternodePaymentDB::FileError) LogPrintf("Missing masternode payment cache - mnpayments.dat, will try to recreate\n"); else if (readResult3 != CMasternodePaymentDB::Ok) { LogPrintf("Error reading mnpayments.dat: "); if (readResult3 == CMasternodePaymentDB::IncorrectFormat) LogPrintf("magic is ok but data has invalid format, will try to recreate\n"); else LogPrintf("file format is unknown or invalid, please fix it manually\n"); } fMasterNode = GetBoolArg("-masternode", false); if ((fMasterNode || masternodeConfig.getCount() > -1) && fTxIndex == false) { return InitError("Enabling Masternode support requires turning on transaction indexing." "Please add txindex=1 to your configuration and start with -reindex"); } if (fMasterNode) { LogPrintf("IS MASTER NODE\n"); strMasterNodeAddr = GetArg("-masternodeaddr", ""); LogPrintf(" addr %s\n", strMasterNodeAddr.c_str()); if (!strMasterNodeAddr.empty()) { CService addrTest = CService(strMasterNodeAddr); if (!addrTest.IsValid()) { return InitError("Invalid -masternodeaddr address: " + strMasterNodeAddr); } } strMasterNodePrivKey = GetArg("-masternodeprivkey", ""); if (!strMasterNodePrivKey.empty()) { std::string errorMessage; CKey key; CPubKey pubkey; if (!obfuScationSigner.SetKey(strMasterNodePrivKey, errorMessage, key, pubkey)) { return InitError(_("Invalid masternodeprivkey. Please see documenation.")); } activeMasternode.pubKeyMasternode = pubkey; } else { return InitError(_("You must specify a masternodeprivkey in the configuration. Please see documentation for help.")); } } //get the mode of budget voting for this masternode strBudgetMode = GetArg("-budgetvotemode", "auto"); if (GetBoolArg("-mnconflock", true) && pwalletMain) { LOCK(pwalletMain->cs_wallet); LogPrintf("Locking Masternodes:\n"); uint256 mnTxHash; BOOST_FOREACH (CMasternodeConfig::CMasternodeEntry mne, masternodeConfig.getEntries()) { LogPrintf(" %s %s\n", mne.getTxHash(), mne.getOutputIndex()); mnTxHash.SetHex(mne.getTxHash()); COutPoint outpoint = COutPoint(mnTxHash, boost::lexical_cast<unsigned int>(mne.getOutputIndex())); pwalletMain->LockCoin(outpoint); } } fEnableZeromint = GetBoolArg("-enablezeromint", false); nZeromintPercentage = GetArg("-zeromintpercentage", 10); if (nZeromintPercentage > 100) nZeromintPercentage = 100; if (nZeromintPercentage < 1) nZeromintPercentage = 1; nPreferredDenom = GetArg("-preferredDenom", 0); if (nPreferredDenom != 0 && nPreferredDenom != 1 && nPreferredDenom != 5 && nPreferredDenom != 10 && nPreferredDenom != 50 && nPreferredDenom != 100 && nPreferredDenom != 500 && nPreferredDenom != 1000 && nPreferredDenom != 5000){ LogPrintf("-preferredDenom: invalid denomination parameter %d. Default value used\n", nPreferredDenom); nPreferredDenom = 0; } // XX42 Remove/refactor code below. Until then provide safe defaults nAnonymizeCoinAmount = 2; // nLiquidityProvider = GetArg("-liquidityprovider", 0); //0-100 // if (nLiquidityProvider != 0) { // obfuScationPool.SetMinBlockSpacing(std::min(nLiquidityProvider, 100) * 15); // fEnableZeromint = true; // nZeromintPercentage = 99999; // } // fEnableSwiftTX = GetBoolArg("-enableswifttx", fEnableSwiftTX); nSwiftTXDepth = GetArg("-swifttxdepth", nSwiftTXDepth); nSwiftTXDepth = std::min(std::max(nSwiftTXDepth, 0), 60); //lite mode disables all Masternode and Obfuscation related functionality fLiteMode = GetBoolArg("-litemode", false); if (fMasterNode && fLiteMode) { return InitError("You can not start a masternode in litemode"); } LogPrintf("fLiteMode %d\n", fLiteMode); LogPrintf("nSwiftTXDepth %d\n", nSwiftTXDepth); LogPrintf("Anonymize Amount %d\n", nAnonymizeCoinAmount); LogPrintf("Budget Mode %s\n", strBudgetMode.c_str()); /* Denominations A note about convertability. Within Obfuscation pools, each denomination is convertable to another. For example: 1PIV+1000 == (.1PIV+100)*10 10PIV+10000 == (1PIV+1000)*10 */ obfuScationDenominations.push_back((10000 * COIN) + 10000000); obfuScationDenominations.push_back((1000 * COIN) + 1000000); obfuScationDenominations.push_back((100 * COIN) + 100000); obfuScationDenominations.push_back((10 * COIN) + 10000); obfuScationDenominations.push_back((1 * COIN) + 1000); obfuScationDenominations.push_back((.1 * COIN) + 100); /* Disabled till we need them obfuScationDenominations.push_back( (.01 * COIN)+10 ); obfuScationDenominations.push_back( (.001 * COIN)+1 ); */ obfuScationPool.InitCollateralAddress(); threadGroup.create_thread(boost::bind(&ThreadCheckObfuScationPool)); // ********************************************************* Step 11: start node if (!CheckDiskSpace()) return false; if (!strErrors.str().empty()) return InitError(strErrors.str()); RandAddSeedPerfmon(); //// debug print LogPrintf("mapBlockIndex.size() = %u\n", mapBlockIndex.size()); LogPrintf("chainActive.Height() = %d\n", chainActive.Height()); #ifdef ENABLE_WALLET LogPrintf("setKeyPool.size() = %u\n", pwalletMain ? pwalletMain->setKeyPool.size() : 0); LogPrintf("mapWallet.size() = %u\n", pwalletMain ? pwalletMain->mapWallet.size() : 0); LogPrintf("mapAddressBook.size() = %u\n", pwalletMain ? pwalletMain->mapAddressBook.size() : 0); #endif if (GetBoolArg("-listenonion", DEFAULT_LISTEN_ONION)) StartTorControl(threadGroup); StartNode(threadGroup, scheduler); #ifdef ENABLE_WALLET // Generate coins in the background if (pwalletMain) GenerateBitcoins(GetBoolArg("-gen", false), pwalletMain, GetArg("-genproclimit", 1)); #endif // ********************************************************* Step 12: finished SetRPCWarmupFinished(); uiInterface.InitMessage(_("Done loading")); #ifdef ENABLE_WALLET if (pwalletMain) { // Add wallet transactions that aren't already in a block to mapTransactions pwalletMain->ReacceptWalletTransactions(); // Run a thread to flush wallet periodically threadGroup.create_thread(boost::bind(&ThreadFlushWalletDB, boost::ref(pwalletMain->strWalletFile))); } #endif return !fRequestShutdown; }
[ "woolongdev@gmail.com" ]
woolongdev@gmail.com
dee9c17332264bde7f070cf1d5e78ab6630a2fad
36691a1885217a7f52be6290b240f2bb80f976e9
/main.cpp
a1d8a79855132ba57c056f6a773eac03001c9a92
[]
no_license
maximzubkov/Fourier
ec74d6f14331044d93ceb90af38827cb62651188
1e89349fa7dcc680bf786b9bb162b3101bb89350
refs/heads/master
2020-05-04T10:04:01.348801
2019-04-02T20:19:03
2019-04-02T20:19:03
179,080,796
0
0
null
null
null
null
UTF-8
C++
false
false
4,316
cpp
#include <iostream> #include <vector> #include <cstdlib> #include <string> #include <complex> #include <algorithm> #include <iomanip> #include <complex> #include <initializer_list> #include "fourier.h" using namespace SubstringMatching; using namespace FFT; using namespace std; void test_on_FindSubstrings(){ std::cout << "----------------------------test on FindSubstrings-----------------------------------------------\n"; std::string text("ive was bor ina new was cos dos plu sss waswaswaswas gae"); std::string pattern("was"); std::vector<size_t> r = SubstringMatching::FindSubstrings(text, pattern); std::cout << "text: " << text << "\n" << "pattern: " << pattern << "\n"; for (const auto& r_elem : r){ std::cout << r_elem << " "; } std::cout << "\n\n\n\n"; } void test_on_FindMatches(){ std::cout << "----------------------------test on FindMatches----------------------------------------------------\n"; std::string text("ive w*s bor ina *** was cos **s dos plu sss waswaswa*w*s gae ************** hghghghpgshgslghshlgshlgsgslhghlgslhshlgshlsghlsghsglbhjrgivniuglkrh fulhvnsghlavnfklsvndnlvdsfkdnvfdhl"); std::string pattern("***"); std::cout << "text: " << text << "\n" << "pattern: " << pattern << "\n"; std::cout << "expected "<< text.size() << " matchings" << "\n"; std::vector<size_t> r = SubstringMatching::FindMatches(text, pattern); for (const auto& r_elem : r){ std::cout << r_elem << " "; } std::cout << "\n\n"; pattern = "was"; std::cout << "text: " << text << "\n" << "pattern: " << pattern; r = SubstringMatching::FindMatches(text, pattern); for (const auto& r_elem : r){ std::cout << r_elem << " "; } std::cout << "\n\n\n\n"; } void test_on_Polynomial(){ std::cout << "----------------------------test on Polynomial-----------------------------------------------------\n"; std::cout << "first poly creaded: \n"; Polynomial<std::complex<double>> p1({{1, 2},{2, 3},{1, 2}}); std::cout << "\n"; std::cout << "second poly creaded: \n"; Polynomial<std::complex<double>> p2({{1, 2},{2, 3},{1, 2}, {4, 5}}); Polynomial<std::complex<double>> p3(p1+p2); std::cout << "\nsum: " << p3 << "\n"; Polynomial<std::complex<double>> p4(p1-p2); std::cout << "\ndifference: " << p4 << "\n"; std::cout << "another poly creaded: \n"; Polynomial<std::complex<double>> p5({{1, 2},{2, 3},{1, 2}}); std::cout << "\np1 == p5 ? " << (p5 == p1) << "; p1==p2 ? " << (p1 == p2) << "\n"; Polynomial<std::complex<double>> p6({}); p6 += p1; std::cout << "+= operation: " << p6 << "\n"; p6 -= p2; std::cout << "-= operation: " << p6; std::vector<std::complex<double>> data; data.push_back({5,0}); data.push_back({2,0}); data.push_back({4,0}); data.push_back({-1,0}); std::cout << "vector data:"; for (const auto & d: data){ std::cout << d; } std::cout << "\n FourierTransform result:"; std::vector<complex<double> > aaa(FFT::FourierTransform(data)); FFT::VectorPrint(aaa); std::cout << "\n InverseFourierTransform result:"; std::vector<complex<double> > bbb(FFT::InverseFourierTransform(aaa)); FFT::VectorPrint(bbb); std::cout << "\n FastFourierTransform result:"; std::vector<complex<double> > ccc(FFT::FastFourierTransform(data)); FFT::VectorPrint(ccc); std::cout << "\n FastInverseFourierTransform result:"; std::vector<complex<double> > ddd(FFT::FastInverseFourierTransform(bbb)); FFT::VectorPrint(ddd); Polynomial<std::complex<double>> alpha({{1, 0}, {2, 0},{1, 0},{0, 0}, {0, 0}}); Polynomial<std::complex<double>> beta({{1, 0},{2, 0},{1, 0}, {0, 0}}); Polynomial<std::complex<double>> mul(alpha * beta); std::cout << "\nmul: " << mul << "\n"; alpha = Polynomial<std::complex<double>>({{0, 0}, {10, 0},{11, 0},{12, 0}, {1, 0}}); beta = Polynomial<std::complex<double>>({{0, 0},{1, 0},{0, 0}, {4, 0}}); mul *= beta; std::cout << "\n *=: " << mul << "\n"; mul ^= 3; std::cout << "3 degree: " << mul; std::cout << "3 degree: \n"; Polynomial<std::complex<double>> deg(alpha^3); std::cout << deg; } int main(){ test_on_Polynomial(); test_on_FindSubstrings(); test_on_FindMatches(); // // std::vector<std::complex<double>> u (res.GetCoeffs()); // // std::cout << "\n" << res << "\n"; // // std::vector<std::complex<double>> u = res.get_poly(); // for (const auto& u_elem : u){ // std::cout << u_elem << " "; // } return 0; }
[ "Zubkov.MD@phystech.edu" ]
Zubkov.MD@phystech.edu
baa8123b11bbd68658c86ac4bf454ff78a3f5082
33a63a183246febbb4e3813441067038777c403d
/atlas-aapt/external/libcxxabi/src/cxa_exception.cpp
00faa1b43399b0d1ed3c8528e0b90517b7a4a188
[ "Apache-2.0", "NCSA", "MIT" ]
permissive
wwjiang007/atlas
95117cc4d095d20e6988fc2134c0899cb54abcc9
afaa61796bb6b26fe373e31a4fc57fdd16fa0a44
refs/heads/master
2023-04-13T22:41:18.035080
2021-04-24T09:05:41
2021-04-24T09:05:41
115,571,324
0
0
Apache-2.0
2021-04-24T09:05:42
2017-12-28T01:21:17
Java
UTF-8
C++
false
false
29,732
cpp
//===------------------------- cxa_exception.cpp --------------------------===// // // The LLVM Compiler Infrastructure // // This file is dual licensed under the MIT and the University of Illinois Open // Source Licenses. See LICENSE.TXT for details. // // // This file implements the "Exception Handling APIs" // http://mentorembedded.github.io/cxx-abi/abi-eh.html // //===----------------------------------------------------------------------===// #include "config.h" #include "cxxabi.h" #include <exception> // for std::terminate #include <cstdlib> // for malloc, free #include <cstring> // for memset #if !LIBCXXABI_HAS_NO_THREADS # include <pthread.h> // for fallback_malloc.ipp's mutexes #endif #include "cxa_exception.hpp" #include "cxa_handlers.hpp" // +---------------------------+-----------------------------+---------------+ // | __cxa_exception | _Unwind_Exception CLNGC++\0 | thrown object | // +---------------------------+-----------------------------+---------------+ // ^ // | // +-------------------------------------------------------+ // | // +---------------------------+-----------------------------+ // | __cxa_dependent_exception | _Unwind_Exception CLNGC++\1 | // +---------------------------+-----------------------------+ namespace __cxxabiv1 { #pragma GCC visibility push(default) // Utility routines static inline __cxa_exception* cxa_exception_from_thrown_object(void* thrown_object) { return static_cast<__cxa_exception*>(thrown_object) - 1; } // Note: This is never called when exception_header is masquerading as a // __cxa_dependent_exception. static inline void* thrown_object_from_cxa_exception(__cxa_exception* exception_header) { return static_cast<void*>(exception_header + 1); } // Get the exception object from the unwind pointer. // Relies on the structure layout, where the unwind pointer is right in // front of the user's exception object static inline __cxa_exception* cxa_exception_from_exception_unwind_exception(_Unwind_Exception* unwind_exception) { return cxa_exception_from_thrown_object(unwind_exception + 1 ); } static inline size_t cxa_exception_size_from_exception_thrown_size(size_t size) { return size + sizeof (__cxa_exception); } static void setExceptionClass(_Unwind_Exception* unwind_exception) { unwind_exception->exception_class = kOurExceptionClass; } static void setDependentExceptionClass(_Unwind_Exception* unwind_exception) { unwind_exception->exception_class = kOurDependentExceptionClass; } // Is it one of ours? static bool isOurExceptionClass(const _Unwind_Exception* unwind_exception) { return (unwind_exception->exception_class & get_vendor_and_language) == (kOurExceptionClass & get_vendor_and_language); } static bool isDependentException(_Unwind_Exception* unwind_exception) { return (unwind_exception->exception_class & 0xFF) == 0x01; } // This does not need to be atomic static inline int incrementHandlerCount(__cxa_exception *exception) { return ++exception->handlerCount; } // This does not need to be atomic static inline int decrementHandlerCount(__cxa_exception *exception) { return --exception->handlerCount; } #include "fallback_malloc.ipp" // Allocate some memory from _somewhere_ static void *do_malloc(size_t size) { void *ptr = std::malloc(size); if (NULL == ptr) // if malloc fails, fall back to emergency stash ptr = fallback_malloc(size); return ptr; } static void do_free(void *ptr) { is_fallback_ptr(ptr) ? fallback_free(ptr) : std::free(ptr); } /* If reason isn't _URC_FOREIGN_EXCEPTION_CAUGHT, then the terminateHandler stored in exc is called. Otherwise the exceptionDestructor stored in exc is called, and then the memory for the exception is deallocated. This is never called for a __cxa_dependent_exception. */ static void exception_cleanup_func(_Unwind_Reason_Code reason, _Unwind_Exception* unwind_exception) { __cxa_exception* exception_header = cxa_exception_from_exception_unwind_exception(unwind_exception); if (_URC_FOREIGN_EXCEPTION_CAUGHT != reason) std::__terminate(exception_header->terminateHandler); // Just in case there exists a dependent exception that is pointing to this, // check the reference count and only destroy this if that count goes to zero. __cxa_decrement_exception_refcount(unwind_exception + 1); } static LIBCXXABI_NORETURN void failed_throw(__cxa_exception* exception_header) { // Section 2.5.3 says: // * For purposes of this ABI, several things are considered exception handlers: // ** A terminate() call due to a throw. // and // * Upon entry, Following initialization of the catch parameter, // a handler must call: // * void *__cxa_begin_catch(void *exceptionObject ); (void) __cxa_begin_catch(&exception_header->unwindHeader); std::__terminate(exception_header->terminateHandler); } extern "C" { // Allocate a __cxa_exception object, and zero-fill it. // Reserve "thrown_size" bytes on the end for the user's exception // object. Zero-fill the object. If memory can't be allocated, call // std::terminate. Return a pointer to the memory to be used for the // user's exception object. void * __cxa_allocate_exception (size_t thrown_size) throw() { size_t actual_size = cxa_exception_size_from_exception_thrown_size(thrown_size); __cxa_exception* exception_header = static_cast<__cxa_exception*>(do_malloc(actual_size)); if (NULL == exception_header) std::terminate(); std::memset(exception_header, 0, actual_size); return thrown_object_from_cxa_exception(exception_header); } // Free a __cxa_exception object allocated with __cxa_allocate_exception. void __cxa_free_exception (void * thrown_object) throw() { do_free(cxa_exception_from_thrown_object(thrown_object)); } // This function shall allocate a __cxa_dependent_exception and // return a pointer to it. (Really to the object, not past its' end). // Otherwise, it will work like __cxa_allocate_exception. void * __cxa_allocate_dependent_exception () { size_t actual_size = sizeof(__cxa_dependent_exception); void *ptr = do_malloc(actual_size); if (NULL == ptr) std::terminate(); std::memset(ptr, 0, actual_size); return ptr; } // This function shall free a dependent_exception. // It does not affect the reference count of the primary exception. void __cxa_free_dependent_exception (void * dependent_exception) { do_free(dependent_exception); } // 2.4.3 Throwing the Exception Object /* After constructing the exception object with the throw argument value, the generated code calls the __cxa_throw runtime library routine. This routine never returns. The __cxa_throw routine will do the following: * Obtain the __cxa_exception header from the thrown exception object address, which can be computed as follows: __cxa_exception *header = ((__cxa_exception *) thrown_exception - 1); * Save the current unexpected_handler and terminate_handler in the __cxa_exception header. * Save the tinfo and dest arguments in the __cxa_exception header. * Set the exception_class field in the unwind header. This is a 64-bit value representing the ASCII string "XXXXC++\0", where "XXXX" is a vendor-dependent string. That is, for implementations conforming to this ABI, the low-order 4 bytes of this 64-bit value will be "C++\0". * Increment the uncaught_exception flag. * Call _Unwind_RaiseException in the system unwind library, Its argument is the pointer to the thrown exception, which __cxa_throw itself received as an argument. __Unwind_RaiseException begins the process of stack unwinding, described in Section 2.5. In special cases, such as an inability to find a handler, _Unwind_RaiseException may return. In that case, __cxa_throw will call terminate, assuming that there was no handler for the exception. */ LIBCXXABI_NORETURN void __cxa_throw(void* thrown_object, std::type_info* tinfo, void (*dest)(void*)) { __cxa_eh_globals *globals = __cxa_get_globals(); __cxa_exception* exception_header = cxa_exception_from_thrown_object(thrown_object); exception_header->unexpectedHandler = std::get_unexpected(); exception_header->terminateHandler = std::get_terminate(); exception_header->exceptionType = tinfo; exception_header->exceptionDestructor = dest; setExceptionClass(&exception_header->unwindHeader); exception_header->referenceCount = 1; // This is a newly allocated exception, no need for thread safety. globals->uncaughtExceptions += 1; // Not atomically, since globals are thread-local exception_header->unwindHeader.exception_cleanup = exception_cleanup_func; #ifdef __USING_SJLJ_EXCEPTIONS__ _Unwind_SjLj_RaiseException(&exception_header->unwindHeader); #else _Unwind_RaiseException(&exception_header->unwindHeader); #endif // This only happens when there is no handler, or some unexpected unwinding // error happens. failed_throw(exception_header); } // 2.5.3 Exception Handlers /* The adjusted pointer is computed by the personality routine during phase 1 and saved in the exception header (either __cxa_exception or __cxa_dependent_exception). Requires: exception is native */ void* __cxa_get_exception_ptr(void* unwind_exception) throw() { #if LIBCXXABI_ARM_EHABI return reinterpret_cast<void*>( static_cast<_Unwind_Control_Block*>(unwind_exception)->barrier_cache.bitpattern[0]); #else return cxa_exception_from_exception_unwind_exception( static_cast<_Unwind_Exception*>(unwind_exception))->adjustedPtr; #endif } #if LIBCXXABI_ARM_EHABI /* The routine to be called before the cleanup. This will save __cxa_exception in __cxa_eh_globals, so that __cxa_end_cleanup() can recover later. */ bool __cxa_begin_cleanup(void* unwind_arg) throw () { _Unwind_Exception* unwind_exception = static_cast<_Unwind_Exception*>(unwind_arg); __cxa_eh_globals* globals = __cxa_get_globals(); __cxa_exception* exception_header = cxa_exception_from_exception_unwind_exception(unwind_exception); if (isOurExceptionClass(unwind_exception)) { if (0 == exception_header->propagationCount) { exception_header->nextPropagatingException = globals->propagatingExceptions; globals->propagatingExceptions = exception_header; } ++exception_header->propagationCount; } else { // If the propagatingExceptions stack is not empty, since we can't // chain the foreign exception, terminate it. if (NULL != globals->propagatingExceptions) std::terminate(); globals->propagatingExceptions = exception_header; } return true; } /* The routine to be called after the cleanup has been performed. It will get the propagating __cxa_exception from __cxa_eh_globals, and continue the stack unwinding with _Unwind_Resume. According to ARM EHABI 8.4.1, __cxa_end_cleanup() should not clobber any register, thus we have to write this function in assembly so that we can save {r1, r2, r3}. We don't have to save r0 because it is the return value and the first argument to _Unwind_Resume(). In addition, we are saving r4 in order to align the stack to 16 bytes, even though it is a callee-save register. */ __attribute__((used)) static _Unwind_Exception * __cxa_end_cleanup_impl() { __cxa_eh_globals* globals = __cxa_get_globals(); __cxa_exception* exception_header = globals->propagatingExceptions; if (NULL == exception_header) { // It seems that __cxa_begin_cleanup() is not called properly. // We have no choice but terminate the program now. std::terminate(); } if (isOurExceptionClass(&exception_header->unwindHeader)) { --exception_header->propagationCount; if (0 == exception_header->propagationCount) { globals->propagatingExceptions = exception_header->nextPropagatingException; exception_header->nextPropagatingException = NULL; } } else { globals->propagatingExceptions = NULL; } return &exception_header->unwindHeader; } asm ( " .pushsection .text.__cxa_end_cleanup,\"ax\",%progbits\n" " .globl __cxa_end_cleanup\n" " .type __cxa_end_cleanup,%function\n" "__cxa_end_cleanup:\n" " push {r1, r2, r3, r4}\n" " bl __cxa_end_cleanup_impl\n" " pop {r1, r2, r3, r4}\n" " bl _Unwind_Resume\n" " bl abort\n" " .popsection" ); #endif // LIBCXXABI_ARM_EHABI /* This routine can catch foreign or native exceptions. If native, the exception can be a primary or dependent variety. This routine may remain blissfully ignorant of whether the native exception is primary or dependent. If the exception is native: * Increment's the exception's handler count. * Push the exception on the stack of currently-caught exceptions if it is not already there (from a rethrow). * Decrements the uncaught_exception count. * Returns the adjusted pointer to the exception object, which is stored in the __cxa_exception by the personality routine. If the exception is foreign, this means it did not originate from one of throw routines. The foreign exception does not necessarily have a __cxa_exception header. However we can catch it here with a catch (...), or with a call to terminate or unexpected during unwinding. * Do not try to increment the exception's handler count, we don't know where it is. * Push the exception on the stack of currently-caught exceptions only if the stack is empty. The foreign exception has no way to link to the current top of stack. If the stack is not empty, call terminate. Even with an empty stack, this is hacked in by pushing a pointer to an imaginary __cxa_exception block in front of the foreign exception. It would be better if the __cxa_eh_globals structure had a stack of _Unwind_Exception, but it doesn't. It has a stack of __cxa_exception (which has a next* in it). * Do not decrement the uncaught_exception count because we didn't increment it in __cxa_throw (or one of our rethrow functions). * If we haven't terminated, assume the exception object is just past the _Unwind_Exception and return a pointer to that. */ void* __cxa_begin_catch(void* unwind_arg) throw() { _Unwind_Exception* unwind_exception = static_cast<_Unwind_Exception*>(unwind_arg); bool native_exception = isOurExceptionClass(unwind_exception); __cxa_eh_globals* globals = __cxa_get_globals(); // exception_header is a hackish offset from a foreign exception, but it // works as long as we're careful not to try to access any __cxa_exception // parts. __cxa_exception* exception_header = cxa_exception_from_exception_unwind_exception ( static_cast<_Unwind_Exception*>(unwind_exception) ); if (native_exception) { // Increment the handler count, removing the flag about being rethrown exception_header->handlerCount = exception_header->handlerCount < 0 ? -exception_header->handlerCount + 1 : exception_header->handlerCount + 1; // place the exception on the top of the stack if it's not already // there by a previous rethrow if (exception_header != globals->caughtExceptions) { exception_header->nextException = globals->caughtExceptions; globals->caughtExceptions = exception_header; } globals->uncaughtExceptions -= 1; // Not atomically, since globals are thread-local #if LIBCXXABI_ARM_EHABI return reinterpret_cast<void*>(exception_header->unwindHeader.barrier_cache.bitpattern[0]); #else return exception_header->adjustedPtr; #endif } // Else this is a foreign exception // If the caughtExceptions stack is not empty, terminate if (globals->caughtExceptions != 0) std::terminate(); // Push the foreign exception on to the stack globals->caughtExceptions = exception_header; return unwind_exception + 1; } /* Upon exit for any reason, a handler must call: void __cxa_end_catch (); This routine can be called for either a native or foreign exception. For a native exception: * Locates the most recently caught exception and decrements its handler count. * Removes the exception from the caught exception stack, if the handler count goes to zero. * If the handler count goes down to zero, and the exception was not re-thrown by throw, it locates the primary exception (which may be the same as the one it's handling) and decrements its reference count. If that reference count goes to zero, the function destroys the exception. In any case, if the current exception is a dependent exception, it destroys that. For a foreign exception: * If it has been rethrown, there is nothing to do. * Otherwise delete the exception and pop the catch stack to empty. */ void __cxa_end_catch() { static_assert(sizeof(__cxa_exception) == sizeof(__cxa_dependent_exception), "sizeof(__cxa_exception) must be equal to " "sizeof(__cxa_dependent_exception)"); static_assert(offsetof(__cxa_exception, referenceCount) == offsetof(__cxa_dependent_exception, primaryException), "the layout of __cxa_exception must match the layout of " "__cxa_dependent_exception"); static_assert(offsetof(__cxa_exception, handlerCount) == offsetof(__cxa_dependent_exception, handlerCount), "the layout of __cxa_exception must match the layout of " "__cxa_dependent_exception"); __cxa_eh_globals* globals = __cxa_get_globals_fast(); // __cxa_get_globals called in __cxa_begin_catch __cxa_exception* exception_header = globals->caughtExceptions; // If we've rethrown a foreign exception, then globals->caughtExceptions // will have been made an empty stack by __cxa_rethrow() and there is // nothing more to be done. Do nothing! if (NULL != exception_header) { bool native_exception = isOurExceptionClass(&exception_header->unwindHeader); if (native_exception) { // This is a native exception if (exception_header->handlerCount < 0) { // The exception has been rethrown by __cxa_rethrow, so don't delete it if (0 == incrementHandlerCount(exception_header)) { // Remove from the chain of uncaught exceptions globals->caughtExceptions = exception_header->nextException; // but don't destroy } // Keep handlerCount negative in case there are nested catch's // that need to be told that this exception is rethrown. Don't // erase this rethrow flag until the exception is recaught. } else { // The native exception has not been rethrown if (0 == decrementHandlerCount(exception_header)) { // Remove from the chain of uncaught exceptions globals->caughtExceptions = exception_header->nextException; // Destroy this exception, being careful to distinguish // between dependent and primary exceptions if (isDependentException(&exception_header->unwindHeader)) { // Reset exception_header to primaryException and deallocate the dependent exception __cxa_dependent_exception* dep_exception_header = reinterpret_cast<__cxa_dependent_exception*>(exception_header); exception_header = cxa_exception_from_thrown_object(dep_exception_header->primaryException); __cxa_free_dependent_exception(dep_exception_header); } // Destroy the primary exception only if its referenceCount goes to 0 // (this decrement must be atomic) __cxa_decrement_exception_refcount(thrown_object_from_cxa_exception(exception_header)); } } } else { // The foreign exception has not been rethrown. Pop the stack // and delete it. If there are nested catch's and they try // to touch a foreign exception in any way, that is undefined // behavior. They likely can't since the only way to catch // a foreign exception is with catch (...)! _Unwind_DeleteException(&globals->caughtExceptions->unwindHeader); globals->caughtExceptions = 0; } } } // Note: exception_header may be masquerading as a __cxa_dependent_exception // and that's ok. exceptionType is there too. // However watch out for foreign exceptions. Return null for them. std::type_info * __cxa_current_exception_type() { // get the current exception __cxa_eh_globals *globals = __cxa_get_globals_fast(); if (NULL == globals) return NULL; // If there have never been any exceptions, there are none now. __cxa_exception *exception_header = globals->caughtExceptions; if (NULL == exception_header) return NULL; // No current exception if (!isOurExceptionClass(&exception_header->unwindHeader)) return NULL; return exception_header->exceptionType; } // 2.5.4 Rethrowing Exceptions /* This routine can rethrow native or foreign exceptions. If the exception is native: * marks the exception object on top of the caughtExceptions stack (in an implementation-defined way) as being rethrown. * If the caughtExceptions stack is empty, it calls terminate() (see [C++FDIS] [except.throw], 15.1.8). * It then calls _Unwind_RaiseException which should not return (terminate if it does). Note: exception_header may be masquerading as a __cxa_dependent_exception and that's ok. */ LIBCXXABI_NORETURN void __cxa_rethrow() { __cxa_eh_globals* globals = __cxa_get_globals(); __cxa_exception* exception_header = globals->caughtExceptions; if (NULL == exception_header) std::terminate(); // throw; called outside of a exception handler bool native_exception = isOurExceptionClass(&exception_header->unwindHeader); if (native_exception) { // Mark the exception as being rethrown (reverse the effects of __cxa_begin_catch) exception_header->handlerCount = -exception_header->handlerCount; globals->uncaughtExceptions += 1; // __cxa_end_catch will remove this exception from the caughtExceptions stack if necessary } else // this is a foreign exception { // The only way to communicate to __cxa_end_catch that we've rethrown // a foreign exception, so don't delete us, is to pop the stack here // which must be empty afterwards. Then __cxa_end_catch will do // nothing globals->caughtExceptions = 0; } #ifdef __USING_SJLJ_EXCEPTIONS__ _Unwind_SjLj_RaiseException(&exception_header->unwindHeader); #else _Unwind_RaiseException(&exception_header->unwindHeader); #endif // If we get here, some kind of unwinding error has occurred. // There is some weird code generation bug happening with // Apple clang version 4.0 (tags/Apple/clang-418.0.2) (based on LLVM 3.1svn) // If we call failed_throw here. Turns up with -O2 or higher, and -Os. __cxa_begin_catch(&exception_header->unwindHeader); if (native_exception) std::__terminate(exception_header->terminateHandler); // Foreign exception: can't get exception_header->terminateHandler std::terminate(); } /* If thrown_object is not null, atomically increment the referenceCount field of the __cxa_exception header associated with the thrown object referred to by thrown_object. Requires: If thrown_object is not NULL, it is a native exception. */ void __cxa_increment_exception_refcount(void* thrown_object) throw() { if (thrown_object != NULL ) { __cxa_exception* exception_header = cxa_exception_from_thrown_object(thrown_object); __sync_add_and_fetch(&exception_header->referenceCount, 1); } } /* If thrown_object is not null, atomically decrement the referenceCount field of the __cxa_exception header associated with the thrown object referred to by thrown_object. If the referenceCount drops to zero, destroy and deallocate the exception. Requires: If thrown_object is not NULL, it is a native exception. */ void __cxa_decrement_exception_refcount(void* thrown_object) throw() { if (thrown_object != NULL ) { __cxa_exception* exception_header = cxa_exception_from_thrown_object(thrown_object); if (__sync_sub_and_fetch(&exception_header->referenceCount, size_t(1)) == 0) { if (NULL != exception_header->exceptionDestructor) exception_header->exceptionDestructor(thrown_object); __cxa_free_exception(thrown_object); } } } /* Returns a pointer to the thrown object (if any) at the top of the caughtExceptions stack. Atomically increment the exception's referenceCount. If there is no such thrown object or if the thrown object is foreign, returns null. We can use __cxa_get_globals_fast here to get the globals because if there have been no exceptions thrown, ever, on this thread, we can return NULL without the need to allocate the exception-handling globals. */ void* __cxa_current_primary_exception() throw() { // get the current exception __cxa_eh_globals* globals = __cxa_get_globals_fast(); if (NULL == globals) return NULL; // If there are no globals, there is no exception __cxa_exception* exception_header = globals->caughtExceptions; if (NULL == exception_header) return NULL; // No current exception if (!isOurExceptionClass(&exception_header->unwindHeader)) return NULL; // Can't capture a foreign exception (no way to refcount it) if (isDependentException(&exception_header->unwindHeader)) { __cxa_dependent_exception* dep_exception_header = reinterpret_cast<__cxa_dependent_exception*>(exception_header); exception_header = cxa_exception_from_thrown_object(dep_exception_header->primaryException); } void* thrown_object = thrown_object_from_cxa_exception(exception_header); __cxa_increment_exception_refcount(thrown_object); return thrown_object; } /* If reason isn't _URC_FOREIGN_EXCEPTION_CAUGHT, then the terminateHandler stored in exc is called. Otherwise the referenceCount stored in the primary exception is decremented, destroying the primary if necessary. Finally the dependent exception is destroyed. */ static void dependent_exception_cleanup(_Unwind_Reason_Code reason, _Unwind_Exception* unwind_exception) { __cxa_dependent_exception* dep_exception_header = reinterpret_cast<__cxa_dependent_exception*>(unwind_exception + 1) - 1; if (_URC_FOREIGN_EXCEPTION_CAUGHT != reason) std::__terminate(dep_exception_header->terminateHandler); __cxa_decrement_exception_refcount(dep_exception_header->primaryException); __cxa_free_dependent_exception(dep_exception_header); } /* If thrown_object is not null, allocate, initialize and throw a dependent exception. */ void __cxa_rethrow_primary_exception(void* thrown_object) { if ( thrown_object != NULL ) { // thrown_object guaranteed to be native because // __cxa_current_primary_exception returns NULL for foreign exceptions __cxa_exception* exception_header = cxa_exception_from_thrown_object(thrown_object); __cxa_dependent_exception* dep_exception_header = static_cast<__cxa_dependent_exception*>(__cxa_allocate_dependent_exception()); dep_exception_header->primaryException = thrown_object; __cxa_increment_exception_refcount(thrown_object); dep_exception_header->exceptionType = exception_header->exceptionType; dep_exception_header->unexpectedHandler = std::get_unexpected(); dep_exception_header->terminateHandler = std::get_terminate(); setDependentExceptionClass(&dep_exception_header->unwindHeader); __cxa_get_globals()->uncaughtExceptions += 1; dep_exception_header->unwindHeader.exception_cleanup = dependent_exception_cleanup; #ifdef __USING_SJLJ_EXCEPTIONS__ _Unwind_SjLj_RaiseException(&dep_exception_header->unwindHeader); #else _Unwind_RaiseException(&dep_exception_header->unwindHeader); #endif // Some sort of unwinding error. Note that terminate is a handler. __cxa_begin_catch(&dep_exception_header->unwindHeader); } // If we return client will call terminate() } bool __cxa_uncaught_exception() throw() { return __cxa_uncaught_exceptions() != 0; } unsigned int __cxa_uncaught_exceptions() throw() { // This does not report foreign exceptions in flight __cxa_eh_globals* globals = __cxa_get_globals_fast(); if (globals == 0) return 0; return globals->uncaughtExceptions; } } // extern "C" #pragma GCC visibility pop } // abi
[ "guanjie.yjf@taobao.com" ]
guanjie.yjf@taobao.com
2d425fe754f0d43db52c1a3c07eedca9e3b42adf
e63f3666a9737f971903c9a0f16e59e17e3b633e
/Genesis4/Globals.cpp
a3a80f5a908e3524bff6136eda2e69c00818cb27
[]
no_license
kryssb/SySal2000
185687bf3b3f96ac6206829261e624efe88361c8
caa9764c5f0f9ae92d086535df25b86070120a40
refs/heads/master
2022-07-30T06:29:06.340578
2020-11-13T13:21:45
2020-11-13T13:21:45
312,532,909
0
0
null
null
null
null
UTF-8
C++
false
false
1,351
cpp
#include "StdAfx.h" #include "Globals.h" PrecompSegmentBlock *PrecompData; short Kernel[KERNEL_XSIZE * KERNEL_YSIZE] = { 1, 1, 1, 1, 1, 1, 1, 2, 3, 3, 2, 1, 1, 3, -13, -13, 3, 1, 1, 3, -13, -13, 3, 1, 1, 2, 3, 3, 2, 1, 1, 1, 1, 1, 1, 1 }; // PACKED SEGMENTS HANDLING void InitializePrecompSegments(PrecompSegmentBlock *DataSpace) { unsigned i, j; unsigned TotalCount = 1 << PACKED_BLOCK; bool SegmentOpen; PrecompSegmentBlock; for (i = 0; i < TotalCount; i++) { unsigned tester; SegmentOpen = false; DataSpace[i].NumberOfSegments = 0; //for ((tester = 0x80), (j = 0); tester; (tester >>= 1), j++) // WARNING! THE GENESIS BUFFERS ARE REVERSED! USE THE VERSION BELOW! for ((tester = 0x01), (j = 0); tester & 0xFF; (tester <<= 1), j++) { if (!(i & tester)) { if (SegmentOpen) DataSpace[i].Segments[DataSpace[i].NumberOfSegments].RightOffset = j; else { SegmentOpen = true; DataSpace[i].Segments[DataSpace[i].NumberOfSegments].RightOffset = DataSpace[i].Segments[DataSpace[i].NumberOfSegments].LeftOffset = j; }; } else { if (SegmentOpen) DataSpace[i].NumberOfSegments++; SegmentOpen = false; }; }; if (SegmentOpen) DataSpace[i].NumberOfSegments++; }; }; #include "Config2.cpp"
[ "cbozza@km3net.de" ]
cbozza@km3net.de
344504d2edd89eeaf582e056bb824fdae8382781
6b2a8dd202fdce77c971c412717e305e1caaac51
/solutions_5765824346324992_1/C++/Rubanenko/main.cpp
02b3734c5542acb89caa3a382f7fe5db65563655
[]
no_license
alexandraback/datacollection
0bc67a9ace00abbc843f4912562f3a064992e0e9
076a7bc7693f3abf07bfdbdac838cb4ef65ccfcf
refs/heads/master
2021-01-24T18:27:24.417992
2017-05-23T09:23:38
2017-05-23T09:23:38
84,313,442
2
4
null
null
null
null
UTF-8
C++
false
false
1,377
cpp
#include <iostream> #include <cstdio> #include <vector> #include <algorithm> #include <cmath> #include <assert.h> using namespace std; int n, m; vector<int> a; long long count(long long time) { long long res = 0; for (int value : a) { res += (time / value) + 1; if (res > n + m + 1) { return res; } } return res; } void solve() { cin >> m >> n; a.clear(); for (int i = 1; i <= m; i++) { int value; cin >> value; a.push_back(value); } if (n <= m) { printf("%d\n", n); return; } long long l = 0, r = 10000000000000000ll; while (l + 1 < r) { long long c = (l + r) / 2; if (count(c) < n) { l = c; } else { r = c; } } // cout << "Time = " << l << endl; int numThisSec = n - count(l); for (int i = 0; i < m; i++) { if ((l + 1) % a[i] == 0) { numThisSec--; if (numThisSec == 0) { printf("%d\n", i + 1); return; } } } cerr << "CARE!!!" << endl; } int main() { freopen("input.txt", "r", stdin); freopen("output.txt", "w", stdout); int tc; cin >> tc; for (int test = 1; test <= tc; test++) { printf("Case #%d: ", test); solve(); } return 0; }
[ "eewestman@gmail.com" ]
eewestman@gmail.com
ed43edb74c81a5c1f95da8c3801ee2067392b76d
fba719746323ebb2a561cfc6f2cb448eec042d1a
/c++实用代码/network flow/ditch/data/ditch_new2/mkd.cpp
8a03bdad929c44b752619adb4de502c2a410d2bb
[ "MIT" ]
permissive
zhzh2001/Learning-public
85eedf205b600dfa64747b20bce530861050b387
c7b0fe6ea64d2890ba2b25ae8a080d61c22f71c9
refs/heads/master
2021-05-16T09:44:08.380814
2017-09-23T04:55:33
2017-09-23T04:55:33
104,541,989
1
0
null
null
null
null
UTF-8
C++
false
false
1,248
cpp
#include <cstdio> #include <cstdlib> #include <cstring> #include <ctime> using namespace std; const int maxn=1024; int G[maxn][maxn]; void makedata(int num,int N,int edge){ memset(G,0,sizeof(G)); for(int i=0;i<edge;++i) G[rand()%N+1][rand()%N+1]+=rand(); int m=0; for(int i=1;i<=N;++i) for(int j=i+1;j<=N;++j){ G[i][j]-=G[j][i]; if(G[i][j]) ++m; } char infile[20],outfile[20]; sprintf(infile,"ditch%d.in",num); sprintf(outfile,"ditch%d.out",num); freopen(infile,"w",stdout); printf("%d %d\n",m,N); for(int i=1;i<=N;++i){ G[1][i]=abs(G[1][i]); G[i][N]=abs(G[i][N]); } for(int i=1;i<=N;++i){ for(int j=i+1;j<=N;++j){ if(G[i][j]>0) printf("%d %d %d\n",i,j,G[i][j]); else if(G[i][j]<0) printf("%d %d %d\n",j,i,-G[i][j]); } } fclose(stdout); } void solvedata(int num){ char infile[20],outfile[20],cmd[100]; sprintf(infile,"ditch%d.in",num); sprintf(outfile,"ditch%d.out",num); sprintf(cmd,"rename %s ditch.in",infile); system(cmd); system("ditch"); sprintf(cmd,"rename ditch.in %s",infile); system(cmd); sprintf(cmd,"rename ditch.out %s",outfile); system(cmd); } int main(){ srand(time(0)); for(int i=0;i<10;++i){ makedata(i,(i+1)*100,(i+1)*100*(rand()%20+10)); solvedata(i); } }
[ "zhangzheng0928@163.com" ]
zhangzheng0928@163.com
44b9837903252f870f6ee35b99335ea854387b3a
8b481519bd46f07055baf33dc290086f37b47fe6
/面试高频题/0215 数组中的第K个最大元素 - 堆.cpp
b6807fccf1978526a49bae92401538c331b61b0d
[]
no_license
Hansimov/cs-notes
1e0717abce9788a25636a3649664de4ba4537f90
baab60752bafa7964cf63e3051e595c7f28bd415
refs/heads/master
2023-04-11T14:06:28.184490
2021-03-26T16:28:29
2021-03-26T16:28:29
167,122,370
2
0
null
null
null
null
UTF-8
C++
false
false
394
cpp
class Solution { public: int findKthLargest(vector<int>& nums, int k) { priority_queue<int, vector<int>, greater<int>> pq; // min heap for (auto const &n: nums) { if (pq.size()==k) if (pq.top()>=n) continue; else pq.pop(); pq.push(n); } return pq.top(); } };
[ "591172499@qq.com" ]
591172499@qq.com
d3584b7c63a0f826bab5fea1401ca05303c5acd1
8b04e0aad840452c0a674e62f21060289bed0b9c
/src/core/certificateManager.hpp
1a5dbf05ddd1832cb5e0add963d3bc90edf34daa
[ "MIT", "BSL-1.0" ]
permissive
bradosia/BookFiler-Module-HTTP
220a2ab085037654e8fa90f6f47cbff13992dfc2
7a4b81badb32391a9f640babd676cdf81d6e1f39
refs/heads/main
2023-01-22T06:43:58.959804
2020-11-29T16:08:52
2020-11-29T16:08:52
302,550,989
0
0
null
null
null
null
UTF-8
C++
false
false
2,794
hpp
/* * @name BookFiler Module - HTTP w/ Curl * @author Branden Lee * @version 1.00 * @license MIT * @brief HTTP module for BookFiler™ applications. */ #ifndef BOOKFILER_MODULE_HTTP_CERTIFICATE_MANAGER_H #define BOOKFILER_MODULE_HTTP_CERTIFICATE_MANAGER_H // config #include "config.hpp" // C++17 //#include <filesystem> #include <algorithm> #include <cstdlib> #include <fstream> #include <functional> #include <iostream> #include <memory> #include <string> #include <thread> #include <unordered_map> #include <utility> #include <vector> /* rapidjson v1.1 (2016-8-25) * Developed by Tencent * License: MITs */ #include <rapidjson/document.h> #include <rapidjson/filewritestream.h> #include <rapidjson/ostreamwrapper.h> #include <rapidjson/reader.h> // rapidjson::ParseResult #include <rapidjson/stringbuffer.h> #include <rapidjson/writer.h> // Local Project #include "certificate.hpp" /* * bookfiler - certificate */ namespace bookfiler { namespace certificate { class ManagerImpl : public Manager { private: std::shared_ptr<X509_STORE> storePtr; std::shared_ptr<CertificateNativeImpl> certRootLocalhostPtr, certServerLocalhostPtr; std::shared_ptr<rapidjson::Value> settingsDoc; protected: std::vector<std::shared_ptr<CertificateNativeImpl>> certList; public: ManagerImpl(); ~ManagerImpl(); int setSettingsDoc(std::shared_ptr<rapidjson::Value> settingsDoc_); /* Creates a new certificate using the settings specified in the json * document. */ int newCertificate(std::shared_ptr<Certificate> &, std::shared_ptr<rapidjson::Document>); int newRequest(std::shared_ptr<Certificate> &, std::shared_ptr<rapidjson::Document>); int signRequest(std::shared_ptr<Certificate>, std::shared_ptr<Certificate>, std::shared_ptr<rapidjson::Document>); /* Creates a root certificate for bookfiler local apps */ int newCertRootLocalhost(std::shared_ptr<Certificate> &, std::shared_ptr<rapidjson::Document>); /* Creates a server certificate for bookfiler local apps signed by the root * certificate */ int newCertServerLocalhost(std::shared_ptr<Certificate> &, std::shared_ptr<rapidjson::Document>); int saveCertificate(std::shared_ptr<Certificate>, std::string); int loadCertificate(std::shared_ptr<Certificate> &); // Requires some native implementation virtual int createX509Store() = 0; virtual int addCertificate(std::shared_ptr<Certificate>) = 0; }; } // namespace certificate } // namespace bookfiler // Local Project #if defined(_WIN32) #include "certificateManagerNativeWin.hpp" #elif defined(__linux__) #include "certificateManagerNativeLinux.hpp" #endif #endif // end BOOKFILER_MODULE_HTTP_CERTIFICATE_MANAGER_H
[ "bradosia@gmail.com" ]
bradosia@gmail.com
a0273c4bae1c098cc81154d1d94acb44832e9e90
f52bf7316736f9fb00cff50528e951e0df89fe64
/Platform/vendor/samsung/common/packages/apps/SBrowser/src/content/common/gpu/image_transport_surface_android.cc
fbbbbbc15e50fbc8ccf7707f320a6b165910916b
[ "BSD-3-Clause" ]
permissive
git2u/sm-t530_KK_Opensource
bcc789ea3c855e3c1e7471fc99a11fd460b9d311
925e57f1f612b31ea34c70f87bc523e7a7d53c05
refs/heads/master
2021-01-19T21:32:06.678681
2014-11-21T23:09:45
2014-11-21T23:09:45
48,746,810
0
1
null
2015-12-29T12:35:13
2015-12-29T12:35:13
null
UTF-8
C++
false
false
2,510
cc
// 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. #include "content/common/gpu/image_transport_surface.h" #include "base/logging.h" #include "content/common/gpu/gpu_command_buffer_stub.h" #include "content/common/gpu/gpu_surface_lookup.h" #include "ui/gl/gl_surface_egl.h" #if defined(SBROWSER_GRAPHICS_UI_COMPOSITOR_REMOVAL) #include "content/common/gpu/sbr/SurfaceViewManager.h" #endif #if defined(SBROWSER_GRAPHICS_MSC_TOOL) #include "base/sbr/msc.h" #endif namespace content { #if defined(SBROWSER_GRAPHICS_UI_COMPOSITOR_REMOVAL) extern int single_compositor; #endif // static scoped_refptr<gfx::GLSurface> ImageTransportSurface::CreateNativeSurface( GpuChannelManager* manager, GpuCommandBufferStub* stub, const gfx::GLSurfaceHandle& handle) { DCHECK(GpuSurfaceLookup::GetInstance()); DCHECK_EQ(handle.transport_type, gfx::NATIVE_DIRECT); #if defined(SBROWSER_GRAPHICS_UI_COMPOSITOR_REMOVAL) if(single_compositor) { SurfaceViewManager *mgr=SurfaceViewManager::GetInstance(); scoped_refptr<gfx::GLSurface> surface; gfx::AcceleratedWidget q_window=GpuSurfaceLookup::GetInstance()->GetNativeWidget(stub->surface_id()); LOG(INFO)<<"Single_Compositor: Checking for "<<stub->surface_id()<<" to "<<q_window; if((mgr)&&(mgr->HasActiveWindow(q_window))&&(mgr->GetActiveWindow(q_window)!=NULL)) { surface = new PassThroughImageTransportSurface( manager, stub, mgr->GetActiveWindow(q_window), false); #if defined(SBROWSER_GRAPHICS_MSC_TOOL) MSC_METHOD_NORMAL("GPU","GPU",__FUNCTION__,surface); #else LOG(INFO)<<"Single_Compositor: Created nativeSurface"; #endif return surface; } LOG(ERROR) << "Single_Compositor:SurfaceViewManager Doesn't has active Window"; return NULL; } #endif ANativeWindow* window = GpuSurfaceLookup::GetInstance()->AcquireNativeWidget( stub->surface_id()); scoped_refptr<gfx::GLSurface> surface = new gfx::NativeViewGLSurfaceEGL(false, window); #if defined(SBROWSER_GRAPHICS_MSC_TOOL) MSC_METHOD_NORMAL("GPU","GPU",__FUNCTION__,""); #endif bool initialize_success = surface->Initialize(); if (window) ANativeWindow_release(window); if (!initialize_success) return scoped_refptr<gfx::GLSurface>(); return scoped_refptr<gfx::GLSurface>(new PassThroughImageTransportSurface( manager, stub, surface.get(), false)); } } // namespace content
[ "digixp2006@gmail.com" ]
digixp2006@gmail.com
956da929341dd8169d1fca6ab63cb05faaf83666
e121dcc5d23e225891420e730549b9cc7ebe8e88
/src/lib/panda/pgraph/clipPlaneAttrib.cxx
9df143af08ffdd657ca80d70d17c5fc88e4e7595
[ "BSD-3-Clause", "BSD-2-Clause" ]
permissive
PlumpMath/panda3d-3
4f4cf7627eddae9b7f30795e0a0657b01fdf670d
5c0be0e1cd46b422d28d5b81ffb1e8b28c3ac914
refs/heads/master
2021-01-25T06:55:36.209044
2014-09-29T14:24:53
2014-09-29T14:24:53
null
0
0
null
null
null
null
UTF-8
C++
false
false
36,837
cxx
// Filename: clipPlaneAttrib.cxx // Created by: drose (11Jul02) // //////////////////////////////////////////////////////////////////// // // PANDA 3D SOFTWARE // Copyright (c) Carnegie Mellon University. All rights reserved. // // All use of this software is subject to the terms of the revised BSD // license. You should have received a copy of this license along // with this source code in a file named "LICENSE." // //////////////////////////////////////////////////////////////////// #include "clipPlaneAttrib.h" #include "pandaNode.h" #include "graphicsStateGuardianBase.h" #include "bamReader.h" #include "bamWriter.h" #include "datagram.h" #include "datagramIterator.h" #include "config_pgraph.h" #include "attribNodeRegistry.h" CPT(RenderAttrib) ClipPlaneAttrib::_empty_attrib; CPT(RenderAttrib) ClipPlaneAttrib::_all_off_attrib; TypeHandle ClipPlaneAttrib::_type_handle; int ClipPlaneAttrib::_attrib_slot; // This STL Function object is used in filter_to_max(), below, to sort // a list of PlaneNodes in reverse order by priority. class ComparePlaneNodePriorities { public: bool operator ()(const NodePath &a, const NodePath &b) const { nassertr(!a.is_empty() && !b.is_empty(), a < b); PlaneNode *pa = DCAST(PlaneNode, a.node()); PlaneNode *pb = DCAST(PlaneNode, b.node()); nassertr(pa != (PlaneNode *)NULL && pb != (PlaneNode *)NULL, a < b); return pa->get_priority() > pb->get_priority(); } }; //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make // Access: Published, Static // Description: Constructs a new ClipPlaneAttrib object that enables (or // disables, according to op) the indicated plane(s). // // This method is now deprecated. Use add_on_plane() or // add_off_plane() instead. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make(ClipPlaneAttrib::Operation op, PlaneNode *plane) { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; CPT(RenderAttrib) attrib; switch (op) { case O_set: attrib = make_all_off(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane)); return attrib; case O_add: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane)); return attrib; case O_remove: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane)); return attrib; } nassertr(false, make()); return make(); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make // Access: Published, Static // Description: Constructs a new ClipPlaneAttrib object that turns on (or // off, according to op) the indicate plane(s). // // This method is now deprecated. Use add_on_plane() or // add_off_plane() instead. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make(ClipPlaneAttrib::Operation op, PlaneNode *plane1, PlaneNode *plane2) { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; CPT(RenderAttrib) attrib; switch (op) { case O_set: attrib = make_all_off(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane2)); return attrib; case O_add: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane2)); return attrib; case O_remove: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane2)); return attrib; } nassertr(false, make()); return make(); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make // Access: Published, Static // Description: Constructs a new ClipPlaneAttrib object that turns on (or // off, according to op) the indicate plane(s). // // This method is now deprecated. Use add_on_plane() or // add_off_plane() instead. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make(ClipPlaneAttrib::Operation op, PlaneNode *plane1, PlaneNode *plane2, PlaneNode *plane3) { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; CPT(RenderAttrib) attrib; switch (op) { case O_set: attrib = make_all_off(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane2)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane3)); return attrib; case O_add: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane2)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane3)); return attrib; case O_remove: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane2)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane3)); return attrib; } nassertr(false, make()); return make(); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make // Access: Published, Static // Description: Constructs a new ClipPlaneAttrib object that turns on (or // off, according to op) the indicate plane(s). // // This method is now deprecated. Use add_on_plane() or // add_off_plane() instead. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make(ClipPlaneAttrib::Operation op, PlaneNode *plane1, PlaneNode *plane2, PlaneNode *plane3, PlaneNode *plane4) { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; CPT(RenderAttrib) attrib; switch (op) { case O_set: attrib = make_all_off(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane2)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane3)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane4)); return attrib; case O_add: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane2)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane3)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_on_plane(NodePath(plane4)); return attrib; case O_remove: attrib = make(); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane1)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane2)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane3)); attrib = DCAST(ClipPlaneAttrib, attrib)->add_off_plane(NodePath(plane4)); return attrib; } nassertr(false, make()); return make(); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make_default // Access: Published, Static // Description: Returns a RenderAttrib that corresponds to whatever // the standard default properties for render attributes // of this type ought to be. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make_default() { return return_new(new ClipPlaneAttrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::get_operation // Access: Published // Description: Returns the basic operation type of the ClipPlaneAttrib. // If this is O_set, the planes listed here completely // replace any planes that were already on. If this is // O_add, the planes here are added to the set of of // planes that were already on, and if O_remove, the // planes here are removed from the set of planes that // were on. // // This method is now deprecated. ClipPlaneAttribs // nowadays have a separate list of on_planes and // off_planes, so this method doesn't make sense. Query // the lists independently. //////////////////////////////////////////////////////////////////// ClipPlaneAttrib::Operation ClipPlaneAttrib:: get_operation() const { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; if (has_all_off()) { return O_set; } else if (get_num_off_planes() == 0) { return O_add; } else { return O_remove; } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::get_num_planes // Access: Published // Description: Returns the number of planes listed in the attribute. // // This method is now deprecated. ClipPlaneAttribs // nowadays have a separate list of on_planes and // off_planes, so this method doesn't make sense. Query // the lists independently. //////////////////////////////////////////////////////////////////// int ClipPlaneAttrib:: get_num_planes() const { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; if (get_num_off_planes() == 0) { return get_num_on_planes(); } else { return get_num_off_planes(); } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::get_plane // Access: Published // Description: Returns the nth plane listed in the attribute. // // This method is now deprecated. ClipPlaneAttribs // nowadays have a separate list of on_planes and // off_planes, so this method doesn't make sense. Query // the lists independently. //////////////////////////////////////////////////////////////////// PlaneNode *ClipPlaneAttrib:: get_plane(int n) const { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; if (get_num_off_planes() == 0) { return DCAST(PlaneNode, get_on_plane(n).node()); } else { return DCAST(PlaneNode, get_off_plane(n).node()); } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::has_plane // Access: Published // Description: Returns true if the indicated plane is listed in the // attrib, false otherwise. // // This method is now deprecated. ClipPlaneAttribs // nowadays have a separate list of on_planes and // off_planes, so this method doesn't make sense. Query // the lists independently. //////////////////////////////////////////////////////////////////// bool ClipPlaneAttrib:: has_plane(PlaneNode *plane) const { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; if (get_num_off_planes() == 0) { return has_on_plane(NodePath(plane)); } else { return has_off_plane(NodePath(plane)); } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::add_plane // Access: Published // Description: Returns a new ClipPlaneAttrib, just like this one, but // with the indicated plane added to the list of planes. // // This method is now deprecated. Use add_on_plane() or // add_off_plane() instead. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: add_plane(PlaneNode *plane) const { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; if (get_num_off_planes() == 0) { return add_on_plane(NodePath(plane)); } else { return add_off_plane(NodePath(plane)); } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::remove_plane // Access: Published // Description: Returns a new ClipPlaneAttrib, just like this one, but // with the indicated plane removed from the list of // planes. // // This method is now deprecated. Use remove_on_plane() // or remove_off_plane() instead. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: remove_plane(PlaneNode *plane) const { pgraph_cat.warning() << "Using deprecated ClipPlaneAttrib interface.\n"; if (get_num_off_planes() == 0) { return remove_on_plane(NodePath(plane)); } else { return remove_off_plane(NodePath(plane)); } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make // Access: Published, Static // Description: Constructs a new ClipPlaneAttrib object that does // nothing. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make() { // We make it a special case and store a pointer to the empty attrib // forever once we find it the first time, as an optimization. if (_empty_attrib == (RenderAttrib *)NULL) { _empty_attrib = return_new(new ClipPlaneAttrib); } return _empty_attrib; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make_all_off // Access: Published, Static // Description: Constructs a new ClipPlaneAttrib object that disables // all planes (and hence disables clipping). //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: make_all_off() { // We make it a special case and store a pointer to the off attrib // forever once we find it the first time, as an optimization. if (_all_off_attrib == (RenderAttrib *)NULL) { ClipPlaneAttrib *attrib = new ClipPlaneAttrib; attrib->_off_all_planes = true; _all_off_attrib = return_new(attrib); } return _all_off_attrib; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::add_on_plane // Access: Published // Description: Returns a new ClipPlaneAttrib, just like this one, but // with the indicated plane added to the list of planes // enabled by this attrib. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: add_on_plane(const NodePath &plane) const { nassertr(!plane.is_empty() && plane.node()->is_of_type(PlaneNode::get_class_type()), this); ClipPlaneAttrib *attrib = new ClipPlaneAttrib(*this); attrib->_on_planes.insert(plane); attrib->_off_planes.erase(plane); pair<Planes::iterator, bool> insert_result = attrib->_on_planes.insert(Planes::value_type(plane)); if (insert_result.second) { // Also ensure it is removed from the off_planes list. attrib->_off_planes.erase(plane); } return return_new(attrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::remove_on_plane // Access: Published // Description: Returns a new ClipPlaneAttrib, just like this one, but // with the indicated plane removed from the list of // planes enabled by this attrib. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: remove_on_plane(const NodePath &plane) const { nassertr(!plane.is_empty() && plane.node()->is_of_type(PlaneNode::get_class_type()), this); ClipPlaneAttrib *attrib = new ClipPlaneAttrib(*this); attrib->_on_planes.erase(plane); return return_new(attrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::add_off_plane // Access: Published // Description: Returns a new ClipPlaneAttrib, just like this one, but // with the indicated plane added to the list of planes // disabled by this attrib. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: add_off_plane(const NodePath &plane) const { nassertr(!plane.is_empty() && plane.node()->is_of_type(PlaneNode::get_class_type()), this); ClipPlaneAttrib *attrib = new ClipPlaneAttrib(*this); if (!_off_all_planes) { attrib->_off_planes.insert(plane); } attrib->_on_planes.erase(plane); return return_new(attrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::remove_off_plane // Access: Published // Description: Returns a new ClipPlaneAttrib, just like this one, but // with the indicated plane removed from the list of // planes disabled by this attrib. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: remove_off_plane(const NodePath &plane) const { nassertr(!plane.is_empty() && plane.node()->is_of_type(PlaneNode::get_class_type()), this); ClipPlaneAttrib *attrib = new ClipPlaneAttrib(*this); attrib->_off_planes.erase(plane); return return_new(attrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::filter_to_max // Access: Public // Description: Returns a new ClipPlaneAttrib, very much like this one, // but with the number of on_planes reduced to be no // more than max_clip_planes. The number of off_planes in // the new ClipPlaneAttrib is undefined. //////////////////////////////////////////////////////////////////// CPT(ClipPlaneAttrib) ClipPlaneAttrib:: filter_to_max(int max_clip_planes) const { if (max_clip_planes < 0 || (int)_on_planes.size() <= max_clip_planes) { // Trivial case: this ClipPlaneAttrib qualifies. return this; } // Since check_filtered() will clear the _filtered list if we are out // of date, we should call it first. check_filtered(); Filtered::const_iterator fi; fi = _filtered.find(max_clip_planes); if (fi != _filtered.end()) { // Easy case: we have already computed this for this particular // ClipPlaneAttrib. return (*fi).second; } // Harder case: we have to compute it now. We must choose the n // planeNodes with the highest priority in our list of planeNodes. Planes priority_planes = _on_planes; // This sort function uses the STL function object defined above. sort(priority_planes.begin(), priority_planes.end(), ComparePlaneNodePriorities()); // Now lop off all of the planeNodes after the first max_clip_planes. priority_planes.erase(priority_planes.begin() + max_clip_planes, priority_planes.end()); // And re-sort the ov_set into its proper order. priority_planes.sort(); // Now create a new attrib reflecting these planeNodes. PT(ClipPlaneAttrib) attrib = new ClipPlaneAttrib; attrib->_on_planes.swap(priority_planes); CPT(RenderAttrib) new_attrib = return_new(attrib); // Finally, record this newly-created attrib in the map for next // time. CPT(ClipPlaneAttrib) planeNode_attrib = (const ClipPlaneAttrib *)new_attrib.p(); ((ClipPlaneAttrib *)this)->_filtered[max_clip_planes] = planeNode_attrib; return planeNode_attrib; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::compose_off // Access: Public // Description: This is a special method which composes two // ClipPlaneAttribs with regard only to their set of // "off" clip planes, for the purposes of deriving // PandaNode::get_off_clip_planes(). // // The result will be a ClipPlaneAttrib that represents // the union of all of the clip planes turned off in // either attrib. The set of on planes in the result is // undefined and should be ignored. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: compose_off(const RenderAttrib *other) const { const ClipPlaneAttrib *ta; DCAST_INTO_R(ta, other, 0); if (_off_all_planes || (!ta->_off_all_planes && ta->_off_planes.empty())) { // If we turn off all planes, or the other turns none off, the // result is the same as this one. return this; } if (ta->_off_all_planes || _off_planes.empty()) { // And contrariwise. return ta; } Planes::const_iterator ai = _off_planes.begin(); Planes::const_iterator bi = ta->_off_planes.begin(); // Create a new ClipPlaneAttrib that will hold the result. ClipPlaneAttrib *new_attrib = new ClipPlaneAttrib; back_insert_iterator<Planes> result = back_inserter(new_attrib->_on_planes); while (ai != _off_planes.end() && bi != ta->_off_planes.end()) { if ((*ai) < (*bi)) { // Here is a plane that we have in the original, which is not // present in the secondary. *result = *ai; ++ai; ++result; } else if ((*bi) < (*ai)) { // Here is a new plane we have in the secondary, that was not // present in the original. *result = *bi; ++bi; ++result; } else { // (*bi) == (*ai) // Here is a plane we have in both. *result = *bi; ++ai; ++bi; ++result; } } while (ai != _off_planes.end()) { *result = *ai; ++ai; ++result; } while (bi != ta->_off_planes.end()) { *result = *bi; ++bi; ++result; } return return_new(new_attrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::output // Access: Public, Virtual // Description: //////////////////////////////////////////////////////////////////// void ClipPlaneAttrib:: output(ostream &out) const { out << get_type() << ":"; if (_off_planes.empty()) { if (_on_planes.empty()) { if (_off_all_planes) { out << "all off"; } else { out << "identity"; } } else { if (_off_all_planes) { out << "set"; } else { out << "on"; } } } else { out << "off"; Planes::const_iterator fi; for (fi = _off_planes.begin(); fi != _off_planes.end(); ++fi) { NodePath plane = (*fi); out << " " << plane; } if (!_on_planes.empty()) { out << " on"; } } Planes::const_iterator li; for (li = _on_planes.begin(); li != _on_planes.end(); ++li) { NodePath plane = (*li); out << " " << plane; } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::compare_to_impl // Access: Protected, Virtual // Description: Intended to be overridden by derived ClipPlaneAttrib // types to return a unique number indicating whether // this ClipPlaneAttrib is equivalent to the other one. // // This should return 0 if the two ClipPlaneAttrib // objects are equivalent, a number less than zero if // this one should be sorted before the other one, and a // number greater than zero otherwise. // // This will only be called with two ClipPlaneAttrib // objects whose get_type() functions return the same. //////////////////////////////////////////////////////////////////// int ClipPlaneAttrib:: compare_to_impl(const RenderAttrib *other) const { const ClipPlaneAttrib *ta; DCAST_INTO_R(ta, other, 0); if (_off_all_planes != ta->_off_all_planes) { return (int)_off_all_planes - (int)ta->_off_all_planes; } Planes::const_iterator li = _on_planes.begin(); Planes::const_iterator oli = ta->_on_planes.begin(); while (li != _on_planes.end() && oli != ta->_on_planes.end()) { NodePath plane = (*li); NodePath other_plane = (*oli); int compare = plane.compare_to(other_plane); if (compare != 0) { return compare; } ++li; ++oli; } if (li != _on_planes.end()) { return 1; } if (oli != ta->_on_planes.end()) { return -1; } Planes::const_iterator fi = _off_planes.begin(); Planes::const_iterator ofi = ta->_off_planes.begin(); while (fi != _off_planes.end() && ofi != ta->_off_planes.end()) { NodePath plane = (*fi); NodePath other_plane = (*ofi); int compare = plane.compare_to(other_plane); if (compare != 0) { return compare; } ++fi; ++ofi; } if (fi != _off_planes.end()) { return 1; } if (ofi != ta->_off_planes.end()) { return -1; } return 0; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::compose_impl // Access: Protected, Virtual // Description: Intended to be overridden by derived RenderAttrib // types to specify how two consecutive RenderAttrib // objects of the same type interact. // // This should return the result of applying the other // RenderAttrib to a node in the scene graph below this // RenderAttrib, which was already applied. In most // cases, the result is the same as the other // RenderAttrib (that is, a subsequent RenderAttrib // completely replaces the preceding one). On the other // hand, some kinds of RenderAttrib (for instance, // ColorTransformAttrib) might combine in meaningful // ways. //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: compose_impl(const RenderAttrib *other) const { const ClipPlaneAttrib *ta; DCAST_INTO_R(ta, other, 0); if (ta->_off_all_planes) { // If the other type turns off all planes, it doesn't matter what // we are. return ta; } // This is a three-way merge between ai, bi, and ci, except that bi // and ci should have no intersection and therefore needn't be // compared to each other. Planes::const_iterator ai = _on_planes.begin(); Planes::const_iterator bi = ta->_on_planes.begin(); Planes::const_iterator ci = ta->_off_planes.begin(); // Create a new ClipPlaneAttrib that will hold the result. ClipPlaneAttrib *new_attrib = new ClipPlaneAttrib; back_insert_iterator<Planes> result = back_inserter(new_attrib->_on_planes); while (ai != _on_planes.end() && bi != ta->_on_planes.end() && ci != ta->_off_planes.end()) { if ((*ai) < (*bi)) { if ((*ai) < (*ci)) { // Here is a plane that we have in the original, which is not // present in the secondary. *result = *ai; ++ai; ++result; } else if ((*ci) < (*ai)) { // Here is a plane that is disabled in the secondary, but // was not present in the original. ++ci; } else { // (*ci) == (*ai) // Here is a plane that is disabled in the secondary, and // was present in the original. ++ai; ++ci; } } else if ((*bi) < (*ai)) { // Here is a new plane we have in the secondary, that was not // present in the original. *result = *bi; ++bi; ++result; } else { // (*bi) == (*ai) // Here is a plane we have in both. *result = *bi; ++ai; ++bi; ++result; } } while (ai != _on_planes.end() && bi != ta->_on_planes.end()) { if ((*ai) < (*bi)) { // Here is a plane that we have in the original, which is not // present in the secondary. *result = *ai; ++ai; ++result; } else if ((*bi) < (*ai)) { // Here is a new plane we have in the secondary, that was not // present in the original. *result = *bi; ++bi; ++result; } else { // Here is a plane we have in both. *result = *bi; ++ai; ++bi; ++result; } } while (ai != _on_planes.end() && ci != ta->_off_planes.end()) { if ((*ai) < (*ci)) { // Here is a plane that we have in the original, which is not // present in the secondary. *result = *ai; ++ai; ++result; } else if ((*ci) < (*ai)) { // Here is a plane that is disabled in the secondary, but // was not present in the original. ++ci; } else { // (*ci) == (*ai) // Here is a plane that is disabled in the secondary, and // was present in the original. ++ai; ++ci; } } while (ai != _on_planes.end()) { *result = *ai; ++ai; ++result; } while (bi != ta->_on_planes.end()) { *result = *bi; ++bi; ++result; } return return_new(new_attrib); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::invert_compose_impl // Access: Protected, Virtual // Description: Intended to be overridden by derived RenderAttrib // types to specify how two consecutive RenderAttrib // objects of the same type interact. // // See invert_compose() and compose_impl(). //////////////////////////////////////////////////////////////////// CPT(RenderAttrib) ClipPlaneAttrib:: invert_compose_impl(const RenderAttrib *other) const { // I think in this case the other attrib always wins. Maybe this // needs a bit more thought. It's hard to imagine that it's even // important to compute this properly. return other; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::sort_on_planes // Access: Private // Description: This is patterned after // TextureAttrib::sort_on_stages(), but since planeNodes // don't actually require sorting, this only empties the // _filtered map. //////////////////////////////////////////////////////////////////// void ClipPlaneAttrib:: sort_on_planes() { _sort_seq = PlaneNode::get_sort_seq(); _filtered.clear(); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::register_with_read_factory // Access: Public, Static // Description: Tells the BamReader how to create objects of type // ClipPlaneAttrib. //////////////////////////////////////////////////////////////////// void ClipPlaneAttrib:: register_with_read_factory() { BamReader::get_factory()->register_factory(get_class_type(), make_from_bam); } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::write_datagram // Access: Public, Virtual // Description: Writes the contents of this object to the datagram // for shipping out to a Bam file. //////////////////////////////////////////////////////////////////// void ClipPlaneAttrib:: write_datagram(BamWriter *manager, Datagram &dg) { RenderAttrib::write_datagram(manager, dg); dg.add_bool(_off_all_planes); // write the number of off_planes dg.add_uint16(get_num_off_planes()); // write the off planes pointers if any Planes::const_iterator fi; for (fi = _off_planes.begin(); fi != _off_planes.end(); ++fi) { NodePath plane = (*fi); // Since we can't write out a NodePath, we write out just the // plain PandaNode. The user can use the AttribNodeRegistry on // re-read if there is any ambiguity that needs to be resolved. manager->write_pointer(dg, plane.node()); } // write the number of on planes dg.add_uint16(get_num_on_planes()); // write the on planes pointers if any Planes::const_iterator nti; for (nti = _on_planes.begin(); nti != _on_planes.end(); ++nti) { NodePath plane = (*nti); manager->write_pointer(dg, plane.node()); } } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::complete_pointers // Access: Public, Virtual // Description: Receives an array of pointers, one for each time // manager->read_pointer() was called in fillin(). // Returns the number of pointers processed. //////////////////////////////////////////////////////////////////// int ClipPlaneAttrib:: complete_pointers(TypedWritable **p_list, BamReader *manager) { int pi = RenderAttrib::complete_pointers(p_list, manager); AttribNodeRegistry *areg = AttribNodeRegistry::get_global_ptr(); Planes::iterator ci = _off_planes.begin(); while (ci != _off_planes.end()) { PandaNode *node; DCAST_INTO_R(node, p_list[pi++], pi); // We go through some effort to look up the node in the registry // without creating a NodePath around it first (which would up, // and then down, the reference count, possibly deleting the // node). int ni = areg->find_node(node->get_type(), node->get_name()); if (ni != -1) { (*ci) = areg->get_node(ni); } else { (*ci) = NodePath(node); } ++ci; } _off_planes.sort(); ci = _on_planes.begin(); while (ci != _on_planes.end()) { PandaNode *node; DCAST_INTO_R(node, p_list[pi++], pi); int ni = areg->find_node(node->get_type(), node->get_name()); if (ni != -1) { (*ci) = areg->get_node(ni); } else { (*ci) = NodePath(node); } ++ci; } _on_planes.sort(); return pi; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::require_fully_complete // Access: Public, Virtual // Description: Some objects require all of their nested pointers to // have been completed before the objects themselves can // be completed. If this is the case, override this // method to return true, and be careful with circular // references (which would make the object unreadable // from a bam file). //////////////////////////////////////////////////////////////////// bool ClipPlaneAttrib:: require_fully_complete() const { return true; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::make_from_bam // Access: Protected, Static // Description: This function is called by the BamReader's factory // when a new object of type ClipPlaneAttrib is encountered // in the Bam file. It should create the ClipPlaneAttrib // and extract its information from the file. //////////////////////////////////////////////////////////////////// TypedWritable *ClipPlaneAttrib:: make_from_bam(const FactoryParams &params) { ClipPlaneAttrib *attrib = new ClipPlaneAttrib; DatagramIterator scan; BamReader *manager; parse_params(params, scan, manager); attrib->fillin(scan, manager); return attrib; } //////////////////////////////////////////////////////////////////// // Function: ClipPlaneAttrib::fillin // Access: Protected // Description: This internal function is called by make_from_bam to // read in all of the relevant data from the BamFile for // the new ClipPlaneAttrib. //////////////////////////////////////////////////////////////////// void ClipPlaneAttrib:: fillin(DatagramIterator &scan, BamReader *manager) { RenderAttrib::fillin(scan, manager); // We cheat a little bit here. In the middle of bam version 4.10, // we completely redefined the bam storage definition for // ClipPlaneAttribs, without bothering to up the bam version or even to // attempt to read the old definition. We get away with this, // knowing that the egg loader doesn't create ClipPlaneAttribs, and // hence no old bam files have the old definition for ClipPlaneAttrib // within them. _off_all_planes = scan.get_bool(); int num_off_planes = scan.get_uint16(); // Push back an empty NodePath for each off Plane for now, until we // get the actual list of pointers later in complete_pointers(). _off_planes.reserve(num_off_planes); int i; for (i = 0; i < num_off_planes; i++) { manager->read_pointer(scan); _off_planes.push_back(NodePath()); } int num_on_planes = scan.get_uint16(); _on_planes.reserve(num_on_planes); for (i = 0; i < num_on_planes; i++) { manager->read_pointer(scan); _on_planes.push_back(NodePath()); } }
[ "ralf.kaestner@gmail.com" ]
ralf.kaestner@gmail.com
ef619776cf84a22ae7543361712382ddda7387de
9dea1c763b6ea6ccccf0c400e581a5a4df1cb8ff
/Source/Esp8266Utils.h
518a374fcdeff31704be0d4d346ff97d46509378
[]
no_license
hsouporto/HSO----SensorNetwork
fe467b40f172e83a105ebda4ecdf7433fa12a4c2
d9e169eeb49e61c9ef6be294cc31208f054caaa4
refs/heads/master
2021-10-13T01:09:45.265347
2016-05-12T15:41:12
2016-05-12T15:41:12
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,262
h
/* Esp8266.h - Library for wifi connection. Created by HSO, March 10, 2016. Released into the public domain. */ #ifndef ESP8266_UTILS_H #define ESP8266_UTILS_H namespace WIFI { class Esp8266Utils { public: static bool SendAtCommand(const char * cmd, String parameters, const char * tplt, const char * g_msg, const char * b_msg, SerialDriver::SerialPort * m_serial) { String command = ReadFromFlash(cmd); // Send reset command m_serial->SerialWrite(command + parameters); m_serial->SoftwareSerialWrite(command + parameters + "\r\n"); String search_template = ReadFromFlash(tplt); String g_dbg_msg = ReadFromFlash(g_msg); String b_dbg_msg = ReadFromFlash(b_msg); // Check response and print return PrintDebugMessage(m_serial->SoftwareSerialFind(c_client_read_timeout, (char*)search_template.c_str()), g_dbg_msg, b_dbg_msg, m_serial); } // Check responses to commands and print debug message static bool PrintDebugMessage(bool result, String true_msg, String false_msg, SerialDriver::SerialPort * m_serial) { // Check response and print debug message if (result) { m_serial->SerialWrite(true_msg); return true; } else { m_serial->SerialWrite(false_msg); return false; } } // Send data by TCP or UDP connection // @param - Connection id and data to send // @return - bool with op result static bool SendData(String id, String data, SerialDriver::SerialPort * m_serial) { // Debug output m_serial->SerialWrite("Sending data: "); // Send cipsend command if (!SendAtCommand(cmd_cipsend, id + "," + String(data.length()), tplt_grt_thn, dbg_msg_grt_th, "", m_serial)) return false; // Read templates from progmem String search_template = Esp8266Utils::ReadFromFlash(tplt_send_ok); String g_dbg_msg = ReadFromFlash(dbg_msg_send_ok); String b_dbg_msg = ReadFromFlash(dbg_msg_send_not_ok); // Send data m_serial->SoftwareSerialWrite(data); if (!PrintDebugMessage(m_serial->SoftwareSerialFind(500, (char*)search_template.c_str()), g_dbg_msg, b_dbg_msg, m_serial)) return false; return true; } // Read from flash with progmem static String ReadFromFlash(const char * data, int index, int read_divisor) { String tmp; char myChar; int len = strlen_P(data); for (int k = 0; k < read_divisor; k++) { if ((k + read_divisor * index) < len) { myChar = pgm_read_byte_near(data + k + read_divisor * index); tmp += myChar; } } return tmp; } static String ReadFromFlash(const char * data) { char myChar; String bfr; int len = strlen_P(data); for (int k = 0; k < len; k++) { myChar = pgm_read_byte_near(data + k); bfr += myChar; } return bfr; } // Extract Id connection static char ExtractId(String http_request) { return http_request.charAt(5); } private: }; } #endif
[ "hugo.soares@fe.up.pt" ]
hugo.soares@fe.up.pt
1fd3047750f96ea91a576320f6f9f01372fe68bb
9b37e221a134ef976f1330ad1e6dc41021ca55d5
/renderdoc/driver/d3d12/d3d12_resources.cpp
705b9ae91cbf49861fb3bf8678f98b1a8c708d30
[ "LicenseRef-scancode-unknown-license-reference", "MIT" ]
permissive
kbiElude/renderdoc
cdaacb5c6fd6129fdac9e89270e6ca3539c18b59
b8cee9f530a57536dfe19c15fc590d9f1b613ae5
refs/heads/master
2021-05-03T05:29:35.757722
2016-10-29T19:28:27
2016-10-29T19:28:27
52,273,685
0
0
null
2016-02-22T13:01:37
2016-02-22T13:01:37
null
UTF-8
C++
false
false
13,686
cpp
/****************************************************************************** * The MIT License (MIT) * * Copyright (c) 2016 Baldur Karlsson * * 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 "d3d12_resources.h" #include "3rdparty/lz4/lz4.h" #include "d3d12_command_list.h" #include "d3d12_command_queue.h" GPUAddressRangeTracker WrappedID3D12Resource::m_Addresses; std::map<ResourceId, WrappedID3D12Resource *> *WrappedID3D12Resource::m_List = NULL; std::map<WrappedID3D12PipelineState::DXBCKey, WrappedID3D12PipelineState::ShaderEntry *> WrappedID3D12PipelineState::m_Shaders; const GUID RENDERDOC_ID3D12ShaderGUID_ShaderDebugMagicValue = RENDERDOC_ShaderDebugMagicValue_struct; void WrappedID3D12PipelineState::ShaderEntry::TryReplaceOriginalByteCode() { if(!DXBC::DXBCFile::CheckForDebugInfo((const void *)&m_Bytecode[0], m_Bytecode.size())) { string originalPath = m_DebugInfoPath; if(originalPath.empty()) originalPath = DXBC::DXBCFile::GetDebugBinaryPath((const void *)&m_Bytecode[0], m_Bytecode.size()); if(!originalPath.empty()) { bool lz4 = false; if(!strncmp(originalPath.c_str(), "lz4#", 4)) { originalPath = originalPath.substr(4); lz4 = true; } // could support more if we're willing to compile in the decompressor FILE *originalShaderFile = NULL; size_t numSearchPaths = m_DebugInfoSearchPaths ? m_DebugInfoSearchPaths->size() : 0; string foundPath; // while we haven't found a file, keep trying through the search paths. For i==0 // check the path on its own, in case it's an absolute path. for(size_t i = 0; originalShaderFile == NULL && i <= numSearchPaths; i++) { if(i == 0) { originalShaderFile = FileIO::fopen(originalPath.c_str(), "rb"); foundPath = originalPath; continue; } else { const std::string &searchPath = (*m_DebugInfoSearchPaths)[i - 1]; foundPath = searchPath + "/" + originalPath; originalShaderFile = FileIO::fopen(foundPath.c_str(), "rb"); } } if(originalShaderFile == NULL) return; FileIO::fseek64(originalShaderFile, 0L, SEEK_END); uint64_t originalShaderSize = FileIO::ftell64(originalShaderFile); FileIO::fseek64(originalShaderFile, 0, SEEK_SET); if(lz4 || originalShaderSize >= m_Bytecode.size()) { vector<byte> originalBytecode; originalBytecode.resize((size_t)originalShaderSize); FileIO::fread(&originalBytecode[0], sizeof(byte), (size_t)originalShaderSize, originalShaderFile); if(lz4) { vector<byte> decompressed; // first try decompressing to 1MB flat decompressed.resize(100 * 1024); int ret = LZ4_decompress_safe((const char *)&originalBytecode[0], (char *)&decompressed[0], (int)originalBytecode.size(), (int)decompressed.size()); if(ret < 0) { // if it failed, either source is corrupt or we didn't allocate enough space. // Just allocate 255x compressed size since it can't need any more than that. decompressed.resize(255 * originalBytecode.size()); ret = LZ4_decompress_safe((const char *)&originalBytecode[0], (char *)&decompressed[0], (int)originalBytecode.size(), (int)decompressed.size()); if(ret < 0) { RDCERR("Failed to decompress LZ4 data from %s", foundPath.c_str()); return; } } RDCASSERT(ret > 0, ret); // we resize and memcpy instead of just doing .swap() because that would // transfer over the over-large pessimistic capacity needed for decompression originalBytecode.resize(ret); memcpy(&originalBytecode[0], &decompressed[0], originalBytecode.size()); } if(DXBC::DXBCFile::CheckForDebugInfo((const void *)&originalBytecode[0], originalBytecode.size())) { m_Bytecode.swap(originalBytecode); } } FileIO::fclose(originalShaderFile); } } } #undef D3D12_TYPE_MACRO #define D3D12_TYPE_MACRO(iface) WRAPPED_POOL_INST(CONCAT(Wrapped, iface)); ALL_D3D12_TYPES; WRAPPED_POOL_INST(WrappedID3D12PipelineState::ShaderEntry); D3D12ResourceType IdentifyTypeByPtr(ID3D12DeviceChild *ptr) { if(ptr == NULL) return Resource_Unknown; #undef D3D12_TYPE_MACRO #define D3D12_TYPE_MACRO(iface) \ if(UnwrapHelper<iface>::IsAlloc(ptr)) \ return UnwrapHelper<iface>::GetTypeEnum(); ALL_D3D12_TYPES; if(WrappedID3D12GraphicsCommandList::IsAlloc(ptr)) return Resource_GraphicsCommandList; if(WrappedID3D12CommandQueue::IsAlloc(ptr)) return Resource_CommandQueue; RDCERR("Unknown type for ptr 0x%p", ptr); return Resource_Unknown; } TrackedResource12 *GetTracked(ID3D12DeviceChild *ptr) { if(ptr == NULL) return NULL; #undef D3D12_TYPE_MACRO #define D3D12_TYPE_MACRO(iface) \ if(UnwrapHelper<iface>::IsAlloc(ptr)) \ return (TrackedResource12 *)GetWrapped((iface *)ptr); ALL_D3D12_TYPES; if(WrappedID3D12PipelineState::ShaderEntry::IsAlloc(ptr)) return (TrackedResource12 *)(WrappedID3D12PipelineState::ShaderEntry *)ptr; return NULL; } template <> ID3D12DeviceChild *Unwrap(ID3D12DeviceChild *ptr) { if(ptr == NULL) return NULL; #undef D3D12_TYPE_MACRO #define D3D12_TYPE_MACRO(iface) \ if(UnwrapHelper<iface>::IsAlloc(ptr)) \ return (ID3D12DeviceChild *)GetWrapped((iface *)ptr)->GetReal(); ALL_D3D12_TYPES; if(WrappedID3D12GraphicsCommandList::IsAlloc(ptr)) return (ID3D12DeviceChild *)(((WrappedID3D12GraphicsCommandList *)ptr)->GetReal()); if(WrappedID3D12CommandQueue::IsAlloc(ptr)) return (ID3D12DeviceChild *)(((WrappedID3D12CommandQueue *)ptr)->GetReal()); RDCERR("Unknown type of ptr 0x%p", ptr); return NULL; } template <> ResourceId GetResID(ID3D12DeviceChild *ptr) { if(ptr == NULL) return ResourceId(); TrackedResource12 *res = GetTracked(ptr); if(res == NULL) { if(WrappedID3D12GraphicsCommandList::IsAlloc(ptr)) return ((WrappedID3D12GraphicsCommandList *)ptr)->GetResourceID(); if(WrappedID3D12CommandQueue::IsAlloc(ptr)) return ((WrappedID3D12CommandQueue *)ptr)->GetResourceID(); RDCERR("Unknown type of ptr 0x%p", ptr); return ResourceId(); } return res->GetResourceID(); } template <> D3D12ResourceRecord *GetRecord(ID3D12DeviceChild *ptr) { if(ptr == NULL) return NULL; TrackedResource12 *res = GetTracked(ptr); if(res == NULL) { if(WrappedID3D12GraphicsCommandList::IsAlloc(ptr)) return ((WrappedID3D12GraphicsCommandList *)ptr)->GetResourceRecord(); if(WrappedID3D12CommandQueue::IsAlloc(ptr)) return ((WrappedID3D12CommandQueue *)ptr)->GetResourceRecord(); RDCERR("Unknown type of ptr 0x%p", ptr); return NULL; } return res->GetResourceRecord(); } byte *WrappedID3D12Resource::GetMap(UINT Subresource) { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; if(Subresource < map.size()) return map[Subresource].realPtr; return NULL; } byte *WrappedID3D12Resource::GetShadow(UINT Subresource) { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; if(Subresource >= map.size()) map.resize(Subresource + 1); return map[Subresource].shadowPtr; } void WrappedID3D12Resource::AllocShadow(UINT Subresource, size_t size) { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; if(Subresource >= map.size()) map.resize(Subresource + 1); if(map[Subresource].shadowPtr == NULL) map[Subresource].shadowPtr = Serialiser::AllocAlignedBuffer(size); } void WrappedID3D12Resource::FreeShadow() { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; for(size_t i = 0; i < map.size(); i++) { Serialiser::FreeAlignedBuffer(map[i].shadowPtr); map[i].shadowPtr = NULL; } } HRESULT STDMETHODCALLTYPE WrappedID3D12Resource::Map(UINT Subresource, const D3D12_RANGE *pReadRange, void **ppData) { // don't care about maps without returned pointers - we'll just intercept the WriteToSubresource // calls if(ppData == NULL) return m_pReal->Map(Subresource, pReadRange, ppData); void *mapPtr = NULL; // pass a NULL range as we might want to read from the whole range HRESULT hr = m_pReal->Map(Subresource, NULL, &mapPtr); *ppData = mapPtr; if(SUCCEEDED(hr) && GetResourceRecord()) { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; if(Subresource >= map.size()) map.resize(Subresource + 1); // the map pointer should be NULL or identical (if we are in a nested Map) RDCASSERT(map[Subresource].realPtr == mapPtr || map[Subresource].realPtr == NULL); map[Subresource].realPtr = (byte *)mapPtr; int32_t refcount = Atomic::Inc32(&map[Subresource].refcount); // on the first map, register this so we can flush any updates in case it's left persistant if(refcount == 1) m_pDevice->Map(this, Subresource); } return hr; } void STDMETHODCALLTYPE WrappedID3D12Resource::Unmap(UINT Subresource, const D3D12_RANGE *pWrittenRange) { if(GetResourceRecord()) { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; // may not have a map if e.g. no pointer was requested if(Subresource < map.size()) { int32_t refcount = Atomic::Dec32(&map[Subresource].refcount); if(refcount == 0) { m_pDevice->Unmap(this, Subresource, map[Subresource].realPtr, pWrittenRange); Serialiser::FreeAlignedBuffer(map[Subresource].shadowPtr); map[Subresource].realPtr = NULL; map[Subresource].shadowPtr = NULL; } } } return m_pReal->Unmap(Subresource, pWrittenRange); } HRESULT STDMETHODCALLTYPE WrappedID3D12Resource::WriteToSubresource(UINT DstSubresource, const D3D12_BOX *pDstBox, const void *pSrcData, UINT SrcRowPitch, UINT SrcDepthPitch) { if(GetResourceRecord()) { vector<D3D12ResourceRecord::MapData> &map = GetResourceRecord()->m_Map; if(DstSubresource < map.size()) { m_pDevice->WriteToSubresource(this, DstSubresource, pDstBox, pSrcData, SrcDepthPitch, SrcDepthPitch); } else { RDCERR("WriteToSubresource without matching map!"); } } return m_pReal->WriteToSubresource(DstSubresource, pDstBox, pSrcData, SrcRowPitch, SrcDepthPitch); } void WrappedID3D12Resource::RefBuffers(D3D12ResourceManager *rm) { // only buffers go into m_Addresses SCOPED_LOCK(m_Addresses.addressLock); for(size_t i = 0; i < m_Addresses.addresses.size(); i++) rm->MarkResourceFrameReferenced(m_Addresses.addresses[i].id, eFrameRef_Read); } WrappedID3D12DescriptorHeap::WrappedID3D12DescriptorHeap(ID3D12DescriptorHeap *real, WrappedID3D12Device *device, const D3D12_DESCRIPTOR_HEAP_DESC &desc) : WrappedDeviceChild12(real, device) { realCPUBase = real->GetCPUDescriptorHandleForHeapStart(); realGPUBase = real->GetGPUDescriptorHandleForHeapStart(); SetResident(true); increment = device->GetUnwrappedDescriptorIncrement(desc.Type); numDescriptors = desc.NumDescriptors; descriptors = new D3D12Descriptor[numDescriptors]; RDCEraseMem(descriptors, sizeof(D3D12Descriptor) * numDescriptors); for(UINT i = 0; i < numDescriptors; i++) { // only need to set this once, it's aliased between samp and nonsamp descriptors[i].samp.heap = this; descriptors[i].samp.idx = i; // initially descriptors are undefined. This way we just fill them with // some null SRV descriptor so it's safe to copy around etc but is no // less undefined for the application to use descriptors[i].nonsamp.type = D3D12Descriptor::TypeUndefined; } } WrappedID3D12DescriptorHeap::~WrappedID3D12DescriptorHeap() { Shutdown(); SAFE_DELETE_ARRAY(descriptors); }
[ "baldurk@baldurk.org" ]
baldurk@baldurk.org
40ed3fdabe5f3fe34dbd7c4dadd5953132e458fc
8590b7928fdcff351a6e347c4b04a085f29b7895
/CropSyst/source/soil/layers.h
6755947a3c627b668081d5968df78e35dd993b34
[]
no_license
liao007/VIC-CropSyst-Package
07fd0f29634cf28b96a299dc07156e4f98a63878
63a626250ccbf9020717b7e69b6c70e40a264bc2
refs/heads/master
2023-05-23T07:15:29.023973
2021-05-29T02:17:32
2021-05-29T02:17:32
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,234
h
#ifndef layersH #define layersH #include "soil/layers_I.h" #include "soil/soil_param_class.h" namespace CS { //______________________________________________________________________________ class Soil_layers : public Soil::Layers_interface // <-- eventually move to soil_interface? { public: inline virtual ~Soil_layers() {} //150521 public: virtual nat8 get_layer_at_depth(float64 a_given_depth_m) const; virtual nat8 get_layer_at_depth_or_last_layer(float64 a_given_depth_m)const; // Returns the index of the layer at the specified depth. // if a_given_depth_m is 0.0 (unspecified) the last layer is returned inline virtual nat8 get_horizon_at_layer(nat8 layer) const { return layer; } // In a basic layering system the horizons are layers. // This returns the layer (horizon) in which the specified layer/sublayer occurs. virtual float64 get_depth_profile_m() const; // This returns the total depth of the soil profile in centimeters. virtual nat8 closest_layer_at(float64 a_given_depth) const; // Returns the closest layer at the specified depth. public: // Utilities for working with layer data virtual void copy_array64(soil_layer_array64(target),const soil_layer_array64(source)) const; virtual void copy_array32(soil_layer_array32(target),const soil_layer_array32(source)) const; }; //_Soil_layers_________________________________________________________________/ }//_namespace_CS_______________________________________________________________/ //______________________________________________________________________________ namespace CropSyst { //______________________________________________________________________________ class Layers_abstract : public extends_ CS::Soil_layers { protected: const Soil_parameters_class_common &parameters; //181206_160916 public: Layers_abstract(const Soil_parameters_class_common &parameters_); //160916 public: // Soil parameter accessors inline virtual nat8 count_max() const { return MAX_soil_horizons_alloc;} //190123 was get_max_number_layers inline virtual nat8 count() const { return parameters.horizon_count;} //190402 //190123 was get_number_layers public: // Soil profile parameter accessors (layer number is 1 based) inline virtual float64 get_thickness_m(nat8 layer) const { return parameters.get_horizon_thickness(layer); } // These return the thickness of the specified layer inline virtual float64 get_depth_m (nat8 layer) const { return parameters.get_horizon_depth(layer); } // These return the depths to the bottom of the specified layer. inline virtual bool is_bound_by_impermeable_layer() const //160921 { return parameters.bound_by_bedrock; } }; //_Layers_abstract__________________________________________________2013-11-22_/ }//_namespace CropSyst_________________________________________________________/ #endif
[ "mingliang.liu@wsu.edu" ]
mingliang.liu@wsu.edu
18bd6d5804ab5d1befaa223c29121a7d49faaadd
faf682a4c3321258d7d2aaaa7c269bcfcb3b636b
/23.动态规划/23.动态规划/Knapsack.hpp
523f8986a6b90038f824538b7eb8bbdaec51db17
[]
no_license
forestfsl/DataStructure
14371e419495d54089675eb3bd6592ddc55acf37
7f41c64df88432bc75f9fda308fccd4015cca9a5
refs/heads/master
2021-07-23T08:04:29.819966
2021-07-22T11:57:53
2021-07-22T11:57:53
181,673,664
0
0
null
null
null
null
UTF-8
C++
false
false
4,380
hpp
// // Knapsack.hpp // 23.动态规划 // // Created by fengsl on 2020/2/2. // Copyright © 2020 NeonChange. All rights reserved. // #ifndef Knapsack_hpp #define Knapsack_hpp #include <stdio.h> class Knapsack{ public: /* 假设values是价值数组,weights是重量数组 编号为k的物品,价值是values[k],重量是weights[k],k属于[0,n) 假设dp(i,j)是最大承重为j,有前i件物品可选时的最大总价值,i属于[1,n),j属于[1,W] dp(i,0),dp(0,j) 初始值均为0 如果j < weights[i - 1],那么dp(i,j) = dp(i - 1,j) 如果j 大于等于 weights[i - 1],那么dp(i,j) = max(dp[i -1,j] (dp[i-1,j - weights[i-1]) + values[i - 1]); 动态-递归实现 */ int maxValue1(int *values,int *weights,int capacity,int valueLen,int weightLen){ if (values == nullptr || valueLen == 0) return 0; if(weights == nullptr || weightLen == 0) return 0; int **dp; // array[M][N] 分配内存要比传入来的数组加1,是为了确保不被越界 dp = (int **)malloc((valueLen + 1) * sizeof(int *)); for(int i = 0; i <= valueLen; i++) { dp[i] = (int *)malloc((capacity + 1) * sizeof(int)); } //输入二维数组的值 for (int i = 0; i <= valueLen;i++) { for (int j = 0; j <= capacity;j++) { dp[i][j] = 0; } } for (int i = 1; i <= valueLen; i++) { for (int j = 1; j <= capacity; j++) { if (j < weights[i - 1]) { dp[i][j] = dp[i - 1][j]; }else{ dp[i][j] = max(dp[i-1][j],values[i-1] + dp[i-1][j-weights[i-1]]); } } } return dp[valueLen][capacity]; } /* 动态非递归实现 通过图片(pdf课件08动态规划-0-1背包-非递归实现,一维数组),可以看出dp(i,j)都是由dp(i-1,k) 推导出来的,也就是说,第i行的数据是由它的上一行第i-1行推导出来的,因此,可以使用一维数组来优化, 另外,由于k小于等于j,所以j的遍历应该由大到小,否则会数据错乱 因为计算后面的值,需要用到前面的值,如果从左往右的话,当计算到某个值的时候,需要上面一行的前面数值的时候,会发现数值已经被当行给覆盖了,因为这个是一维数组 */ int maxValue2(int *values,int *weights,int capacity,int valueLen,int weightLen){ if (values == nullptr || valueLen == 0) return 0; if (weights == nullptr || weightLen == 0) return 0; if (valueLen != weightLen || capacity <= 0) return 0; int *dp = new int[capacity + 1]{0}; for (int i = 1; i <= valueLen; i++) { for (int j = capacity; j >= 1; j--) { if (j < weights[i - 1]) continue; dp[j] = max(dp[j],values[i - 1] + dp[j - weights[i - 1]]); } } return dp[capacity]; } //j的下界可以从1改为weights[i - 1] int maxValue3(int *values,int *weights,int capacity,int valueLen,int weightLen){ if (values == nullptr || valueLen == 0) return 0; if (weights == nullptr || weightLen == 0) return 0; if (valueLen != weightLen || capacity <= 0) return 0; int *dp = new int[capacity + 1]{0}; for (int i = 1; i <= valueLen; i++) { for (int j = capacity; j >= weights[i - 1]; j--) { dp[j] = max(dp[j],values[i - 1] + dp[j - weights[i - 1]]); } } return dp[capacity]; } int maxValueExactly(int *values,int *weights,int capacity,int valueLen,int weightLen){ if (values == nullptr || valueLen == 0) return 0; if (weights == nullptr || weightLen == 0) return 0; if (valueLen != weightLen || capacity <= 0) return 0; int *dp = new int[capacity + 1]{0}; for (int j = 1; j <= capacity; j++) { dp[j] = INT_MIN; } for (int i = 1; i <= valueLen; i++) { for (int j = capacity; j >= weights[i - 1]; j--) { dp[j] = max(dp[j] ,values[i - 1] + dp[j - weights[i - 1]]); } } return dp[capacity] < 0 ? - 1 : dp[capacity]; } }; #endif /* Knapsack_hpp */
[ "fengsonglin@beiyugame.com" ]
fengsonglin@beiyugame.com
8cb0093e73857f51d9556fdc05d577b8ce621a12
4a8148d44f5bde1d417535a1f9e46fc9cc983a06
/CopieurReseauLocal/Horloge.h
56f2217fadf48039ad8f5e213b9477757c35a5e8
[]
no_license
thomasheretic/Copieur-r-seau-local
f6cd48f56b5be4e4569a02df304c7cb13df8df17
36a84d45b9b08ff553cc1c9bf1737afed3f6fecb
refs/heads/master
2020-12-24T14:44:55.534116
2012-02-17T01:12:04
2012-02-17T01:12:04
3,412,344
0
0
null
null
null
null
IBM852
C++
false
false
578
h
#pragma once #include <string> #include <ctime> #include <iostream> using namespace std; //enum listeHorloge //{ // TIMER_AFFICHE=0, // TIMER_UPDATE, // TIMER_END //}; /** * \brief */ class Horloge { static Horloge* singleton; // int temps[TIMER_END]; //Le temps quand le timer est lancÚ time_t secondes; Horloge(); public: static Horloge* getInstance(); static Horloge* destruction(); void raffraichissement(); bool timerInferieurHorloge(time_t& timer); void horlogePlusDelai(time_t& timer, const int& delai); };
[ "thomasheretic@hotmail.com" ]
thomasheretic@hotmail.com
1c1d68dc4ef953de4b14a99c3ffb8c95c89eccdd
b2e0cae83c7b16a9601b457c150930f535433272
/CSS_342/lab4/lab4/prefix.h
7198f475df2b1f0e44527fc213befac7313e4b8c
[ "Unlicense" ]
permissive
eocrawford/UW-CS-materials
9d36f2bd7301d114b6e0f052e7e4acbf47834aa0
7c439b33d2c940520151501e3b82011803886e50
refs/heads/master
2021-01-22T14:38:44.956900
2014-08-05T17:26:43
2014-08-05T17:26:43
21,987,190
0
1
null
null
null
null
UTF-8
C++
false
false
1,254
h
#ifndef PREFIX_H #define PREFIX_H //--------------------------------------------------------------------------- // prefix.h // Prefix expression evaluator class // Author(s): Ethan Crawford (spec and partial code from Dr. Carol Zander) // Date: May 9, 2007 //--------------------------------------------------------------------------- // Prefix expression class: evaluates prefix expressions and outputs postfix // expressions. // Includes the following features: // -- Parse and evaluate prefix expressions // -- Output postfix expressions // // Assumptions: // -- Expressions in input files are in a valid format //--------------------------------------------------------------------------- #include <iostream> #include <fstream> using namespace std; int const MAXSIZE = 100; class Prefix { friend ostream& operator<<(ostream&, const Prefix&); public: Prefix() { expr[0] = '\0'; } void setPrefix(ifstream& infile); int evaluatePrefix() const; void outputAsPostfix(ostream&) const; private: char expr[MAXSIZE]; int evaluatePrefixHelper(int&) const; int evaluateOperation(const char op, const int one, const int two) const; void toPostfix(int&, char [], int&) const; }; #endif
[ "ethan_crawford@hotmail.com" ]
ethan_crawford@hotmail.com
0bb71eb15474816303728125db57d0dcd995838e
58c013c7d5367fc194016be9f53e402fd3d2a410
/string/reverse_words_in_a_given_string.cpp
f537a92c091cf2d3fdae024ce5caf283a2565127
[]
no_license
bharathreddygodi/geekforgeeks_must_do
9c3e33b88562be4872e8cf7c6a15a63208e3720c
aa07b0e7db4c709cc141ef50e57429b20b844b9b
refs/heads/master
2023-07-14T03:54:31.992668
2021-08-12T06:07:46
2021-08-12T06:09:16
385,782,976
0
0
null
null
null
null
UTF-8
C++
false
false
933
cpp
// { Driver Code Starts #include <bits/stdc++.h> using namespace std; // } Driver Code Ends class Solution { public: //Function to reverse words in a given string. string reverseWords(string S) { string ret; string word; int size = (int)S.length(); int i = size - 1; while(i >= 0) { if(S[i] == '.') { ret+=word; ret += "."; word = ""; } else { word = (S[i]) + word; } i--; } ret = ret + word + S[size]; return ret; } }; // { Driver Code Starts. int main() { int t; cin >> t; while (t--) { string s; cin >> s; Solution obj; cout<<obj.reverseWords(s)<<endl; } } // } Driver Code Ends
[ "bharath.reddygodi@gmail.com" ]
bharath.reddygodi@gmail.com
db701fb266dbcdd967bd0623e4258b60f1a2a04e
fbf94fb51489d7081e6f8070572d9f4648d7a4ba
/UbiGame_Blank/Source/GameEngine/EntitySystem/Components/RenderComponent.cpp
bc2e891448be1b76ed065495b5b257560efaaf67
[ "MIT" ]
permissive
UbisoftToronto/HackersNest
ad25a2c34e73e4cac52768c04cc86d4e106e9ac0
540f2c4dc4c8b5436b7f2f31697056c7090bcc44
refs/heads/main
2023-08-04T18:38:39.851022
2021-09-17T21:58:32
2021-09-17T21:58:32
317,994,633
17
35
MIT
2021-09-19T08:49:52
2020-12-02T21:21:07
C++
UTF-8
C++
false
false
1,846
cpp
#include "RenderComponent.h" #include "GameEngine/EntitySystem/Components/CollidableComponent.h" #include "GameEngine/EntitySystem/Entity.h" #include "GameEngine/GameEngineMain.h" #include <SFML/System/Vector2.hpp> #include <math.h> using namespace GameEngine; RenderComponent::RenderComponent() : m_fillColor(sf::Color::Green) , m_zLevel(0) { } RenderComponent::~RenderComponent() { } void RenderComponent::Update() { } void RenderComponent::Render(sf::RenderTarget* target) { if (!target) { return; } static bool drawDebug = false; //Debug draw of bounding boxes if (drawDebug) { if (CollidableComponent* collidable = GetEntity()->GetComponent<CollidableComponent>()) { sf::RectangleShape rect = sf::RectangleShape(); AABBRect aabb = collidable->GetWorldAABB(); rect.setSize(sf::Vector2f(aabb.width, aabb.height)); rect.setPosition(sf::Vector2f(aabb.left, aabb.top)); sf::Color col = m_fillColor; col.b = 255; rect.setFillColor(sf::Color::Transparent); rect.setOutlineThickness(2.f); if (GameEngineMain::GetInstance()->IsGameOver()) { float seconds = GameEngineMain::GetInstance()->GetGameTime(); float alphaVal = abs(sin(4 * seconds)); col.a = (int)(255.f * alphaVal); } rect.setOutlineColor(col); target->draw(rect); } //Debug draw of entity pos sf::RectangleShape shape(sf::Vector2f(5.f, 5.f)); sf::Vector2f pos = GetEntity()->GetPos(); pos -= shape.getSize() / 2.f; shape.setFillColor(m_fillColor); shape.setPosition(pos); if (GameEngineMain::GetInstance()->IsGameOver()) { float seconds = GameEngineMain::GetInstance()->GetGameTime(); float alphaVal = abs(sin(4 * seconds)); sf::Color gameOverCol = m_fillColor; gameOverCol.a = (int)(255.f * alphaVal); shape.setFillColor(gameOverCol); } target->draw(shape); } }
[ "kjeong0@gmail.com" ]
kjeong0@gmail.com
a99486090d2c4b8a49e166c424002d581a9de04a
3f6a29dcf54b0209deaca80925f09953f5eeb83f
/export/windows/cpp/obj/include/org/flixel/FlxTilemap.h
f557f02fddd7b7c2e04c34ae0bfa1c4ee6203759
[]
no_license
revilossor/ludum-dare-27
39a645185c22ba3337b6a6ad346c107a32b9f920
8f5d2e12e5f4e0a1c8d8a7905f3b0c5edb4e8624
refs/heads/master
2016-09-08T01:24:55.995525
2013-08-26T14:15:14
2013-08-26T14:15:14
null
0
0
null
null
null
null
UTF-8
C++
false
false
6,232
h
#ifndef INCLUDED_org_flixel_FlxTilemap #define INCLUDED_org_flixel_FlxTilemap #ifndef HXCPP_H #include <hxcpp.h> #endif #include <org/flixel/FlxObject.h> HX_DECLARE_CLASS2(flash,display,BitmapData) HX_DECLARE_CLASS2(flash,display,IBitmapDrawable) HX_DECLARE_CLASS2(flash,geom,Point) HX_DECLARE_CLASS2(flash,geom,Rectangle) HX_DECLARE_CLASS2(org,flixel,FlxBasic) HX_DECLARE_CLASS2(org,flixel,FlxCamera) HX_DECLARE_CLASS2(org,flixel,FlxObject) HX_DECLARE_CLASS2(org,flixel,FlxPath) HX_DECLARE_CLASS2(org,flixel,FlxSprite) HX_DECLARE_CLASS2(org,flixel,FlxTilemap) HX_DECLARE_CLASS3(org,flixel,system,FlxTile) HX_DECLARE_CLASS3(org,flixel,system,FlxTilemapBuffer) HX_DECLARE_CLASS3(org,flixel,util,FlxPoint) HX_DECLARE_CLASS3(org,flixel,util,FlxRect) namespace org{ namespace flixel{ class HXCPP_CLASS_ATTRIBUTES FlxTilemap_obj : public ::org::flixel::FlxObject_obj{ public: typedef ::org::flixel::FlxObject_obj super; typedef FlxTilemap_obj OBJ_; FlxTilemap_obj(); Void __construct(); public: static hx::ObjectPtr< FlxTilemap_obj > __new(); static Dynamic __CreateEmpty(); static Dynamic __Create(hx::DynamicArray inArgs); ~FlxTilemap_obj(); HX_DO_RTTI; static void __boot(); static void __register(); void __Mark(HX_MARK_PARAMS); void __Visit(HX_VISIT_PARAMS); ::String __ToString() const { return HX_CSTRING("FlxTilemap"); } virtual bool set_forceComplexRender( bool value); virtual Void updateBuffers( ); Dynamic updateBuffers_dyn(); virtual ::org::flixel::FlxSprite tileToFlxSprite( int X,int Y,hx::Null< int > NewTile); Dynamic tileToFlxSprite_dyn(); virtual Void updateFrameData( ); virtual Void updateTile( int Index); Dynamic updateTile_dyn(); virtual Void autoTile( int Index); Dynamic autoTile_dyn(); virtual ::org::flixel::util::FlxPoint rayHit( ::org::flixel::util::FlxPoint Start,::org::flixel::util::FlxPoint End,hx::Null< Float > Resolution); Dynamic rayHit_dyn(); virtual bool ray( ::org::flixel::util::FlxPoint Start,::org::flixel::util::FlxPoint End,::org::flixel::util::FlxPoint Result,hx::Null< Float > Resolution); Dynamic ray_dyn(); virtual ::org::flixel::util::FlxRect getBounds( ::org::flixel::util::FlxRect Bounds); Dynamic getBounds_dyn(); virtual Void follow( ::org::flixel::FlxCamera Camera,hx::Null< int > Border,hx::Null< bool > UpdateWorld); Dynamic follow_dyn(); virtual Void setTileProperties( int Tile,hx::Null< int > AllowCollisions,Dynamic Callback,::Class CallbackFilter,hx::Null< int > Range); Dynamic setTileProperties_dyn(); virtual bool setTileByIndex( int Index,int Tile,hx::Null< bool > UpdateGraphics); Dynamic setTileByIndex_dyn(); virtual bool setTile( int X,int Y,int Tile,hx::Null< bool > UpdateGraphics); Dynamic setTile_dyn(); virtual Array< ::Dynamic > getTileCoords( int Index,hx::Null< bool > Midpoint); Dynamic getTileCoords_dyn(); virtual Array< int > getTileInstances( int Index); Dynamic getTileInstances_dyn(); virtual int getTileByIndex( int Index); Dynamic getTileByIndex_dyn(); virtual int getTile( int X,int Y); Dynamic getTile_dyn(); virtual bool overlapsPoint( ::org::flixel::util::FlxPoint point,hx::Null< bool > InScreenSpace,::org::flixel::FlxCamera Camera); virtual bool overlapsWithCallback( ::org::flixel::FlxObject Object,Dynamic Callback,hx::Null< bool > FlipCallbackParams,::org::flixel::util::FlxPoint Position); Dynamic overlapsWithCallback_dyn(); virtual bool overlapsAt( Float X,Float Y,::org::flixel::FlxBasic ObjectOrGroup,hx::Null< bool > InScreenSpace,::org::flixel::FlxCamera Camera); virtual bool overlaps( ::org::flixel::FlxBasic ObjectOrGroup,hx::Null< bool > InScreenSpace,::org::flixel::FlxCamera Camera); virtual Void walkPath( Array< int > Data,int Start,Array< ::Dynamic > Points); Dynamic walkPath_dyn(); virtual Array< int > computePathDistance( int StartIndex,int EndIndex,bool WideDiagonal); Dynamic computePathDistance_dyn(); virtual Void raySimplifyPath( Array< ::Dynamic > Points); Dynamic raySimplifyPath_dyn(); virtual Void simplifyPath( Array< ::Dynamic > Points); Dynamic simplifyPath_dyn(); virtual ::org::flixel::FlxPath findPath( ::org::flixel::util::FlxPoint Start,::org::flixel::util::FlxPoint End,hx::Null< bool > Simplify,hx::Null< bool > RaySimplify,hx::Null< bool > WideDiagonal); Dynamic findPath_dyn(); virtual Void setDirty( hx::Null< bool > Dirty); Dynamic setDirty_dyn(); virtual Array< int > getData( hx::Null< bool > Simple); Dynamic getData_dyn(); virtual Void draw( ); virtual Void drawDebugOnCamera( ::org::flixel::FlxCamera Camera); virtual Void drawTilemap( ::org::flixel::system::FlxTilemapBuffer Buffer,::org::flixel::FlxCamera Camera); Dynamic drawTilemap_dyn(); virtual Void update( ); virtual ::org::flixel::FlxTilemap loadMap( Dynamic MapData,Dynamic TileGraphic,hx::Null< int > TileWidth,hx::Null< int > TileHeight,hx::Null< int > AutoTile,hx::Null< int > StartingIndex,hx::Null< int > DrawIndex,hx::Null< int > CollideIndex,hx::Null< int > RepeatX,hx::Null< int > RepeatY); Dynamic loadMap_dyn(); virtual Void destroy( ); Float tileScaleHack; int _repeatY; int _repeatX; Array< int > _rectIDs; ::flash::geom::Point _helperPoint; int _startingIndex; bool _lastVisualDebug; Array< ::Dynamic > _tileObjects; int _tileHeight; int _tileWidth; Array< int > _data; Array< ::Dynamic > _buffers; ::flash::display::BitmapData _tiles; ::flash::geom::Rectangle _flashRect; ::flash::geom::Point _flashPoint; int totalTiles; int heightInTiles; int widthInTiles; int _auto; static ::String imgAuto; static ::String imgAutoAlt; static ::String arrayToCSV( Array< int > Data,int Width,hx::Null< bool > Invert); static Dynamic arrayToCSV_dyn(); static ::String bitmapToCSV( ::flash::display::BitmapData bitmapData,hx::Null< bool > Invert,hx::Null< int > Scale,Array< int > ColorMap); static Dynamic bitmapToCSV_dyn(); static ::String imageToCSV( Dynamic ImageFile,hx::Null< bool > Invert,hx::Null< int > Scale); static Dynamic imageToCSV_dyn(); }; } // end namespace org } // end namespace flixel #endif /* INCLUDED_org_flixel_FlxTilemap */
[ "oliver.ross@hotmail.com" ]
oliver.ross@hotmail.com
b52d5df420545107ae2319e112ec856276151373
d0a3daad04d83c3266f92eb37ccbdcf2f6ce56af
/SampleProject/BTPlusPlus/Thread.cpp
bf94a62bfadac5c12378717c28598c10942cd92d
[ "MIT" ]
permissive
Pursche/AvalonStudio
b51807f04d6b2d250ea8e9c13804fe19fef7e3ca
424bdf30a59772d1a53c202eb5e04c32a3254bb4
refs/heads/master
2021-01-20T06:32:56.448625
2016-09-06T10:00:11
2016-09-06T10:00:11
67,428,410
0
0
null
2016-09-05T14:40:12
2016-09-05T14:40:11
null
UTF-8
C++
false
false
2,238
cpp
/****************************************************************************** * Description: * * Author: * Date: 22 July 2015 * *******************************************************************************/ #pragma mark Compiler Pragmas #pragma mark Includes #include "Thread.h" #include "FreeRTOS.h" #include "task.h" #include "Kernel.h" #pragma mark Definitions and Constants static const uint32_t DefaultStackDepth = 200; static const uint32_t DefaultTaskPriority = tskIDLE_PRIORITY + 1; #pragma mark Static Data typedef struct { void* stackPtr; void* userData; } TaskHandle; #pragma mark Static Functions void Thread::Execute (void* param) { auto thread = ((Thread*)param); thread->isCreated = true; if (thread->suspendImmediately) { Thread::Suspend (); } thread->action (); vTaskDelete (nullptr); } void Thread::Yield () { taskYIELD (); } void Thread::Sleep (uint32_t timeMs) { vTaskDelay (timeMs * portTICK_PERIOD_MS); } void Thread::Suspend () { vTaskSuspend (nullptr); } void Thread::BeginCriticalRegion () { portDISABLE_INTERRUPTS (); } void Thread::EndCriticalRegion () { portENABLE_INTERRUPTS (); } Thread* Thread::StartNew (Action action) { return Thread::StartNew (action, DefaultStackDepth); } Thread* Thread::StartNew (Action action, uint32_t stackDepth) { auto result = new Thread (action, stackDepth); result->Start (); return result; } Thread* Thread::GetCurrentThread () { return (Thread*)((TaskHandle*)xTaskGetCurrentTaskHandle ())->userData; } #pragma mark Member Implementations Thread::Thread (Action action, uint32_t stackDepth) { suspendImmediately = Kernel::IsRunning (); isCreated = false; handle = nullptr; this->action = action; xTaskCreate (Execute, nullptr, stackDepth, this, DefaultTaskPriority, &handle); if (suspendImmediately) { while (!isCreated) { Yield (); } } } Thread::Thread (Action action) : Thread (action, DefaultStackDepth) { } Thread::~Thread () { vTaskDelete (handle); } void Thread::Start () { Resume (); } void Thread::Resume () { vTaskResume (handle); }
[ "dan@walms.co.uk" ]
dan@walms.co.uk
38d5b3a35c2ea724d961fb0e64f56c101755d884
7cd65aa9c59b9746ce5577f123189a36fcd9fcda
/src/openvr/callback/UpdateSlave.cpp
39781c2c0c2b45d2bf907eb07a0c0e63d9e3c0f6
[]
no_license
Phirxian/sacred-fractal
119274a16fad510c7a452cbf12e75a28601bae59
626d95e33602c14b93897b715a18639f9b6a6f4e
refs/heads/main
2023-01-11T21:02:46.003008
2020-11-16T20:39:31
2020-11-16T20:39:31
313,420,730
0
1
null
null
null
null
UTF-8
C++
false
false
1,130
cpp
#include "UpdateSlave.h" #include "Swap.h" namespace sacred { namespace openvr { namespace callback { UpdateSlave::UpdateSlave(CameraType cameraType, device::Device *device, Swap *swapCallback) : m_cameraType(cameraType), m_device(device), m_swapCallback(swapCallback) { } void UpdateSlave::updateSlave(osg::View &view, osg::View::Slave &slave) { if(m_cameraType == LEFT_CAMERA) m_device->updatePose(); osg::Vec3 position = m_device->position(); osg::Quat orientation = m_device->orientation(); osg::Matrix viewOffset = (m_cameraType == LEFT_CAMERA) ? m_device->viewMatrixLeft() : m_device->viewMatrixRight(); viewOffset.preMultRotate(orientation); viewOffset.setTrans(viewOffset.getTrans() + position); slave._viewOffset = viewOffset; slave.updateSlaveImplementation(view); } } } }
[ "phirxian@gmail.com" ]
phirxian@gmail.com
fec7b9315cd828ef9aa96a64b81655d7bd477f46
a8264b3bad5de463a30b7f739b1cd6bc8db02514
/Lection/Lection3/Lection3/Lection3.cpp
194353db89892f0c1e097f6de9e3c92ac7b1d7ee
[]
no_license
CoursesCPP/Tasks2017
cdf31d99b52739771e57bb00e4f71394c133b45b
74819d887496883ea431ef8ee5605be54ddd650f
refs/heads/master
2021-01-22T23:06:33.918149
2017-10-24T20:07:11
2017-10-24T20:07:11
85,605,079
0
0
null
null
null
null
UTF-8
C++
false
false
8,349
cpp
// Lection3.cpp : Defines the entry point for the console application. // #include "stdafx.h" #include <iostream> #include <string> #include <cmath> using namespace std; void faсtorial(int numb) //заголовок функции { int rezult = 1; //инициализируем переменную rezult значением 1 for (int i = 1; i <= numb; i++) //цикл вычисления значения n! rezult *= i; //накапливаем произведение в переменной rezult cout << numb << "! = " << rezult << endl; //печать значения n! } int faсtorialint(int numb)// заголовок функции { int rezult = 1; // инициализируем переменную rezult значением 1 for (int i = 1; i <= numb; i++) // цикл вычисления значения n! rezult *= i; // накапливаем произведение в переменной rezult return rezult; // передаём значение факториала в главную функцию } bool palendrom5(int); //прототип функции нахождения палиндрома пятизначных чисел void check_pass(string password) { string valid_pass = "q1w2e3"; if (password == valid_pass) { cout << "Доступ разрешен." << endl; } else { cout << "Неверный пароль!" << endl; } } string check_pass_str(string password) { string valid_pass = "qwerty123"; string error_message; if (password == valid_pass) { error_message = "Доступ разрешен."; } else { error_message = "Неверный пароль!"; } return error_message; } #pragma region Пароль рекурсия bool password_is_valid(string password) { string valid_pass = "q1w2e3"; if (valid_pass == password) return true; else return false; } void get_pass() { string user_pass; cout << "Введите пароль: "; getline(cin, user_pass); if (!password_is_valid(user_pass)) { cout << "Неверный пароль!" << endl; system("cls"); get_pass(); // Здесь делаем рекурсию } else { cout << "Доступ разрешен." << endl; } } #pragma endregion #pragma region Inline функции inline void hello() { cout << "hello\n"; } #pragma endregion double triangle_area(const double a = 5, const double b = 6.5, const double c = 10.7); //параметры функции инициализированы по умолчанию #pragma region Расчет площади треугольника по умолчанию double triangle_area(const double a, const double b, const double c) // функция вычисления площади треугольника по формуле Герона { const double p = (a + b + c) / 2; // полупериметр cout << "a = " << a << "\nb = " << b << "\nc = " << c << endl; return (sqrt(p * (p - a) * (p - b) * (p - c))); // формула Герона для нахождения площади треугольника } #pragma endregion void counter() { static int first_call = 0; first_call ++; cout << first_call << endl; } int main() { setlocale(LC_ALL, "Russian"); #pragma region Логические операции /* bool a1 = true, a2 = false; // объявление логических переменных bool a3 = true, a4 = false; cout << "Таблица истинности &&" << endl; cout << "true && false: " << (a1 && a2) << endl // логическое И << "false && true: " << (a2 && a1) << endl << "true && true: " << (a1 && a3) << endl << "false && false: " << (a2 && a4) << endl; cout << "Таблица истинности ||" << endl; cout << "true || false: " << (a1 || a2) << endl // логическое ИЛИ << "false || true: " << (a2 || a1) << endl << "true || true: " << (a1 || a3) << endl << "false || false: " << (a2 || a4) << endl; cout << "Таблица истинности !" << endl; cout << "!true: " << (!a1) << endl // логическое НЕ << "!false: " << (!a2) << endl; */ #pragma endregion #pragma region Факториал /* int digit; //переменная для хранения значения n! cout << "Введите число: "; cin >> digit; faсtorial(digit); //вызов функции нахождения факториала */ #pragma endregion #pragma region Факториал инт /* int digit; // переменная для хранения значения n! cout << "Введите число: "; cin >> digit; cout << digit << "! = " << faсtorialint(digit) << endl;// запуск функции нахождения факториала */ #pragma endregion #pragma region Палиндром /* cout << "Введите 5-ти значное число: "; // введите пятизначное число int in_number, out_number; // переменные для хранения введённого пятизначного числа cin >> in_number; out_number = in_number; // в переменную out_number сохраняем введённое число if (palendrom5(in_number)) // если функция вернёт true, то условие истинно, иначе функция вернёт false - ложно cout << "Число " << out_number << " - палиндром" << endl; else cout << "Это число не палиндром" << endl; */ #pragma endregion #pragma region Пароль не функция /* string valid_pass = "q1w2e3"; string user_pass; cout << "Введите пароль: "; getline(cin, user_pass); if (user_pass == valid_pass) { cout << "Доступ разрешен." << endl; } else { cout << "Неверный пароль!" << endl; } */ #pragma endregion #pragma region Пароль функция /* string user_pass; cout << "Введите пароль: "; getline(cin, user_pass); check_pass(user_pass); */ #pragma endregion #pragma region Пароль строка /* string user_pass; cout << "Введите пароль: "; getline(cin, user_pass); string error_msg = check_pass_str(user_pass); cout << error_msg << endl; */ #pragma endregion #pragma region Пароль рекурсия /* get_pass(); */ #pragma endregion #pragma region Расчет площади треугольника по умолчанию cout << "S = " << triangle_area() << endl << endl; // все параметры используются по умолчанию cout << "S = " << triangle_area(10, 5) << endl << endl; // только последний параметр используется по умолчанию cout << "S = " << triangle_area(7) << endl << endl; // два последних параметра берутся по умолчанию, а первый равен 7 #pragma endregion #pragma region Inline hello /* hello(); */ #pragma endregion system("pause"); return 0; } #pragma region Палиндром-ф bool palendrom5(int number) // функция нахождения палиндрома пятизначных чисел { int balance1, balance2, balance4, balance5; // переменные хранящие промежуточные результаты balance1 = number % 10; // переменной balance1 присвоили первый разряд пятизначного числа number = number / 10; // уменьшаем введённое число на один разряд balance2 = number % 10; // переменной balance2 присвоили второй разряд number = number / 100; // уменьшаем введённое число на два разряда balance4 = number % 10; // переменной balance4 присвоили четвёртый разряд number = number / 10; // уменьшаем введённое число на один разряд balance5 = number % 10; // переменной balance5 присвоили пятый разряд if ((balance1 == balance5) && (balance2 == balance4)) return true; // функция возвращает истинное значение else return false; // функция возвращает ложное значение } #pragma endregion
[ "begotten63@gmail.com" ]
begotten63@gmail.com
25ba49ac47ae447c2a1fdbacb55c310b42ad5292
44b15d35ca9686baa1c5579ae4db8b298e514508
/MipsCompiler/FileStructure.cpp
ae8888d0f1c6163327d3233f522f3f1b0fb72474
[]
no_license
DougWagner/Mips-C-Compiler
6811d26d42fb5950bee767a2ed0302c3b160ca56
846980793a31cafcdab100743195877ffa5a71f6
refs/heads/master
2021-01-10T17:10:51.132011
2015-12-16T19:29:56
2015-12-16T19:29:56
47,158,064
1
0
null
null
null
null
UTF-8
C++
false
false
2,960
cpp
#include "FileStructure.h" FileStructure::FileStructure(std::vector<std::string> fileVect) { root = createBlock(0, fileVect.size() - 1, 0, fileVect[fileVect.size() - 1].length(), 0); // parent is 0 because root unsigned int i = 0; size_t x = 0; fillBlockTree(&i, &x, root, fileVect); //printStructure(root, fileVect); //printBlock(findBlockContainingLine(17), fileVect); } Block* FileStructure::createBlock(int x, int y, size_t xPos, size_t yPos, Block* p) { Block* b = new Block; b->top = x; b->bottom = y; b->topPos = xPos; b->bottomPos = yPos; b->parent = p; return b; } Block* FileStructure::createBlock(int x, size_t xPos, Block* p) { Block* b = new Block; b->top = x; b->topPos = xPos; b->parent = p; return b; } void FileStructure::fillBlockTree(unsigned int* idx, size_t* lidx, Block* block, std::vector<std::string> vec) { /* for (*idx; *idx < vec.size(); *idx += 1) { auto x = vec[*idx].find("{", lidx); if (x != std::string::npos) { Block* newBlock = createBlock(*idx, x, block); block->children.push_back(newBlock); fillBlockTree(idx, x + 1, newBlock, vec); lidx++; } auto y = vec[*idx].find("}", lidx); if (y != std::string::npos) { block->bottom = *idx; block->bottomPos = y; break; } lidx = 0; } */ for (*idx; *idx < vec.size(); *idx += 1) { *lidx = vec[*idx].find("{", *lidx); if (*lidx != std::string::npos) { Block* newBlock = createBlock(*idx, *lidx, block); block->children.push_back(newBlock); *lidx += 1; fillBlockTree(idx, lidx, newBlock, vec); *lidx += 1; //lidx++; } if(*lidx == std::string::npos) { *lidx = 0; } *lidx = vec[*idx].find("}", *lidx); if (*lidx != std::string::npos) { block->bottom = *idx; block->bottomPos = *lidx; break; } *lidx = 0; } } Block* FileStructure::findBlockContainingLine(int lnum) { Block* current = root; for (unsigned int i = 0; i < current->children.size(); i++) { if (lnum >= current->children[i]->top && lnum < current->children[i]->bottom) { return findBlockContainingLine(lnum, current->children[i]); } } return current; } Block* FileStructure::findBlockContainingLine(int lnum, Block* current) { for (unsigned int i = 0; i < current->children.size(); i++) { if (lnum >= current->children[i]->top && lnum < current->children[i]->bottom) { return findBlockContainingLine(lnum, current->children[i]); } } return current; } void FileStructure::printStructure(Block* block, std::vector<std::string> vec) { for (unsigned int i = 0; i < block->children.size(); i++) { printStructure(block->children[i], vec); } std::cout << "Start Block" << std::endl; for (int i = block->top; i <= block->bottom; i++) { std::cout << vec[i] << std::endl; } std::cout << std::endl; } void FileStructure::printBlock(Block* block, std::vector<std::string> vec) { for (int i = block->top; i <= block->bottom; i++) { std::cout << vec[i] << std::endl; } }
[ "digwagner@gmail.com" ]
digwagner@gmail.com
5974aa242e8a6164b24ab07b62389ec1e959b2a7
a7ec21ad27dd84fdcdc783ddde48cd636b4a9667
/Include/FogOfWarManager.h
59c2b43447949687b4ab08300064e1c56d7a4785
[]
no_license
LMNTMaster/SC
87f1c46ddf5357f042ea019c07c629fea22ea621
92e9fae29957a6a78cb8e9cbc7f4de6cce5a58f6
refs/heads/master
2020-06-07T15:00:20.690049
2019-06-21T07:07:01
2019-06-21T07:07:01
193,044,318
0
0
null
null
null
null
UTF-8
C++
false
false
999
h
#pragma once #include "Game.h" class CFogOfWarManager { private: static CFogOfWarManager* m_pInstance; public: static CFogOfWarManager* GetInstance() { if (!m_pInstance) { m_pInstance = new CFogOfWarManager; } return m_pInstance; } static void DestroyInstance() { if (m_pInstance) { delete m_pInstance; m_pInstance = NULL; } } private: vector<FOW> m_vecTile; vector<FOW> m_vecPrevTile; public: void SetTileSize(int iWidth, int iHeight); void SetTileState(int index, FOW_STATE eState, bool bVisit); FOW GetTileState(int index) { if(m_vecTile.size() > 0) return m_vecTile[index]; } int GetTileCount() const { return m_vecTile.size(); } void SetPrevTileState(int index, FOW_STATE eState, bool bVisit); void SetPrevTileState(int index, FOW tFOW); FOW GetPrevTileState(int index) { return m_vecPrevTile[index]; } void CopyToPrev(); void ClearTileState(); public: void Initialize(); public: CFogOfWarManager(); ~CFogOfWarManager(); };
[ "es_cs@naver.com" ]
es_cs@naver.com
6f43f5eac09b7c8b9e4bff948337be2ce7c32c8a
629c92ac76d6c7e37049ab603350febed34b33fd
/OpenServerCommand.cpp
6d3d2082b70ea0a68ce42b6db4b03bec9dfcac12
[]
no_license
renanaya48/flight
7a77c4e1b1f91a05b2613174427a5401ba077766
c7f9439fcee762229a20adcc7740c2978796cf4b
refs/heads/master
2020-04-12T16:20:54.539505
2018-12-20T17:37:47
2018-12-20T17:37:47
162,609,798
0
0
null
null
null
null
UTF-8
C++
false
false
2,196
cpp
#include "OpenServerCommand.h" struct socketArgs { int port; int listenTime; }; OpenServerCommand::OpenServerCommand() { } void* openSocket(void* args) { struct socketArgs* arg = (struct socketArgs*) args; int sockfd, newsockfd, portno, clilen; char buffer[256]; struct sockaddr_in serv_addr, cli_addr; int n; /* First call to socket() function */ sockfd = socket(AF_INET, SOCK_STREAM, 0); if (sockfd < 0) { perror("ERROR opening socket"); exit(1); } /* Initialize socket structure */ bzero((char *) &serv_addr, sizeof(serv_addr)); portno = arg->port; serv_addr.sin_family = AF_INET; serv_addr.sin_addr.s_addr = INADDR_ANY; serv_addr.sin_port = htons(portno); /* Now bind the host address using bind() call.*/ if (bind(sockfd, (struct sockaddr *) &serv_addr, sizeof(serv_addr)) < 0) { perror("ERROR on binding"); exit(1); } /* Now start listening for the clients, here process will * go in sleep mode and will wait for the incoming connection*/ listen(sockfd,arg->listenTime); clilen = sizeof(cli_addr); /* Accept actual connection from the client */ newsockfd = accept(sockfd, (struct sockaddr *)&cli_addr, (socklen_t*)&clilen); if (newsockfd < 0) { perror("ERROR on accept"); exit(1); } /* If connection is established then start communicating */ bzero(buffer,256); n = read( newsockfd,buffer,255 ); if (n < 0) { perror("ERROR reading from socket"); exit(1); } printf("Here is the message: %s\n",buffer); /* Write a response to the client */ n = write(newsockfd,"I got your message",18); if (n < 0) { perror("ERROR writing to socket"); exit(1); } } int OpenServerCommand::doCommand(vector<string>::iterator &vectorIt) { int port,time; port = stoi(*vectorIt); vectorIt++; time = stoi(*vectorIt); struct socketArgs* arg = new socketArgs(); arg->port = port; arg->listenTime = time; pthread_t pthread; pthread_create(&pthread, nullptr, openSocket, arg); pthread_detach(pthread); return 0; }
[ "noreply@github.com" ]
noreply@github.com
3c040a33f5a95dbfc834c2df0056dee8dd9e91c3
df820f5e2ed751f251ac02530e2c6be16633895d
/mkr1000_blinkWebServer.ino
702ce39510b9fc82eb9d0578a244f54f69512754
[]
no_license
peterso/mkr1000WebServer
09b98c4b21fc13894a7748bcf403fa397619625c
cf1f9d83e2ab32b2064a3f9dcf1aab1e2b3495bd
refs/heads/master
2021-01-11T16:53:26.100904
2017-01-22T04:19:03
2017-01-22T04:19:03
79,689,415
0
0
null
null
null
null
UTF-8
C++
false
false
5,817
ino
#include <WiFi101.h> #include <WiFiClient.h> #include <WiFiServer.h> #include <WiFiSSLClient.h> #include <WiFiUdp.h> /* * This example is modified from the original file * https://github.com/arduino-libraries/WiFi101/blob/master/examples/SimpleWebServerWiFi/SimpleWebServerWiFi.ino */ #include <SPI.h> #include <WiFi101.h> char ssid[] = "<ssid name>"; // your network SSID (name) char pass[] = "<ssid network password>"; // your network password int keyIndex = 0; // your network key Index number (needed only for WEP) int ledpin = 6; bool val = true; int status = WL_IDLE_STATUS; WiFiServer server(80); void setup() { Serial.begin(9600); // initialize serial communication Serial.print("Start Serial "); pinMode(ledpin, OUTPUT); // set the LED pin mode // Check for the presence of the shield Serial.print("WiFi101 shield: "); if (WiFi.status() == WL_NO_SHIELD) { Serial.println("NOT PRESENT"); return; // don't continue } Serial.println("DETECTED"); // attempt to connect to Wifi network: while ( status != WL_CONNECTED) { digitalWrite(ledpin, LOW); Serial.print("Attempting to connect to Network named: "); Serial.println(ssid); // print the network name (SSID); digitalWrite(ledpin, HIGH); // Connect to WPA/WPA2 network. Change this line if using open or WEP network: status = WiFi.begin(ssid, pass); // wait 5 seconds for connection: delay(5000); } server.begin(); // start the web server on port 80 printWifiStatus(); // you're connected now, so print out the status digitalWrite(ledpin, HIGH); } void loop() { WiFiClient client = server.available(); // listen for incoming clients if (client) { // if you get a client, Serial.println("new client"); // print a message out the serial port String currentLine = ""; // make a String to hold incoming data from the client while (client.connected()) { // loop while the client's connected if (client.available()) { // if there's bytes to read from the client, char c = client.read(); // read a byte, then Serial.write(c); // print it out the serial monitor if (c == '\n') { // if the byte is a newline character // if the current line is blank, you got two newline characters in a row. // that's the end of the client HTTP request, so send a response: if (currentLine.length() == 0) { // HTTP headers always start with a response code (e.g. HTTP/1.1 200 OK) // and a content-type so the client knows what's coming, then a blank line: client.println("HTTP/1.1 200 OK"); client.println("Content-type:text/html"); client.println(); // the content of the HTTP response follows the header: client.print("Click <a href=\"/H\">here</a> turn the LED on pin 9 on<br>"); client.print("Click <a href=\"/L\">here</a> turn the LED on pin 9 off<br>"); client.print("Click <a href=\"/P\">here</a> to perform custom task like blink the LED on pin 9 three times<br>"); client.print("Click <a href=\"/message\">here</a> to send \"Hey!\" message to the console<br>"); // The HTTP response ends with another blank line: client.println(); // break out of the while loop: break; } else { // if you got a newline, then clear currentLine: currentLine = ""; } } else if (c != '\r') { // if you got anything else but a carriage return character, currentLine += c; // add it to the end of the currentLine } // Check to see if the client request was "GET /H" or "GET /L": if (currentLine.endsWith("GET /H")) { digitalWrite(ledpin, HIGH); // GET /H turns the LED on } if (currentLine.endsWith("GET /L")) { digitalWrite(ledpin, LOW); // GET /L turns the LED off } // Define custom behavior with this URL if (currentLine.endsWith("GET /P")) { digitalWrite(ledpin, HIGH); // GET /L turns the LED on delay(100); digitalWrite(ledpin, LOW); // GET /L turns the LED off delay(100); digitalWrite(ledpin, HIGH); // GET /L turns the LED on delay(100); digitalWrite(ledpin, LOW); // GET /L turns the LED off delay(100); digitalWrite(ledpin, HIGH); // GET /L turns the LED on delay(100); digitalWrite(ledpin, LOW); // GET /L turns the LED off delay(100); } if (currentLine.endsWith("GET /message")) { Serial.println(); Serial.println("========"); Serial.println("Hey!"); Serial.println("========"); } } } // close the connection: client.stop(); Serial.println("client disonnected"); } } void printWifiStatus() { // print the SSID of the network you're attached to: Serial.print("SSID: "); Serial.println(WiFi.SSID()); // print your WiFi shield's IP address: IPAddress ip = WiFi.localIP(); Serial.print("IP Address: "); Serial.println(ip); // print the received signal strength: long rssi = WiFi.RSSI(); Serial.print("signal strength (RSSI):"); Serial.print(rssi); Serial.println(" dBm"); // print where to go in a browser: Serial.print("To see this page in action, open a browser to http://"); Serial.println(ip); }
[ "petermjso@gmail.com" ]
petermjso@gmail.com
0c01ae5e1557a2d17f2e1eea1a2e06f2af9ba2d1
b0dd7779c225971e71ae12c1093dc75ed9889921
/libs/tr1/test/type_traits/tr1_remove_const_test.cpp
f30cdc2e916d5f1cb68e1697205e37e69d628b4b
[ "LicenseRef-scancode-warranty-disclaimer", "BSL-1.0" ]
permissive
blackberry/Boost
6e653cd91a7806855a162347a5aeebd2a8c055a2
fc90c3fde129c62565c023f091eddc4a7ed9902b
refs/heads/1_48_0-gnu
2021-01-15T14:31:33.706351
2013-06-25T16:02:41
2013-06-25T16:02:41
2,599,411
244
154
BSL-1.0
2018-10-13T18:35:09
2011-10-18T14:25:18
C++
UTF-8
C++
false
false
289
cpp
// Copyright John Maddock 2005 // Use, modification and distribution are subject to the // Boost Software License, Version 1.0. (See accompanying file // LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt) #include "libs/type_traits/test/remove_const_test.cpp"
[ "tvaneerd@rim.com" ]
tvaneerd@rim.com
50de2a250200b19e6589c985c3af70627df252aa
a527190bfbfd5fb56903228029f651d1d2439e6e
/tests-raw/foo8.cpp
bb689de5640d52af1fa3a44172b0dbce43fe1cfa
[]
no_license
chichunchen/Tombstones
3bb629fbf75d645b018d3922bd876bde84277c52
699536a85c876f7f5128e8229e251e93450265b5
refs/heads/master
2021-03-27T09:48:04.130075
2017-11-21T21:39:38
2017-11-21T21:39:38
null
0
0
null
null
null
null
UTF-8
C++
false
false
867
cpp
///////////////////////////////////////////////////////////////////////////// // foo8.cpp, test file for CS254, assignment 5 ///////////////////////////////////////////////////////////////////////////// #include <iostream> #include <stdlib.h> #include "tombstones.h" using namespace std; void error(const char *text) { cout << "ERROR: " << text << endl; exit(-1); } void fun(Pointer<int, false> &foo, int n) { Pointer<int, false> bar(foo); if (n == 0) *bar = 100; else { fun(bar, n-1); if (n == 10) { if (*foo != 100) error("Linking of pointers not correct!"); free(foo); } } } int main(int argc, char **argv) { Pointer<int, false> foo(new int(0)); fun(foo, 10); Pointer<int, false> bar(foo); error("Didn't complain about use of dangling pointer foo!"); return 0; }
[ "chichunchen844@gmail.com" ]
chichunchen844@gmail.com
810235694473cad99ef891552439a9b362ff3138
ba5e6dfce2d238a599eeb23ed500c68ae00ee5ed
/behavioral/mediator/mediator/main.cpp
6b4794dcefa9848a057e935620a9e5a5a725b90f
[]
no_license
kkoltunski/designPatterns
f803abdf95f532aa3c84ad2f28aba3555289c41f
f4eb456a637f141a4d2a755c7b414deb94e565ce
refs/heads/master
2022-12-07T22:33:04.055640
2020-08-22T08:27:36
2020-08-22T08:27:36
259,417,855
0
0
null
null
null
null
UTF-8
C++
false
false
370
cpp
#include "header.h" int main() { mediator* pToEventHandler{ userInterface::instance()->shareEventHandler() }; timer synchroniusEvent(3000, pToEventHandler); mousePress mousePressEvent{pToEventHandler }; taskExecutor cpuMeasurment; pToEventHandler->executorAssigment(&cpuMeasurment); do { userInterface::instance()->showUserDialog(); } while (1); return 0; }
[ "koltunski.klaudiusz@gmail.com" ]
koltunski.klaudiusz@gmail.com
6165a231e7511801650480105f6162e81eded3e0
17042c12a14810173f59d83f18e97a60541fbcf5
/include/ctrlmenubar.h
6a320a29169852731819508484f040fd1e00b4f0
[ "Apache-2.0" ]
permissive
jdorris1331/PDER-1.0
08d62488265409c050b97ec1e47beee6f7d3050a
b15f43b3076f0178df32470b1fe459a77f012daf
refs/heads/master
2020-05-20T02:44:00.455718
2014-12-03T17:46:22
2014-12-03T17:46:22
null
0
0
null
null
null
null
UTF-8
C++
false
false
279
h
#ifndef CTRLMENUBAR_H #define CTRLMENUBAR_H //#include <Windows.h> #include <FL/Fl_Menu_Bar.H> #include <FL/Fl_Menu.H> #include <FL/Fl_Menu_Item.H> class CtrlMenuBar : public Fl_Menu_Bar { private: //Fl_Menu_Item *mbItems; public: CtrlMenuBar(); }; #endif // CTRLMENUBAR_H
[ "jdorris1331@gmail.com" ]
jdorris1331@gmail.com
dd42f57eb6cd2cbea133c1e4df76a3e89822f859
67b595fe55b531dc0f9591cf273e88f63b15e01a
/boost_tcp_example/server.cpp
5d0e40f2582ae2c95e8f414019d66436373cd8b0
[]
no_license
lxdiyun/C
2e585b7e3512276fed0c32f0f82aa96d18f4bea3
f144ccb9cbc36cca1d25a16d379d245135167f80
refs/heads/master
2021-01-23T12:43:34.407640
2012-06-07T08:29:55
2012-06-07T08:29:55
2,359,939
6
1
null
null
null
null
UTF-8
C++
false
false
11,943
cpp
// // server.cpp // ~~~~~~~~~~ // // Copyright (c) 2003-2011 Christopher M. Kohlhoff (chris at kohlhoff dot com) // // Distributed under the Boost Software License, Version 1.0. (See accompanying // file LICENSE_1_0.txt or copy at http://www.boost.org/LICENSE_1_0.txt) // #include <algorithm> #include <cstdlib> #include <deque> #include <iostream> #include <set> #include <boost/bind.hpp> #include <boost/shared_ptr.hpp> #include <boost/enable_shared_from_this.hpp> #include <boost/asio/deadline_timer.hpp> #include <boost/asio/io_service.hpp> #include <boost/asio/ip/tcp.hpp> #include <boost/asio/ip/udp.hpp> #include <boost/asio/read_until.hpp> #include <boost/asio/streambuf.hpp> #include <boost/asio/write.hpp> using boost::asio::deadline_timer; using boost::asio::ip::tcp; using boost::asio::ip::udp; //---------------------------------------------------------------------- class subscriber { public: virtual ~subscriber() {} virtual void deliver(const std::string& msg) = 0; }; typedef boost::shared_ptr<subscriber> subscriber_ptr; //---------------------------------------------------------------------- class channel { public: void join(subscriber_ptr subscriber) { subscribers_.insert(subscriber); } void leave(subscriber_ptr subscriber) { subscribers_.erase(subscriber); } void deliver(const std::string& msg) { std::for_each(subscribers_.begin(), subscribers_.end(), boost::bind(&subscriber::deliver, _1, boost::ref(msg))); } private: std::set<subscriber_ptr> subscribers_; }; //---------------------------------------------------------------------- // // This class manages socket timeouts by applying the concept of a deadline. // Some asynchronous operations are given deadlines by which they must complete. // Deadlines are enforced by two "actors" that persist for the lifetime of the // session object, one for input and one for output: // // +----------------+ +----------------+ // | | | | // | check_deadline |<---+ | check_deadline |<---+ // | | | async_wait() | | | async_wait() // +----------------+ | on input +----------------+ | on output // | | deadline | | deadline // +---------+ +---------+ // // If either deadline actor determines that the corresponding deadline has // expired, the socket is closed and any outstanding operations are cancelled. // // The input actor reads messages from the socket, where messages are delimited // by the newline character: // // +------------+ // | | // | start_read |<---+ // | | | // +------------+ | // | | // async_- | +-------------+ // read_- | | | // until() +--->| handle_read | // | | // +-------------+ // // The deadline for receiving a complete message is 30 seconds. If a non-empty // message is received, it is delivered to all subscribers. If a heartbeat (a // message that consists of a single newline character) is received, a heartbeat // is enqueued for the client, provided there are no other messages waiting to // be sent. // // The output actor is responsible for sending messages to the client: // // +--------------+ // | |<---------------------+ // | await_output | | // | |<---+ | // +--------------+ | | // | | | async_wait() | // | +--------+ | // V | // +-------------+ +--------------+ // | | async_write() | | // | start_write |-------------->| handle_write | // | | | | // +-------------+ +--------------+ // // The output actor first waits for an output message to be enqueued. It does // this by using a deadline_timer as an asynchronous condition variable. The // deadline_timer will be signalled whenever the output queue is non-empty. // // Once a message is available, it is sent to the client. The deadline for // sending a complete message is 30 seconds. After the message is successfully // sent, the output actor again waits for the output queue to become non-empty. // class tcp_session : public subscriber, public boost::enable_shared_from_this<tcp_session> { public: tcp_session(boost::asio::io_service& io_service, channel& ch) : channel_(ch), socket_(io_service), input_deadline_(io_service), non_empty_output_queue_(io_service), output_deadline_(io_service) { input_deadline_.expires_at(boost::posix_time::pos_infin); output_deadline_.expires_at(boost::posix_time::pos_infin); // The non_empty_output_queue_ deadline_timer is set to pos_infin whenever // the output queue is empty. This ensures that the output actor stays // asleep until a message is put into the queue. non_empty_output_queue_.expires_at(boost::posix_time::pos_infin); } tcp::socket& socket() { return socket_; } // Called by the server object to initiate the four actors. void start() { channel_.join(shared_from_this()); start_read(); input_deadline_.async_wait( boost::bind(&tcp_session::check_deadline, shared_from_this(), &input_deadline_)); await_output(); output_deadline_.async_wait( boost::bind(&tcp_session::check_deadline, shared_from_this(), &output_deadline_)); } private: void stop() { channel_.leave(shared_from_this()); boost::system::error_code ignored_ec; socket_.close(ignored_ec); input_deadline_.cancel(); non_empty_output_queue_.cancel(); output_deadline_.cancel(); } bool stopped() const { return !socket_.is_open(); } void deliver(const std::string& msg) { output_queue_.push_back(msg + "\n"); // Signal that the output queue contains messages. Modifying the expiry // will wake the output actor, if it is waiting on the timer. non_empty_output_queue_.expires_at(boost::posix_time::neg_infin); } void start_read() { // Set a deadline for the read operation. input_deadline_.expires_from_now(boost::posix_time::seconds(30)); // Start an asynchronous operation to read a newline-delimited message. boost::asio::async_read_until(socket_, input_buffer_, '\n', boost::bind(&tcp_session::handle_read, shared_from_this(), _1)); } void handle_read(const boost::system::error_code& ec) { if (stopped()) return; if (!ec) { // Extract the newline-delimited message from the buffer. std::string msg; std::istream is(&input_buffer_); std::getline(is, msg); if (!msg.empty()) { channel_.deliver(msg); } else { // We received a heartbeat message from the client. If there's nothing // else being sent or ready to be sent, send a heartbeat right back. if (output_queue_.empty()) { output_queue_.push_back("\n"); // Signal that the output queue contains messages. Modifying the // expiry will wake the output actor, if it is waiting on the timer. non_empty_output_queue_.expires_at(boost::posix_time::neg_infin); } } start_read(); } else { stop(); } } void await_output() { if (stopped()) return; if (output_queue_.empty()) { // There are no messages that are ready to be sent. The actor goes to // sleep by waiting on the non_empty_output_queue_ timer. When a new // message is added, the timer will be modified and the actor will wake. non_empty_output_queue_.expires_at(boost::posix_time::pos_infin); non_empty_output_queue_.async_wait( boost::bind(&tcp_session::await_output, shared_from_this())); } else { start_write(); } } void start_write() { // Set a deadline for the write operation. output_deadline_.expires_from_now(boost::posix_time::seconds(30)); // Start an asynchronous operation to send a message. boost::asio::async_write(socket_, boost::asio::buffer(output_queue_.front()), boost::bind(&tcp_session::handle_write, shared_from_this(), _1)); } void handle_write(const boost::system::error_code& ec) { if (stopped()) return; if (!ec) { output_queue_.pop_front(); await_output(); } else { stop(); } } void check_deadline(deadline_timer* deadline) { if (stopped()) return; // Check whether the deadline has passed. We compare the deadline against // the current time since a new asynchronous operation may have moved the // deadline before this actor had a chance to run. if (deadline->expires_at() <= deadline_timer::traits_type::now()) { // The deadline has passed. Stop the session. The other actors will // terminate as soon as possible. stop(); } else { // Put the actor back to sleep. deadline->async_wait( boost::bind(&tcp_session::check_deadline, shared_from_this(), deadline)); } } channel& channel_; tcp::socket socket_; boost::asio::streambuf input_buffer_; deadline_timer input_deadline_; std::deque<std::string> output_queue_; deadline_timer non_empty_output_queue_; deadline_timer output_deadline_; }; typedef boost::shared_ptr<tcp_session> tcp_session_ptr; //---------------------------------------------------------------------- class udp_broadcaster : public subscriber { public: udp_broadcaster(boost::asio::io_service& io_service, const udp::endpoint& broadcast_endpoint) : socket_(io_service) { socket_.connect(broadcast_endpoint); } private: void deliver(const std::string& msg) { boost::system::error_code ignored_ec; socket_.send(boost::asio::buffer(msg), 0, ignored_ec); } udp::socket socket_; }; //---------------------------------------------------------------------- class server { public: server(boost::asio::io_service& io_service, const tcp::endpoint& listen_endpoint, const udp::endpoint& broadcast_endpoint) : io_service_(io_service), acceptor_(io_service, listen_endpoint) { subscriber_ptr bc(new udp_broadcaster(io_service_, broadcast_endpoint)); channel_.join(bc); tcp_session_ptr new_session(new tcp_session(io_service_, channel_)); acceptor_.async_accept(new_session->socket(), boost::bind(&server::handle_accept, this, new_session, _1)); } void handle_accept(tcp_session_ptr session, const boost::system::error_code& ec) { if (!ec) { session->start(); tcp_session_ptr new_session(new tcp_session(io_service_, channel_)); acceptor_.async_accept(new_session->socket(), boost::bind(&server::handle_accept, this, new_session, _1)); } } private: boost::asio::io_service& io_service_; tcp::acceptor acceptor_; channel channel_; }; //---------------------------------------------------------------------- int main(int argc, char* argv[]) { try { using namespace std; // For atoi. if (argc != 4) { std::cerr << "Usage: server <listen_port> <bcast_address> <bcast_port>\n"; return 1; } boost::asio::io_service io_service; tcp::endpoint listen_endpoint(tcp::v4(), atoi(argv[1])); udp::endpoint broadcast_endpoint( boost::asio::ip::address::from_string(argv[2]), atoi(argv[3])); server s(io_service, listen_endpoint, broadcast_endpoint); io_service.run(); } catch (std::exception& e) { std::cerr << "Exception: " << e.what() << "\n"; } return 0; }
[ "lxdiyun@PC2011080909upc.(none)" ]
lxdiyun@PC2011080909upc.(none)
1bab084198dc4eccf05d185ef4547b7a899d9798
6d96117ad499afd8ee4509a5f558cffa8396b0f4
/StrokeEditor/editors/ChordProgressionEditorPage.xaml.h
3e872566be004c51f23818d898c138892b135a8c
[]
no_license
deitry/sketchmusic
0c4eb57b149a4651739038d978b46feb64b55d3c
572ba9dc218ee6e39be6c6a7b30e5c7b904017a9
refs/heads/master
2023-03-03T11:20:33.866639
2021-02-13T20:16:39
2021-02-13T20:16:39
111,472,029
0
0
null
null
null
null
UTF-8
C++
false
false
550
h
// // ChordProgressionEditorPage.xaml.h // Объявление класса ChordProgressionEditorPage // #pragma once #include "editors\ChordProgressionEditorPage.g.h" namespace StrokeEditor { /// <summary> /// Пустая страница, которую можно использовать саму по себе или для перехода внутри фрейма. /// </summary> [Windows::Foundation::Metadata::WebHostHidden] public ref class ChordProgressionEditorPage sealed { public: ChordProgressionEditorPage(); }; }
[ "dmsvo@POWER-RAINBOW" ]
dmsvo@POWER-RAINBOW
12464bcfa544f83ab24a906f2b149300b2b63da7
886cca35a6ca53c0db9a5aec77d30680a2cc9b44
/MiljoeProgram_V2.0/MiljoeProgram_V2.0.ino
31d1db175138444d13c2367d6fd4845563ce55da
[]
no_license
Mikkelhost/Inside-Environment-system
399751146809f93bb7c962f3ca11db9cddc2549e
1c942fe1be70e8ff6cdc4f1f705056cea24870d5
refs/heads/master
2020-08-04T15:45:57.578700
2019-10-01T20:17:45
2019-10-01T20:17:45
212,190,096
0
0
null
null
null
null
UTF-8
C++
false
false
2,709
ino
/* Generelle retningslinjer for programmering * * Kode skrives på engelsk men kommentarer er på dansk * camelBack bruges som defination af variabler og funktioner osv. * eksempel: hejJegHedderMikkel * husk man kan ikke sammenligne to floats med == * brug i stedet granuleringsmetoden forklaret af jens * Operatorer til variabler: * + - / < > <= >= != = * Operatorer til f.eks. if statements: && || == * Brug altid korrekte indryk for at gøre koden læsbart/overskuelig * Kommenter funktioer og udregninger så dem der læser ved hvad de gør * Funktionsnavne skal kunne fortælle hvad funktionen gør */ //Inkluder de forskellige libraries ligesom nedenstående #include<dht.h> #include<SoftwareSerial.h> #include<DS3231.h> #include<Wire.h> // definationer #define dataSize 300// 300 til endelige prototype 4 til at teste tallet skal være en del af 4 tabellen #define MEASUREMENTDELAY 5 // betyder endten hvert 6. sek, hvert 6. minut eller hver 6. time #define MAXINSMS 4 #define DHT11_PIN 5 // definering af variabler byte dowSet, hourSet, minuteSet, secondSet, yearSet, monthSet, daySet; int index = 0; int pakkeNummer = 1; int numberOfPackages; bool firstZero = true;// test værdi dht DHT; DS3231 rtcModule; SoftwareSerial sim900(10,11); struct sensorType{ int co2Data; int soundData; int tempData; int humidData; char timeData[13]; }; struct sensorType sensorData[dataSize]; byte timeNow; void setup() { Wire.begin(); Serial.begin(19200); while (!Serial); sim900.begin(19200); serialFlush(); rtcSetup(); // Hvis tiden skal sættes kræver det at der bruges "no line ending" i serial terminalen displayTime(); GSM_setup(); numberOfPackages = dataSize / 4; timeNow = 30; } void loop() { //if(rtcModule.getSecond()-timeNow == MEASUREMENTDELAY || rtcModule.getSecond() == 0) // hvis der skal måles med sekunder som interval if(rtcModule.getSecond()-timeNow == MEASUREMENTDELAY || (rtcModule.getSecond() == 0 && firstZero == true)) // Hvis der skal måles med minutter som interval { if(rtcModule.getSecond() == 0) { timeNow = rtcModule.getSecond(); } firstZero = false; if(timeNow != rtcModule.getSecond()) { firstZero = true; } timeNow = rtcModule.getSecond(); getAndSaveTime(&(sensorData[index])); dhtOpsamleDataRef(&(sensorData[index])); readCO2_volts(&(sensorData[index])); Serial.print(String(index+1) + " Sample collected"); delay(10); Serial.println("Time "); Serial.println(sensorData[index].timeData); index++; if(index == dataSize) { GSM_sendDataPackage(numberOfPackages); index = 0; } } }
[ "noreply@github.com" ]
noreply@github.com
c4dfad121991808c505327c78231a9946828470b
88802a2e708ba55c2ac42a95d26344d41b5b433f
/constant/transportProperties
97c370c1dcec5d9ae690f48079ef732717cf3e2f
[]
no_license
KariimAhmed/Trial_thicknessObjective
9a3eb0a3ed59ab472134a47f119210f221874271
ef284792e5d0073473eb7ddea9b74dac2ff706ea
refs/heads/master
2022-12-22T21:58:06.875455
2020-09-17T11:07:50
2020-09-17T11:07:50
296,296,689
1
0
null
null
null
null
UTF-8
C++
false
false
921
/*--------------------------------*- C++ -*----------------------------------*\ | ========= | | | \\ / F ield | OpenFOAM: The Open Source CFD Toolbox | | \\ / O peration | Version: v1912 | | \\ / A nd | Website: www.openfoam.com | | \\/ M anipulation | | \*---------------------------------------------------------------------------*/ FoamFile { version 2.0; format ascii; class dictionary; object transportProperties; } // * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * * // transportModel Newtonian; nu nu [ 0 2 -1 0 0 0 0 ] 5.10e-05; // ************************************************************************* //
[ "phugues97@gmail.com" ]
phugues97@gmail.com
bcc43775b2c6b4303bc3e9613c3cc93db9155f9e
9915247be962868b70dff74ce423575bfb325512
/Easy Problems/URI 1074.cpp
95c796b0f6be4e7dd4b0e568c262fa2dc667341a
[]
no_license
abdulahad2307/JudgeSite-Practice-Codes
16b06fdb59d63dc2f9b86904a1d7e1f47e7ed276
9b2e401dc4571da5a8023edc8533d314b924636a
refs/heads/master
2023-06-25T17:14:29.993088
2021-07-29T22:21:26
2021-07-29T22:21:26
167,986,236
1
0
null
null
null
null
UTF-8
C++
false
false
616
cpp
#include <iostream> #include <stdio.h> using namespace std; int main(void) { long long int i,n,input,in=0,out=0; scanf("%lld",&n); for(i=1;i<=n;i++) { scanf("%lld",&input); if (input%2 == 0 && input > 0) printf("EVEN POSITIVE\n"); else if (input % 2 == 0 && input < 0) printf("EVEN NEGATIVE\n"); else if (input % 2 != 0 && input > 0) printf("ODD POSITIVE\n"); else if (input % 2 != 0 && input < 0) printf("ODD NEGATIVE\n"); else if (input == 0) printf("NULL\n") ; } return 0; }
[ "abdulahad070@gmail.com" ]
abdulahad070@gmail.com
28f8b29ce81f4a2ffe8f0a865dc3051c9d591bed
607117bc7025c086bbfc106f35e386142fa6d3a5
/src/Path.cpp
a9ca31da506257818900c72849a7e33a88b5ea8f
[ "BSD-3-Clause" ]
permissive
mguc/arts
7d1de823b3153fbfbaf3a0db869a3f88863cbf3b
1e14a5ad0c5f309afe92777bac7850dec2fbc7ba
refs/heads/master
2023-08-28T22:32:54.005754
2021-11-07T21:53:45
2021-11-07T21:53:45
278,051,626
0
0
null
null
null
null
UTF-8
C++
false
false
2,329
cpp
#include "arts/Path.hpp" namespace arts { Path::Path(Receiver &rcv, Source &src) : mReceiver(rcv), mSource(src) { mLength = 0; // mNodes.clear(); // mNodeObjects.clear(); // mVectors.clear(); mLength = sqrt((rcv.GetPosition()-src.GetPosition()).squared_length()); } Path::Path(Receiver &rcv, Source &src, std::vector<Point> &nodes, std::vector<Object *> &objects) : mReceiver(rcv), mSource(src), mNodes(nodes), mNodeObjects(objects) { mVectors.clear(); mLength = 0; Point tx = mSource.GetPosition(); Vector v; for (auto it = mNodes.begin(); it != mNodes.end(); ++it) { v = Vector(tx, *it); mLength += sqrt(v.squared_length()); mVectors.push_back(v); tx = *it; } v = Vector(tx, mReceiver.GetPosition()); mLength += sqrt(v.squared_length()); mVectors.push_back(v); } void Path::Draw(CGAL::Basic_viewer_qt &basicViewer) { CGAL::Color c; switch (mNodes.size()) { case 1: c = CGAL::yellow(); break; case 2: c = CGAL::orange(); break; case 3: c = CGAL::red(); break; default: c = CGAL::black(); break; } Point tx = mSource.GetPosition(); for (auto it = mNodes.begin(); it != mNodes.end(); ++it) { basicViewer.add_segment(tx, *it, c); tx = *it; } basicViewer.add_segment(tx, mReceiver.GetPosition(), c); } void Path::Print() { std::cout << "(" << mSource.GetPosition() << ")->"; for (auto it = mNodes.begin(); it != mNodes.end(); ++it) { std::cout << "(" << *it << ")->"; } std::cout << "(" << mReceiver.GetPosition() << "): " << mLength << std::endl; } uint32_t Path::NumberOfNodes() { return 2 + mNodes.size(); } double Path::Length() { return mLength; } Receiver &Path::GetReceiver() { return mReceiver; } Source &Path::GetSource() { return mSource; } std::vector<Vector> &Path::GetVectors() { return mVectors; } } // namespace arts
[ "mgucanin@control4.com" ]
mgucanin@control4.com
5221803a830ef8b0ccf6fe42041fa43a091c03ae
9b2fed5886bb3fcd7294dcfa1304f253ff3c3a09
/Sneke/src/main/cpp/native-lib.cpp
92f9234829325bcf178da72868869f23fb28d372
[]
no_license
Navd15/Sneke
02341387de774d5e7d48c57299ec990bfa64493c
b43b119ac8e63f7a3ea9c0621da9c429de422b1d
refs/heads/master
2020-04-01T21:54:00.363238
2018-10-31T20:58:07
2018-10-31T20:58:07
153,681,023
0
0
null
null
null
null
UTF-8
C++
false
false
262
cpp
#include <jni.h> #include <string> extern "C" JNIEXPORT jstring JNICALL Java_sneke_nav_Sneke_MainActivity_stringFromJNI( JNIEnv *env, jobject /* this */) { std::string hello = "Hello from C++"; return env->NewStringUTF(hello.c_str()); }
[ "gill.222navdeep@gmail.com" ]
gill.222navdeep@gmail.com
8a7718374760a1b68283cc908c1c4924b3b82cbe
5eab0386adaeb89eefca58836033a6258c256a64
/1813265_李彦欣_(4)/s.cpp
85f5847616058cb51dc957e9097ebf1bdf134414
[]
no_license
stayt1/computer-network
e6a552a18d27275acc696a78497de9ee9eb7f5c5
8319dc06e855d9e2774a7f1332e2c46dcbbf5322
refs/heads/main
2023-04-14T11:17:04.199950
2021-04-25T12:36:20
2021-04-25T12:36:20
null
0
0
null
null
null
null
GB18030
C++
false
false
6,640
cpp
#pragma comment(lib, "Ws2_32.lib") #include <iostream> #include <winsock2.h> #include <stdio.h> #include <fstream> #include <vector> #include<time.h> using namespace std; using namespace std; const int Mlenx = 253; const unsigned char ACK = 0x03; const unsigned char NAK = 0x07; const unsigned char LAST_PACK = 0x18; const unsigned char NOTLAST_PACK = 0x08; const unsigned char SHAKE_1 = 0x01; const unsigned char SHAKE_2 = 0x02; const unsigned char SHAKE_3 = 0x04; const unsigned char WAVE_1 = 0x80; const unsigned char WAVE_2 = 0x40; const int TIMEOUT = 5000;//毫秒 char buffer[200000000]; int len; SOCKADDR_IN serverAddr, clientAddr; SOCKET server; //选择udp协议 unsigned char cksum(char* flag, int len) {//计算校验和 if (len == 0) { return ~(0); } unsigned int ret = 0; int i = 0; while (len--) { ret += (unsigned char)flag[i++]; if (ret & 0xFF00) { ret &= 0x00FF; ret++; } } return ~(ret & 0x00FF); } void wait_shake_hand() {//等待建立连接 while (1) { char recv[2]; int connect = 0; int lentmp = sizeof(clientAddr); while (recvfrom(server, recv, 2, 0, (sockaddr*)&clientAddr, &lentmp) == SOCKET_ERROR); if (cksum(recv, 2) != 0 || recv[1] != SHAKE_1)//接受了之后算出校验和不等于0或者接收到的不是shake1 continue; while (1) { recv[1] = SHAKE_2; recv[0] = cksum(recv + 1, 1); sendto(server, recv, 2, 0, (sockaddr*)&clientAddr, sizeof(clientAddr));//发送第二次握手 while (recvfrom(server, recv, 2, 0, (sockaddr*)&clientAddr, &lentmp) == SOCKET_ERROR); if (cksum(recv, 2) == 0 && recv[1] == SHAKE_1) continue;//先判断是否校验和为0和是否接受到正确的shake if (cksum(recv, 2) != 0 || recv[1] != SHAKE_3) { printf("链接建立失败,请重启客户端。"); connect = 1; } break; } if (connect == 1) continue; break; } } void wait_wave_hand() {//等待挥手 while (1) { char recv[2]; int lentmp = sizeof(clientAddr); while (recvfrom(server, recv, 2, 0, (sockaddr*)&clientAddr, &lentmp) == SOCKET_ERROR);//开始接收挥手信息 if (cksum(recv, 2) != 0 || recv[1] != (char)WAVE_1)//校验和不等于0或未接收到wave1 continue; recv[1] = WAVE_2; recv[0] = cksum(recv + 1, 1); sendto(server, recv, 2, 0, (sockaddr*)&clientAddr, sizeof(clientAddr));//发送wave2 break; } } void recv_message(char* message, int& len_recv) { char recv[Mlenx + 4]; int lentmp = sizeof(clientAddr); static unsigned char last_order = 0; len_recv = 0;//记录文件长度 while (1) { while (1) { memset(recv, 0, sizeof(recv)); while (recvfrom(server, recv, Mlenx + 4, 0, (sockaddr*)&clientAddr, &lentmp) == SOCKET_ERROR); char send[3]; int flag = 0; if (cksum(recv, Mlenx + 4) == 0 && (unsigned char)recv[2] == last_order) { last_order++; flag = 1; } send[1] = ACK;//标志位 send[2] = last_order - 1;//序列号 send[0] = cksum(send + 1, 2);//校验和 sendto(server, send, 3, 0, (sockaddr*)&clientAddr, sizeof(clientAddr));//发送ACK回去 if (flag) break; } if (LAST_PACK == recv[1]) {//最后一个包多了一个长度位 if (recv[3] + 4 < 4 && recv[3] + 4 > -127) {//长度超过127,长度是负值,需要加上256变为正 for (int i = 4; i < (int)recv[3] + 4 + 256; i++) { message[len_recv++] = recv[i];//顺序接收到数据 } } else if (recv[3] + 4 < -127) { for (int i = 4; i < (int)recv[3] + 4 + 256 + 128; i++) { message[len_recv++] = recv[i];//顺序接收到数据 } } else { for (int i = 4; i < (int)recv[3] + 4; i++) { message[len_recv++] = recv[i];//顺序接收到数据 } } //printf("最后!接收的bytes为: %d\n", len_recv); break; } else { for (int i = 3; i < Mlenx + 3; i++) message[len_recv++] = recv[i]; } } } int main() { WSADATA wsadata; int nError = WSAStartup(MAKEWORD(2, 2), &wsadata); if (nError) { printf("start error\n"); return 0; } int Port = 11451; serverAddr.sin_family = AF_INET; //使用ipv4 serverAddr.sin_port = htons(Port); //端口 serverAddr.sin_addr.s_addr = htonl(INADDR_ANY); server = socket(AF_INET, SOCK_DGRAM, 0); //设置非阻塞 int time_out = 1;//1ms超时 //即让没发完的数据发送出去后在关闭socket,允许逗留1ms setsockopt(server, SOL_SOCKET, SO_RCVTIMEO, (char*)&time_out, sizeof(time_out)); if (server == INVALID_SOCKET) { printf("create fail"); closesocket(server); return 0; } int retVAL = bind(server, (sockaddr*)(&serverAddr), sizeof(serverAddr)); if (retVAL == SOCKET_ERROR) { printf("bind fail"); closesocket(server); WSACleanup(); return 0; } //等待接入 printf("等待接入...\n"); wait_shake_hand(); printf("用户已接入。\n正在接收数据...\n"); recv_message(buffer, len); printf("第一条信息接收成功。"); buffer[len] = 0; cout << buffer << endl; string file_name("hello"); clock_t start, end, time; printf("开始接收第二条信息...\n"); start = clock(); recv_message(buffer, len); end = clock(); time = (end - start) / CLOCKS_PER_SEC; printf("第二条信息接收成功。\n"); ofstream fout(file_name.c_str(), ofstream::binary); for (int i = 0; i < len; i++) fout << buffer[i]; fout.close(); printf("接收到的文件bytes:%d\n", len); cout << "传输时间为:" << (double)time << "s" << endl; cout << "平均吞吐率为:" << len*8 / 1000 / (double)time << "kbps" << endl; wait_wave_hand(); printf("链接断开"); return 0; }
[ "noreply@github.com" ]
noreply@github.com
d25f51a09093a1bddd8984da002b0573f53dd86e
91d976685e2f6a2e055b9747095c4bb2283a828b
/test/test_sum.cpp
3e4a945cbd685851efe8a760df872ae218dae487
[]
no_license
jotasi/library
4213c1dd770e45b5d5132e6abd7c560203098d9c
8b2f568cbc0de77d3cf9bb887a23030e26b4ab91
refs/heads/master
2020-03-27T23:42:14.761950
2018-09-04T11:58:38
2018-09-04T11:58:38
147,339,483
0
0
null
null
null
null
UTF-8
C++
false
false
557
cpp
#include "../inc/sum.hpp" #include "gtest/gtest.h" class SumTest : public ::testing::Test { public: Sum sum; SumTest() : sum{} {}; }; TEST_F(SumTest, is_initialized_with_zero) { EXPECT_EQ(sum.get_current_sum(), 0); } TEST_F(SumTest, a_positive_int_can_be_added) { sum.add(1); EXPECT_EQ(sum.get_current_sum(), 1); } TEST_F(SumTest, a_negative_int_can_be_added) { sum.add(-1); EXPECT_EQ(sum.get_current_sum(), -1); } int main(int argc, char **argv) { ::testing::InitGoogleTest(&argc, argv); return RUN_ALL_TESTS(); }
[ "josieber@students.uni-mainz.de" ]
josieber@students.uni-mainz.de
6c4ddf608a586d6a10ccbd11ba8bd98e2a112281
8ded7c00ee602b557b31d09f8b1516597a9171aa
/cpp0x/foldexpr-monad.cpp
7c88bad2d0e3c31c52cd263bc8062bb272fe21e2
[]
no_license
mugur9/cpptruths
1a8d6999392ed0d941147a5d5874dc387aecb34d
87204023817e263017f64060353dd793f182c558
refs/heads/master
2020-12-04T17:00:20.550500
2019-09-06T15:40:30
2019-09-06T15:40:30
null
0
0
null
null
null
null
UTF-8
C++
false
false
3,457
cpp
#include <iostream> #include <iomanip> #include <vector> #include <future> #include <string> template <class T> using Vector = std::vector<T>; template<template <typename> class M> struct Monad { struct Return; struct Bind; }; template<> struct Monad<Vector> { struct Return { template <class T> Vector<std::remove_reference_t<T>> operator()(T t) const { return {t}; } }; struct Bind { template <class T, class Func> static auto call(Vector<T> vec, Func&& func) { using Outer = decltype(func(std::declval<T>())); Outer outer; for(T& o: vec) { Outer inner = func(o); for(auto i: inner) { outer.push_back(i); } } return outer; } }; }; template<> struct Monad<std::future> { struct Return { template <class T> std::future<std::remove_reference_t<T>> operator()(T&& t) const { return make_ready_future(std::forward<T>(t)); } }; struct Bind { template <class T, class Func> static auto call(std::future<T>&& fut, Func&& func) { fut.wait(); return func(fut.get()); } }; }; template <typename Func> struct result_type { using type = typename result_type<decltype(&Func::operator())>::type; }; template <typename Func> struct result_type<Func &> { using type = typename result_type<decltype(&Func::operator())>::type; }; template <typename R, typename C, typename A> struct result_type<R (C::*)(A)> { using type = R; }; template <typename R, typename C, typename A> struct result_type<R (C::*)(A) const> { using type = R; }; template <typename R, typename A> struct result_type<R (*)(A)> { using type = R; }; template <class T> using result_type_t = typename result_type<T>::type; template <class T> struct monadic; template <template <typename> class M, class T> struct monadic<M<T>> { using Return = typename Monad<M>::Return; using Bind = typename Monad<M>::Bind; }; template <class MT> using monadic_return_t = typename monadic<MT>::Return; template <class MT> using monadic_bind_t = typename monadic<MT>::Bind; template <class F, class G> auto operator >>= (F&& f, G&& g) { return [=] (auto a) { return monadic_bind_t<result_type_t<G>>::call(f(std::move(a)), std::move(g)); }; } template <class Head, class... Tail> struct head { using type = Head; }; template <class... Args> auto composeM(Args&&... args) { using Func = typename head<Args...>::type; using Return = monadic_return_t<result_type_t<Func>>; return (Return() >>= ... >>= args); } template <class T> std::ostream & operator << (std::ostream & o, std::vector<T> & vec) { for(T& i: vec) { o << i << " "; } return o; } struct Continent { operator const char *() { return "Continent"; } }; struct Country { operator const char *() { return "Country"; } }; struct State { operator const char *() { return "State"; } }; struct City { operator const char *() { return "City"; } }; auto get_countries = [](Continent const & c) -> Vector<Country> { Vector<Country> v; v.push_back(Country()); return v; }; auto get_states = [](Country const & c) -> Vector<State> { Vector<State> v; v.push_back(State()); return v; }; auto get_cities = [](State const & s) -> Vector<City> { Vector<City> v; v.push_back(City()); return v; }; int main(void) { Continent c; auto countries = get_countries(c); std::cout << countries << "\n"; }
[ "sutambe@yahoo.com" ]
sutambe@yahoo.com
5ecd2169b05062a510b54cd1845e76634bb90ff7
65987a3251e26302d23396be2a14c8730caf9f6c
/ZROI/963.cpp
16a83e49bfafb198edc3696e062270f2a989a473
[]
no_license
wuyuhang422/My-OI-Code
9608bca023fa2e4506b2d3dc1ede9a2c7487a376
f61181cc64fafc46711ef0e85522e77829b04b37
refs/heads/master
2021-06-16T08:15:52.203672
2021-02-01T05:16:41
2021-02-01T05:16:41
135,901,492
5
0
null
null
null
null
UTF-8
C++
false
false
2,317
cpp
/* * Author: RainAir * Time: 2019-09-24 15:00:43 */ #include <algorithm> #include <iostream> #include <assert.h> #include <cstring> #include <climits> #include <cstdlib> #include <cstdio> #include <bitset> #include <vector> #include <cmath> #include <ctime> #include <queue> #include <stack> #include <map> #include <set> #define fi first #define se second #define U unsigned #define P std::pair #define LL long long #define pb push_back #define MP std::make_pair #define all(x) x.begin(),x.end() #define CLR(i,a) memset(i,a,sizeof(i)) #define FOR(i,a,b) for(int i = a;i <= b;++i) #define ROF(i,a,b) for(int i = a;i >= b;--i) #define DEBUG(x) std::cerr << #x << '=' << x << std::endl const int MAXN = 2e5 + 5; char s1[MAXN],s2[MAXN]; int pre[MAXN],suf[MAXN]; char _pre[MAXN],_suf[MAXN]; int n,m; inline void Solve(){ scanf("%s%s",s1+1,s2+1); n = strlen(s1+1);m = strlen(s2+1); bool flag = true;int cnt1 = 0,cnt2 = 0; FOR(i,1,n) flag &= s1[i] != '*',cnt1 += (s1[i] != '*'); FOR(i,1,m) flag &= s2[i] != '*',cnt2 += (s2[i] != '*'); if(flag && n == m){ FOR(i,1,n) putchar(s1[i] == s2[i] ? s1[i] : '?'); puts(""); return; } int len = std::min(cnt1,cnt2)+1;flag = false; FOR(i,1,len){ flag |= (s1[i] == '*' || s2[i] == '*'); if(flag){ pre[i] = pre[i-1] + 1;_pre[i] = '?'; } else{ if(s1[i] == s2[i] && s1[i] != '?') pre[i] = pre[i-1],_pre[i] = s1[i]; else pre[i] = pre[i-1]+1,_pre[i] = '?'; } } flag = false; ROF(i,len,1){ // suf[i] int t = len-i; flag |= (s1[n-t] == '*' || s2[m-t] == '*'); if(flag){ suf[i] = suf[i+1] + 1;_suf[i] = '?'; } else{ if(s1[n-t] == s2[m-t] && s1[n-t] != '?') suf[i] = suf[i+1],_suf[i] = s1[n-t]; else suf[i] = suf[i+1]+1,_suf[i] = '?'; } } int ps = -1,mn = 1e9; FOR(i,1,len){ if(mn > pre[i-1]+suf[i+1]){ mn = pre[i-1]+suf[i+1]; ps = i; } } assert(ps != -1); FOR(i,1,ps-1) putchar(_pre[i]); putchar('*'); FOR(i,ps+1,len) putchar(_suf[i]); puts(""); CLR(pre,0);CLR(suf,0);CLR(_pre,0);CLR(_suf,0); } int main(){ int T;scanf("%d",&T); while(T--) Solve(); return 0; }
[ "wuyuhang422@gmail.com" ]
wuyuhang422@gmail.com
abcf530a07f7a5e659aaedcf3956ce28da289204
da3215baf37d257d5814f165e98b4b19dee9cb05
/SDK/FN_DecoTool_classes.hpp
2492c8343241ee57edc7a65ebdf2c393f9134a50
[]
no_license
Griizz/Fortnite-Hack
d37a6eea3502bf1b7c78be26a2206c8bc70f6fa5
5b80d585065372a4fb57839b8022dc522fe4110b
refs/heads/Griizz_Version
2022-04-01T22:10:36.081573
2019-05-21T19:28:30
2019-05-21T19:28:30
106,034,464
115
85
null
2020-02-06T04:00:07
2017-10-06T17:55:47
C++
UTF-8
C++
false
false
578
hpp
#pragma once // Fortnite SDK #ifdef _MSC_VER #pragma pack(push, 0x8) #endif namespace SDK { //--------------------------------------------------------------------------- //Classes //--------------------------------------------------------------------------- // BlueprintGeneratedClass DecoTool.DecoTool_C // 0x0000 (0x0AD0 - 0x0AD0) class ADecoTool_C : public AFortDecoTool { public: static UClass* StaticClass() { static auto ptr = UObject::FindClass("BlueprintGeneratedClass DecoTool.DecoTool_C"); return ptr; } }; } #ifdef _MSC_VER #pragma pack(pop) #endif
[ "sinbadhacks@gmail.com" ]
sinbadhacks@gmail.com
b9807486af93fe9115cfbe046b33b464dc22f2da
5062e5d9bc6ecb99c0cd24399799eae263feef51
/src/qt/transactiondescdialog.h
b1a990f9515f82e533f4616e08f438ac09022030
[ "MIT" ]
permissive
mirzaei-ce/core-iranbit
84ddbb286b6549bde392ba2ab69a830a57f64cf4
7b1c880dc0eeb84408a84a356c2b731c5b5a0b8c
refs/heads/master
2021-05-08T05:09:01.680633
2017-10-26T14:43:49
2017-10-26T14:43:49
108,424,453
0
0
null
null
null
null
UTF-8
C++
false
false
726
h
// Copyright (c) 2011-2013 The Bitcoin Core developers // Distributed under the MIT software license, see the accompanying // file COPYING or http://www.opensource.org/licenses/mit-license.php. #ifndef IRANBIT_QT_TRANSACTIONDESCDIALOG_H #define IRANBIT_QT_TRANSACTIONDESCDIALOG_H #include <QDialog> namespace Ui { class TransactionDescDialog; } QT_BEGIN_NAMESPACE class QModelIndex; QT_END_NAMESPACE /** Dialog showing transaction details. */ class TransactionDescDialog : public QDialog { Q_OBJECT public: explicit TransactionDescDialog(const QModelIndex &idx, QWidget *parent = 0); ~TransactionDescDialog(); private: Ui::TransactionDescDialog *ui; }; #endif // IRANBIT_QT_TRANSACTIONDESCDIALOG_H
[ "mirzaei@ce.sharif.edu" ]
mirzaei@ce.sharif.edu
799a2d891da2ca2d083c62d24fc11e0d307cc1f7
bd8956a42e7d808de4cb85b4cfbd2d01ce1bc82a
/amr-wind/utilities/sampling/KineticEnergy.H
59ad6b17c7f1fe00f6596457f0ec76f92ea35348
[ "BSD-3-Clause" ]
permissive
joejoeyjoseph/amr-wind
3291f6a9532b1e49f4953dee34dd2f3bd43aa050
e8c9c67424b9c810ee8d8b70f76121e118a88122
refs/heads/main
2023-08-30T09:27:12.410722
2021-11-15T20:53:52
2021-11-15T20:53:52
355,330,808
0
0
NOASSERTION
2021-04-06T21:11:01
2021-04-06T21:11:01
null
UTF-8
C++
false
false
1,989
h
#ifndef KINETICENERGY_H #define KINETICENERGY_H #include "amr-wind/CFDSim.H" #include "amr-wind/utilities/PostProcessing.H" namespace amr_wind { namespace kinetic_energy { /** kinetic energy object * \ingroup Kinetic Energy * * A concrete impelementation of the post-processing interface that deals with * integrating total kinetic energy * */ class KineticEnergy : public PostProcessBase::Register<KineticEnergy> { public: static const std::string identifier() { return "KineticEnergy"; } KineticEnergy(CFDSim&, const std::string&); ~KineticEnergy(); //! Perform actions before mesh is created void pre_init_actions() override {} //! Read user inputs and create the different data probe instances void initialize() override; //! Interpolate fields at a given timestep and output to disk void post_advance_work() override; void post_regrid_actions() override {} //! calculate the L2 norm of a given field and component amrex::Real calculate_kinetic_energy(); private: //! prepare ASCII file and directory void prepare_ascii_file(); //! Output sampled data in ASCII format void write_ascii(); //! store the total kinetic energy amrex::Real m_total_kinetic_energy; //! Reference to the CFD sim CFDSim& m_sim; /** Name of this sampling object. * * The label is used to read user inputs from file and is also used for * naming files directories depending on the output format. */ const std::string m_label; //! reference to velocity const Field& m_velocity; //! reference to density const Field& m_density; //! filename for ASCII output std::string m_out_fname; //! Frequency of data sampling and output int m_out_freq{10}; //! width in ASCII output int m_width{22}; //! precision in ASCII output int m_precision{12}; }; } // namespace kinetic_energy } // namespace amr_wind #endif /* KINETICENERGY_H */
[ "noreply@github.com" ]
noreply@github.com
758e79adb3a9e165dd2f5047fed8eedcf3dbc7e2
6145090c8bad53a1453f0eca39cd4f7b8a758565
/h/B_Tree.h
45681f006e4e742ee73ef782bf76064f4f70bdec
[]
no_license
vstambolic/b-tree
2ab169ba272b7fb847e5f42b15725adc1cfe079b
dadd0c98fa619916bad9ac1a50fdb49fbe6db511
refs/heads/master
2023-06-23T23:03:24.298540
2021-07-25T17:47:22
2021-07-25T17:47:22
247,392,456
0
0
null
null
null
null
UTF-8
C++
false
false
1,011
h
#ifndef B_TREE_H #define B_TREE_H #include <iostream> #include <string> #include <fstream> #include "Queue.h" #include "T_Node.h" /********************************************** B-TREE **********************************************************/ class B_Tree { private: unsigned int m; // Degree int h; // Height int n; // Number of nodes Pointer root; // Root public: B_Tree() : m(0), h(-1), root(nullptr), n(0) {}; void initialize(); void insert_from_file(); void print() const; void print_detailed() const; int get_height() const { return h; } int get_key_num() const; Node_Info find_key(int) const; void insert_key(int key); bool delete_key(int key); void transform(); bool is_empty() const { if (root == nullptr) return true; else return false; } void delete_tree(); ~B_Tree(); /*Additional methods*/ Pointer split(Pointer, int*, Pointer *); Pointer merge(Pointer, int, Pointer); int * extract(void); }; #endif // !B_TREE_H
[ "vasilije.stambolic@gmail.com" ]
vasilije.stambolic@gmail.com