hexsha
stringlengths 40
40
| size
int64 8
1.04M
| content
stringlengths 8
1.04M
| avg_line_length
float64 2.24
100
| max_line_length
int64 4
1k
| alphanum_fraction
float64 0.25
0.97
|
---|---|---|---|---|---|
71ad86ffdb100d1488412877005df17e40122bf3 | 5,576 | package com.fmi.bytecode.annotations.gui.businesslogic.model.searchfilters;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import java.util.Set;
import com.fmi.bytecode.annotations.tool.element.AnnotationRecord;
import com.fmi.bytecode.annotations.tool.element.ClassInfo;
import com.fmi.bytecode.annotations.tool.element.ClassMemberInfo;
import com.fmi.bytecode.annotations.tool.element.ConstructorInfo;
import com.fmi.bytecode.annotations.tool.element.ElementInfo;
import com.fmi.bytecode.annotations.tool.element.FieldInfo;
import com.fmi.bytecode.annotations.tool.element.MethodInfo;
public class NegativeAnnotationFilter extends AnnotationFilterImpl {
private Set<String> rejectedClasses;
public NegativeAnnotationFilter(AnnotationFilterModel filter) {
super(filter);
rejectedClasses = new HashSet<String>();
}
public boolean isPossitive() {
return false;
}
public boolean isAccepted(AnnotationRecord annotationRecord) {
boolean result = false;
ClassInfo clazz = getAnnotationClassOwner(annotationRecord);
String className = clazz.getName();
if (rejectedClasses.contains(className)) {
result = false;
} else {
boolean accepted = negativeAccept(clazz);
if (accepted) {
result = true;
} else {
rejectedClasses.add(className);
result = false;
}
}
return result;
}
private boolean negativeAccept(ClassInfo annClass) {
boolean result = true;
String filterAnnotationName = getFilter().getAnnotationName();
List<FilterLevelType> levels = getFilter().getLevel();
for (FilterLevelType level : levels) {
if (FilterLevelType.CLASS.equals(level)) {
if (containsInClass(filterAnnotationName, annClass)) {
result = false;
break;
}
} else if (FilterLevelType.CONSTRUCTOR.equals(level)) {
if (containsInConstructors(filterAnnotationName, annClass.getConstructors())) {
result = false;
break;
}
} else if (FilterLevelType.FIELD.equals(level)) {
if (containsInFields(filterAnnotationName, annClass.getFields())) {
result = false;
break;
}
} else if (FilterLevelType.METHOD.equals(level)) {
if (containsInMethods(filterAnnotationName, annClass.getMethods())) {
result = false;
break;
}
} else if (FilterLevelType.PARAMETER.equals(level)) {
if (containsInMethodsParams(filterAnnotationName, annClass.getMethods())) {
result = false;
break;
}
}
}
return result;
}
private ClassInfo getAnnotationClassOwner(AnnotationRecord annotationRecord) {
ClassInfo clazz = null;
ElementInfo element = annotationRecord.getOwner();
if (element instanceof ClassInfo) {
clazz = (ClassInfo) element;
} else if (element instanceof ClassMemberInfo) {
clazz = (ClassInfo) ((ClassMemberInfo) element).getOwner();
} else {
throw new IllegalStateException();
}
return clazz;
}
private boolean containsInClass(String searchAnnName, ClassInfo annClass) {
Map<String, AnnotationRecord> anns = annClass.getAnnotations();
return containsAnnotation(anns, searchAnnName);
}
private boolean containsInConstructors(String searchAnnName,
ConstructorInfo[] constructorInfos) {
return containsAnnotation(constructorInfos, searchAnnName);
}
private boolean containsInFields(String searchAnnName, FieldInfo[] fieldInfos) {
return containsAnnotation(fieldInfos, searchAnnName);
}
private boolean containsInMethods(String searchAnnName,
MethodInfo[] methodInfos) {
return containsAnnotation(methodInfos, searchAnnName);
}
private boolean containsInMethodsParams(String searchAnnName,
MethodInfo[] methodInfos) {
boolean result = false;
for (int i = 0; i < methodInfos.length; i++) {
MethodInfo method = methodInfos[i];
if (isParameterAnnotation(method, searchAnnName)) {
result = true;
break;
}
}
return result;
}
private boolean containsAnnotation(ElementInfo[] elements, String searchAnnName) {
boolean result = false;
for (int i = 0; i < elements.length; i++) {
ElementInfo element = elements[i];
Map<String, AnnotationRecord> anns = element.getAnnotations();
if (containsAnnotation(anns, searchAnnName)) {
result = true;
break;
}
}
return result;
}
private boolean containsAnnotation(Map<String, AnnotationRecord> anns, String searchAnnName) {
boolean result = false;
for (String annName : anns.keySet()) {
if (searchAnnName == null || annName.equals(searchAnnName)) {
result = true;
break;
}
}
return result;
}
}
| 36.444444 | 98 | 0.594512 |
d475d11a3e26ba686a3161553fb8b31f2285b9a1 | 1,288 | package com.leo.juc.lock;
import java.util.concurrent.locks.Lock;
import java.util.concurrent.locks.ReentrantLock;
/**
* 用于解决多线程安全问题的方式:
* 隐式锁
* 1. 同步代码块(synchronized)
* 2. 同步方法(synchronized)
* <p>
* JDK1.5 之后
* 3. 同步锁
* 这是一个显示锁:需要通过 lock() 方法上锁,必须通过 unlock() 方法进行释放锁
*
* @author justZero
* @since 2019/3/11
*/
public class LockTest {
public static void main(String[] args) {
TicketTask task = new TicketTask();
for (int i = 1; i <= 3; i++) {
new Thread(task, i + "号窗口").start();
}
}
}
class TicketTask implements Runnable {
private int ticket = 100;
private Lock lock = new ReentrantLock();
@Override
public void run() {
while (true) {
lock.lock(); // 上锁
try {
if (ticket > 0) {
try {
Thread.sleep(100);
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println(Thread.currentThread().getName()
+ " 完成售票,余票为:" + --ticket);
} else {
break;
}
} finally {
lock.unlock(); // 释放锁
}
}
}
}
| 23.418182 | 71 | 0.47205 |
36dac176fe50fa346ceada8e9837f51a0ae3349f | 8,562 | package assimp.importer.raw;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.nio.ByteBuffer;
import java.util.ArrayList;
import java.util.StringTokenizer;
import org.lwjgl.util.vector.Vector4f;
import assimp.common.AssUtil;
import assimp.common.AssimpConfig;
import assimp.common.BaseImporter;
import assimp.common.DeadlyImportError;
import assimp.common.DefaultLogger;
import assimp.common.Face;
import assimp.common.FileUtils;
import assimp.common.ImporterDesc;
import assimp.common.Material;
import assimp.common.MemoryUtil;
import assimp.common.Mesh;
import assimp.common.Node;
import assimp.common.ParsingUtil;
import assimp.common.Scene;
import assimp.common.TextureType;
/** Importer class for the PovRay RAW triangle format
*/
public class RAWImporter extends BaseImporter{
static final ImporterDesc desc = new ImporterDesc(
"Raw Importer",
"",
"",
"",
ImporterDesc.aiImporterFlags_SupportTextFlavour,
0,
0,
0,
0,
"raw"
);
@Override
protected boolean canRead(String pFile, InputStream pIOHandler,boolean checkSig) throws IOException {
return simpleExtensionCheck(pFile,"raw",null,null);
}
@Override
protected ImporterDesc getInfo() { return desc;}
@Override
protected void internReadFile(File pFile, Scene pScene) {
ByteBuffer buffer = FileUtils.loadText(pFile, false, AssimpConfig.LOADING_USE_NATIVE_MEMORY);
// list of groups loaded from the file
ArrayList<GroupInformation> outGroups = new ArrayList<>();
outGroups.add(new GroupInformation("<default>"));
int curGroup = 0;
float[] data = new float[12];
String[] tokenArray = new String[13];
// now read all lines
byte[] cache = new byte[4096];
String line;
while((line = AssUtil.getNextLine(buffer, cache, true)) != null){
if(line.length() == 0)
continue;
if(!Character.isDigit(line.charAt(0))){
int sz2 = 0;
while(ParsingUtil.isSpaceOrNewLine((byte)line.charAt(sz2))) ++sz2;
final int length = sz2;
// find an existing group with this name
int count = 0;
for(GroupInformation it : outGroups){
if(length == it.name.length() && line.startsWith(it.name)){
curGroup = count;
sz2 = -1;
break;
}
count++;
}
if(sz2 != -1){
outGroups.add(new GroupInformation(line.substring(0, sz2)));
curGroup = outGroups.size() - 1;
}
}else{
StringTokenizer tokens = new StringTokenizer(line);
int count = 0;
while(tokens.hasMoreTokens()){
tokenArray[count] = tokens.nextToken();
}
int len = (count == 12 || count ==9) ? count: count -1;
for(int i = 0;i < len; i--)
data[i] = AssUtil.parseFloat(tokenArray[i]);
if (count != 12 && count != 9 && count != 13 && count != 10){
DefaultLogger.error("A line may have either 9 or 12 floats and an optional texture");
continue;
}
MeshInformation output = null;
String sz;
if(count == 10 || count == 13){
sz = tokenArray[count - 1];
}else if(count == 9){
sz = "%default%";
}else{
sz = "";
}
// search in the list of meshes whether we have one with this texture
for(MeshInformation it : outGroups.get(curGroup).meshes){
if((sz.length() > 0 ? sz.equals(it.name) : true)){
output = it;
break;
}
}
// if we don't have the mesh, create it
if (output == null)
{
outGroups.get(curGroup).meshes.add(output = new MeshInformation(sz));
// output = &((*curGroup).meshes.back());
}
if (12 == count)
{
// aiColor4D v(data[0],data[1],data[2],1.0f);
// output->colors.push_back(v);
// output->colors.push_back(v);
// output->colors.push_back(v);
// output->vertices.push_back(aiVector3D(data[3],data[4],data[5]));
// output->vertices.push_back(aiVector3D(data[6],data[7],data[8]));
// output->vertices.push_back(aiVector3D(data[9],data[10],data[11]));
output.colors.put(data,0,3).put(1.0f);
output.colors.put(data,0,3).put(1.0f);
output.colors.put(data,0,3).put(1.0f);
output.vertices.put(data, 3, 9);
}
else
{
// output->vertices.push_back(aiVector3D(data[0],data[1],data[2]));
// output->vertices.push_back(aiVector3D(data[3],data[4],data[5]));
// output->vertices.push_back(aiVector3D(data[6],data[7],data[8]));
output.vertices.put(data, 0, 9);
}
}
}
pScene.mRootNode = new Node();
pScene.mRootNode.mName = ("<RawRoot>");
int numChildren = 0;
int numMeshes = 0;
// count the number of valid groups
// (meshes can't be empty)
// for (std::vector< GroupInformation >::iterator it = outGroups.begin(), end = outGroups.end();
// it != end;++it)
for(GroupInformation it : outGroups)
{
if (!it.meshes.isEmpty())
{
++numChildren;
numMeshes += it.meshes.size();
for(MeshInformation mesh : it.meshes){
mesh.colors.flip();
mesh.vertices.flip();
}
}
}
if (numMeshes == 0)
{
throw new DeadlyImportError("RAW: No meshes loaded. The file seems to be corrupt or empty.");
}
pScene.mMeshes = new Mesh[numMeshes];
Node[] cc = null;
int cc_cursor = 0;
if (1 == numChildren)
{
// cc = pScene.mRootNode;
numChildren = 0;
}
else cc = pScene.mRootNode.mChildren = new Node[/*pScene.mRootNode.mN*/numChildren];
// pScene.mNumMaterials = pScene.mNumMeshes;
Material[] mats = pScene.mMaterials = new Material[numMeshes/*pScene.mNumMaterials*/];
int mat_cursor = 0;
Vector4f clr = new Vector4f(1, 1, 1, 1);
int meshIdx = 0;
// for (std::vector< GroupInformation >::iterator it = outGroups.begin(), end = outGroups.end();
// it != end;++it)
for(GroupInformation it : outGroups)
{
if (it.meshes.isEmpty())continue;
Node node;
if (/*pScene.mRootNode->mN*/numChildren > 0)
{
node = cc[cc_cursor] = new Node();
node.mParent = pScene.mRootNode;
}
else node = pScene.mRootNode;++cc_cursor;
// node->mName.Set((*it).name);
node.mName = it.name;
// add all meshes
// node->mNumMeshes = (unsigned int)(*it).meshes.size();
// unsigned int* pi = node->mMeshes = new unsigned int[ node->mNumMeshes ];
node.mMeshes = new int[it.meshes.size()];
int pi = 0;
// for (std::vector< MeshInformation >::iterator it2 = (*it).meshes.begin(),
// end2 = (*it).meshes.end(); it2 != end2; ++it2)
for(MeshInformation it2 : it.meshes)
{
// ai_assert(!(*it2).vertices.empty());
// allocate the mesh
node.mMeshes[pi++] = meshIdx;
Mesh mesh = pScene.mMeshes[meshIdx] = new Mesh();
mesh.mMaterialIndex = meshIdx++;
mesh.mPrimitiveTypes = Mesh.aiPrimitiveType_TRIANGLE;
// allocate storage for the vertex components and copy them
mesh.mNumVertices = it2.vertices.remaining()/3;
// mesh.mVertices = new aiVector3D[ mesh->mNumVertices ];
// ::memcpy(mesh->mVertices,&(*it2).vertices[0],sizeof(aiVector3D)*mesh->mNumVertices);
final boolean natived = AssimpConfig.MESH_USE_NATIVE_MEMORY;
mesh.mVertices = MemoryUtil.refCopy(it2.vertices, natived);
if (it2.colors.remaining() > 0)
{
assert(it2.colors.remaining()/4 == mesh.mNumVertices);
// mesh->mColors[0] = new aiColor4D[ mesh->mNumVertices ];
// ::memcpy(mesh->mColors[0],&(*it2).colors[0],sizeof(aiColor4D)*mesh->mNumVertices);
mesh.mColors[0] = MemoryUtil.refCopy(it2.colors, natived);
}
// generate triangles
assert(0 == mesh.mNumVertices % 3);
/*aiFace* fc = */mesh.mFaces = new Face[/* mesh.mNumFaces = */mesh.mNumVertices/3 ];
// aiFace* const fcEnd = fc + mesh->mNumFaces;
final int fcEnd = mesh.mFaces.length;
int fc = 0;
int n = 0;
while (fc != fcEnd)
{
// aiFace& f = *fc++;
// f.mIndices = new unsigned int[f.mNumIndices = 3];
// for (unsigned int m = 0; m < 3;++m)
// f.mIndices[m] = n++;
Face f = mesh.mFaces[fc++] = Face.createInstance(3);
for(int m = 0; m < 3; m++)
f.set(m, n++);
}
// generate a material for the mesh
Material mat = new Material();
clr.set(1.0f,1.0f,1.0f,1.0f);
if ("%default%".equals(it2.name)) // a gray default material
{
clr.x = clr.y = clr.z = 0.6f;
}
else if (it2.name.length() > 0) // a texture
{
// aiString s;
// s.Set((*it2).name);
mat.addProperty(it2.name, Material._AI_MATKEY_TEXTURE_BASE, TextureType.aiTextureType_DIFFUSE.ordinal(), 0);
}
mat.addProperty(clr,Material.AI_MATKEY_COLOR_DIFFUSE,0,0);
// *mats++ = mat;
mats[mat_cursor++] = mat;
}
}
}
}
| 29.626298 | 113 | 0.635366 |
d3e0c7a3c439a9df212168c46c075b6a14ded8b7 | 221 | package ru.job4j.professions;
public class Engineer extends Profession {
public Engineer(String name) {
super(name, "Engineer");
}
public House buildHouse(House home) {
return home;
}
}
| 17 | 42 | 0.642534 |
e24a66b935dcddcd476d763cdf6c99416356b654 | 398 | package com.gm.dscustomer.service;
import com.github.pagehelper.Page;
import com.gm.dscustomer.dto.out.ProductListOutDTO;
import com.gm.dscustomer.dto.out.ProductShowOutDTO;
import com.gm.dscustomer.po.Product;
public interface ProductService {
Product getById(Integer productId);
ProductShowOutDTO getShowById(Integer productId);
Page<ProductListOutDTO> search(Integer pageNum);
}
| 26.533333 | 53 | 0.80402 |
8d89ccdcfd4bd76c1293949b8b29f90712e3ea50 | 1,004 | package com.bitdubai.fermat_api.layer.all_definition.transaction_transference_protocol;
import com.bitdubai.fermat_api.layer.all_definition.exceptions.InvalidParameterException;
/**
* Created by eze on 09/06/15.
*/
public enum Action {
APPLY ("APP"),
REVERT ("REV");
private final String code;
Action(String Code) {
this.code = Code;
}
public String getCode() { return this.code ; }
public static Action getByCode(String code) throws InvalidParameterException {
switch (code) {
case "APP": return Action.APPLY;
case "REV": return Action.REVERT;
//Modified by Manuel Perez on 04/08/2015
default: throw new InvalidParameterException(InvalidParameterException.DEFAULT_MESSAGE, null, "Code Received: " + code, "This Code Is Not Valid for the Action enum");
}
/**
* If we try to cpmvert am invalid string.
*/
//throw new InvalidParameterException(code);
}
}
| 27.888889 | 178 | 0.654382 |
4d86b32727ce9c5d3a1ff9630977a618703d3dfb | 634 | package org.springframework.social.instagram.api.impl;
import java.util.List;
import org.springframework.social.instagram.api.Subscription;
import com.fasterxml.jackson.annotation.JsonCreator;
import com.fasterxml.jackson.annotation.JsonIgnoreProperties;
import com.fasterxml.jackson.annotation.JsonProperty;
@JsonIgnoreProperties(ignoreUnknown=true)
public class SubscriptionsList {
private List<Subscription> list;
@JsonCreator
public SubscriptionsList(@JsonProperty("data") List<Subscription> list) {
this.list = list;
}
public List<Subscription> getList() {
return list;
}
}
| 25.36 | 77 | 0.757098 |
485f2c7a7164052ea9a375e04955e90d714ae734 | 935 | package com.seahorse.youliao.constant;
/**
* @ProjectName: youliao
* @Package: com.seahorse.youliao.constant
* @ClassName: WeChatQueryConstants
* @Description: 微信支付查询结果
* 详细描述 见官网 https://pay.weixin.qq.com/wiki/doc/api/native.php?chapter=9_2
* @author:songqiang
* @Date:2020-03-24 10:30
**/
public class WeChatQueryConstants {
/**
* 支付成功
*/
public static final String SUCCESS = "SUCCESS";
/**
* 转入退款
*/
public static final String REFUND = "REFUND";
/**
* 未支付
*/
public static final String NOTPAY = "NOTPAY";
/**
* 已关闭
*/
public static final String CLOSED = "CLOSED";
/**
* 已撤销(付款码支付)
*/
public static final String REVOKED = "REVOKED";
/**
* 用户支付中(付款码支付)
*/
public static final String USERPAYING = "USERPAYING";
/**
* 支付失败(其他原因,如银行返回失败)
*/
public static final String PAYERROR = "PAYERROR";
}
| 18.333333 | 73 | 0.595722 |
dddc54aaa84a646faa082e67dfe2fea401718d86 | 918 | package com.talanlabs.bean.mybatis.cache;
import org.apache.ibatis.session.Configuration;
import java.util.HashMap;
import java.util.Map;
public class BeanCache extends AbstractBeanCache {
private final Map<Object, Object> cache = new HashMap<>();
public BeanCache(Configuration configuration, BeanCacheManager beanCacheManager, Class<?> beanClass, String id) {
super(configuration, beanCacheManager, beanClass, id);
}
@Override
public void putObject(Object key, Object value) {
cache.put(key, value);
}
@Override
public Object getObject(Object key) {
return cache.get(key);
}
@Override
public Object removeObject(Object key) {
return cache.remove(key);
}
@Override
public void clear() {
cache.clear();
super.clear();
}
@Override
public int getSize() {
return cache.size();
}
}
| 20.863636 | 117 | 0.654684 |
c44cd5d7f74c864e090b4468e8790671a5768804 | 2,498 | package encoding;
import formatconversion.FormatConverter;
import java.util.ArrayList;
public class HammingCode {
public static String encode(String BCD) {
int BCDlength = BCD.length();
int parityCount = parityCountCalculator(BCD);
StringBuilder encodedString = new StringBuilder(BCD);
int codeLength = parityCount + BCDlength;
for (int i = 1; i <= codeLength; i++) {
if (isPowerOf2(i)) {
encodedString.insert(i - 1,'%');
}
}
int unknownIndex = 0;
for (int i = 0; i < codeLength; i++) {
if (encodedString.charAt(i) == '%') {
unknownIndex++;
char missingParityBit;
ArrayList<Character> xorBits = new ArrayList<>();
for (int j = i + 1; j < codeLength; j++) {
if (encodedString.charAt(j) == '%') {
continue;
}
String binaryForm = FormatConverter.toBinary(j + 1);
if (binaryForm.charAt(binaryForm.length() - unknownIndex) == '1') {
xorBits.add(encodedString.charAt(j));
}
}
char tempXORresult = XOR(xorBits.get(0),xorBits.get(1));
for (int j = 2; j < xorBits.size(); j++) {
tempXORresult = XOR(tempXORresult,xorBits.get(j));
}
if (tempXORresult == '0') {
missingParityBit = '0';
} else {
missingParityBit = '1';
}
encodedString.setCharAt(i,missingParityBit);
}
}
return encodedString.toString();
}
private static char XOR(char A,char B) {
if (A == B) {
return '0';
} else {
return '1';
}
}
public static boolean isPowerOf2(int number) {
boolean isPowerOf2 = false;
double squareRoot = logBase2(number);
if (squareRoot == Math.floor(squareRoot)) {
isPowerOf2 = true;
}
return isPowerOf2;
}
private static double logBase2(int number) {
double logOnBase10 = Math.log10(number);
double logOnBase10Two = Math.log10(2);
return logOnBase10 / logOnBase10Two;
}
public static int parityCountCalculator(String BCD) {
int BCDlength = BCD.length();
int parityCount = 0;
boolean foundParityCount = false;
for (int i = 0; !foundParityCount ; i++) {
double twoRaisedByi = Math.pow(2, i);
if ((BCDlength + 1 + i) <= twoRaisedByi) {
parityCount = i;
foundParityCount = true;
}
}
return parityCount;
}
public String decode() {
return "";
}
public String fixCode() {
return "";
}
}
| 26.294737 | 77 | 0.582866 |
425cf8c1e56ff4076d8307a6ebbcc2f87300421f | 1,249 | package io.orbi.ar.fragments;
import android.graphics.Color;
import android.util.Log;
/**
* Created by pc on 2018/1/11.
*/
public class FrameRate {
private static float mRealTimeFrame; //实时帧率
private static float mAverageFrame; //平均帧率
private static float mAllFrame;
private static int mFrameCount;
private static long mLastTime = 0;
private static String framerates;
public static String updateFrameRates()
{
long time = System.currentTimeMillis();
if(mLastTime == 0){
mRealTimeFrame = 0;
mAverageFrame = 0;
}else{
mRealTimeFrame = 1000f /(time - mLastTime);
mAllFrame += mRealTimeFrame;
mFrameCount ++;
mAverageFrame = mAllFrame/mFrameCount;
if(mFrameCount > 400 ){
mFrameCount = 0;
mAllFrame = 0;
}
}
mLastTime = time;
// if(mFrameCount % 100 == 0){
//
// framerates = "" + (int)(mAverageFrame*100)/100f;
// Log.d("frame","frame = " + framerates);
// }
framerates = "" + (int)(mRealTimeFrame*100)/100f;
Log.d("frame","frame = " + framerates);
return framerates;
}
}
| 23.12963 | 62 | 0.559648 |
c33a22bb7bb56cd65d71a6a34c8c2ebe348f39af | 1,505 | // Decompiled by Jad v1.5.8g. Copyright 2001 Pavel Kouznetsov.
// Jad home page: http://www.kpdus.com/jad.html
// Decompiler options: packimports(3) annotate safe
package com.google.android.gms.internal;
import java.lang.ref.WeakReference;
// Referenced classes of package com.google.android.gms.internal:
// zzaal
static class zzaal$zzb extends zzaar$zza
{
public void zzvb()
{
zzaal zzaal1 = (zzaal)zzaAD.get();
// 0 0:aload_0
// 1 1:getfield #22 <Field WeakReference zzaAD>
// 2 4:invokevirtual #28 <Method Object WeakReference.get()>
// 3 7:checkcast #6 <Class zzaal>
// 4 10:astore_1
if(zzaal1 == null)
//* 5 11:aload_1
//* 6 12:ifnonnull 16
{
return;
// 7 15:return
} else
{
zzaal.zza(zzaal1);
// 8 16:aload_1
// 9 17:invokestatic #31 <Method void zzaal.zza(zzaal)>
return;
// 10 20:return
}
}
private WeakReference zzaAD;
zzaal$zzb(zzaal zzaal1)
{
// 0 0:aload_0
// 1 1:invokespecial #15 <Method void zzaar$zza()>
zzaAD = new WeakReference(((Object) (zzaal1)));
// 2 4:aload_0
// 3 5:new #17 <Class WeakReference>
// 4 8:dup
// 5 9:aload_1
// 6 10:invokespecial #20 <Method void WeakReference(Object)>
// 7 13:putfield #22 <Field WeakReference zzaAD>
// 8 16:return
}
}
| 27.363636 | 70 | 0.554153 |
fcda357e24635f0605c962af7af5e597fdb68676 | 3,125 | /*
Copyright (c) 2020 - for information on the respective copyright owner
see the NOTICE file and/or the repository at
https://github.com/hyperledger-labs/organizational-agent
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.
*/
package org.hyperledger.oa.impl.activity;
import org.hyperledger.oa.BaseTest;
import org.hyperledger.oa.api.DidDocAPI;
import org.hyperledger.oa.api.DidDocAPI.PublicKey;
import org.hyperledger.oa.client.api.DidDocument;
import org.junit.jupiter.api.Test;
import java.util.Map;
import java.util.Optional;
import static org.junit.Assert.assertFalse;
import static org.junit.jupiter.api.Assertions.assertEquals;
import static org.junit.jupiter.api.Assertions.assertTrue;
class PartnerLookupTest extends BaseTest {
@Test
void testResolvePublicKeyWithKeyId() throws Exception {
DidDocument didDoc = loadAndConvertTo("files/didEvan.json", DidDocument.class);
final Optional<PublicKey> publicKey = PartnerLookup.resolvePublicKey(didDoc.getDidDocument().getPublicKey());
assertTrue(publicKey.isPresent());
assertTrue(publicKey.get().getPublicKeyBase58().startsWith("EkU6jKv"));
}
@Test
void testResolvePublicKeyNoKeyId() throws Exception {
DidDocument didDoc = loadAndConvertTo("files/didLocal.json", DidDocument.class);
final Optional<String> matchKey = PartnerLookup.matchKey(null, didDoc.getDidDocument().getPublicKey());
assertTrue(matchKey.isPresent());
// expecting first match
assertTrue(matchKey.get().startsWith("D2k3NWUD"));
}
@Test
void testResolvePublicKeyKeyIdProvided() throws Exception {
DidDocument didDoc = loadAndConvertTo("files/didLocal.json", DidDocument.class);
final Optional<String> matchKey = PartnerLookup.matchKey(
"did:web:localhost:8020#key-2", didDoc.getDidDocument().getPublicKey());
assertTrue(matchKey.isPresent());
assertTrue(matchKey.get().startsWith("C2VBLJff"));
}
@Test
void testResolveEndpoint() throws Exception {
DidDocument didDoc = loadAndConvertTo("files/didEvan.json", DidDocument.class);
Optional<Map<String, String>> ep = PartnerLookup.filterServices(didDoc.getDidDocument());
assertTrue(ep.isPresent());
assertEquals(1, ep.get().size());
assertTrue(ep.get().get("profile").startsWith("https://test.test.com"));
}
@Test
void testResolveEndpointEmpty() {
Optional<Map<String, String>> ep = PartnerLookup.filterServices(new DidDocAPI());
assertFalse(ep.isEmpty());
assertEquals(0, ep.get().size());
}
}
| 39.0625 | 117 | 0.7248 |
9ee8dd959b0fb17b461e7e91854f735db86f76c0 | 2,356 |
// RobotBuilder Version: 3.1
//
// This file was generated by RobotBuilder. It contains sections of
// code that are automatically generated and assigned by robotbuilder.
// These sections will be updated in the future when you export to
// Java from RobotBuilder. Do not put any code or make any change in
// the blocks indicating autogenerated code or it will be lost on an
// update. Deleting the comments indicating the section will prevent
// it from being updated in the future.
package frc.robot.subsystems;
import edu.wpi.first.wpilibj.DriverStation;
import edu.wpi.first.wpilibj.DriverStation.Alliance;
import edu.wpi.first.wpilibj.motorcontrol.Spark;
import edu.wpi.first.wpilibj2.command.SubsystemBase;
import frc.robot.Constants;
// BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=IMPORTS
// END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=IMPORTS
/**
*
*/
public class Lights extends SubsystemBase {
// BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=CONSTANTS
// END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=CONSTANTS
// BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=DECLARATIONS
// END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=DECLARATIONS
/**
*
*/
private Spark blinkin;
public Lights() {
blinkin = new Spark(Constants.LightConstants.blinkinPort);
blinkin.setSafetyEnabled(false);
// BEGIN AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=CONSTRUCTORS
// END AUTOGENERATED CODE, SOURCE=ROBOTBUILDER ID=CONSTRUCTORS
}
@Override
public void periodic() {
// This method will be called once per scheduler run
}
@Override
public void simulationPeriodic() {
// This method will be called once per scheduler run when in simulation
}
// Put methods for controlling this subsystem
// here. Call these from Commands.
public void changeLights(double pwm){
blinkin.set(pwm);
}
public double getAlliancePattern(){
if(DriverStation.getAlliance() != null){
return DriverStation.getAlliance() == Alliance.Red? 0.61:0.87 ;
}
return 0.61;
}
public double getShootingPattern(){
if(DriverStation.getAlliance() != null){
return DriverStation.getAlliance() == Alliance.Red? 0.07:0.27 ;
}
return 0.13;
}
}
| 27.08046 | 79 | 0.697368 |
f892a2b11a54df706060837d97528f8c52b6dcd9 | 340 | package yeelp.distinctdamagedescriptions.util;
import yeelp.distinctdamagedescriptions.api.DDDDamageType;
import yeelp.distinctdamagedescriptions.util.lib.NonNullMap;
public class DDDBaseMap<T> extends NonNullMap<DDDDamageType, T>
{
public DDDBaseMap(T defaultVal)
{
super(defaultVal);
// TODO Auto-generated constructor stub
}
}
| 24.285714 | 63 | 0.811765 |
c0b0c40772eb67c120a4373c6943e99fe5697bd0 | 1,593 | package net.kunmc.lab.spotbilledduck.game;
import lombok.Getter;
import org.bukkit.Material;
import org.bukkit.block.Block;
import org.bukkit.entity.Player;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Map;
import java.util.Set;
public class PlayerStateManager {
// <親プレイヤーのID, 歩いた地点>
@Getter
private static Set<String> parentPlayers = new HashSet<>();
@Getter
private static Map<String, String> childPlayerPlace = new HashMap();
public static void addChildPlayerPlace(Player player, Block block) {
childPlayerPlace.put(player.getName(), Place.getXyzPlaceStringFromLocation(block.getLocation()));
}
public static boolean addParentPlayer(String playerName) {
if (!isParentPlayer(playerName)) {
parentPlayers.add(playerName);
return true;
}
return false;
}
public static boolean removeParentPlayer(String playerName) {
if (isParentPlayer(playerName)) {
parentPlayers.remove(playerName);
return true;
}
return false;
}
public static boolean canStand(Block block) {
// 対象のブロックが強制移動の対象になるかを判定
Material type = block.getType();
return !type.equals(Material.AIR) &&
!type.equals(Material.CAVE_AIR) &&
!type.equals(Material.VOID_AIR) &&
!type.equals(Material.GRASS) &&
!type.equals(Material.TALL_GRASS);
}
public static boolean isParentPlayer(String playerName) {
return parentPlayers.contains(playerName);
}
} | 30.056604 | 105 | 0.658506 |
bb473e93fa1ebbde6c0b9bc4519709d1e5c1dbc1 | 724 | package me.boqin.jsrxbridge.api;
import java.util.HashMap;
import me.boqin.jsrxbridgelib.interfaces.IBToJsHandler;
import me.boqin.jsrxbridgelib.utils.JsonUtil;
/**
* 用于Native调用的JS方法。
* Created by Boqin on 2017/7/12.
* Modified by Boqin
* @Version
*/
@Deprecated
public class JSApi {
private IBToJsHandler mJavaCallHandler;
public JSApi(IBToJsHandler javaCallHandler){
mJavaCallHandler = javaCallHandler;
}
public void notifyTokenChange(){
mJavaCallHandler.notify("userInfoChange", JsonUtil.toJsonString(getUserInfo()));
}
private Object getUserInfo() {
HashMap<String, String> map = new HashMap<>();
map.put("name", "error");
return map;
}
}
| 21.294118 | 88 | 0.69337 |
aa2fd84962ce5a9e82e2aadf1fee65f4f05e5537 | 1,620 | // Copyright (c) Microsoft Corporation. All rights reserved.
// Licensed under the MIT License.
// Code generated by Microsoft (R) AutoRest Code Generator.
package com.azure.resourcemanager.batchai.models;
import com.azure.core.annotation.Fluent;
import com.azure.core.util.logging.ClientLogger;
import com.fasterxml.jackson.annotation.JsonIgnore;
import com.fasterxml.jackson.annotation.JsonProperty;
/** VM configuration. */
@Fluent
public final class VirtualMachineConfiguration {
@JsonIgnore private final ClientLogger logger = new ClientLogger(VirtualMachineConfiguration.class);
/*
* OS image reference for cluster nodes.
*/
@JsonProperty(value = "imageReference")
private ImageReference imageReference;
/**
* Get the imageReference property: OS image reference for cluster nodes.
*
* @return the imageReference value.
*/
public ImageReference imageReference() {
return this.imageReference;
}
/**
* Set the imageReference property: OS image reference for cluster nodes.
*
* @param imageReference the imageReference value to set.
* @return the VirtualMachineConfiguration object itself.
*/
public VirtualMachineConfiguration withImageReference(ImageReference imageReference) {
this.imageReference = imageReference;
return this;
}
/**
* Validates the instance.
*
* @throws IllegalArgumentException thrown if the instance is not valid.
*/
public void validate() {
if (imageReference() != null) {
imageReference().validate();
}
}
}
| 30 | 104 | 0.700617 |
ff4875751dd7755b17002372a3f622c86eafc2d1 | 149 | /**
* see https://docs.jboss.org/hibernate/validator/5.4/reference/en-US/html_single/
*/
package io.ddd.framework.sharedataobject.common.validator; | 37.25 | 82 | 0.771812 |
993a244890a89c5160cb11988b908f2c23c6cb00 | 1,260 | package jaredbgreat.arcade.ui.input;
import jaredbgreat.arcade.entity.IInputController;
/**
*
* @author jared
*/
public class InputAgregator {
private static InputAgregator in;
private int commands;
private final KeyInput KEYS;
private final MouseInput MOUSE;
private final IInputController inputController;
public InputAgregator(KeyInput keys, MouseInput mouse,
IInputController controller) {
KEYS = keys;
MOUSE = mouse;
inputController = controller;
}
public static void init(KeyInput keys, MouseInput mouse,
IInputController controller) {
in = new InputAgregator(keys, mouse, controller);
}
public static InputAgregator getInputAgregator() {
return in;
}
public KeyInput getKeyListener() {
return KEYS;
}
public MouseInput getMouseListener() {
return MOUSE;
}
public void update() {
commands = 0;
commands |= KEYS.getCommands();
commands |= MOUSE.getCommands();
inputController.update(commands);
}
public void clear() {
commands = 0;
KEYS.clear();
}
}
| 20.322581 | 65 | 0.592063 |
3835ee2433ee995f97e4473684d522ad199ffea4 | 648 | //$Id: Search.java 7772 2005-08-05 23:03:46Z oneovthafew $
package org.hibernate.test.sorted;
import java.util.SortedSet;
import java.util.TreeSet;
public class Search {
private String searchString;
private SortedSet searchResults = new TreeSet();
Search() {}
public Search(String string) {
searchString = string;
}
public SortedSet getSearchResults() {
return searchResults;
}
public void setSearchResults(SortedSet searchResults) {
this.searchResults = searchResults;
}
public String getSearchString() {
return searchString;
}
public void setSearchString(String searchString) {
this.searchString = searchString;
}
}
| 22.344828 | 58 | 0.753086 |
2ee04d80624654a37da867dff53252fce695d83b | 16,105 | /*******************************************************************************
*
* Pentaho Mondrian Test Compatibility Kit
*
* Copyright (C) 2013-2014 by Pentaho : http://www.pentaho.com
*
*******************************************************************************
*
* 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.
*
******************************************************************************/
package org.pentaho.mondrian.tck;
import static org.pentaho.mondrian.tck.SqlExpectation.newBuilder;
import org.junit.Test;
public class InlineTablesTest extends TestBase {
@Test
public void testInlineTable() throws Exception {
final SqlExpectation expct =
newBuilder()
.query( "select\n"
+ " alt_promotion.promo_id promo_id,\n"
+ " alt_promotion.promo_name promo_name\n"
+ "from\n"
+ " (select 0 promo_id, 'Promo0' promo_name union all select 1 promo_id, 'Promo1' promo_name) alt_promotion\n"
+ "group by\n"
+ " alt_promotion.promo_id,\n"
+ " alt_promotion.promo_name\n"
+ "order by\n"
+ " " + getOrderExpression( "c0", "alt_promotion.promo_id", true, true, true ) )
.columns( "promo_id", "promo_name" )
.rows( "0|Promo0" )
.partial()
.build();
SqlContext.defaultContext().verify( expct );
}
@Test
public void testInlineTableJoin() throws Exception {
final SqlExpectation expct =
newBuilder()
.query( "select\n"
+ " time_by_day.the_year the_year,\n"
+ " nation.nation_name nation_name,\n"
+ " sum(sales_fact_1997.unit_sales) sum_sales\n"
+ "from\n"
+ " time_by_day time_by_day,\n"
+ " sales_fact_1997 sales_fact_1997,\n"
+ " (select 'USA' nation_name, 'US' nation_shortcode union all select 'Mexico' nation_name, 'MX' nation_shortcode union all select 'Canada' nation_name, 'CA' nation_shortcode) nation,\n"
+ " store store\n"
+ "where\n"
+ " sales_fact_1997.time_id = time_by_day.time_id\n"
+ "and\n"
+ " time_by_day.the_year = 1997\n"
+ "and\n"
+ " sales_fact_1997.store_id = store.store_id\n"
+ "and\n"
+ " store.store_country = nation.nation_name\n"
+ "group by\n"
+ " time_by_day.the_year,\n"
+ " nation.nation_name" )
.columns( "the_year", "nation_name", "sum_sales" )
.rows( "1,997|USA|266,773" )
.partial()
.build();
SqlContext.defaultContext().verify( expct );
}
@Test
public void testInlineTableMondrian() throws Exception {
MondrianExpectation expectation = MondrianExpectation.newBuilder()
.query( "select "
+ " {[Alternative Promotion].[All Alternative Promotions].children} ON COLUMNS "
+ " from Sales_inline" )
.result( "Axis #0:\n"
+ "{}\n"
+ "Axis #1:\n"
+ "{[Alternative Promotion].[Promo0]}\n"
+ "{[Alternative Promotion].[Promo1]}\n"
+ "Row #0: 195,448\n"
+ "Row #0: \n" )
.sql( "select\n"
+ " alt_promotion.promo_id c0,\n"
+ " alt_promotion.promo_name c1\n"
+ "from\n"
+ " (select 0 promo_id, 'Promo0' promo_name union all select 1 promo_id, 'Promo1' promo_name) alt_promotion\n"
+ "group by\n"
+ " alt_promotion.promo_id,\n"
+ " alt_promotion.promo_name\n"
+ "order by\n"
+ " " + getOrderExpression( "c0", "alt_promotion.promo_id", true, true, true ) )
.sql( "select count(*) from (select distinct\n"
+ " alt_promotion.promo_id c0\n"
+ "from\n"
+ " (select 0 promo_id, 'Promo0' promo_name union all select 1 promo_id, 'Promo1' promo_name) alt_promotion)"
+ ( dialect.requiresAliasForFromQuery()
? " init"
: "" ) )
.sql( "select\n"
+ " alt_promotion.promo_id c0,\n"
+ " sum(sales_fact_1997.unit_sales) m0\n"
+ "from\n"
+ " (select 0 promo_id, 'Promo0' promo_name union all select 1 promo_id, 'Promo1' promo_name) alt_promotion,\n"
+ " sales_fact_1997 sales_fact_1997\n"
+ "where\n"
+ " sales_fact_1997.promotion_id = alt_promotion.promo_id\n"
+ "group by\n"
+ " alt_promotion.promo_id" )
.build();
MondrianContext.forCatalog(
"<Schema name=\"FoodMart\">"
+ "<Cube name=\"Sales_inline\">\n"
+ " <Table name=\"sales_fact_1997\"/>\n"
+ " <Dimension name=\"Alternative Promotion\" foreignKey=\"promotion_id\">\n"
+ " <Hierarchy hasAll=\"true\" primaryKey=\"promo_id\">\n"
+ " <InlineTable alias=\"alt_promotion\">\n"
+ " <ColumnDefs>\n"
+ " <ColumnDef name=\"promo_id\" type=\"Numeric\"/>\n"
+ " <ColumnDef name=\"promo_name\" type=\"String\"/>\n"
+ " </ColumnDefs>\n"
+ " <Rows>\n"
+ " <Row>\n"
+ " <Value column=\"promo_id\">0</Value>\n"
+ " <Value column=\"promo_name\">Promo0</Value>\n"
+ " </Row>\n"
+ " <Row>\n"
+ " <Value column=\"promo_id\">1</Value>\n"
+ " <Value column=\"promo_name\">Promo1</Value>\n"
+ " </Row>\n"
+ " </Rows>\n"
+ " </InlineTable>\n"
+ " <Level name=\"Alternative Promotion\" column=\"promo_id\" nameColumn=\"promo_name\" uniqueMembers=\"true\"/> \n"
+ " </Hierarchy>\n"
+ " </Dimension>\n"
+ " <Measure name=\"Unit Sales\" column=\"unit_sales\" aggregator=\"sum\"\n"
+ " formatString=\"Standard\" visible=\"false\"/>\n"
+ " <Measure name=\"Store Sales\" column=\"store_sales\" aggregator=\"sum\"\n"
+ " formatString=\"#,###.00\"/>\n"
+ "</Cube>"
+ "</Schema>" ).verify( expectation );
}
@Test
public void testInlineTableInSharedDim() throws Exception {
MondrianExpectation expectation =
MondrianExpectation.newBuilder()
.query( "select "
+ " {[Shared Alternative Promotion].[All Shared Alternative Promotions].children} ON COLUMNS "
+ " from Sales_inline_shared" )
.result( "Axis #0:\n"
+ "{}\n"
+ "Axis #1:\n"
+ "{[Shared Alternative Promotion].[First promo]}\n"
+ "{[Shared Alternative Promotion].[Second promo]}\n"
+ "Row #0: 195,448\n"
+ "Row #0: \n" )
.sql( "select\n"
+ " alt_promotion.promo_id c0,\n"
+ " alt_promotion.promo_name c1\n"
+ "from\n"
+ " (select 0 promo_id, 'First promo' promo_name union all select 1 promo_id, 'Second promo' promo_name) alt_promotion\n"
+ "group by\n"
+ " alt_promotion.promo_id,\n"
+ " alt_promotion.promo_name\n"
+ "order by\n"
+ " " + getOrderExpression( "c0", "alt_promotion.promo_id", true, true, true ) )
.sql( "select count(*) from (select distinct\n"
+ " alt_promotion.promo_id c0\n"
+ "from\n"
+ " (select 0 promo_id, 'First promo' promo_name union all select 1 promo_id, 'Second promo' promo_name) alt_promotion)"
+ ( dialect.requiresAliasForFromQuery()
? " init"
: "" ) )
.sql( "select\n"
+ " alt_promotion.promo_id c0,\n"
+ " sum(sales_fact_1997.unit_sales) m0\n"
+ "from\n"
+ " (select 0 promo_id, 'First promo' promo_name union all select 1 promo_id, 'Second promo' promo_name) alt_promotion,\n"
+ " sales_fact_1997 sales_fact_1997\n"
+ "where\n"
+ " sales_fact_1997.promotion_id = alt_promotion.promo_id\n"
+ "group by\n"
+ " alt_promotion.promo_id" )
.build();
MondrianContext.forCatalog(
"<Schema name=\"FoodMart\">"
+ " <Dimension name=\"Shared Alternative Promotion\">\n"
+ " <Hierarchy hasAll=\"true\" primaryKey=\"promo_id\">\n"
+ " <InlineTable alias=\"alt_promotion\">\n"
+ " <ColumnDefs>\n"
+ " <ColumnDef name=\"promo_id\" type=\"Numeric\"/>\n"
+ " <ColumnDef name=\"promo_name\" type=\"String\"/>\n"
+ " </ColumnDefs>\n"
+ " <Rows>\n"
+ " <Row>\n"
+ " <Value column=\"promo_id\">0</Value>\n"
+ " <Value column=\"promo_name\">First promo</Value>\n"
+ " </Row>\n"
+ " <Row>\n"
+ " <Value column=\"promo_id\">1</Value>\n"
+ " <Value column=\"promo_name\">Second promo</Value>\n"
+ " </Row>\n"
+ " </Rows>\n"
+ " </InlineTable>\n"
+ " <Level name=\"Alternative Promotion\" column=\"promo_id\" nameColumn=\"promo_name\" uniqueMembers=\"true\"/> \n"
+ " </Hierarchy>\n"
+ " </Dimension>\n"
+ "<Cube name=\"Sales_inline_shared\">\n"
+ " <Table name=\"sales_fact_1997\"/>\n"
+ " <DimensionUsage name=\"Shared Alternative Promotion\" source=\"Shared Alternative Promotion\" foreignKey=\"promotion_id\"/>\n"
+ " <Measure name=\"Unit Sales\" column=\"unit_sales\" aggregator=\"sum\"\n"
+ " formatString=\"Standard\" visible=\"false\"/>\n"
+ " <Measure name=\"Store Sales\" column=\"store_sales\" aggregator=\"sum\"\n"
+ " formatString=\"#,###.00\"/>\n"
+ "</Cube>"
+ "</Schema>" ).verify( expectation );
}
@Test
public void testInlineTableSnowflake() throws Exception {
MondrianExpectation expectation = MondrianExpectation.newBuilder()
.query( "select "
+ " {[Store].children} ON COLUMNS "
+ " from Sales_inline_snowflake" )
.result( "Axis #0:\n"
+ "{}\n"
+ "Axis #1:\n"
+ "{[Store].[CA]}\n"
+ "{[Store].[MX]}\n"
+ "{[Store].[US]}\n"
+ "Row #0: \n"
+ "Row #0: \n"
+ "Row #0: 266,773\n" )
.sql( "select\n"
+ " nation.nation_name c0,\n"
+ " nation.nation_shortcode c1\n"
+ "from\n"
+ " store store,\n"
+ " (select 'USA' nation_name, 'US' nation_shortcode union all select 'Mexico' nation_name, 'MX' nation_shortcode union all select 'Canada' nation_name, 'CA' nation_shortcode) nation\n"
+ "where\n"
+ " store.store_country = nation.nation_name\n"
+ "group by\n"
+ " nation.nation_name,\n"
+ " nation.nation_shortcode\n"
+ "order by\n"
+ " " + getOrderExpression( "c0", "nation.nation_name", true, true, true ) )
.sql( "select count(distinct the_year) from time_by_day" )
.sql( "select count(*) from (select distinct\n"
+ " nation.nation_name c0\n"
+ "from\n"
+ " (select 'USA' nation_name, 'US' nation_shortcode union all select 'Mexico' nation_name, 'MX' nation_shortcode union all select 'Canada' nation_name, 'CA' nation_shortcode) nation)"
+ ( dialect.requiresAliasForFromQuery()
? " init"
: "" ) )
.sql( "select\n"
+ " time_by_day.the_year c0,\n"
+ " nation.nation_name c1,\n"
+ " sum(sales_fact_1997.unit_sales) m0\n"
+ "from\n"
+ " time_by_day time_by_day,\n"
+ " sales_fact_1997 sales_fact_1997,\n"
+ " (select 'USA' nation_name, 'US' nation_shortcode union all select 'Mexico' nation_name, 'MX' nation_shortcode union all select 'Canada' nation_name, 'CA' nation_shortcode) nation,\n"
+ " store store\n"
+ "where\n"
+ " sales_fact_1997.time_id = time_by_day.time_id\n"
+ "and\n"
+ " time_by_day.the_year = 1997\n"
+ "and\n"
+ " sales_fact_1997.store_id = store.store_id\n"
+ "and\n"
+ " store.store_country = nation.nation_name\n"
+ "group by\n"
+ " time_by_day.the_year,\n"
+ " nation.nation_name" )
.build();
MondrianContext.forCatalog(
"<Schema name=\"FoodMart\">"
+ "<Cube name=\"" + "Sales_inline_snowflake" + "\">\n"
+ " <Table name=\"sales_fact_1997\"/>\n"
+ " <Dimension name=\"Time\" foreignKey=\"time_id\">\n"
+ " <Hierarchy hasAll=\"false\" primaryKey=\"time_id\">\n"
+ " <Table name=\"time_by_day\"/>\n"
+ " <Level name=\"Year\" column=\"the_year\" type=\"Integer\" internalType=\"int\" uniqueMembers=\"true\"/>\n"
+ " <Level name=\"Quarter\" column=\"quarter\" uniqueMembers=\"false\"/>\n"
+ " <Level name=\"Month\" column=\"month_of_year\" type=\"Numeric\" uniqueMembers=\"false\"/>\n"
+ " </Hierarchy>\n"
+ " </Dimension>\n"
+ " <Dimension name=\"Store\" foreignKeyTable=\"store\" foreignKey=\"store_id\">\n"
+ " <Hierarchy hasAll=\"true\" primaryKeyTable=\"store\" primaryKey=\"store_id\">\n"
+ " <Join leftKey=\"store_country\" rightKey=\"nation_name\">\n"
+ " <Table name=\"store\"/>\n"
+ " <InlineTable alias=\"nation\">\n"
+ " <ColumnDefs>\n"
+ " <ColumnDef name=\"nation_name\" type=\"String\"/>\n"
+ " <ColumnDef name=\"nation_shortcode\" type=\"String\"/>\n"
+ " </ColumnDefs>\n"
+ " <Rows>\n"
+ " <Row>\n"
+ " <Value column=\"nation_name\">USA</Value>\n"
+ " <Value column=\"nation_shortcode\">US</Value>\n"
+ " </Row>\n"
+ " <Row>\n"
+ " <Value column=\"nation_name\">Mexico</Value>\n"
+ " <Value column=\"nation_shortcode\">MX</Value>\n"
+ " </Row>\n"
+ " <Row>\n"
+ " <Value column=\"nation_name\">Canada</Value>\n"
+ " <Value column=\"nation_shortcode\">CA</Value>\n"
+ " </Row>\n"
+ " </Rows>\n"
+ " </InlineTable>\n"
+ " </Join>\n"
+ " <Level name=\"Store Country\" table=\"nation\" column=\"nation_name\" nameColumn=\"nation_shortcode\" uniqueMembers=\"true\"/>\n"
+ " <Level name=\"Store State\" table=\"store\" column=\"store_state\" uniqueMembers=\"true\"/>\n"
+ " <Level name=\"Store City\" table=\"store\" column=\"store_city\" uniqueMembers=\"false\"/>\n"
+ " <Level name=\"Store Name\" table=\"store\" column=\"store_name\" uniqueMembers=\"true\"/>\n"
+ " </Hierarchy>\n"
+ " </Dimension>\n"
+ " <Measure name=\"Unit Sales\" column=\"unit_sales\" aggregator=\"sum\"\n"
+ " formatString=\"Standard\" visible=\"false\"/>\n"
+ " <Measure name=\"Store Sales\" column=\"store_sales\" aggregator=\"sum\"\n"
+ " formatString=\"#,###.00\"/>\n"
+ "</Cube>"
+ "</Schema>" ).verify( expectation );
}
}
| 47.647929 | 203 | 0.511704 |
7bd1f85d4d3d78fc1484e5b1056e1f008fa204e0 | 714 | import static java.lang.Thread.sleep;
import java.util.logging.Level;
import java.util.logging.Logger;
public class Consumidor implements Runnable{
private AreaComun area = null;
private int veces =0;
public Consumidor (int v, AreaComun a){
this.veces =v;
this.area =a;
}
@Override
public void run() {
int i =0;
while(i< this.veces){
if(area.disminuye()){
i++;
}
else{
try {
sleep(50);
} catch (InterruptedException ex) {
System.out.println("Error");
}
}
area.imprime();
}
}
}
| 20.4 | 51 | 0.478992 |
b4280554a3ef894f1e85758f3e5695aa7c5579de | 4,761 | package com.andy.gsbc;
import com.andy.gsbc.autoconfigure.GrpcServerProperties;
import com.andy.gsbc.register.RpcRegister;
import com.andy.gsbc.register.ServiceInfo;
import com.google.common.net.HostAndPort;
import com.orbitz.consul.AgentClient;
import com.orbitz.consul.Consul;
import com.orbitz.consul.model.agent.ImmutableRegistration;
import com.orbitz.consul.model.agent.Registration;
import io.grpc.Server;
import io.grpc.ServerBuilder;
import io.grpc.ServerServiceDefinition;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.DisposableBean;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.boot.CommandLineRunner;
import org.springframework.context.ApplicationContext;
import org.springframework.core.annotation.AnnotationUtils;
import org.springframework.stereotype.Component;
import org.springframework.util.ReflectionUtils;
import java.lang.reflect.Method;
import java.net.InetAddress;
import java.net.URL;
import java.util.Arrays;
import java.util.Optional;
/**
* Created by 延泽 on 3/6 0006.
* runner
*/
@Component
public class GrpcServerRunner implements CommandLineRunner, DisposableBean {
private static final Logger logger = LoggerFactory.getLogger(GrpcServerRunner.class);
/**
* Name of static function of gRPC service-outer class that creates {@link io.grpc.ServerServiceDefinition}.
*/
final private static String bindServiceMethodName = "bindService";
@Autowired
private ApplicationContext applicationContext;
@Autowired
private GrpcServerProperties gRpcServerProperties;
@Autowired
private RpcRegister rpcRegister;
private Server server;
public GrpcServerRunner() {
}
public void run(String... strings) throws Exception {
final ServerBuilder<?> serverBuilder = ServerBuilder.forPort(gRpcServerProperties.getPort());
for (Object grpcService : applicationContext.getBeansWithAnnotation(GrpcService.class).values()) {
final Class grpcServiceOuterClass =
AnnotationUtils.findAnnotation(grpcService.getClass(), GrpcService.class).grpcServiceOuterClass();
final String serviceName =
AnnotationUtils.findAnnotation(grpcService.getClass(), GrpcService.class).serviceName();
String version = AnnotationUtils.findAnnotation(grpcService.getClass(), GrpcService.class).version();
final Optional<Method> bindServiceMethod =
Arrays.asList(ReflectionUtils.getAllDeclaredMethods(grpcServiceOuterClass)).stream().filter(method ->
bindServiceMethodName.equals(method.getName()) && 1 == method.getParameterCount()
&& method.getParameterTypes()[0].isAssignableFrom(grpcService.getClass())).findFirst();
if (bindServiceMethod.isPresent()) {
ServerServiceDefinition serviceDefinition =
(ServerServiceDefinition) bindServiceMethod.get().invoke(null, grpcService);
serverBuilder.addService(serviceDefinition);
ServiceInfo serviceInfo = new ServiceInfo(serviceName,gRpcServerProperties.getPort(),version);
rpcRegister.registerRpc(serviceInfo);
logger.info("'{}' service has been registered.", serviceDefinition.getName());
} else {
throw new IllegalArgumentException(String.format("Failed to find '%s' method on class %s.\r\n" +
"Please make sure you've provided correct 'grpcServiceOuterClass' attribute for '%s' annotation.\r\n"
+
"It should be the protoc-generated outer class of your service.", bindServiceMethodName, grpcServiceOuterClass.getName(), GrpcService.class.getName()));
}
}
server = serverBuilder.build().start();
logger.info("gRPC Server started, listening on port {}.", gRpcServerProperties.getPort());
startDaemonAwaitThread();
}
private void startDaemonAwaitThread() {
Thread awaitThread = new Thread() {
@Override
public void run() {
try {
GrpcServerRunner.this.server.awaitTermination();
} catch (InterruptedException e) {
logger.error("gRPC server stopped.", e);
}
}
};
awaitThread.setDaemon(false);
awaitThread.start();
}
@Override
public void destroy() throws Exception {
logger.info("Shutting down gRPC server ...");
Optional.ofNullable(server).ifPresent(Server::shutdown);
logger.info("gRPC server stopped.");
}
}
| 40.692308 | 176 | 0.68683 |
a9822db77562ecbf54d4b467dfd4f04dd0805bfc | 101 | package io.github.wilson.order;
//package by domain, not by duty
public class OrderServiceImpl{
} | 12.625 | 32 | 0.762376 |
4326a11349248200abc3997a205840a99c4519cc | 1,708 | /*
* To change this license header, choose License Headers in Project Properties.
* To change this template file, choose Tools | Templates
* and open the template in the editor.
*/
package control;
/**
*
* A continuacion se definen clases en relacion a las cliente
* Este codigo comparte la información a través de herencias
*/
public class Cliente {
private int identificacion;
private String nombre;
private String apellido;
private String telefono;
private boolean estadoEliminar;
public Cliente() {
}
public Cliente(int identificacion, String nombre, String apellido, String telefono, boolean estado) {
this.identificacion = identificacion;
this.nombre = nombre;
this.apellido = apellido;
this.telefono = telefono;
this.estadoEliminar = estado;
}
public int getIdentificacion() {
return identificacion;
}
public void setIdentificacion(int identificacion) {
this.identificacion = identificacion;
}
public String getNombre() {
return nombre;
}
public void setNombre(String nombre) {
this.nombre = nombre;
}
public String getApellido() {
return apellido;
}
public void setApellido(String apellido) {
this.apellido = apellido;
}
public String getTelefono() {
return telefono;
}
public void setTelefono(String telefono) {
this.telefono = telefono;
}
public boolean isEstado() {
return estadoEliminar;
}
public void setEstado(boolean estado) {
this.estadoEliminar = estado;
}
}
| 24.056338 | 106 | 0.627049 |
5e6cc01cec81852d0255d70d1effb068db446c5b | 1,980 | /**********************************************************************
Copyright (c) 2014 HubSpot 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.
**********************************************************************/
package com.hubspot.jinjava.util;
import java.util.ArrayList;
import java.util.Collection;
import java.util.Iterator;
import java.util.Map;
import com.google.common.collect.Iterators;
public final class ObjectIterator {
private ObjectIterator() {}
@SuppressWarnings("unchecked")
public static ForLoop getLoop(Object obj) {
if (obj == null) {
return new ForLoop(new ArrayList<Object>().iterator(), 0);
}
// collection
if (obj instanceof Collection) {
Collection<Object> clt = (Collection<Object>) obj;
return new ForLoop(clt.iterator(), clt.size());
}
// array
if (obj.getClass().isArray()) {
Object[] arr = (Object[]) obj;
return new ForLoop(Iterators.forArray(arr), arr.length);
}
// map
if (obj instanceof Map) {
Collection<Object> clt = ((Map<Object, Object>) obj).values();
return new ForLoop(clt.iterator(), clt.size());
}
// iterable,iterator
if (obj instanceof Iterable) {
return new ForLoop(((Iterable<Object>) obj).iterator());
}
if (obj instanceof Iterator) {
return new ForLoop((Iterator<Object>) obj);
}
// others
ArrayList<Object> res = new ArrayList<Object>();
res.add(obj);
return new ForLoop(res.iterator(), 1);
}
}
| 31.428571 | 72 | 0.637374 |
0ac9ef226cbad02b136102086944eea59a7cf54e | 2,950 | /*
Copyright (C) 2013-2019 Expedia 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.
*/
package com.hotels.styx.proxy;
import com.hotels.styx.Environment;
import com.hotels.styx.api.HttpHandler;
import com.hotels.styx.api.LiveHttpRequest;
import com.hotels.styx.api.LiveHttpResponse;
import com.hotels.styx.server.HttpServer;
import com.hotels.styx.server.netty.NettyServerBuilderSpec;
import static com.hotels.styx.proxy.encoders.ConfigurableUnwiseCharsEncoder.ENCODE_UNWISECHARS;
import static java.util.Objects.requireNonNull;
/**
* A builder for a ProxyServer.
*/
public final class ProxyServerBuilder {
private final Environment environment;
private final ResponseInfoFormat responseInfoFormat;
private final CharSequence styxInfoHeaderName;
private HttpHandler httpHandler;
private Runnable onStartupAction = () -> {
};
public ProxyServerBuilder(Environment environment) {
this.environment = requireNonNull(environment);
this.responseInfoFormat = new ResponseInfoFormat(environment);
this.styxInfoHeaderName = environment.styxConfig().styxHeaderConfig().styxInfoHeaderName();
}
public HttpServer build() {
ProxyServerConfig proxyConfig = environment.styxConfig().proxyServerConfig();
String unwiseCharacters = environment.styxConfig().get(ENCODE_UNWISECHARS).orElse("");
boolean requestTracking = environment.configuration().get("requestTracking", Boolean.class).orElse(false);
return new NettyServerBuilderSpec("Proxy", environment.serverEnvironment(),
new ProxyConnectorFactory(proxyConfig, environment.metricRegistry(), environment.errorListener(), unwiseCharacters, this::addInfoHeader, requestTracking))
.toNettyServerBuilder(proxyConfig)
.httpHandler(httpHandler)
// register health check
.doOnStartUp(onStartupAction)
.build();
}
private LiveHttpResponse.Transformer addInfoHeader(LiveHttpResponse.Transformer responseBuilder, LiveHttpRequest request) {
return responseBuilder.header(styxInfoHeaderName, responseInfoFormat.format(request));
}
public ProxyServerBuilder httpHandler(HttpHandler httpHandler) {
this.httpHandler = httpHandler;
return this;
}
public ProxyServerBuilder onStartup(Runnable startupAction) {
this.onStartupAction = startupAction;
return this;
}
}
| 39.864865 | 170 | 0.744746 |
5d4b587921d867d32aff5f51e474f0b58691a5d7 | 91 | package com.andrei1058.spigot.multiversioneventhandler;
public interface WrappedEvent {
}
| 18.2 | 55 | 0.846154 |
6d6cc132d1b1de0f11b290bbdb1df9726cab9c23 | 32,258 | /*
* Copyright (C) 2006 The Android Open Source Project
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
import java.lang.reflect.*;
import java.io.IOException;
import java.util.Collections;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import java.util.Map;
import java.util.Set;
/**
* Reflection test.
*/
public class Main {
private static boolean FULL_ACCESS_CHECKS = false; // b/5861201
public Main() {}
public Main(ArrayList<Integer> stuff) {}
void printMethodInfo(Method meth) {
Class<?>[] params, exceptions;
int i;
System.out.println("Method name is " + meth.getName());
System.out.println(" Declaring class is "
+ meth.getDeclaringClass().getName());
params = meth.getParameterTypes();
for (i = 0; i < params.length; i++)
System.out.println(" Arg " + i + ": " + params[i].getName());
exceptions = meth.getExceptionTypes();
for (i = 0; i < exceptions.length; i++)
System.out.println(" Exc " + i + ": " + exceptions[i].getName());
System.out.println(" Return type is " + meth.getReturnType().getName());
System.out.println(" Access flags are 0x"
+ Integer.toHexString(meth.getModifiers()));
//System.out.println(" GenericStr is " + meth.toGenericString());
}
void printFieldInfo(Field field) {
System.out.println("Field name is " + field.getName());
System.out.println(" Declaring class is "
+ field.getDeclaringClass().getName());
System.out.println(" Field type is " + field.getType().getName());
System.out.println(" Access flags are 0x"
+ Integer.toHexString(field.getModifiers()));
}
private void showStrings(Target instance)
throws NoSuchFieldException, IllegalAccessException {
Class<?> target = Target.class;
String one, two, three, four;
Field field = null;
field = target.getField("string1");
one = (String) field.get(instance);
field = target.getField("string2");
two = (String) field.get(instance);
field = target.getField("string3");
three = (String) field.get(instance);
System.out.println(" ::: " + one + ":" + two + ":" + three);
}
public static void checkAccess() {
try {
Class<?> target = otherpackage.Other.class;
Object instance = new otherpackage.Other();
Method meth;
meth = target.getMethod("publicMethod");
meth.invoke(instance);
try {
meth = target.getMethod("packageMethod");
System.out.println("succeeded on package-scope method");
} catch (NoSuchMethodException nsme) {
// good
}
instance = otherpackage.Other.getInnerClassInstance();
target = instance.getClass();
meth = target.getMethod("innerMethod");
try {
if (!FULL_ACCESS_CHECKS) { throw new IllegalAccessException(); }
meth.invoke(instance);
System.out.println("inner-method invoke unexpectedly worked");
} catch (IllegalAccessException iae) {
// good
}
Field field = target.getField("innerField");
try {
int x = field.getInt(instance);
if (!FULL_ACCESS_CHECKS) { throw new IllegalAccessException(); }
System.out.println("field get unexpectedly worked: " + x);
} catch (IllegalAccessException iae) {
// good
}
} catch (Exception ex) {
System.out.println("----- unexpected exception -----");
ex.printStackTrace(System.out);
}
}
public void run() {
Class<Target> target = Target.class;
Method meth = null;
Field field = null;
boolean excep;
try {
meth = target.getMethod("myMethod", int.class);
if (meth.getDeclaringClass() != target)
throw new RuntimeException();
printMethodInfo(meth);
meth = target.getMethod("myMethod", float.class);
printMethodInfo(meth);
meth = target.getMethod("myNoargMethod");
printMethodInfo(meth);
meth = target.getMethod("myMethod", String[].class, float.class, char.class);
printMethodInfo(meth);
Target instance = new Target();
Object[] argList = new Object[] {
new String[] { "hi there" },
new Float(3.1415926f),
new Character('\u2714')
};
System.out.println("Before, float is "
+ ((Float)argList[1]).floatValue());
Integer boxval;
boxval = (Integer) meth.invoke(instance, argList);
System.out.println("Result of invoke: " + boxval.intValue());
System.out.println("Calling no-arg void-return method");
meth = target.getMethod("myNoargMethod");
meth.invoke(instance, (Object[]) null);
/* try invoking a method that throws an exception */
meth = target.getMethod("throwingMethod");
try {
meth.invoke(instance, (Object[]) null);
System.out.println("GLITCH: didn't throw");
} catch (InvocationTargetException ite) {
System.out.println("Invoke got expected exception:");
System.out.println(ite.getClass().getName());
System.out.println(ite.getCause());
}
catch (Exception ex) {
System.out.println("GLITCH: invoke got wrong exception:");
ex.printStackTrace(System.out);
}
System.out.println("");
field = target.getField("string1");
if (field.getDeclaringClass() != target)
throw new RuntimeException();
printFieldInfo(field);
String strVal = (String) field.get(instance);
System.out.println(" string1 value is '" + strVal + "'");
showStrings(instance);
field.set(instance, new String("a new string"));
strVal = (String) field.get(instance);
System.out.println(" string1 value is now '" + strVal + "'");
showStrings(instance);
try {
field.set(instance, new Object());
System.out.println("WARNING: able to store Object into String");
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected illegal obj store exc");
}
try {
String four;
field = target.getField("string4");
four = (String) field.get(instance);
System.out.println("WARNING: able to access string4: "
+ four);
}
catch (IllegalAccessException iae) {
System.out.println(" got expected access exc");
}
catch (NoSuchFieldException nsfe) {
System.out.println(" got the other expected access exc");
}
try {
String three;
field = target.getField("string3");
three = (String) field.get(this);
System.out.println("WARNING: able to get string3 in wrong obj: "
+ three);
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected arg exc");
}
/*
* Try setting a field to null.
*/
String four;
field = target.getDeclaredField("string3");
field.set(instance, null);
/*
* Try getDeclaredField on a non-existent field.
*/
try {
field = target.getDeclaredField("nonExistent");
System.out.println("ERROR: Expected NoSuchFieldException");
} catch (NoSuchFieldException nsfe) {
String msg = nsfe.getMessage();
if (!msg.contains("Target;")) {
System.out.println(" NoSuchFieldException '" + msg +
"' didn't contain class");
}
}
/*
* Do some stuff with long.
*/
long longVal;
field = target.getField("pubLong");
longVal = field.getLong(instance);
System.out.println("pubLong initial value is " +
Long.toHexString(longVal));
field.setLong(instance, 0x9988776655443322L);
longVal = field.getLong(instance);
System.out.println("pubLong new value is " +
Long.toHexString(longVal));
field = target.getField("superInt");
if (field.getDeclaringClass() == target)
throw new RuntimeException();
printFieldInfo(field);
int intVal = field.getInt(instance);
System.out.println(" superInt value is " + intVal);
Integer boxedIntVal = (Integer) field.get(instance);
System.out.println(" superInt boxed is " + boxedIntVal);
field.set(instance, new Integer(20202));
intVal = field.getInt(instance);
System.out.println(" superInt value is now " + intVal);
field.setShort(instance, (short)30303);
intVal = field.getInt(instance);
System.out.println(" superInt value (from short) is now " +intVal);
field.setInt(instance, 40404);
intVal = field.getInt(instance);
System.out.println(" superInt value is now " + intVal);
try {
field.set(instance, new Long(123));
System.out.println("FAIL: expected exception not thrown");
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected long->int failure");
}
try {
field.setLong(instance, 123);
System.out.println("FAIL: expected exception not thrown");
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected long->int failure");
}
try {
field.set(instance, new String("abc"));
System.out.println("FAIL: expected exception not thrown");
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected string->int failure");
}
try {
field.getShort(instance);
System.out.println("FAIL: expected exception not thrown");
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected int->short failure");
}
field = target.getField("superClassInt");
printFieldInfo(field);
int superClassIntVal = field.getInt(instance);
System.out.println(" superClassInt value is " + superClassIntVal);
field = target.getField("staticDouble");
printFieldInfo(field);
double staticDoubleVal = field.getDouble(null);
System.out.println(" staticDoubleVal value is " + staticDoubleVal);
try {
field.getLong(instance);
System.out.println("FAIL: expected exception not thrown");
}
catch (IllegalArgumentException iae) {
System.out.println(" got expected double->long failure");
}
excep = false;
try {
field = target.getField("aPrivateInt");
printFieldInfo(field);
}
catch (NoSuchFieldException nsfe) {
System.out.println("as expected: aPrivateInt not found");
excep = true;
}
if (!excep)
System.out.println("BUG: got aPrivateInt");
field = target.getField("constantString");
printFieldInfo(field);
String val = (String) field.get(instance);
System.out.println(" Constant test value is " + val);
field = target.getField("cantTouchThis");
printFieldInfo(field);
intVal = field.getInt(instance);
System.out.println(" cantTouchThis is " + intVal);
try {
field.setInt(instance, 99);
System.out.println("ERROR: set-final did not throw exception");
} catch (IllegalAccessException iae) {
System.out.println(" as expected: set-final throws exception");
}
intVal = field.getInt(instance);
System.out.println(" cantTouchThis is still " + intVal);
System.out.println(" " + field + " accessible=" + field.isAccessible());
field.setAccessible(true);
System.out.println(" " + field + " accessible=" + field.isAccessible());
field.setInt(instance, 87); // exercise int version
intVal = field.getInt(instance);
System.out.println(" cantTouchThis is now " + intVal);
field.set(instance, 88); // exercise Object version
intVal = field.getInt(instance);
System.out.println(" cantTouchThis is now " + intVal);
Constructor<Target> cons;
Target targ;
Object[] args;
cons = target.getConstructor(int.class, float.class);
args = new Object[] { new Integer(7), new Float(3.3333) };
System.out.println("cons modifiers=" + cons.getModifiers());
targ = cons.newInstance(args);
targ.myMethod(17);
try {
Thrower thrower = Thrower.class.newInstance();
System.out.println("ERROR: Class.newInstance did not throw exception");
} catch (UnsupportedOperationException uoe) {
System.out.println("got expected exception for Class.newInstance");
} catch (Exception e) {
System.out.println("ERROR: Class.newInstance got unexpected exception: " +
e.getClass().getName());
}
try {
Constructor<Thrower> constructor = Thrower.class.getDeclaredConstructor();
Thrower thrower = constructor.newInstance();
System.out.println("ERROR: Constructor.newInstance did not throw exception");
} catch (InvocationTargetException ite) {
System.out.println("got expected exception for Constructor.newInstance");
} catch (Exception e) {
System.out.println("ERROR: Constructor.newInstance got unexpected exception: " +
e.getClass().getName());
}
} catch (Exception ex) {
System.out.println("----- unexpected exception -----");
ex.printStackTrace(System.out);
}
System.out.println("ReflectTest done!");
}
public static void checkSwap() {
Method m;
final Object[] objects = new Object[2];
try {
m = Collections.class.getDeclaredMethod("swap",
Object[].class, int.class, int.class);
} catch (NoSuchMethodException nsme) {
nsme.printStackTrace(System.out);
return;
}
System.out.println(m + " accessible=" + m.isAccessible());
m.setAccessible(true);
System.out.println(m + " accessible=" + m.isAccessible());
try {
m.invoke(null, objects, 0, 1);
} catch (IllegalAccessException iae) {
iae.printStackTrace(System.out);
return;
} catch (InvocationTargetException ite) {
ite.printStackTrace(System.out);
return;
}
try {
String s = "Should be ignored";
m.invoke(s, objects, 0, 1);
} catch (IllegalAccessException iae) {
iae.printStackTrace(System.out);
return;
} catch (InvocationTargetException ite) {
ite.printStackTrace(System.out);
return;
}
try {
System.out.println("checkType invoking null");
// Trigger an NPE at the target.
m.invoke(null, null, 0, 1);
System.out.println("ERROR: should throw InvocationTargetException");
} catch (InvocationTargetException ite) {
System.out.println("checkType got expected exception");
} catch (IllegalAccessException iae) {
iae.printStackTrace(System.out);
return;
}
}
public static void checkClinitForFields() throws Exception {
// Loading a class constant shouldn't run <clinit>.
System.out.println("calling const-class FieldNoisyInitUser.class");
Class<?> niuClass = FieldNoisyInitUser.class;
System.out.println("called const-class FieldNoisyInitUser.class");
// Getting the declared fields doesn't run <clinit>.
Field[] fields = niuClass.getDeclaredFields();
System.out.println("got fields");
Field field = niuClass.getField("staticField");
System.out.println("got field");
field.get(null);
System.out.println("read field value");
// FieldNoisyInitUser should now be initialized, but FieldNoisyInit shouldn't be initialized yet.
FieldNoisyInitUser niu = new FieldNoisyInitUser();
FieldNoisyInit ni = new FieldNoisyInit();
System.out.println("");
}
public static void checkClinitForMethods() throws Exception {
// Loading a class constant shouldn't run <clinit>.
System.out.println("calling const-class MethodNoisyInitUser.class");
Class<?> niuClass = MethodNoisyInitUser.class;
System.out.println("called const-class MethodNoisyInitUser.class");
// Getting the declared methods doesn't run <clinit>.
Method[] methods = niuClass.getDeclaredMethods();
System.out.println("got methods");
Method method = niuClass.getMethod("staticMethod");
System.out.println("got method");
method.invoke(null);
System.out.println("invoked method");
// MethodNoisyInitUser should now be initialized, but MethodNoisyInit shouldn't be initialized yet.
MethodNoisyInitUser niu = new MethodNoisyInitUser();
MethodNoisyInit ni = new MethodNoisyInit();
System.out.println("");
}
/*
* Test some generic type stuff.
*/
public List<String> dummy;
public Map<Integer,String> fancyMethod(ArrayList<String> blah) { return null; }
public static void checkGeneric() {
Field field;
try {
field = Main.class.getField("dummy");
} catch (NoSuchFieldException nsfe) {
throw new RuntimeException(nsfe);
}
Type listType = field.getGenericType();
System.out.println("generic field: " + listType);
Method method;
try {
method = Main.class.getMethod("fancyMethod", ArrayList.class);
} catch (NoSuchMethodException nsme) {
throw new RuntimeException(nsme);
}
Type[] parmTypes = method.getGenericParameterTypes();
Type ret = method.getGenericReturnType();
System.out.println("generic method " + method.getName() + " params='"
+ stringifyTypeArray(parmTypes) + "' ret='" + ret + "'");
Constructor<?> ctor;
try {
ctor = Main.class.getConstructor( ArrayList.class);
} catch (NoSuchMethodException nsme) {
throw new RuntimeException(nsme);
}
parmTypes = ctor.getGenericParameterTypes();
System.out.println("generic ctor " + ctor.getName() + " params='"
+ stringifyTypeArray(parmTypes) + "'");
}
/*
* Convert an array of Type into a string. Start with an array count.
*/
private static String stringifyTypeArray(Type[] types) {
StringBuilder stb = new StringBuilder();
boolean first = true;
stb.append("[" + types.length + "]");
for (Type t: types) {
if (first) {
stb.append(" ");
first = false;
} else {
stb.append(", ");
}
stb.append(t.toString());
}
return stb.toString();
}
public static void checkUnique() {
Field field1, field2;
try {
field1 = Main.class.getField("dummy");
field2 = Main.class.getField("dummy");
} catch (NoSuchFieldException nsfe) {
throw new RuntimeException(nsfe);
}
if (field1 == field2) {
System.out.println("ERROR: fields shouldn't have reference equality");
} else {
System.out.println("fields are unique");
}
if (field1.hashCode() == field2.hashCode() && field1.equals(field2)) {
System.out.println("fields are .equals");
} else {
System.out.println("ERROR: fields fail equality");
}
Method method1, method2;
try {
method1 = Main.class.getMethod("fancyMethod", ArrayList.class);
method2 = Main.class.getMethod("fancyMethod", ArrayList.class);
} catch (NoSuchMethodException nsme) {
throw new RuntimeException(nsme);
}
if (method1 == method2) {
System.out.println("ERROR: methods shouldn't have reference equality");
} else {
System.out.println("methods are unique");
}
if (method1.hashCode() == method2.hashCode() && method1.equals(method2)) {
System.out.println("methods are .equals");
} else {
System.out.println("ERROR: methods fail equality");
}
}
public static void checkParametrizedTypeEqualsAndHashCode() {
Method method1;
Method method2;
Method method3;
try {
method1 = ParametrizedTypeTest.class.getDeclaredMethod("aMethod", Set.class);
method2 = ParametrizedTypeTest.class.getDeclaredMethod("aMethod", Set.class);
method3 = ParametrizedTypeTest.class.getDeclaredMethod("aMethodIdentical", Set.class);
} catch (NoSuchMethodException nsme) {
throw new RuntimeException(nsme);
}
List<Type> types1 = Arrays.asList(method1.getGenericParameterTypes());
List<Type> types2 = Arrays.asList(method2.getGenericParameterTypes());
List<Type> types3 = Arrays.asList(method3.getGenericParameterTypes());
Type type1 = types1.get(0);
Type type2 = types2.get(0);
Type type3 = types3.get(0);
if (type1 instanceof ParameterizedType) {
System.out.println("type1 is a ParameterizedType");
}
if (type2 instanceof ParameterizedType) {
System.out.println("type2 is a ParameterizedType");
}
if (type3 instanceof ParameterizedType) {
System.out.println("type3 is a ParameterizedType");
}
if (type1.equals(type2)) {
System.out.println("type1("+type1+") equals type2("+type2+")");
} else {
System.out.println("type1("+type1+") does not equal type2("+type2+")");
}
if (type1.equals(type3)) {
System.out.println("type1("+type1+") equals type3("+type3+")");
} else {
System.out.println("type1("+type1+") does not equal type3("+type3+")");
}
if (type1.hashCode() == type2.hashCode()) {
System.out.println("type1("+type1+") hashCode equals type2("+type2+") hashCode");
} else {
System.out.println(
"type1("+type1+") hashCode does not equal type2("+type2+") hashCode");
}
if (type1.hashCode() == type3.hashCode()) {
System.out.println("type1("+type1+") hashCode equals type3("+type3+") hashCode");
} else {
System.out.println(
"type1("+type1+") hashCode does not equal type3("+type3+") hashCode");
}
}
public static void checkGenericArrayTypeEqualsAndHashCode() {
Method method1;
Method method2;
Method method3;
try {
method1 = GenericArrayTypeTest.class.getDeclaredMethod("aMethod", Object[].class);
method2 = GenericArrayTypeTest.class.getDeclaredMethod("aMethod", Object[].class);
method3 = GenericArrayTypeTest.class.getDeclaredMethod("aMethodIdentical", Object[].class);
} catch (NoSuchMethodException nsme) {
throw new RuntimeException(nsme);
}
List<Type> types1 = Arrays.asList(method1.getGenericParameterTypes());
List<Type> types2 = Arrays.asList(method2.getGenericParameterTypes());
List<Type> types3 = Arrays.asList(method3.getGenericParameterTypes());
Type type1 = types1.get(0);
Type type2 = types2.get(0);
Type type3 = types3.get(0);
if (type1 instanceof GenericArrayType) {
System.out.println("type1 is a GenericArrayType");
}
if (type2 instanceof GenericArrayType) {
System.out.println("type2 is a GenericArrayType");
}
if (type3 instanceof GenericArrayType) {
System.out.println("type3 is a GenericArrayType");
}
if (type1.equals(type2)) {
System.out.println("type1("+type1+") equals type2("+type2+")");
} else {
System.out.println("type1("+type1+") does not equal type2("+type2+")");
}
if (type1.equals(type3)) {
System.out.println("type1("+type1+") equals type3("+type3+")");
} else {
System.out.println("type1("+type1+") does not equal type3("+type3+")");
}
if (type1.hashCode() == type2.hashCode()) {
System.out.println("type1("+type1+") hashCode equals type2("+type2+") hashCode");
} else {
System.out.println(
"type1("+type1+") hashCode does not equal type2("+type2+") hashCode");
}
if (type1.hashCode() == type3.hashCode()) {
System.out.println("type1("+type1+") hashCode equals type3("+type3+") hashCode");
} else {
System.out.println(
"type1("+type1+") hashCode does not equal type3("+type3+") hashCode");
}
}
private static void checkGetDeclaredConstructor() {
try {
Method.class.getDeclaredConstructor().setAccessible(true);
System.out.println("Didn't get an exception from Method.class.getDeclaredConstructor().setAccessible");
} catch (SecurityException e) {
} catch (NoSuchMethodException e) {
} catch (Exception e) {
System.out.println(e);
}
try {
Field.class.getDeclaredConstructor().setAccessible(true);
System.out.println("Didn't get an exception from Field.class.getDeclaredConstructor().setAccessible");
} catch (SecurityException e) {
} catch (NoSuchMethodException e) {
} catch (Exception e) {
System.out.println(e);
}
try {
Class.class.getDeclaredConstructor().setAccessible(true);
System.out.println("Didn't get an exception from Class.class.getDeclaredConstructor().setAccessible");
} catch (SecurityException e) {
} catch (NoSuchMethodException e) {
} catch (Exception e) {
System.out.println(e);
}
}
static void checkPrivateFieldAccess() {
(new OtherClass()).test();
}
public static void main(String[] args) throws Exception {
Main test = new Main();
test.run();
checkGetDeclaredConstructor();
checkAccess();
checkSwap();
checkClinitForFields();
checkClinitForMethods();
checkGeneric();
checkUnique();
checkParametrizedTypeEqualsAndHashCode();
checkGenericArrayTypeEqualsAndHashCode();
checkPrivateFieldAccess();
}
}
class SuperTarget {
public SuperTarget() {
System.out.println("SuperTarget constructor ()V");
superInt = 1010101;
superClassInt = 1010102;
}
public int myMethod(float floatArg) {
System.out.println("myMethod (F)I " + floatArg);
return 6;
}
public int superInt;
public static int superClassInt;
}
class Target extends SuperTarget {
public Target() {
System.out.println("Target constructor ()V");
}
public Target(int ii, float ff) {
System.out.println("Target constructor (IF)V : ii="
+ ii + " ff=" + ff);
anInt = ii;
}
public int myMethod(int intarg) throws NullPointerException, IOException {
System.out.println("myMethod (I)I");
System.out.println(" arg=" + intarg + " anInt=" + anInt);
return 5;
}
public int myMethod(String[] strarg, float f, char c) {
System.out.println("myMethod: " + strarg[0] + " " + f + " " + c + " !");
return 7;
}
public static void myNoargMethod() {
System.out.println("myNoargMethod ()V");
}
public void throwingMethod() {
System.out.println("throwingMethod");
throw new NullPointerException("gratuitous throw!");
}
public void misc() {
System.out.println("misc");
}
public int anInt;
public String string1 = "hey";
public String string2 = "yo";
public String string3 = "there";
private String string4 = "naughty";
public static final String constantString = "a constant string";
private int aPrivateInt;
public final int cantTouchThis = 77;
public long pubLong = 0x1122334455667788L;
public static double staticDouble = 3.3;
}
class FieldNoisyInit {
static {
System.out.println("FieldNoisyInit is initializing");
//Throwable th = new Throwable();
//th.printStackTrace(System.out);
}
}
class FieldNoisyInitUser {
static {
System.out.println("FieldNoisyInitUser is initializing");
}
public static int staticField;
public static FieldNoisyInit noisy;
}
class MethodNoisyInit {
static {
System.out.println("MethodNoisyInit is initializing");
//Throwable th = new Throwable();
//th.printStackTrace(System.out);
}
}
class MethodNoisyInitUser {
static {
System.out.println("MethodNoisyInitUser is initializing");
}
public static void staticMethod() {}
public void createMethodNoisyInit(MethodNoisyInit ni) {}
}
class Thrower {
public Thrower() throws UnsupportedOperationException {
throw new UnsupportedOperationException();
}
}
class ParametrizedTypeTest {
public void aMethod(Set<String> names) {}
public void aMethodIdentical(Set<String> names) {}
}
class GenericArrayTypeTest<T> {
public void aMethod(T[] names) {}
public void aMethodIdentical(T[] names) {}
}
class OtherClass {
private static final long LONG = 1234;
public void test() {
try {
Field field = getClass().getDeclaredField("LONG");
if (1234 != field.getLong(null)) {
System.out.println("ERROR: values don't match");
}
} catch (Exception e) {
System.out.println(e);
}
}
}
| 36.408578 | 115 | 0.570122 |
1daaca32cca035cf5c6f8d3be18522411d583cc5 | 1,643 | /*
* Copyright (c) 2016. Samsung Electronics Co., LTD
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package com.samsungxr.io.gearwearlibrary.events;
import android.os.Parcel;
import android.os.Parcelable;
/**
* Back event that can occur in different ways, depending on the device.
* <p>
* Examples:
* <ul>
* <li>Device: Samsung Gear S2
* <ol>
* <li>Swipe down from top edge</li>
* <li>Back button press</li>
* </ol>
* </li>
* <li>Device: Samsung Gear 2
* <ol>
* <li>Swipe down from top edge</li>
* </ol>
* </li>
* </ul>
*/
public class Back implements Parcelable {
public static final Creator<Back> CREATOR = new Creator<Back>() {
@Override
public Back createFromParcel(Parcel in) {
return new Back();
}
@Override
public Back[] newArray(int size) {
return new Back[size];
}
};
@Override
public int describeContents() {
return 0;
}
@Override
public void writeToParcel(Parcel dest, int flags) {
}
@Override
public String toString() {
return Back.class.getSimpleName();
}
}
| 24.522388 | 75 | 0.647596 |
46798d46309439159e23b64761033f127ef0acd1 | 1,009 | package com.maybe.live.repositories;
import com.maybe.live.domain.User;
import org.springframework.data.jpa.repository.Modifying;
import org.springframework.data.jpa.repository.Query;
import org.springframework.data.repository.CrudRepository;
import org.springframework.data.repository.query.Param;
import org.springframework.transaction.annotation.Transactional;
/**
* Created by chan on 16/4/28.
*/
public interface UserRepository extends CrudRepository<User, Long> {
User findByEmail(String email);
@Modifying
@Query("UPDATE User t SET t.enabled = true WHERE t.email = :email")
int updateEnabledByEmail(@Param("email") String email);
@Modifying
@Query("UPDATE User t SET t.name = :name WHERE t.id = :id")
int updateNameById(@Param("name") String name, @Param("id") Integer id);
@Modifying
@Query("UPDATE User t SET t.password = :password WHERE t.email = :email")
int updatePasswordByEmail(@Param("password") String password, @Param("email") String email);
}
| 34.793103 | 96 | 0.742319 |
82bfb2c0dc5ec87ad9b18450bd9a5e72c659848f | 1,594 | package com.cnec5.it.selfservice.commons;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.http.SessionCreationPolicy;
import org.springframework.security.oauth2.config.annotation.web.configuration.ResourceServerConfigurerAdapter;
import org.springframework.security.oauth2.config.annotation.web.configurers.ResourceServerSecurityConfigurer;
/**
* Feign资源服务全局配置
*/
public class BaseFeignConfiguration extends ResourceServerConfigurerAdapter {
/**
* 配置授权路径
*
* @param http
* @throws Exception
*/
@Override
public void configure(HttpSecurity http) throws Exception {
http
.exceptionHandling()
.and()
.sessionManagement().sessionCreationPolicy(SessionCreationPolicy.STATELESS)
.and()
.authorizeRequests()
// 过滤Swagger2
.antMatchers("/swagger-ui.html", "/swagger-resources/**", "/swagger/**", "/**/v2/api-docs",
"/**/*.js", "/**/*.css", "/**/*.png", "/**/*.ico", "/webjars/springfox-swagger-ui/**",
"/actuator/**").permitAll()
.antMatchers("/**").hasAuthority("ADMINISTRATOR");
}
/**
* 授权资源
*
* @param resources
* @throws Exception
*/
@Override
public void configure(ResourceServerSecurityConfigurer resources) throws Exception {
// 配置资源 ID
resources.resourceId("backend-resources");
}
}
| 33.914894 | 112 | 0.606023 |
8338aa90aad3faa75172cd7d54a5355cb10a146f | 13,954 | package com.qh.basic.service.impl;
import com.baomidou.mybatisplus.core.metadata.IPage;
import com.baomidou.mybatisplus.extension.service.impl.ServiceImpl;
import com.qh.basic.domain.ScMoveAccOther;
import com.qh.basic.api.domain.ScStaffInfo;
import com.qh.basic.domain.vo.PushMoveStaff;
import com.qh.basic.enums.AccTypeEnum;
import com.qh.basic.enums.BasicCodeEnum;
import com.qh.basic.enums.Status;
import com.qh.basic.enums.SysEnableEnum;
import com.qh.basic.mapper.ScStaffInfoMapper;
import com.qh.basic.model.request.staffinfo.StaffInfoImportRequest;
import com.qh.basic.model.request.staffinfo.StaffInfoSaveRequest;
import com.qh.basic.api.model.request.staff.StaffInfoSearchRequest;
import com.qh.basic.service.IScMoveAccService;
import com.qh.basic.service.IScStaffInfoService;
import com.qh.common.core.enums.CodeEnum;
import com.qh.common.core.exception.BizException;
import com.qh.common.core.utils.ParamCheckUtil;
import com.qh.common.core.utils.StringUtils;
import com.qh.common.core.utils.http.UUIDG;
import com.qh.common.core.utils.oss.PicUtils;
import com.qh.common.core.web.domain.R;
import com.qh.common.security.utils.SecurityUtils;
import com.qh.system.api.RemoteDictDataService;
import com.qh.system.api.domain.SysDictData;
import org.springframework.beans.BeanUtils;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import org.springframework.transaction.annotation.Transactional;
import java.util.*;
/**
* 职工信息Service业务层处理
*
* @author 汪俊杰
* @date 2020-11-20
*/
@Service
public class ScStaffInfoServiceImpl extends ServiceImpl<ScStaffInfoMapper, ScStaffInfo> implements IScStaffInfoService {
@Autowired
private IScMoveAccService moveAccService;
@Autowired
private ScStaffInfoMapper staffInfoMapper;
@Autowired
private RemoteDictDataService remoteDictDataService;
@Autowired
private PicUtils picUtils;
/**
* 查询职工信息集合
*
* @param request 操作职工信息对象
* @return 操作职工信息集合
*/
@Override
public IPage<Map> selectScStaffInfoListByPage(IPage<ScStaffInfo> page, StaffInfoSearchRequest request) {
Map<String, Object> map = new HashMap<>(4);
map.put("orgId", SecurityUtils.getOrgId());
map.put("trueName", request.getTrueName());
map.put("idCard", request.getIdCard());
map.put("mobile", request.getMobile());
return staffInfoMapper.selectListByPage(page, map);
}
/**
* 保存
*
* @param request 职工信息
*/
@Override
@Transactional(rollbackFor = Exception.class)
public void saveStaffInfo(StaffInfoSaveRequest request) {
String orgId = SecurityUtils.getOrgId();
//身份证验证
String idCard = request.getIdCard();
boolean valIdCard = ParamCheckUtil.validIdCard(idCard);
if (!valIdCard) {
throw new BizException(BasicCodeEnum.VALID_CARD);
}
ScMoveAccOther moveAccOther = new ScMoveAccOther();
BeanUtils.copyProperties(request, moveAccOther);
ScStaffInfo idCardStaffInfo = staffInfoMapper.selectByIdCard(request.getIdCard());
ScStaffInfo mobileStaff = staffInfoMapper.selectByMobile(request.getMobile());
//保存职工信息
ScStaffInfo staffInfo = new ScStaffInfo();
BeanUtils.copyProperties(request, staffInfo);
if (StringUtils.isEmpty(request.getAccId())) {
if (idCardStaffInfo != null) {
throw new BizException(CodeEnum.ALREADY_EXIST, "该身份证");
}
if (mobileStaff != null) {
throw new BizException(CodeEnum.ALREADY_EXIST, "该手机号");
}
//保存移动端账号信息和账号扩展信息
String accId = moveAccService.saveMoveAcc(
null,
request.getTrueName(),
request.getMobile(),
AccTypeEnum.STAFF.getCode(),
orgId,
moveAccOther,
SysEnableEnum.NO.getValue());
//新增职工信息
staffInfo.setAccId(accId);
staffInfo.setOrgId(orgId);
staffInfo.setStaffId(UUIDG.generate());
staffInfo.setStateMark(Status.normal.value());
staffInfo.setCreateDate(new Date());
staffInfo.setModifyDate(new Date());
//获取该学校的最新最大职工的工号
Long maxJobNumber = staffInfoMapper.selectMaxJobNumberByOrgId(SecurityUtils.getOrgId());
staffInfo.setJobNumber(maxJobNumber);
staffInfoMapper.insert(staffInfo);
} else {
//保存职工信息
ScStaffInfo dbStaff = staffInfoMapper.selectByAccId(request.getAccId());
if (dbStaff == null) {
throw new BizException(CodeEnum.NOT_EXIST, "该用户");
}
if (idCardStaffInfo != null && !idCardStaffInfo.getAccId().equals(dbStaff.getAccId())) {
throw new BizException(CodeEnum.ALREADY_EXIST, "该身份证");
}
if (mobileStaff != null && !mobileStaff.getAccId().equals(dbStaff.getAccId())) {
throw new BizException(CodeEnum.ALREADY_EXIST, "该手机号");
}
staffInfoMapper.modify(staffInfo);
moveAccService.saveMoveAcc(
dbStaff.getAccId(),
request.getTrueName(),
request.getMobile(),
AccTypeEnum.STAFF.getCode(),
orgId,
moveAccOther,
SysEnableEnum.NO.getValue());
}
}
/**
* 批量删除
*
* @param accIdList 帐户Id集合
*/
@Override
@Transactional(rollbackFor = Exception.class)
public void batchDeleteById(List<String> accIdList) {
if (accIdList == null || accIdList.size() == 0) {
return;
}
//通过accId删除职工信息
staffInfoMapper.batchDelByAccId(accIdList);
//通过accId删除移动账号相关信息
moveAccService.batchDeleteById(accIdList);
}
/**
* 导入
*
* @param staffInfoList 职工信息集合
* @return
*/
@Override
@Transactional(rollbackFor = Exception.class)
public void importData(List<StaffInfoImportRequest> staffInfoList) {
//获取班别信息
R<List<SysDictData>> dictDataResult = remoteDictDataService.getDictDataByCode("staffJobTitle");
if (StringUtils.isNull(dictDataResult) || StringUtils.isNull(dictDataResult.getData())) {
throw new BizException(BasicCodeEnum.GRADE_NO_CONFIG);
}
List<SysDictData> dictDataList = dictDataResult.getData();
List<String> mobileList = new ArrayList<>();
List<String> idCardList = new ArrayList<>();
//获取该学校的最新最大的工号
Long maxJobNumber = staffInfoMapper.selectMaxJobNumberByOrgId(SecurityUtils.getOrgId());
for (StaffInfoImportRequest staffInfo : staffInfoList) {
//导入前的判断
this.validImportSave(staffInfo);
//判断手机号和身份证号在导入的表格中是否有重复
if (mobileList.contains(staffInfo.getMobile())) {
throw new BizException(CodeEnum.INVOKE_INTERFACE_FAIL, "表格内存在重复手机号(" + staffInfo.getMobile() + ")");
}
if (idCardList.contains(staffInfo.getIdCard())) {
throw new BizException(CodeEnum.INVOKE_INTERFACE_FAIL, "表格内存在重复身份证(" + staffInfo.getIdCard() + ")");
}
mobileList.add(staffInfo.getMobile());
idCardList.add(staffInfo.getIdCard());
SysDictData dictData = dictDataList.stream().filter(x -> x.getItemName().equals(staffInfo.getJobTitleName())).findAny().orElse(null);
if (dictData == null) {
throw new BizException(CodeEnum.NOT_EXIST, "职称");
}
int jobTitle = Integer.valueOf(dictData.getItemVal());
this.saveImportStaff(staffInfo, jobTitle, maxJobNumber);
maxJobNumber++;
}
}
/**
* 根据职工id查询
*
* @param staffId 职工id
* @return
*/
@Override
public Map queryByStaffId(String staffId) {
Map<String, Object> result = staffInfoMapper.queryByStaffId(staffId);
if (result != null) {
String faceImage = result.get("faceImage") == null ? "" : String.valueOf(result.get("faceImage"));
result.put("faceImage", picUtils.imageFristDomain(faceImage));
}
return result;
}
/**
* 根据姓名或手机号查询
*
* @param subType 子类型
* @param paraValue 姓名或手机号
* @param markState 职工是否激活 Y:APP激活 ALL:职工不等于已删除就行
* @return
*/
@Override
public List<Map> selectList(String subType, String paraValue, String markState) {
Map<String, Object> map = new HashMap<>(4);
map.put("orgId", SecurityUtils.getOrgId());
map.put("type", subType);
map.put("paraValue", paraValue);
map.put("markState", markState);
return staffInfoMapper.selectList(map);
}
/**
* 需要推送的职工
*
* @param orgId 学校id
* @param staffId 职工id
* @param jobTitle 职称
* @return
*/
@Override
public List<PushMoveStaff> findMovePushStaff(String orgId, String staffId, String jobTitle) {
return staffInfoMapper.findMovePushStaff(orgId, staffId, jobTitle);
}
/**
* 导入保存处理
*
* @param request
*/
private void saveImportStaff(StaffInfoImportRequest request, int jobTitle, Long maxJobNumber) {
String orgId = SecurityUtils.getOrgId();
//身份证验证
String idCard = request.getIdCard();
//根据身份证查询
ScStaffInfo dbStaffInfo = staffInfoMapper.selectByIdCard(idCard);
ScMoveAccOther moveAccOther = new ScMoveAccOther();
BeanUtils.copyProperties(request, moveAccOther);
//保存职工信息
ScStaffInfo staffInfo = new ScStaffInfo();
BeanUtils.copyProperties(request, staffInfo);
staffInfo.setJobTitle(jobTitle);
Boolean healthCertificate = request.getHealthCertificate().equals(SysEnableEnum.YES.getName());
staffInfo.setHealthCertificate(healthCertificate);
if (dbStaffInfo == null) {
//新增职工信息
Long count = staffInfoMapper.countByMobile(request.getMobile());
if (count > 0) {
throw new BizException(CodeEnum.ALREADY_EXIST, "该手机号");
}
//保存移动端账号信息和账号扩展信息
String accId = moveAccService.saveMoveAcc(
null,
request.getTrueName(),
request.getMobile(),
AccTypeEnum.STAFF.getCode(),
orgId,
moveAccOther,
SysEnableEnum.NO.getValue());
staffInfo.setAccId(accId);
staffInfo.setOrgId(orgId);
staffInfo.setStaffId(UUIDG.generate());
staffInfo.setStateMark(Status.normal.value());
staffInfo.setCreateDate(new Date());
staffInfo.setJobNumber(maxJobNumber);
staffInfoMapper.insert(staffInfo);
} else {
Long count = staffInfoMapper.countByMobileNotIdCard(request.getMobile(), request.getIdCard());
if (count > 0) {
throw new BizException(CodeEnum.ALREADY_EXIST, "该手机号");
}
//修改职工信息
staffInfo.setAccId(dbStaffInfo.getAccId());
staffInfoMapper.modify(staffInfo);
//保存移动端账号信息和账号扩展信息
moveAccService.saveMoveAcc(
dbStaffInfo.getAccId(),
request.getTrueName(),
request.getMobile(),
AccTypeEnum.STAFF.getCode(),
orgId,
moveAccOther,
SysEnableEnum.NO.getValue());
}
}
/**
* 导入前的判断
*
* @param request 导入请求
*/
private void validImportSave(StaffInfoImportRequest request) {
//老师姓名
if (StringUtils.isEmpty(request.getTrueName())) {
throw new BizException(CodeEnum.NOT_EMPTY, "姓名");
}
//手机号验证
String mobile = request.getMobile();
if (StringUtils.isEmpty(mobile)) {
throw new BizException(CodeEnum.NOT_EMPTY, "手机号");
}
boolean valIdPhone = ParamCheckUtil.verifyPhone(mobile);
if (!valIdPhone) {
throw new BizException(BasicCodeEnum.VALID_PHONE);
}
//身份证验证
String idCard = request.getIdCard();
//身份证
if (StringUtils.isEmpty(idCard)) {
throw new BizException(CodeEnum.NOT_EMPTY, "身份证");
}
boolean valIdCard = ParamCheckUtil.validIdCard(idCard);
if (!valIdCard) {
throw new BizException(CodeEnum.INVOKE_INTERFACE_FAIL, "身份证(" + idCard + ")验证不通过");
}
//职称
if (StringUtils.isEmpty(request.getJobTitleName())) {
throw new BizException(CodeEnum.NOT_EMPTY, "职称");
}
//是否有健康证
if (StringUtils.isEmpty(request.getHealthCertificate())) {
throw new BizException(CodeEnum.NOT_EMPTY, "是否有健康证");
}
}
/**
* 根据职工姓名查询
*
* @param orgId 学校id
* @param staffName 职工姓名
* @param jobNumber 职工工号
* @return
*/
@Override
public ScStaffInfo selectByStaffName(String orgId, String staffName, String jobNumber) {
return staffInfoMapper.selectByStaffName(orgId, staffName, jobNumber);
}
/**
* 查询所有职工信息集合
*
* @param request 操作职工信息对象
* @return 操作职工信息集合
*/
@Override
public List<Map> selectStaffInfoList(StaffInfoSearchRequest request) {
Map<String, Object> map = new HashMap<>(0);
return staffInfoMapper.selectListByPage(map);
}
/**
* 同步职工健康码状态
*
* @param staffId
* @param healthState
* @return
*/
@Override
public Integer syncStaffHealthState(String staffId, int healthState) {
return staffInfoMapper.syncStaffHealthState(staffId, healthState);
}
} | 34.885 | 145 | 0.618246 |
c4c620dceb83c05aec9e792fb63303985557d527 | 11,664 | package com.accessibility.stamp.controller;
import com.accessibility.stamp.entity.*;
import com.accessibility.stamp.repository.*;
import org.json.JSONArray;
import org.json.JSONException;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;
import org.json.JSONObject;
import java.io.IOException;
import java.util.List;
@RestController
@RequestMapping("/site")
public class SiteController {
@Autowired
private SiteRepository siteRepository;
@Autowired
private SubsiteRepository subsiteRepository;
@Autowired
private StampRepository stampRepository;
@Autowired
private QueueRepository queueRepository;
@Autowired
private UserRepository userRepository;
@Autowired
private DetailRepository detailRepository;
@Autowired
private DetailElementRepository detailElementRepository;
@PostMapping("/store")
public String store(@RequestBody String requestBody, @RequestHeader("Authorization") String authorization) throws JSONException, IOException {
JSONObject body = new JSONObject(requestBody);
UserEntity userEntity = userRepository.findByToken(authorization.replaceAll("Bearer ",""));
JSONObject jsonResponse = new JSONObject();
SiteEntity siteEntity = new SiteEntity();
QueueEntity queueEntity = new QueueEntity();
if(body.get("url").toString() != null){
try{
siteEntity.setUrl(body.get("url").toString());
siteEntity.setName(body.get("name").toString());
siteEntity.setUserId(userEntity.getId());
queueEntity.setUrl(body.get("url").toString());
queueRepository.save(queueEntity);
siteRepository.save(siteEntity);
jsonResponse.put("success", true);
jsonResponse.put("data", null);
jsonResponse.put("errors", null);
}catch(JSONException e){
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", e);
}
}else{
JSONArray errors = new JSONArray();
errors.put("Campos obrigatórios não foram informados.");
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", errors);
}
return jsonResponse.toString();
}
@GetMapping("/show")
public String show(@RequestHeader("Authorization") String authorization) throws JSONException {
UserEntity userEntity = userRepository.findByToken(authorization.replaceAll("Bearer ",""));
List<SiteEntity> siteList = siteRepository.findAllByUserId(userEntity.getId());
JSONObject jsonResponse = new JSONObject();
try{
JSONArray jsonData = new JSONArray();
for(int i = 0; i < siteList.toArray().length; i++){
JSONObject jsonDataSite = new JSONObject();
List<SubsiteEntity> subsiteEntities = subsiteRepository.findBySiteId(siteList.get(i).getId());
StampEntity stampEntity = stampRepository.findByStampLevel(siteList.get(i).getStampLevel());
String image = "";
if(stampEntity != null){
image = stampEntity.getImage();
}else{
stampEntity = stampRepository.findByStampLevel(1);
image = stampEntity.getImage();
}
jsonDataSite.put("id",siteList.get(i).getId());
jsonDataSite.put("name",siteList.get(i).getName());
jsonDataSite.put("url",siteList.get(i).getUrl());
jsonDataSite.put("last_score",siteList.get(i).getLastScore());
jsonDataSite.put("average",siteList.get(i).getAverage());
jsonDataSite.put("pages",subsiteEntities.toArray().length);
jsonDataSite.put("stamp", image);
jsonData.put(jsonDataSite);
}
jsonResponse.put("success", true);
jsonResponse.put("data", jsonData.toString());
jsonResponse.put("errors", null);
}catch(JSONException e){
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", e);
}
return jsonResponse.toString();
}
@GetMapping("/get")
public String get(@RequestBody String requestBody, @RequestHeader("Authorization") String authorization) throws JSONException {
UserEntity userEntity = userRepository.findByToken(authorization.replaceAll("Bearer ",""));
JSONObject body = new JSONObject(requestBody);
SiteEntity siteEntity = siteRepository.findSiteEntityByIdAndUserId(Long.parseLong(body.get("id").toString()), userEntity.getId());
JSONObject jsonResponse = new JSONObject();
try{
JSONObject jsonData = new JSONObject();
List<SubsiteEntity> subsiteEntities = subsiteRepository.findBySiteId(siteEntity.getId());
StampEntity stampEntity = stampRepository.findByStampLevel(siteEntity.getStampLevel());
String image = "";
if(stampEntity != null){
image = stampEntity.getImage();
}
jsonData.put("name",siteEntity.getName());
jsonData.put("url",siteEntity.getUrl());
jsonData.put("last_score",siteEntity.getLastScore());
jsonData.put("average",siteEntity.getAverage());
jsonData.put("pages",subsiteEntities.toArray().length);
jsonData.put("stamp", image);
jsonResponse.put("success", true);
jsonResponse.put("data", jsonData.toString());
jsonResponse.put("errors", null);
}catch(JSONException e){
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", e);
}
return jsonResponse.toString();
}
@PostMapping("/update")
public String update(@RequestBody String requestBody, @RequestHeader("Authorization") String authorization) throws JSONException, IOException {
UserEntity userEntity = userRepository.findByToken(authorization.replaceAll("Bearer ",""));
JSONObject body = new JSONObject(requestBody);
JSONObject jsonResponse = new JSONObject();
SiteEntity siteEntity = siteRepository.findSiteEntityByIdAndUserId(Long.parseLong(body.get("id").toString()), userEntity.getId());
QueueEntity queueEntity = new QueueEntity();
if(body.get("url").toString() != null){
try{
siteEntity.setUrl(body.get("url").toString());
siteEntity.setName(body.get("name").toString());
queueEntity.setUrl(body.get("url").toString());
queueRepository.save(queueEntity);
siteRepository.save(siteEntity);
jsonResponse.put("success", true);
jsonResponse.put("data", null);
jsonResponse.put("errors", null);
}catch(JSONException e){
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", e);
}
}else{
JSONArray errors = new JSONArray();
errors.put("Campos obrigatórios não foram informados.");
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", errors);
}
return jsonResponse.toString();
}
@PostMapping("/delete")
public String delete(@RequestBody String requestBody, @RequestHeader("Authorization") String authorization) throws JSONException, IOException {
UserEntity userEntity = userRepository.findByToken(authorization.replaceAll("Bearer ",""));
JSONObject body = new JSONObject(requestBody);
JSONObject jsonResponse = new JSONObject();
SiteEntity siteEntity = siteRepository.findSiteEntityByIdAndUserId(Long.parseLong(body.get("id").toString()), userEntity.getId());
if(siteEntity != null){
QueueEntity queueEntity = queueRepository.findByUrl(siteEntity.getUrl());
try{
if(queueEntity != null){
queueRepository.delete(queueEntity);
}
siteRepository.delete(siteEntity);
jsonResponse.put("success", true);
jsonResponse.put("data", null);
jsonResponse.put("errors", null);
}catch(JSONException e){
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", e);
}
}else{
JSONArray errors = new JSONArray();
errors.put("O site não foi encontrado.");
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", errors);
}
return jsonResponse.toString();
}
@PostMapping("/get-detailed")
public String getDetailed(@RequestBody String requestBody, @RequestHeader("Authorization") String authorization) throws JSONException {
UserEntity userEntity = userRepository.findByToken(authorization.replaceAll("Bearer ",""));
JSONObject body = new JSONObject(requestBody);
SiteEntity siteEntity = siteRepository.findSiteEntityByIdAndUserId(Long.parseLong(body.get("id").toString()), userEntity.getId());
List<DetailEntity> detailEntities = detailRepository.findDetailBySiteId(siteEntity.getId());
JSONObject jsonResponse = new JSONObject();
try{
JSONArray detailArray = new JSONArray();
for(int contDetailArray = 0; contDetailArray < detailEntities.toArray().length; contDetailArray++){
JSONObject jsonDetail = new JSONObject();
jsonDetail.put("element", detailEntities.get(contDetailArray).getElement());
jsonDetail.put("veredict", detailEntities.get(contDetailArray).getVeredict());
jsonDetail.put("url", detailEntities.get(contDetailArray).getUrl());
jsonDetail.put("description", detailEntities.get(contDetailArray).getDescription());
List<DetailElementEntity> detailElementEntities = detailEntities.get(contDetailArray).getDetailElementEntities();
JSONArray jsonDetailElementArray = new JSONArray();
for(int contDetailElement = 0; contDetailElement < detailElementEntities.toArray().length; contDetailElement++){
JSONObject jsonDetailElement = new JSONObject();
jsonDetailElement.put("htmlCode", detailElementEntities.get(contDetailElement).getHtmlCode());
jsonDetailElement.put("pointer", detailElementEntities.get(contDetailElement).getPointer());
jsonDetailElementArray.put(jsonDetailElement);
}
jsonDetail.put("elements_detailed", jsonDetailElementArray);
detailArray.put(jsonDetail);
}
jsonResponse.put("success", true);
jsonResponse.put("data", detailArray);
jsonResponse.put("errors", null);
}catch(JSONException e){
jsonResponse.put("success", false);
jsonResponse.put("data", null);
jsonResponse.put("errors", e);
}
return jsonResponse.toString();
}
}
| 41.956835 | 147 | 0.622171 |
844611c87b44af644e1ec8df55041f17f76858e2 | 606 | package br.com.siqueira.javacore.introducaometodos2.classes;
public class Conta {
public int numero;
public String titular;
public double saldo;
public boolean saca(double quantidade){
if(this.saldo < quantidade){
return false;
}else{
this.saldo = this.saldo - quantidade;
return true;
}
}
public void deposita(double quantidade){
this.saldo += quantidade;
}
public void transferePara(Conta cont, double valor){
this.saldo = this.saldo + valor;
cont.saldo = cont.saldo + valor;
}
}
| 23.307692 | 60 | 0.608911 |
aa86beed228a1ddf312b9a006dd5e5afedc6acc0 | 410 | package org.frankframework.frankdoc.testtarget.simple;
public class ListenerParent extends AbstractGrandParent {
protected void setChildAttribute(String value) {
}
public void setParentAttribute(String value) {
}
public String getParentAttribute() {
return null;
}
public void setInheritedAttribute(String value) {
}
@Deprecated
public void setDeprecatedInParentAttribute(String value) {
}
}
| 19.52381 | 59 | 0.785366 |
7c939b45330a2e579578175ddbbb53cc97edec1c | 477 | package com.platform.canal.constant;
/**
* @author wlhbdp
* @ClassName: DmlConstant
* @Description: dml常量
*/
public class DmlConstant {
/**
* INSERT
*/
public static final String DML_INSERT = "INSERT";
/**
* UPDATE
*/
public static final String DML_UPDATE = "UPDATE";
/**
* DELETE
*/
public static final String DML_DELETE = "DELETE";
/**
* ALL
*/
public static final String DML_ALL = "ALL";
}
| 14.454545 | 53 | 0.570231 |
4988b254b200bbc1dbf7af9c8cb74a3d0fd53719 | 2,613 | package com.djunderworld.stm.regioncategory.web;
import java.util.List;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;
import com.djunderworld.stm.common.dao.Market;
import com.djunderworld.stm.common.dao.RegionCategory;
import com.djunderworld.stm.regioncategory.service.RegionCategoryService;
/**
* 지역구 카테고리 관련 컨트롤러
*
* @author dongjooKim
*
*/
@RestController
@RequestMapping("/regioncategories")
public class RegionCategoryController {
@Autowired
private RegionCategoryService regionCategoryService;
/**
* 지역구 리스트 검색 API
*
* @author dongjooKim
*
*
* @return List<RegionCategory>
* @throws Exception
*/
@RequestMapping(value = "/all.json", method = RequestMethod.GET)
public List<RegionCategory> selectRegionCategoryList() throws Exception {
return regionCategoryService.selectRegionCategoryList();
}
/**
* 지역구 id를 기준으로 시장 리스트 검색 API
*
* @author dongjooKim
*
* @param id
* @param marketCategoryId
* @return List<Market>
* @throws Exception
*/
@RequestMapping(value = "/{id}/markets.json", method = RequestMethod.GET)
public List<Market> selectMarketListById(@PathVariable long id,
@RequestParam(name = "marketCategoryId", defaultValue = "0") long marketCategoryId) throws Exception {
System.out.println(marketCategoryId);
return regionCategoryService.selectMarketListById(id, marketCategoryId);
}
/**
* 지역구 id 및 위도,경도를 기준으로 시장 리스트 검색 API
*
* @author dongjooKim
*
*
* @param id
* @param latitude
* @param longitude
* @return List<Market>
* @throws Exception
*/
@RequestMapping(value = "/{id}/markets/nearness.json", method = RequestMethod.GET)
public List<Market> selectMarketListByIdAndLocation(@PathVariable long id,
@RequestParam("latitude") double latitude, @RequestParam("longitude") double longitude) throws Exception {
return regionCategoryService.selectMarketListByIdAndLocation(id, latitude, longitude);
}
/**
* 지역구 id를 기준으로 지역구 검색 API
*
* @author dongjooKim
*
*
* @param id
* @return RegionCategory
* @throws Exception
*/
@RequestMapping(value = "/{id}.json", method = RequestMethod.GET)
public RegionCategory selectRegionCategoryById(@PathVariable long id) throws Exception {
return regionCategoryService.selectRegionCategoryById(id);
}
}
| 27.797872 | 109 | 0.749713 |
7f76855fcb0b39c3e1b5d1356923fbaa23b5e9a4 | 6,785 |
package com.prowidesoftware.swift.model.mx.dic;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlType;
import org.apache.commons.lang3.builder.EqualsBuilder;
import org.apache.commons.lang3.builder.HashCodeBuilder;
import org.apache.commons.lang3.builder.ToStringBuilder;
import org.apache.commons.lang3.builder.ToStringStyle;
/**
* Scope
* An executing party, eg, a transfer agent, sends the ReversalOfTransferOutConfirmation message to the instructing party, eg, an investment manager or its authorised representative, to cancel a previously sent TransferOutConfirmation message.
* Usage
* The ReversalOfTransferOutConfirmation message is used to reverse a previously sent TransferOutConfirmation.
* There are two ways to specify the reversal of the transfer out confirmation. Either:
* - the business references, eg, TransferReference, TransferConfirmationIdentification, of the transfer confirmation are quoted, or,
* - all the details of the transfer confirmation (this includes TransferReference and TransferConfirmationIdentification) are quoted but this is not recommended.
* The message identification of the TransferOutConfirmation message in which the transfer out confirmation was conveyed may also be quoted in PreviousReference. The message identification of the TransferOutInstruction message in which the transfer out instruction was conveyed may also be quoted in RelatedReference.
*
*
*
*/
@XmlAccessorType(XmlAccessType.FIELD)
@XmlType(name = "ReversalOfTransferOutConfirmationV02", propOrder = {
"msgId",
"prvsRef",
"poolRef",
"rltdRef",
"rvslByRef",
"rvslByTrfOutConfDtls",
"cpyDtls"
})
public class ReversalOfTransferOutConfirmationV02 {
@XmlElement(name = "MsgId", required = true)
protected MessageIdentification1 msgId;
@XmlElement(name = "PrvsRef")
protected AdditionalReference2 prvsRef;
@XmlElement(name = "PoolRef")
protected AdditionalReference2 poolRef;
@XmlElement(name = "RltdRef")
protected AdditionalReference2 rltdRef;
@XmlElement(name = "RvslByRef")
protected TransferReference2 rvslByRef;
@XmlElement(name = "RvslByTrfOutConfDtls")
protected TransferOut6 rvslByTrfOutConfDtls;
@XmlElement(name = "CpyDtls")
protected CopyInformation2 cpyDtls;
/**
* Gets the value of the msgId property.
*
* @return
* possible object is
* {@link MessageIdentification1 }
*
*/
public MessageIdentification1 getMsgId() {
return msgId;
}
/**
* Sets the value of the msgId property.
*
* @param value
* allowed object is
* {@link MessageIdentification1 }
*
*/
public ReversalOfTransferOutConfirmationV02 setMsgId(MessageIdentification1 value) {
this.msgId = value;
return this;
}
/**
* Gets the value of the prvsRef property.
*
* @return
* possible object is
* {@link AdditionalReference2 }
*
*/
public AdditionalReference2 getPrvsRef() {
return prvsRef;
}
/**
* Sets the value of the prvsRef property.
*
* @param value
* allowed object is
* {@link AdditionalReference2 }
*
*/
public ReversalOfTransferOutConfirmationV02 setPrvsRef(AdditionalReference2 value) {
this.prvsRef = value;
return this;
}
/**
* Gets the value of the poolRef property.
*
* @return
* possible object is
* {@link AdditionalReference2 }
*
*/
public AdditionalReference2 getPoolRef() {
return poolRef;
}
/**
* Sets the value of the poolRef property.
*
* @param value
* allowed object is
* {@link AdditionalReference2 }
*
*/
public ReversalOfTransferOutConfirmationV02 setPoolRef(AdditionalReference2 value) {
this.poolRef = value;
return this;
}
/**
* Gets the value of the rltdRef property.
*
* @return
* possible object is
* {@link AdditionalReference2 }
*
*/
public AdditionalReference2 getRltdRef() {
return rltdRef;
}
/**
* Sets the value of the rltdRef property.
*
* @param value
* allowed object is
* {@link AdditionalReference2 }
*
*/
public ReversalOfTransferOutConfirmationV02 setRltdRef(AdditionalReference2 value) {
this.rltdRef = value;
return this;
}
/**
* Gets the value of the rvslByRef property.
*
* @return
* possible object is
* {@link TransferReference2 }
*
*/
public TransferReference2 getRvslByRef() {
return rvslByRef;
}
/**
* Sets the value of the rvslByRef property.
*
* @param value
* allowed object is
* {@link TransferReference2 }
*
*/
public ReversalOfTransferOutConfirmationV02 setRvslByRef(TransferReference2 value) {
this.rvslByRef = value;
return this;
}
/**
* Gets the value of the rvslByTrfOutConfDtls property.
*
* @return
* possible object is
* {@link TransferOut6 }
*
*/
public TransferOut6 getRvslByTrfOutConfDtls() {
return rvslByTrfOutConfDtls;
}
/**
* Sets the value of the rvslByTrfOutConfDtls property.
*
* @param value
* allowed object is
* {@link TransferOut6 }
*
*/
public ReversalOfTransferOutConfirmationV02 setRvslByTrfOutConfDtls(TransferOut6 value) {
this.rvslByTrfOutConfDtls = value;
return this;
}
/**
* Gets the value of the cpyDtls property.
*
* @return
* possible object is
* {@link CopyInformation2 }
*
*/
public CopyInformation2 getCpyDtls() {
return cpyDtls;
}
/**
* Sets the value of the cpyDtls property.
*
* @param value
* allowed object is
* {@link CopyInformation2 }
*
*/
public ReversalOfTransferOutConfirmationV02 setCpyDtls(CopyInformation2 value) {
this.cpyDtls = value;
return this;
}
@Override
public String toString() {
return ToStringBuilder.reflectionToString(this, ToStringStyle.MULTI_LINE_STYLE);
}
@Override
public boolean equals(Object that) {
return EqualsBuilder.reflectionEquals(this, that);
}
@Override
public int hashCode() {
return HashCodeBuilder.reflectionHashCode(this);
}
}
| 27.693878 | 317 | 0.643036 |
c8221a41192c5bd9e87441c449e1fcff5f3a461b | 7,398 | /*
* Copyright 2017 Netflix, 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.
*/
package com.netflix.spinnaker.igor.build;
import com.netflix.spinnaker.igor.IgorConfigurationProperties;
import com.netflix.spinnaker.kork.jedis.RedisClientDelegate;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Service;
import java.util.*;
import java.util.stream.Collectors;
/**
* Shared cache of build details
*/
@Service
public class BuildCache {
private final static String ID = "builds";
private final RedisClientDelegate redisClientDelegate;
private final IgorConfigurationProperties igorConfigurationProperties;
@Autowired
public BuildCache(RedisClientDelegate redisClientDelegate,
IgorConfigurationProperties igorConfigurationProperties) {
this.redisClientDelegate = redisClientDelegate;
this.igorConfigurationProperties = igorConfigurationProperties;
}
public List<String> getJobNames(String master) {
List<String> jobs = new ArrayList<>();
redisClientDelegate.withKeyScan(baseKey() + ":completed:" + master + ":*", 1000, page ->
jobs.addAll(page.getResults().stream().map(BuildCache::extractJobName).collect(Collectors.toList()))
);
jobs.sort(Comparator.naturalOrder());
return jobs;
}
public List<String> getTypeaheadResults(String search) {
List<String> results = new ArrayList<>();
redisClientDelegate.withKeyScan(baseKey() + ":*:*:*" + search.toUpperCase() + "*:*", 1000, page ->
results.addAll(page.getResults().stream().map(BuildCache::extractTypeaheadResult).collect(Collectors.toList()))
);
results.sort(Comparator.naturalOrder());
return results;
}
public int getLastBuild(String master, String job, boolean running) {
String key = makeKey(master, job, running);
return redisClientDelegate.withCommandsClient(c -> {
if (!c.exists(key)) {
return -1;
}
return Integer.parseInt(c.get(key));
});
}
public Long getTTL(String master, String job) {
final String key = makeKey(master, job);
return getTTL(key);
}
private Long getTTL(String key) {
return redisClientDelegate.withCommandsClient(c -> {
return c.ttl(key);
});
}
public void setTTL(String key, int ttl) {
redisClientDelegate.withCommandsClient(c -> {
c.expire(key, ttl);
});
}
public void setLastBuild(String master, String job, int lastBuild, boolean building, int ttl) {
if (!building) {
setBuild(makeKey(master, job), lastBuild, false, master, job, ttl);
}
storeLastBuild(makeKey(master, job, building), lastBuild, ttl);
}
public List<String> getDeprecatedJobNames(String master) {
List<String> jobs = new ArrayList<>();
redisClientDelegate.withKeyScan(baseKey() + ":" + master + ":*", 1000, page ->
jobs.addAll(page.getResults()
.stream()
.map(BuildCache::extractDeprecatedJobName)
.collect(Collectors.toList())
));
jobs.sort(Comparator.naturalOrder());
return jobs;
}
public Map<String, Object> getDeprecatedLastBuild(String master, String job) {
String key = makeKey(master, job);
Map<String, String> result = redisClientDelegate.withCommandsClient(c -> {
if (!c.exists(key)) {
return null;
}
return c.hgetAll(key);
});
if (result == null) {
return new HashMap<>();
}
Map<String, Object> converted = new HashMap<>();
converted.put("lastBuildLabel", Integer.parseInt(result.get("lastBuildLabel")));
converted.put("lastBuildBuilding", Boolean.valueOf(result.get("lastBuildBuilding")));
return converted;
}
public List<Map<String, String>> getTrackedBuilds(String master) {
List<Map<String, String>> builds = redisClientDelegate.withMultiClient(c -> {
return c.keys(baseKey() + ":track:" + master + ":*").stream()
.map(BuildCache::getTrackedBuild)
.collect(Collectors.toList());
});
return builds;
}
public void setTracking(String master, String job, int buildId, int ttl) {
String key = makeTrackKey(master, job, buildId);
redisClientDelegate.withCommandsClient(c -> {
c.set(key, "marked as running");
});
setTTL(key, ttl);
}
public void deleteTracking(String master, String job, int buildId) {
String key = makeTrackKey(master, job, buildId);
redisClientDelegate.withCommandsClient(c -> {
c.del(key);
});
}
private static Map<String, String> getTrackedBuild(String key) {
Map<String, String> build = new HashMap<>();
build.put("job", extractJobName(key));
build.put("buildId", extractBuildIdFromTrackingKey(key));
return build;
}
private void setBuild(String key, int lastBuild, boolean building, String master, String job, int ttl) {
redisClientDelegate.withCommandsClient(c -> {
c.hset(key, "lastBuildLabel", Integer.toString(lastBuild));
c.hset(key, "lastBuildBuilding", Boolean.toString(building));
});
setTTL(key, ttl);
}
private void storeLastBuild(String key, int lastBuild, int ttl) {
redisClientDelegate.withCommandsClient(c -> {
c.set(key, Integer.toString(lastBuild));
});
setTTL(key, ttl);
}
protected String makeKey(String master, String job) {
return baseKey() + ":" + master + ":" + job.toUpperCase() + ":" + job;
}
protected String makeKey(String master, String job, boolean running) {
String buildState = running ? "running" : "completed";
return baseKey() + ":" + buildState + ":" + master + ":" + job.toUpperCase() + ":" + job;
}
protected String makeTrackKey(String master, String job, int buildId) {
return baseKey() + ":track:" + master + ":" + job.toUpperCase() + ":" + job + ":" + buildId;
}
private static String extractJobName(String key) {
return key.split(":")[5];
}
private static String extractBuildIdFromTrackingKey(String key) {
return key.split(":")[6];
}
private static String extractDeprecatedJobName(String key) {
return key.split(":")[4];
}
private static String extractTypeaheadResult(String key) {
String[] parts = key.split(":");
return parts[3] + ":" + parts[5];
}
private String baseKey() {
return igorConfigurationProperties.getSpinnaker().getJedis().getPrefix() + ":" + ID;
}
}
| 35.567308 | 123 | 0.63017 |
54ac85fb57a37bedb144fe748d1596bbe5f0eeac | 802 | package org.to2mbn.jmccc.test;
import static org.junit.Assert.*;
import org.junit.Test;
import org.to2mbn.jmccc.option.WindowSize;
public class WindowSizeTest {
@Test
public void testEqualsFullscreenSameSize() {
assertTrue(WindowSize.fullscreen().equals(WindowSize.fullscreen()));
}
@Test
public void testEqualsWindowSameSize() {
assertTrue(new WindowSize(0, 100).equals(new WindowSize(0, 100)));
}
@Test
public void testEqualsWindowDifferentSize() {
assertFalse(new WindowSize(0, 100).equals(new WindowSize(100, 0)));
}
@Test
public void testEqualsWindowDifferentSize2() {
assertFalse(new WindowSize(0, 100).equals(new WindowSize(100, 100)));
}
@Test
public void testEqualsFullscreenAndWindow() {
assertFalse(new WindowSize(0, 0).equals(WindowSize.fullscreen()));
}
}
| 22.914286 | 71 | 0.750623 |
1be7006302c6321eef67509af298a8e83ffdf425 | 1,936 | package DepthFirst;
import DataStructures.Graph.Graph;
import DataStructures.LinkedList.Node;
import org.junit.Test;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import static org.junit.Assert.*;
public class DepthFirstTest {
@Test
public void traverseTest() {
Graph testGraph = new Graph();
Node a = testGraph.addNode("A");
Node b = testGraph.addNode("B");
Node c = testGraph.addNode("C");
Node d = testGraph.addNode("D");
Node e = testGraph.addNode("E");
Node f = testGraph.addNode("F");
Node g = testGraph.addNode("G");
Node h = testGraph.addNode("H");
testGraph.addEdge(a, b, 1);
testGraph.addEdge(a, d, 1);
testGraph.addEdge(b, c, 1);
testGraph.addEdge(b, d, 1);
testGraph.addEdge(c, g, 1);
testGraph.addEdge(d, e, 1);
testGraph.addEdge(d, h, 1);
testGraph.addEdge(d, f, 1);
testGraph.addEdge(h, f, 1);
List<Node> expected = new ArrayList<>(Arrays.asList(a, b, c, g, d, e, h, f));
List<Node> depth = DepthFirst.traverse(testGraph);
assertEquals(expected, depth);
}
@Test
public void traverseTestUnconnected() {
Graph testGraph = new Graph();
Node a = testGraph.addNode("A");
Node b = testGraph.addNode("B");
Node c = testGraph.addNode("C");
Node d = testGraph.addNode("D");
Node e = testGraph.addNode("E");
Node f = testGraph.addNode("F");
Node g = testGraph.addNode("G");
Node h = testGraph.addNode("H");
List<Node> depth = DepthFirst.traverse(testGraph);
assertEquals(a, depth.get(0));
assertEquals(1, depth.size());
}
@Test
public void traverseTestNull() {
Graph testGraph = new Graph();
List<Node> depth = DepthFirst.traverse(testGraph);
assertNull(depth);
}
} | 28.895522 | 85 | 0.591426 |
8a48e72850043714e6ff6b450abaf167844d01ea | 6,801 | package co.gov.ideamredd.servlets;
import java.io.IOException;
import javax.ejb.EJB;
import javax.servlet.ServletException;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import co.gov.ideamredd.reportes.AnalisisResultadosWPSBiomasa;
import co.gov.ideamredd.reportes.AnalisisResultadosWPSBosque;
import co.gov.ideamredd.reportes.AnalisisResultadosWPSCobertura;
import co.gov.ideamredd.reportes.AnalisisResultadosWPSDeforestacion;
import co.gov.ideamredd.util.Util;
public class GenerarReporteServlet extends HttpServlet {
private static final long serialVersionUID = 1L;
@EJB
AnalisisResultadosWPSBosque arBosque;
@EJB
AnalisisResultadosWPSCobertura arCobertura;
@EJB
AnalisisResultadosWPSBiomasa arBiomasa;
@EJB
AnalisisResultadosWPSDeforestacion arDeforestacion;
public GenerarReporteServlet() {
super();
}
public void doPost(HttpServletRequest request, HttpServletResponse response)
throws ServletException, IOException {
Integer treporte = Integer.valueOf(request.getParameter("treporte"));
Integer divterritorial = Integer.valueOf(request
.getParameter("divterritorio"));
String periodo1 = request.getParameter("periodo1");
String periodo2 = request.getParameter("periodo2");
String nombreArchivo = "";
Integer[] vperiodos = null;
if (divterritorial > 3)
divterritorial = 3;
if (!periodo2.equals("-1")) {
vperiodos = new Integer[2];
vperiodos[0] = Integer.valueOf(periodo1);
vperiodos[1] = Integer.valueOf(periodo2);
} else {
vperiodos = new Integer[1];
vperiodos[0] = Integer.valueOf(periodo1);
}
String periodo = "";
if (!periodo2.equals("-1"))
periodo = periodo1 + periodo2;
else
periodo = periodo1;
if (treporte == 1) {
nombreArchivo = armarNombre("bnb", divterritorial, periodo1,
periodo2, "fina");
if (nombreArchivo != null) {
arBosque.nuevoAnalisisResultadosWPSBosque(treporte,
divterritorial, nombreArchivo, vperiodos);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE BOSQUE/NO BOSQUE PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession().setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE BOSQUE/NO BOSQUE PARA EL PERIODO "
+ periodo);
}
} else if (treporte == 2) {
nombreArchivo = armarNombre("bnb", divterritorial, periodo1,
periodo2, "gruesa");
if (nombreArchivo != null) {
arBosque.nuevoAnalisisResultadosWPSBosque(treporte,
divterritorial, nombreArchivo, vperiodos);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE BOSQUE/NO BOSQUE PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession().setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE BOSQUE/NO BOSQUE PARA EL PERIODO "
+ periodo);
}
} else if (treporte == 3) {
nombreArchivo = armarNombre("cambio", divterritorial, periodo1,
periodo2, "fina");
if (nombreArchivo != null) {
arCobertura.nuevoAnalisisResultadosWPSCobertura(treporte,
divterritorial, nombreArchivo, vperiodos);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE CAMBIO DE COBERTURA BOSCOSA PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession()
.setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE CAMBIO DE COBERTURA BOSCOSA PARA EL PERIODO "
+ periodo);
}
} else if (treporte == 4) {
nombreArchivo = armarNombre("cambio", divterritorial, periodo1,
periodo2, "gruesa");
if (nombreArchivo != null) {
arCobertura.nuevoAnalisisResultadosWPSCobertura(treporte,
divterritorial, nombreArchivo, vperiodos);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE CAMBIO DE COBERTURA BOSCOSA PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession()
.setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE CAMBIO DE COBERTURA BOSCOSA PARA EL PERIODO "
+ periodo);
}
} else if (treporte == 5) {
nombreArchivo = armarNombre("deforestacion", divterritorial,
periodo1, periodo2, "fina");
if (nombreArchivo != null) {
arDeforestacion.nuevoAnalisisResultadosWPSDeforestacion(treporte,
divterritorial, nombreArchivo, vperiodos);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE DEFORESTACION PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession().setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE DEFRORESTACION PARA EL PERIODO "
+ periodo);
}
} else if (treporte == 6) {
nombreArchivo = armarNombre("regeneracion", divterritorial,
periodo1, periodo2, "gruesa");
if (nombreArchivo != null) {
arDeforestacion.nuevoAnalisisResultadosWPSDeforestacion(treporte,
divterritorial, nombreArchivo, vperiodos);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE DEFORESTACION PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession().setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE REGENERACION PARA EL PERIODO "
+ periodo);
}
} else if (treporte == 8) {
nombreArchivo = armarNombre("Biomasa", divterritorial, periodo1,
periodo2, "fina");
if (nombreArchivo != null) {
arBiomasa.nuevoAnalisisResultadosWPSBiomasa(treporte,
divterritorial, nombreArchivo, vperiodos[0]);
request.getSession().setAttribute(
"mensaje",
"SE HA GENERADO EL REPORTE DE BIOMASA PARA EL PERIODO "
+ periodo);
} else {
// LimpiarDatosSesion
request.getSession().setAttribute(
"mensaje",
"NO SE HA GENERADO EL GEOPROCESO DE BIOMASA PARA EL PERIODO "
+ periodo);
}
}
response.sendRedirect("limpiardatossesion");
}
private String armarNombre(String treporte, Integer divterritorial,
String periodo1, String periodo2, String resolucion) {
String division = "";
String periodo = "";
String nombre = "";
if (divterritorial == 1) {
division = "car";
} else if (divterritorial == 2) {
division = "depto";
} else if (divterritorial == 3) {
division = "area";
} else {
division = "consolidado";
}
if (!periodo2.equals("-1"))
periodo = periodo1 + periodo2;
else
periodo = periodo1;
try {
nombre = Util.obtenerNombreArchivo(treporte, division, periodo,
resolucion);
} catch (Exception e) {
e.printStackTrace();
}
return nombre;
}
}
| 31.632558 | 89 | 0.688722 |
b05f9e4df5b09720f1acacb10894ed507f963283 | 11,341 | /**
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.storm.hdfs.common.security;
import org.apache.storm.Config;
import org.apache.storm.security.INimbusCredentialPlugin;
import org.apache.storm.security.auth.IAutoCredentials;
import org.apache.storm.security.auth.ICredentialsRenewer;
import org.apache.hadoop.conf.Configuration;
import org.apache.hadoop.fs.FileSystem;
import org.apache.hadoop.security.Credentials;
import org.apache.hadoop.security.SecurityUtil;
import org.apache.hadoop.security.UserGroupInformation;
import org.apache.hadoop.security.token.Token;
import org.apache.hadoop.security.token.TokenIdentifier;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import javax.security.auth.Subject;
import javax.xml.bind.DatatypeConverter;
import java.io.*;
import java.net.URI;
import java.security.PrivilegedAction;
import java.util.Collection;
import java.util.HashMap;
import java.util.Map;
import java.util.Set;
import static org.apache.storm.hdfs.common.security.HdfsSecurityUtil.STORM_KEYTAB_FILE_KEY;
import static org.apache.storm.hdfs.common.security.HdfsSecurityUtil.STORM_USER_NAME_KEY;
/**
* Automatically get HDFS delegation tokens and push it to user's topology. The class
* assumes that HDFS configuration files are in your class path.
*/
public class AutoHDFS implements IAutoCredentials, ICredentialsRenewer, INimbusCredentialPlugin {
private static final Logger LOG = LoggerFactory.getLogger(AutoHDFS.class);
public static final String HDFS_CREDENTIALS = "HDFS_CREDENTIALS";
public static final String TOPOLOGY_HDFS_URI = "topology.hdfs.uri";
private String hdfsKeyTab;
private String hdfsPrincipal;
@Override
public void prepare(Map conf) {
if(conf.containsKey(STORM_KEYTAB_FILE_KEY) && conf.containsKey(STORM_USER_NAME_KEY)) {
this.hdfsKeyTab = (String) conf.get(STORM_KEYTAB_FILE_KEY);
this.hdfsPrincipal = (String) conf.get(STORM_USER_NAME_KEY);
}
}
@Override
public void shutdown() {
//no op.
}
@Override
public void populateCredentials(Map<String, String> credentials, Map conf) {
try {
credentials.put(getCredentialKey(), DatatypeConverter.printBase64Binary(getHadoopCredentials(conf)));
LOG.info("HDFS tokens added to credentials map.");
} catch (Exception e) {
LOG.error("Could not populate HDFS credentials.", e);
}
}
@Override
public void populateCredentials(Map<String, String> credentials) {
credentials.put(HDFS_CREDENTIALS, DatatypeConverter.printBase64Binary("dummy place holder".getBytes()));
}
/*
*
* @param credentials map with creds.
* @return instance of org.apache.hadoop.security.Credentials.
* this class's populateCredentials must have been called before.
*/
@SuppressWarnings("unchecked")
protected Credentials getCredentials(Map<String, String> credentials) {
Credentials credential = null;
if (credentials != null && credentials.containsKey(getCredentialKey())) {
try {
byte[] credBytes = DatatypeConverter.parseBase64Binary(credentials.get(getCredentialKey()));
ObjectInputStream in = new ObjectInputStream(new ByteArrayInputStream(credBytes));
credential = new Credentials();
credential.readFields(in);
} catch (Exception e) {
LOG.error("Could not obtain credentials from credentials map.", e);
}
}
return credential;
}
/**
* {@inheritDoc}
*/
@Override
public void updateSubject(Subject subject, Map<String, String> credentials) {
addCredentialToSubject(subject, credentials);
addTokensToUGI(subject);
}
/**
* {@inheritDoc}
*/
@Override
public void populateSubject(Subject subject, Map<String, String> credentials) {
addCredentialToSubject(subject, credentials);
addTokensToUGI(subject);
}
@SuppressWarnings("unchecked")
private void addCredentialToSubject(Subject subject, Map<String, String> credentials) {
try {
Credentials credential = getCredentials(credentials);
if (credential != null) {
subject.getPrivateCredentials().add(credential);
LOG.info("HDFS Credentials added to the subject.");
} else {
LOG.info("No credential found in credentials");
}
} catch (Exception e) {
LOG.error("Failed to initialize and get UserGroupInformation.", e);
}
}
public void addTokensToUGI(Subject subject) {
if(subject != null) {
Set<Credentials> privateCredentials = subject.getPrivateCredentials(Credentials.class);
if (privateCredentials != null) {
for (Credentials cred : privateCredentials) {
Collection<Token<? extends TokenIdentifier>> allTokens = cred.getAllTokens();
if (allTokens != null) {
for (Token<? extends TokenIdentifier> token : allTokens) {
try {
UserGroupInformation.getCurrentUser().addToken(token);
LOG.info("Added delegation tokens to UGI.");
} catch (IOException e) {
LOG.error("Exception while trying to add tokens to ugi", e);
}
}
}
}
}
}
}
/**
* {@inheritDoc}
*/
@Override
@SuppressWarnings("unchecked")
public void renew(Map<String, String> credentials, Map topologyConf) {
try {
Credentials credential = getCredentials(credentials);
if (credential != null) {
Configuration configuration = new Configuration();
Collection<Token<? extends TokenIdentifier>> tokens = credential.getAllTokens();
if(tokens != null && tokens.isEmpty() == false) {
for (Token token : tokens) {
//We need to re-login some other thread might have logged into hadoop using
// their credentials (e.g. AutoHBase might be also part of nimbu auto creds)
login(configuration);
long expiration = token.renew(configuration);
LOG.info("HDFS delegation token renewed, new expiration time {}", expiration);
}
} else {
LOG.debug("No tokens found for credentials, skipping renewal.");
}
}
} catch (Exception e) {
LOG.warn("could not renew the credentials, one of the possible reason is tokens are beyond " +
"renewal period so attempting to get new tokens.", e);
populateCredentials(credentials, topologyConf);
}
}
@SuppressWarnings("unchecked")
protected byte[] getHadoopCredentials(Map conf) {
try {
if(UserGroupInformation.isSecurityEnabled()) {
final Configuration configuration = new Configuration();
login(configuration);
final String topologySubmitterUser = (String) conf.get(Config.TOPOLOGY_SUBMITTER_PRINCIPAL);
final URI nameNodeURI = conf.containsKey(TOPOLOGY_HDFS_URI) ? new URI(conf.get(TOPOLOGY_HDFS_URI).toString())
: FileSystem.getDefaultUri(configuration);
UserGroupInformation ugi = UserGroupInformation.getCurrentUser();
final UserGroupInformation proxyUser = UserGroupInformation.createProxyUser(topologySubmitterUser, ugi);
Credentials creds = (Credentials) proxyUser.doAs(new PrivilegedAction<Object>() {
@Override
public Object run() {
try {
FileSystem fileSystem = FileSystem.get(nameNodeURI, configuration);
Credentials credential= proxyUser.getCredentials();
fileSystem.addDelegationTokens(hdfsPrincipal, credential);
LOG.info("Delegation tokens acquired for user {}", topologySubmitterUser);
return credential;
} catch (IOException e) {
throw new RuntimeException(e);
}
}
});
ByteArrayOutputStream bao = new ByteArrayOutputStream();
ObjectOutputStream out = new ObjectOutputStream(bao);
creds.write(out);
out.flush();
out.close();
return bao.toByteArray();
} else {
throw new RuntimeException("Security is not enabled for HDFS");
}
} catch (Exception ex) {
throw new RuntimeException("Failed to get delegation tokens." , ex);
}
}
private void login(Configuration configuration) throws IOException {
configuration.set(STORM_KEYTAB_FILE_KEY, this.hdfsKeyTab);
configuration.set(STORM_USER_NAME_KEY, this.hdfsPrincipal);
SecurityUtil.login(configuration, STORM_KEYTAB_FILE_KEY, STORM_USER_NAME_KEY);
LOG.info("Logged into hdfs with principal {}", this.hdfsPrincipal);
}
protected String getCredentialKey() {
return HDFS_CREDENTIALS;
}
@SuppressWarnings("unchecked")
public static void main(String[] args) throws Exception {
Map conf = new HashMap();
conf.put(Config.TOPOLOGY_SUBMITTER_PRINCIPAL, args[0]); //with realm e.g. [email protected]
conf.put(STORM_USER_NAME_KEY, args[1]); //with realm e.g. [email protected]
conf.put(STORM_KEYTAB_FILE_KEY, args[2]);// /etc/security/keytabs/storm.keytab
Configuration configuration = new Configuration();
AutoHDFS autoHDFS = new AutoHDFS();
autoHDFS.prepare(conf);
Map<String,String> creds = new HashMap<String, String>();
autoHDFS.populateCredentials(creds, conf);
LOG.info("Got HDFS credentials", autoHDFS.getCredentials(creds));
Subject s = new Subject();
autoHDFS.populateSubject(s, creds);
LOG.info("Got a Subject "+ s);
autoHDFS.renew(creds, conf);
LOG.info("renewed credentials", autoHDFS.getCredentials(creds));
}
}
| 40.216312 | 125 | 0.630897 |
fef0112d4202979118ab519506f1bf1cb5da5ed1 | 3,496 | package com.project.convertedCode.includes.vendor.nesbot.carbon.src.Carbon.Lang;
import com.runtimeconverter.runtime.RuntimeStack;
import com.runtimeconverter.runtime.interfaces.ContextConstants;
import com.runtimeconverter.runtime.includes.RuntimeIncludable;
import com.runtimeconverter.runtime.includes.IncludeEventException;
import com.runtimeconverter.runtime.classes.RuntimeClassBase;
import com.runtimeconverter.runtime.RuntimeEnv;
import com.runtimeconverter.runtime.interfaces.UpdateRuntimeScopeInterface;
import com.runtimeconverter.runtime.ZVal;
import com.runtimeconverter.runtime.arrays.ZPair;
/*
Converted with The Runtime Converter (runtimeconverter.com)
vendor/nesbot/carbon/src/Carbon/Lang/hr.php
*/
public class file_hr_php implements RuntimeIncludable {
public static final file_hr_php instance = new file_hr_php();
public final void include(RuntimeEnv env, RuntimeStack stack) throws IncludeEventException {
Scope1976 scope = new Scope1976();
stack.pushScope(scope);
this.include(env, stack, scope);
stack.popScope();
}
public final void include(RuntimeEnv env, RuntimeStack stack, Scope1976 scope)
throws IncludeEventException {
throw new IncludeEventException(
ZVal.assign(
ZVal.newArray(
new ZPair("year", ":count godinu|:count godine|:count godina"),
new ZPair("y", ":count godinu|:count godine|:count godina"),
new ZPair("month", ":count mjesec|:count mjeseca|:count mjeseci"),
new ZPair("m", ":count mjesec|:count mjeseca|:count mjeseci"),
new ZPair("week", ":count tjedan|:count tjedna|:count tjedana"),
new ZPair("w", ":count tjedan|:count tjedna|:count tjedana"),
new ZPair("day", ":count dan|:count dana|:count dana"),
new ZPair("d", ":count dan|:count dana|:count dana"),
new ZPair("hour", ":count sat|:count sata|:count sati"),
new ZPair("h", ":count sat|:count sata|:count sati"),
new ZPair("minute", ":count minutu|:count minute |:count minuta"),
new ZPair("min", ":count minutu|:count minute |:count minuta"),
new ZPair("second", ":count sekundu|:count sekunde|:count sekundi"),
new ZPair("s", ":count sekundu|:count sekunde|:count sekundi"),
new ZPair("ago", "prije :time"),
new ZPair("from_now", "za :time"),
new ZPair("after", "za :time"),
new ZPair("before", "prije :time"))));
}
private static final ContextConstants runtimeConverterContextContantsInstance =
new ContextConstants()
.setDir("/vendor/nesbot/carbon/src/Carbon/Lang")
.setFile("/vendor/nesbot/carbon/src/Carbon/Lang/hr.php");
public ContextConstants getContextConstants() {
return runtimeConverterContextContantsInstance;
}
private static class Scope1976 implements UpdateRuntimeScopeInterface {
public void updateStack(RuntimeStack stack) {}
public void updateScope(RuntimeStack stack) {}
}
}
| 47.890411 | 100 | 0.602403 |
d918b6ab499afef1402986105acb27900853e8c7 | 5,058 | /*******************************************************************************
* Copyright (c) 2008, 2014 IBM Wind River Systems, Inc. and others.
* All rights reserved. This program and the accompanying materials
* are made available under the terms of the Eclipse Public License v1.0
* which accompanies this distribution, and is available at
* http://www.eclipse.org/legal/epl-v10.html
*
* Contributors:
* Markus Schorn - Initial API and implementation
* Sergey Prigogin (Google)
* Thomas Corbat (IFS)
*******************************************************************************/
package org.eclipse.cdt.internal.core.dom.parser.cpp;
import org.eclipse.cdt.core.dom.ast.ASTVisitor;
import org.eclipse.cdt.core.dom.ast.IASTAttribute;
import org.eclipse.cdt.core.dom.ast.IASTAttributeSpecifier;
import org.eclipse.cdt.core.dom.ast.IASTDeclarator;
import org.eclipse.cdt.core.dom.ast.IASTInitializer;
import org.eclipse.cdt.core.dom.ast.IASTName;
import org.eclipse.cdt.core.dom.ast.IASTNode;
import org.eclipse.cdt.core.dom.ast.IASTPointerOperator;
import org.eclipse.cdt.core.dom.ast.IScope;
import org.eclipse.cdt.core.dom.ast.cpp.ICPPASTDeclarator;
import org.eclipse.cdt.core.parser.util.ArrayUtil;
import org.eclipse.cdt.internal.core.dom.parser.ASTAmbiguousNode;
import org.eclipse.cdt.internal.core.dom.parser.IASTAmbiguousDeclarator;
import org.eclipse.cdt.internal.core.dom.parser.cpp.semantics.CPPVisitor;
import org.eclipse.core.runtime.Assert;
/**
* Handles ambiguities when parsing declarators.
* <br>
* Example: void f(int (D)); // is D a type?
*/
public class CPPASTAmbiguousDeclarator extends ASTAmbiguousNode
implements IASTAmbiguousDeclarator, ICPPASTDeclarator {
private IASTDeclarator[] dtors = new IASTDeclarator[2];
private int dtorPos= -1;
private IASTInitializer fInitializer;
public CPPASTAmbiguousDeclarator(IASTDeclarator... decls) {
for (IASTDeclarator d : decls) {
if (d != null) {
addDeclarator(d);
}
}
}
@Override
protected void beforeResolution() {
// populate containing scope, so that it will not be affected by the alternative branches.
IScope scope= CPPVisitor.getContainingNonTemplateScope(this);
if (scope instanceof ICPPASTInternalScope) {
((ICPPASTInternalScope) scope).populateCache();
}
}
@Override
protected void afterResolution(ASTVisitor resolver, IASTNode best) {
// if we have an initializer it needs to be added to the chosen alternative.
// we also need to resolve ambiguities in the initializer.
if (fInitializer != null) {
((IASTDeclarator) best).setInitializer(fInitializer);
fInitializer.accept(resolver);
}
}
@Override
public IASTDeclarator copy() {
throw new UnsupportedOperationException();
}
@Override
public IASTDeclarator copy(CopyStyle style) {
throw new UnsupportedOperationException();
}
@Override
public void addDeclarator(IASTDeclarator d) {
assertNotFrozen();
if (d != null) {
dtors = ArrayUtil.appendAt(IASTDeclarator.class, dtors, ++dtorPos, d);
d.setParent(this);
d.setPropertyInParent(SUBDECLARATOR);
}
}
@Override
public IASTDeclarator[] getDeclarators() {
dtors = ArrayUtil.trimAt(IASTDeclarator.class, dtors, dtorPos);
return dtors;
}
@Override
public IASTNode[] getNodes() {
return getDeclarators();
}
@Override
public IASTInitializer getInitializer() {
return fInitializer;
}
@Override
public IASTName getName() {
return dtors[0].getName();
}
@Override
public IASTDeclarator getNestedDeclarator() {
return dtors[0].getNestedDeclarator();
}
@Override
public IASTPointerOperator[] getPointerOperators() {
return dtors[0].getPointerOperators();
}
@Override
public void addPointerOperator(IASTPointerOperator operator) {
assertNotFrozen();
Assert.isLegal(false);
}
@Override
public IASTAttribute[] getAttributes() {
return dtors[0].getAttributes();
}
@Override
@Deprecated
public void addAttribute(IASTAttribute attribute) {
assertNotFrozen();
Assert.isLegal(false);
}
@Override
public IASTAttributeSpecifier[] getAttributeSpecifiers() {
return dtors[0].getAttributeSpecifiers();
}
@Override
public void addAttributeSpecifier(IASTAttributeSpecifier attributeSpecifier) {
assertNotFrozen();
Assert.isLegal(false);
}
@Override
public int getRoleForName(IASTName name) {
return dtors[0].getRoleForName(name);
}
@Override
public void setInitializer(IASTInitializer initializer) {
// store the initializer until the ambiguity is resolved
fInitializer= initializer;
}
@Override
public void setName(IASTName name) {
assertNotFrozen();
Assert.isLegal(false);
}
@Override
public void setNestedDeclarator(IASTDeclarator nested) {
assertNotFrozen();
Assert.isLegal(false);
}
@Override
public boolean declaresParameterPack() {
return false;
}
@Override
public void setDeclaresParameterPack(boolean val) {
assertNotFrozen();
Assert.isLegal(false);
}
}
| 27.639344 | 92 | 0.715105 |
74b57aa37271f67bbe10a05723b80191012ba68e | 2,721 |
package cpptools;
import java.util.ArrayList;
import java.util.Collection;
import junit.framework.TestCase;
import junit.framework.TestResult;
/**
* Test case for EasyMockTestCase.
*
* @author Mathieu Champlon
* @version $Revision: 1064 $ $Date: 2005-08-27 03:11:01 +0900 (sam., 27 août 2005) $
*/
public class EasyMockTestCaseTest extends TestCase
{
/**
* Tested object.
*/
private EasyMockTestCase test;
protected void setUp()
{
test = new EasyMockTestCase();
}
public void testCreateMockFromInterfaceProvidesNonNullObject()
{
assertNotNull( test.createMock( Collection.class ) );
}
public void testCreateMockFromClassProvidesNonNullObject()
{
assertNotNull( test.createMock( ArrayList.class ) );
}
public void testCreateMockAndRunTestPasses()
{
final EasyMockTestCase test = new EasyMockTestCase()
{
protected void setUp()
{
createMock( Collection.class );
}
protected void runTest()
{
}
};
assertSuccess( test );
}
public void testCreateMockWithExpectationAndRunTestFails()
{
final EasyMockTestCase test = new EasyMockTestCase()
{
private Collection< ? > mock;
protected void setUp()
{
mock = createMock( Collection.class );
}
protected void runTest()
{
mock.add( null );
}
};
assertError( test );
}
public void testCreateMockWithExpectationAndRunTestPasses()
{
final EasyMockTestCase test = new EasyMockTestCase()
{
private Collection< ? > mock;
protected void setUp()
{
mock = createMock( Collection.class );
}
protected void runTest()
{
mock.add( null );
replay();
mock.add( null );
}
};
assertError( test );
}
private void assertSuccess( final TestCase test )
{
final TestResult result = test.run();
assertEquals( 1, result.runCount() );
assertEquals( 0, result.failureCount() );
assertEquals( 0, result.errorCount() );
}
private void assertError( final TestCase test )
{
final TestResult result = test.run();
assertEquals( 1, result.runCount() );
assertEquals( 0, result.failureCount() );
assertEquals( 1, result.errorCount() );
}
}
| 24.963303 | 86 | 0.5362 |
5083f83104dab4f9836cbb7a7dd06710d86e94c4 | 1,498 | package org.clever.graaljs.fast.api.dto.request;
import lombok.Data;
import org.apache.commons.lang3.StringUtils;
import org.clever.graaljs.fast.api.entity.EnumConstant;
import org.clever.graaljs.spring.core.utils.validator.annotation.ValidStringStatus;
import javax.validation.constraints.NotBlank;
import javax.validation.constraints.Pattern;
import java.io.Serializable;
/**
* 作者:lizw <br/>
* 创建时间:2021/06/30 09:35 <br/>
*/
@Data
public class AddHttpApiReq implements Serializable {
@Pattern(regexp = "^(/[a-zA-Z0-9\\u4e00-\\u9fa5_-]+)*/?$")
@NotBlank
private String path;
@Pattern(regexp = "^[a-zA-Z0-9\\u4e00-\\u9fa5_-]+(.js)?$")
@NotBlank
private String name;
@ValidStringStatus(value = {
EnumConstant.REQUEST_METHOD_ALL,
EnumConstant.REQUEST_METHOD_GET,
EnumConstant.REQUEST_METHOD_HEAD,
EnumConstant.REQUEST_METHOD_POST,
EnumConstant.REQUEST_METHOD_PUT,
EnumConstant.REQUEST_METHOD_DELETE,
EnumConstant.REQUEST_METHOD_CONNECT,
EnumConstant.REQUEST_METHOD_OPTIONS,
EnumConstant.REQUEST_METHOD_TRACE,
EnumConstant.REQUEST_METHOD_PATCH,
})
@NotBlank
private String RequestMethod;
private String requestMapping;
private String content;
public String getContent() {
if (StringUtils.isBlank(content)) {
return "//default code \nreturn { ok: true };";
}
return content;
}
}
| 28.807692 | 83 | 0.678905 |
37dfb15cbc37c804cff2ecea6c564aa357153ed7 | 5,764 | package gorev.yerservis.com.gorevgo;
import android.app.Activity;
import android.content.DialogInterface;
import android.content.Intent;
import android.os.Build;
import android.support.v4.view.PagerAdapter;
import android.support.v7.app.AlertDialog;
import android.view.LayoutInflater;
import android.view.View;
import android.view.ViewGroup;
import android.widget.CheckBox;
import android.widget.TextView;
import com.google.android.gms.gcm.Task;
import java.util.ArrayList;
public class TaskAdapter extends PagerAdapter {
ArrayList<TaskItem> taskItems = new ArrayList<>();
Activity activity;
TaskSQLite taskSQLite;
public TaskAdapter(ArrayList<TaskItem> taskItems, Activity activity) {
this.taskItems = taskItems;
this.activity = activity;
taskSQLite = new TaskSQLite(activity);
}
@Override
public Object instantiateItem(ViewGroup container, final int position) {
View view = LayoutInflater.from(activity).inflate(R.layout.task_row, null);
TextView gorev_baslik = (TextView) view.findViewById(R.id.gorev_baslik);
TextView gorev_icerik = (TextView) view.findViewById(R.id.gorev_aciklama);
TextView gorev_tarih = (TextView) view.findViewById(R.id.gorev_tarih);
TextView haritaac = (TextView) view.findViewById(R.id.haritada_gor);
final CheckBox gorevbitir = (CheckBox) view.findViewById(R.id.gorev_bitir);
haritaac.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
activity.startActivity(new Intent(activity, MapShow.class)
.putExtra("class", taskItems.get(position))
.putExtra("lng", taskItems.get(position).getBoylam())
.putExtra("lat", taskItems.get(position).getEnlem()));
}
});
gorev_baslik.setText(taskItems.get(position).getBaslik());
gorev_icerik.setText(taskItems.get(position).getIcerik());
gorev_tarih.setText(taskItems.get(position).getBitistarih());
if (!taskItems.get(position).getDurum().equals("NO")) {
gorev_baslik.append(" (DONE)");
gorevbitir.setChecked(true);
}
gorevbitir.setOnClickListener(new View.OnClickListener() {
@Override
public void onClick(View view) {
final AlertDialog.Builder builder;
if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.LOLLIPOP) {
builder = new AlertDialog.Builder(activity, android.R.style.Theme_Material_Dialog_Alert);
} else {
builder = new AlertDialog.Builder(activity);
}
builder.setTitle("Warning!")
.setMessage("Are you sure you want to finish this task and delete it ?")
.setPositiveButton(android.R.string.yes, new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
dialog.cancel();
taskSQLite.bildirimSil(taskItems.get(position));
RefreshCallback.getInstance().changeState(1);
}
})
.setNegativeButton(android.R.string.no, new DialogInterface.OnClickListener() {
public void onClick(DialogInterface dialog, int which) {
dialog.cancel();
gorevbitir.setChecked(false);
}
})
.setIcon(android.R.drawable.ic_dialog_alert)
.show();
}
});
container.addView(view);
return view;
}
@Override
public void destroyItem(ViewGroup container, int position, Object object) {
container.removeView((View) object);
}
@Override
public int getCount() {
return taskItems.size();
}
@Override
public boolean isViewFromObject(View view, Object object) {
return (view == object);
}
public String dayParse(String gunIng) {
String gun = "";
if (gunIng.equals("Sun")) {
gun = "Pazar";
}
if (gunIng.equals("Mon")) {
gun = "Pzt";
}
if (gunIng.equals("Tue")) {
gun = "Salı";
}
if (gunIng.equals("Wed")) {
gun = "Çarş";
}
if (gunIng.equals("Thu")) {
gun = "Perş";
}
if (gunIng.equals("Fri")) {
gun = "Cuma";
}
if (gunIng.equals("Sat")) {
gun = "Cmts";
}
return gun;
}
public String ayParse(String ayIng) {
String ay = "";
if (ayIng.equals("Jan")) {
ay = "Ocak";
}
if (ayIng.equals("Feb")) {
ay = "Şubat";
}
if (ayIng.equals("Mar")) {
ay = "Mart";
}
if (ayIng.equals("Apr")) {
ay = "Nisan";
}
if (ayIng.equals("May")) {
ay = "Mayıs";
}
if (ayIng.equals("Jun")) {
ay = "Haziran";
}
if (ayIng.equals("Jul")) {
ay = "Temmuz";
}
if (ayIng.equals("Aug")) {
ay = "Ağustos";
}
if (ayIng.equals("Sep")) {
ay = "Eylül";
}
if (ayIng.equals("Oct")) {
ay = "Ekim";
}
if (ayIng.equals("Nov")) {
ay = "Kasım";
}
if (ayIng.equals("Dec")) {
ay = "Aralık";
}
return ay;
}
}
| 31.497268 | 109 | 0.533657 |
cdb92a397d628f8dd5b138bb9a4d362676e8f6fe | 3,092 | /*******************************************************************************
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing,
* software distributed under the License is distributed on an
* "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
* KIND, either express or implied. See the License for the
* specific language governing permissions and limitations
* under the License.
******************************************************************************/
package org.apache.olingo.odata2.core.uri.expression;
import org.apache.olingo.odata2.api.edm.Edm;
import org.apache.olingo.odata2.api.edm.EdmEntityType;
import org.apache.olingo.odata2.api.rt.RuntimeDelegate;
import org.apache.olingo.odata2.testutil.mock.TecEdmInfo;
import org.apache.olingo.odata2.testutil.mock.TechnicalScenarioEdmProvider;
/**
*
*/
public class TestBase {
protected TecEdmInfo edmInfo = null;
public TestBase() {
final Edm edm = RuntimeDelegate.createEdm(new TechnicalScenarioEdmProvider());
edmInfo = new TecEdmInfo(edm);
}
static public ParserTool GetPTF(final String expression) {
return new ParserTool(expression, false, true, false, null);
}
static public ParserTool GetPTF_onlyBinary(final String expression) {
return new ParserTool(expression, false, true, true, null);
}
static public ParserTool GetPTFE(final String expression) {
return new ParserTool(expression, false, true, false, null);
}
static public ParserTool GetPTF(final EdmEntityType resourceEntityType, final String expression) {
return new ParserTool(expression, false, true, false, resourceEntityType);
}
static public ParserTool GetPTO(final String expression) {
return new ParserTool(expression, true, true, false, null);
}
static public ParserTool GetPTO(final EdmEntityType resourceEntityType, final String expression) {
return new ParserTool(expression, true, true, false, resourceEntityType);
}
static public ParserTool GetPTF_noTEST(final String expression) {
return new ParserTool(expression, false, false, false, null);
}
static public ParserTool GetPTF_noTEST(final EdmEntityType resourceEntityType, final String expression) {
return new ParserTool(expression, false, false, true, resourceEntityType);
}
static public ParserTool GetPTO_noTEST(final String expression) {
return new ParserTool(expression, true, false, true, null);
}
static public ParserTool GetPTO_noTEST(final EdmEntityType resourceEntityType, final String expression) {
return new ParserTool(expression, true, false, true, resourceEntityType);
}
}
| 38.65 | 107 | 0.726067 |
2d07a95aabf786b5e5c4b6469258dcd6d5af7bde | 887 | package br.com.zup.gabrielli.propostas.cartao;
import java.time.LocalDateTime;
import javax.persistence.Entity;
import javax.persistence.GeneratedValue;
import javax.persistence.GenerationType;
import javax.persistence.Id;
import javax.persistence.ManyToOne;
import javax.validation.constraints.NotEmpty;
import org.hibernate.annotations.CreationTimestamp;
@Entity
public class CartaoDadosBloqueio {
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
private Long id;
@NotEmpty
private String ip;
@CreationTimestamp
private LocalDateTime dataBloqueio;
@NotEmpty
private String userAgent;
@ManyToOne
private Cartao cartao;
@Deprecated
public CartaoDadosBloqueio() {
}
public CartaoDadosBloqueio(String ip, String userAgent, Cartao cartao) {
this.ip = ip;
this.userAgent = userAgent;
this.cartao = cartao;
}
public Long getId() {
return id;
}
}
| 18.479167 | 73 | 0.784667 |
9cfbd0908e00b1976481c476bafbb1789d2fbebd | 101,009 | /*
* This class is based on the C# open source freeware library Clipper:
* http://www.angusj.com/delphi/clipper.php
* The original classes were distributed under the Boost Software License:
*
* Freeware for both open source and commercial applications
* Copyright 2010-2014 Angus Johnson
* Boost Software License - Version 1.0 - August 17th, 2003
*
* Permission is hereby granted, free of charge, to any person or organization
* obtaining a copy of the software and accompanying documentation covered by
* this license (the "Software") to use, reproduce, display, distribute,
* execute, and transmit the Software, and to prepare derivative works of the
* Software, and to permit third-parties to whom the Software is furnished to
* do so, all subject to the following:
*
* The copyright notices in the Software and this entire statement, including
* the above license grant, this restriction and the following disclaimer,
* must be included in all copies of the Software, in whole or in part, and
* all derivative works of the Software, unless such copies or derivative
* works are solely in the form of machine-executable object code generated by
* a source language processor.
*
* 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, TITLE AND NON-INFRINGEMENT. IN NO EVENT
* SHALL THE COPYRIGHT HOLDERS OR ANYONE DISTRIBUTING THE SOFTWARE BE LIABLE
* FOR ANY DAMAGES OR OTHER LIABILITY, WHETHER IN CONTRACT, TORT OR OTHERWISE,
* ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
* DEALINGS IN THE SOFTWARE.
*/
package com.itextpdf.kernel.pdf.canvas.parser.clipper;
import com.itextpdf.kernel.pdf.canvas.parser.clipper.Path.Join;
import com.itextpdf.kernel.pdf.canvas.parser.clipper.Path.OutRec;
import com.itextpdf.kernel.pdf.canvas.parser.clipper.Point.LongPoint;
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
import java.util.List;
import java.util.logging.Logger;
public class DefaultClipper extends ClipperBase {
private class IntersectNode {
Edge edge1;
Edge Edge2;
private LongPoint pt;
public LongPoint getPt() {
return pt;
}
public void setPt( LongPoint pt ) {
this.pt = pt;
}
};
private static void getHorzDirection( Edge HorzEdge, Direction[] Dir, long[] Left, long[] Right ) {
if (HorzEdge.getBot().getX() < HorzEdge.getTop().getX()) {
Left[0] = HorzEdge.getBot().getX();
Right[0] = HorzEdge.getTop().getX();
Dir[0] = Direction.LEFT_TO_RIGHT;
}
else {
Left[0] = HorzEdge.getTop().getX();
Right[0] = HorzEdge.getBot().getX();
Dir[0] = Direction.RIGHT_TO_LEFT;
}
}
private static boolean getOverlap( long a1, long a2, long b1, long b2, long[] Left, long[] Right ) {
if (a1 < a2) {
if (b1 < b2) {
Left[0] = Math.max(a1, b1);
Right[0] = Math.min(a2, b2);
}
else {
Left[0] = Math.max(a1, b2);
Right[0] = Math.min(a2, b1);
}
}
else {
if (b1 < b2) {
Left[0] = Math.max(a2, b1);
Right[0] = Math.min(a1, b2);
}
else {
Left[0] = Math.max(a2, b2);
Right[0] = Math.min(a1, b1);
}
}
return Left[0] < Right[0];
}
private static boolean isParam1RightOfParam2( OutRec outRec1, OutRec outRec2 ) {
do {
outRec1 = outRec1.firstLeft;
if (outRec1 == outRec2) {
return true;
}
}
while (outRec1 != null);
return false;
}
//See "The Point in Polygon Problem for Arbitrary Polygons" by Hormann & Agathos
//http://citeseerx.ist.psu.edu/viewdoc/download?doi=10.1.1.88.5498&rep=rep1&type=pdf
private static int isPointInPolygon( LongPoint pt, Path.OutPt op ) {
//returns 0 if false, +1 if true, -1 if pt ON polygon boundary
int result = 0;
final Path.OutPt startOp = op;
final long ptx = pt.getX(), pty = pt.getY();
long poly0x = op.getPt().getX(), poly0y = op.getPt().getY();
do {
op = op.next;
final long poly1x = op.getPt().getX(), poly1y = op.getPt().getY();
if (poly1y == pty) {
if (poly1x == ptx || poly0y == pty && poly1x > ptx == poly0x < ptx) {
return -1;
}
}
if (poly0y < pty != poly1y < pty) {
if (poly0x >= ptx) {
if (poly1x > ptx) {
result = 1 - result;
}
else {
final double d = (double) (poly0x - ptx) * (poly1y - pty) - (double) (poly1x - ptx) * (poly0y - pty);
if (d == 0) {
return -1;
}
if (d > 0 == poly1y > poly0y) {
result = 1 - result;
}
}
}
else {
if (poly1x > ptx) {
final double d = (double) (poly0x - ptx) * (poly1y - pty) - (double) (poly1x - ptx) * (poly0y - pty);
if (d == 0) {
return -1;
}
if (d > 0 == poly1y > poly0y) {
result = 1 - result;
}
}
}
}
poly0x = poly1x;
poly0y = poly1y;
}
while (startOp != op);
return result;
}
//------------------------------------------------------------------------------
private static boolean joinHorz( Path.OutPt op1, Path.OutPt op1b, Path.OutPt op2, Path.OutPt op2b, LongPoint Pt, boolean DiscardLeft ) {
final Direction Dir1 = op1.getPt().getX() > op1b.getPt().getX() ? Direction.RIGHT_TO_LEFT : Direction.LEFT_TO_RIGHT;
final Direction Dir2 = op2.getPt().getX() > op2b.getPt().getX() ? Direction.RIGHT_TO_LEFT : Direction.LEFT_TO_RIGHT;
if (Dir1 == Dir2) {
return false;
}
//When DiscardLeft, we want Op1b to be on the Left of Op1, otherwise we
//want Op1b to be on the Right. (And likewise with Op2 and Op2b.)
//So, to facilitate this while inserting Op1b and Op2b ...
//when DiscardLeft, make sure we're AT or RIGHT of Pt before adding Op1b,
//otherwise make sure we're AT or LEFT of Pt. (Likewise with Op2b.)
if (Dir1 == Direction.LEFT_TO_RIGHT) {
while (op1.next.getPt().getX() <= Pt.getX() && op1.next.getPt().getX() >= op1.getPt().getX() && op1.next.getPt().getY() == Pt.getY()) {
op1 = op1.next;
}
if (DiscardLeft && op1.getPt().getX() != Pt.getX()) {
op1 = op1.next;
}
op1b = op1.duplicate( !DiscardLeft );
if (!op1b.getPt().equals( Pt )) {
op1 = op1b;
op1.setPt( Pt );
op1b = op1.duplicate( !DiscardLeft );
}
}
else {
while (op1.next.getPt().getX() >= Pt.getX() && op1.next.getPt().getX() <= op1.getPt().getX() && op1.next.getPt().getY() == Pt.getY()) {
op1 = op1.next;
}
if (!DiscardLeft && op1.getPt().getX() != Pt.getX()) {
op1 = op1.next;
}
op1b = op1.duplicate( DiscardLeft );
if (!op1b.getPt().equals( Pt )) {
op1 = op1b;
op1.setPt( Pt );
op1b = op1.duplicate( DiscardLeft );
}
}
if (Dir2 == Direction.LEFT_TO_RIGHT) {
while (op2.next.getPt().getX() <= Pt.getX() && op2.next.getPt().getX() >= op2.getPt().getX() && op2.next.getPt().getY() == Pt.getY()) {
op2 = op2.next;
}
if (DiscardLeft && op2.getPt().getX() != Pt.getX()) {
op2 = op2.next;
}
op2b = op2.duplicate( !DiscardLeft );
if (!op2b.getPt().equals( Pt )) {
op2 = op2b;
op2.setPt( Pt );
op2b = op2.duplicate( !DiscardLeft );
}
;
}
else {
while (op2.next.getPt().getX() >= Pt.getX() && op2.next.getPt().getX() <= op2.getPt().getX() && op2.next.getPt().getY() == Pt.getY()) {
op2 = op2.next;
}
if (!DiscardLeft && op2.getPt().getX() != Pt.getX()) {
op2 = op2.next;
}
op2b = op2.duplicate( DiscardLeft );
if (!op2b.getPt().equals( Pt )) {
op2 = op2b;
op2.setPt( Pt );
op2b = op2.duplicate( DiscardLeft );
}
;
}
;
if (Dir1 == Direction.LEFT_TO_RIGHT == DiscardLeft) {
op1.prev = op2;
op2.next = op1;
op1b.next = op2b;
op2b.prev = op1b;
}
else {
op1.next = op2;
op2.prev = op1;
op1b.prev = op2b;
op2b.next = op1b;
}
return true;
}
private boolean joinPoints( Join j, OutRec outRec1, OutRec outRec2 ) {
Path.OutPt op1 = j.outPt1, op1b;
Path.OutPt op2 = j.outPt2, op2b;
//There are 3 kinds of joins for output polygons ...
//1. Horizontal joins where Join.OutPt1 & Join.OutPt2 are a vertices anywhere
//along (horizontal) collinear edges (& Join.OffPt is on the same horizontal).
//2. Non-horizontal joins where Join.OutPt1 & Join.OutPt2 are at the same
//location at the Bottom of the overlapping segment (& Join.OffPt is above).
//3. StrictlySimple joins where edges touch but are not collinear and where
//Join.OutPt1, Join.OutPt2 & Join.OffPt all share the same point.
final boolean isHorizontal = j.outPt1.getPt().getY() == j.getOffPt().getY();
if (isHorizontal && j.getOffPt().equals( j.outPt1.getPt() ) && j.getOffPt().equals( j.outPt2.getPt() )) {
//Strictly Simple join ...
if (outRec1 != outRec2) {
return false;
}
op1b = j.outPt1.next;
while (op1b != op1 && op1b.getPt().equals( j.getOffPt() )) {
op1b = op1b.next;
}
final boolean reverse1 = op1b.getPt().getY() > j.getOffPt().getY();
op2b = j.outPt2.next;
while (op2b != op2 && op2b.getPt().equals( j.getOffPt() )) {
op2b = op2b.next;
}
final boolean reverse2 = op2b.getPt().getY() > j.getOffPt().getY();
if (reverse1 == reverse2) {
return false;
}
if (reverse1) {
op1b = op1.duplicate( false );
op2b = op2.duplicate( true );
op1.prev = op2;
op2.next = op1;
op1b.next = op2b;
op2b.prev = op1b;
j.outPt1 = op1;
j.outPt2 = op1b;
return true;
}
else {
op1b = op1.duplicate( true );
op2b = op2.duplicate( false );
op1.next = op2;
op2.prev = op1;
op1b.prev = op2b;
op2b.next = op1b;
j.outPt1 = op1;
j.outPt2 = op1b;
return true;
}
}
else if (isHorizontal) {
//treat horizontal joins differently to non-horizontal joins since with
//them we're not yet sure where the overlapping is. OutPt1.Pt & OutPt2.Pt
//may be anywhere along the horizontal edge.
op1b = op1;
while (op1.prev.getPt().getY() == op1.getPt().getY() && op1.prev != op1b && op1.prev != op2) {
op1 = op1.prev;
}
while (op1b.next.getPt().getY() == op1b.getPt().getY() && op1b.next != op1 && op1b.next != op2) {
op1b = op1b.next;
}
if (op1b.next == op1 || op1b.next == op2) {
return false;
} //a flat 'polygon'
op2b = op2;
while (op2.prev.getPt().getY() == op2.getPt().getY() && op2.prev != op2b && op2.prev != op1b) {
op2 = op2.prev;
}
while (op2b.next.getPt().getY() == op2b.getPt().getY() && op2b.next != op2 && op2b.next != op1) {
op2b = op2b.next;
}
if (op2b.next == op2 || op2b.next == op1) {
return false;
} //a flat 'polygon'
final long[] LeftV = new long[1], RightV = new long[1];
//Op1 -. Op1b & Op2 -. Op2b are the extremites of the horizontal edges
if (!getOverlap( op1.getPt().getX(), op1b.getPt().getX(), op2.getPt().getX(), op2b.getPt().getX(), LeftV, RightV )) {
return false;
}
final long Left = LeftV[0];
final long Right = RightV[0];
//DiscardLeftSide: when overlapping edges are joined, a spike will created
//which needs to be cleaned up. However, we don't want Op1 or Op2 caught up
//on the discard Side as either may still be needed for other joins ...
LongPoint Pt;
boolean DiscardLeftSide;
if (op1.getPt().getX() >= Left && op1.getPt().getX() <= Right) {
Pt = new LongPoint( op1.getPt() );
DiscardLeftSide = op1.getPt().getX() > op1b.getPt().getX();
}
else if (op2.getPt().getX() >= Left && op2.getPt().getX() <= Right) {
Pt = new LongPoint( op2.getPt() );
DiscardLeftSide = op2.getPt().getX() > op2b.getPt().getX();
}
else if (op1b.getPt().getX() >= Left && op1b.getPt().getX() <= Right) {
Pt = new LongPoint( op1b.getPt() );
DiscardLeftSide = op1b.getPt().getX() > op1.getPt().getX();
}
else {
Pt = new LongPoint( op2b.getPt() );
DiscardLeftSide = op2b.getPt().getX() > op2.getPt().getX();
}
j.outPt1 = op1;
j.outPt2 = op2;
return joinHorz( op1, op1b, op2, op2b, Pt, DiscardLeftSide );
}
else {
//nb: For non-horizontal joins ...
// 1. Jr.OutPt1.getPt().getY() == Jr.OutPt2.getPt().getY()
// 2. Jr.OutPt1.Pt > Jr.OffPt.getY()
//make sure the polygons are correctly oriented ...
op1b = op1.next;
while (op1b.getPt().equals( op1.getPt() ) && op1b != op1) {
op1b = op1b.next;
}
final boolean Reverse1 = op1b.getPt().getY() > op1.getPt().getY() || !Point.slopesEqual( op1.getPt(), op1b.getPt(), j.getOffPt(), useFullRange );
if (Reverse1) {
op1b = op1.prev;
while (op1b.getPt().equals( op1.getPt() ) && op1b != op1) {
op1b = op1b.prev;
}
if (op1b.getPt().getY() > op1.getPt().getY() || !Point.slopesEqual( op1.getPt(), op1b.getPt(), j.getOffPt(), useFullRange )) {
return false;
}
}
;
op2b = op2.next;
while (op2b.getPt().equals( op2.getPt() ) && op2b != op2) {
op2b = op2b.next;
}
final boolean Reverse2 = op2b.getPt().getY() > op2.getPt().getY() || !Point.slopesEqual( op2.getPt(), op2b.getPt(), j.getOffPt(), useFullRange );
if (Reverse2) {
op2b = op2.prev;
while (op2b.getPt().equals( op2.getPt() ) && op2b != op2) {
op2b = op2b.prev;
}
if (op2b.getPt().getY() > op2.getPt().getY() || !Point.slopesEqual( op2.getPt(), op2b.getPt(), j.getOffPt(), useFullRange )) {
return false;
}
}
if (op1b == op1 || op2b == op2 || op1b == op2b || outRec1 == outRec2 && Reverse1 == Reverse2) {
return false;
}
if (Reverse1) {
op1b = op1.duplicate( false );
op2b = op2.duplicate( true );
op1.prev = op2;
op2.next = op1;
op1b.next = op2b;
op2b.prev = op1b;
j.outPt1 = op1;
j.outPt2 = op1b;
return true;
}
else {
op1b = op1.duplicate( true );
op2b = op2.duplicate( false );
op1.next = op2;
op2.prev = op1;
op1b.prev = op2b;
op2b.next = op1b;
j.outPt1 = op1;
j.outPt2 = op1b;
return true;
}
}
}
private static Paths minkowski( Path pattern, Path path, boolean IsSum, boolean IsClosed ) {
final int delta = IsClosed ? 1 : 0;
final int polyCnt = pattern.size();
final int pathCnt = path.size();
final Paths result = new Paths( pathCnt );
if (IsSum) {
for (int i = 0; i < pathCnt; i++) {
final Path p = new Path( polyCnt );
for (final LongPoint ip : pattern) {
p.add( new LongPoint( path.get( i ).getX() + ip.getX(), path.get( i ).getY() + ip.getY(), 0 ) );
}
result.add( p );
}
}
else {
for (int i = 0; i < pathCnt; i++) {
final Path p = new Path( polyCnt );
for (final LongPoint ip : pattern) {
p.add( new LongPoint( path.get( i ).getX() - ip.getX(), path.get( i ).getY() - ip.getY(), 0 ) );
}
result.add( p );
}
}
final Paths quads = new Paths( (pathCnt + delta) * (polyCnt + 1) );
for (int i = 0; i < pathCnt - 1 + delta; i++) {
for (int j = 0; j < polyCnt; j++) {
final Path quad = new Path( 4 );
quad.add( result.get( i % pathCnt ).get( j % polyCnt ) );
quad.add( result.get( (i + 1) % pathCnt ).get( j % polyCnt ) );
quad.add( result.get( (i + 1) % pathCnt ).get( (j + 1) % polyCnt ) );
quad.add( result.get( i % pathCnt ).get( (j + 1) % polyCnt ) );
if (!quad.orientation()) {
Collections.reverse(quad);
}
quads.add( quad );
}
}
return quads;
}
public static Paths minkowskiDiff( Path poly1, Path poly2 ) {
final Paths paths = minkowski( poly1, poly2, false, true );
final DefaultClipper c = new DefaultClipper();
c.addPaths( paths, PolyType.SUBJECT, true );
c.execute( ClipType.UNION, paths, PolyFillType.NON_ZERO, PolyFillType.NON_ZERO );
return paths;
}
public static Paths minkowskiSum( Path pattern, Path path, boolean pathIsClosed ) {
final Paths paths = minkowski( pattern, path, true, pathIsClosed );
final DefaultClipper c = new DefaultClipper();
c.addPaths( paths, PolyType.SUBJECT, true );
c.execute( ClipType.UNION, paths, PolyFillType.NON_ZERO, PolyFillType.NON_ZERO );
return paths;
}
public static Paths minkowskiSum( Path pattern, Paths paths, boolean pathIsClosed ) {
final Paths solution = new Paths();
final DefaultClipper c = new DefaultClipper();
for (int i = 0; i < paths.size(); ++i) {
final Paths tmp = minkowski( pattern, paths.get( i ), true, pathIsClosed );
c.addPaths( tmp, PolyType.SUBJECT, true );
if (pathIsClosed) {
final Path path = paths.get( i ).TranslatePath( pattern.get( 0 ) );
c.addPath( path, PolyType.CLIP, true );
}
}
c.execute( ClipType.UNION, solution, PolyFillType.NON_ZERO, PolyFillType.NON_ZERO );
return solution;
}
private static boolean poly2ContainsPoly1( Path.OutPt outPt1, Path.OutPt outPt2 ) {
Path.OutPt op = outPt1;
do {
//nb: PointInPolygon returns 0 if false, +1 if true, -1 if pt on polygon
final int res = isPointInPolygon( op.getPt(), outPt2 );
if (res >= 0) {
return res > 0;
}
op = op.next;
}
while (op != outPt1);
return true;
}
//------------------------------------------------------------------------------
// SimplifyPolygon functions ...
// Convert self-intersecting polygons into simple polygons
//------------------------------------------------------------------------------
public static Paths simplifyPolygon( Path poly ) {
return simplifyPolygon( poly, PolyFillType.EVEN_ODD );
}
public static Paths simplifyPolygon( Path poly, PolyFillType fillType ) {
final Paths result = new Paths();
final DefaultClipper c = new DefaultClipper( STRICTLY_SIMPLE );
c.addPath( poly, PolyType.SUBJECT, true );
c.execute( ClipType.UNION, result, fillType, fillType );
return result;
}
public static Paths simplifyPolygons( Paths polys ) {
return simplifyPolygons( polys, PolyFillType.EVEN_ODD );
}
public static Paths simplifyPolygons( Paths polys, PolyFillType fillType ) {
final Paths result = new Paths();
final DefaultClipper c = new DefaultClipper( STRICTLY_SIMPLE );
c.addPaths( polys, PolyType.SUBJECT, true );
c.execute( ClipType.UNION, result, fillType, fillType );
return result;
}
protected final List<OutRec> polyOuts;
private ClipType clipType;
private Scanbeam scanbeam;
private Path.Maxima maxima;
private Edge activeEdges;
private Edge sortedEdges;
private final List<IntersectNode> intersectList;
private final Comparator<IntersectNode> intersectNodeComparer;
private PolyFillType clipFillType;
//------------------------------------------------------------------------------
private PolyFillType subjFillType;
//------------------------------------------------------------------------------
private final List<Join> joins;
//------------------------------------------------------------------------------
private final List<Join> ghostJoins;
private boolean usingPolyTree;
public IZFillCallback zFillFunction;
//------------------------------------------------------------------------------
private final boolean reverseSolution;
//------------------------------------------------------------------------------
private final boolean strictlySimple;
private static final Logger LOGGER = Logger.getLogger(DefaultClipper.class.getName());
public DefaultClipper() {
this( 0 );
}
public DefaultClipper( int InitOptions ) //constructor
{
super( (PRESERVE_COLINEAR & InitOptions) != 0 );
scanbeam = null;
maxima = null;
activeEdges = null;
sortedEdges = null;
intersectList = new ArrayList<>();
intersectNodeComparer = new Comparator<IntersectNode>() {
public int compare(IntersectNode o1, IntersectNode o2) {
final long i = o2.getPt().getY() - o1.getPt().getY();
if (i > 0) {
return 1;
}
else if (i < 0) {
return -1;
}
else {
return 0;
}
}
};
usingPolyTree = false;
polyOuts = new ArrayList<>();
joins = new ArrayList<>();
ghostJoins = new ArrayList<>();
reverseSolution = (REVERSE_SOLUTION & InitOptions) != 0;
strictlySimple = (STRICTLY_SIMPLE & InitOptions) != 0;
zFillFunction = null;
}
private void insertScanbeam(long Y)
{
//single-linked list: sorted descending, ignoring dups.
if (scanbeam == null)
{
scanbeam = new Scanbeam();
scanbeam.next = null;
scanbeam.y = Y;
}
else if (Y > scanbeam.y)
{
Scanbeam newSb = new Scanbeam();
newSb.y = Y;
newSb.next = scanbeam;
scanbeam = newSb;
}
else
{
Scanbeam sb2 = scanbeam;
while (sb2.next != null && (Y <= sb2.next.y)) sb2 = sb2.next;
if (Y == sb2.y) return; //ie ignores duplicates
Scanbeam newSb = new Scanbeam();
newSb.y = Y;
newSb.next = sb2.next;
sb2.next = newSb;
}
}
//------------------------------------------------------------------------------
private void InsertMaxima(long X)
{
//double-linked list: sorted ascending, ignoring dups.
Path.Maxima newMax = new Path.Maxima();
newMax.X = X;
if (maxima == null)
{
maxima = newMax;
maxima.Next = null;
maxima.Prev = null;
}
else if (X < maxima.X)
{
newMax.Next = maxima;
newMax.Prev = null;
maxima = newMax;
}
else
{
Path.Maxima m = maxima;
while (m.Next != null && (X >= m.Next.X)) m = m.Next;
if (X == m.X) return; //ie ignores duplicates (& CG to clean up newMax)
//insert newMax between m and m.Next ...
newMax.Next = m.Next;
newMax.Prev = m;
if (m.Next != null) m.Next.Prev = newMax;
m.Next = newMax;
}
}
//------------------------------------------------------------------------------
private void addEdgeToSEL( Edge edge ) {
LOGGER.entering( DefaultClipper.class.getName(), "addEdgeToSEL" );
//SEL pointers in PEdge are reused to build a list of horizontal edges.
//However, we don't need to worry about order with horizontal edge processing.
if (sortedEdges == null) {
sortedEdges = edge;
edge.prevInSEL = null;
edge.nextInSEL = null;
}
else {
edge.nextInSEL = sortedEdges;
edge.prevInSEL = null;
sortedEdges.prevInSEL = edge;
sortedEdges = edge;
}
}
private void addGhostJoin( Path.OutPt Op, LongPoint OffPt ) {
final Join j = new Join();
j.outPt1 = Op;
j.setOffPt( OffPt );
ghostJoins.add( j );
}
//------------------------------------------------------------------------------
private void addJoin( Path.OutPt Op1, Path.OutPt Op2, LongPoint OffPt ) {
LOGGER.entering(DefaultClipper.class.getName(), "addJoin");
final Join j = new Join();
j.outPt1 = Op1;
j.outPt2 = Op2;
j.setOffPt( OffPt );
joins.add( j );
}
//------------------------------------------------------------------------------
private void addLocalMaxPoly( Edge e1, Edge e2, LongPoint pt ) {
addOutPt(e1, pt);
if (e2.windDelta == 0) {
addOutPt( e2, pt );
}
if (e1.outIdx == e2.outIdx) {
e1.outIdx = Edge.UNASSIGNED;
e2.outIdx = Edge.UNASSIGNED;
}
else if (e1.outIdx < e2.outIdx) {
appendPolygon( e1, e2 );
}
else {
appendPolygon( e2, e1 );
}
}
//------------------------------------------------------------------------------
private Path.OutPt addLocalMinPoly( Edge e1, Edge e2, LongPoint pt ) {
LOGGER.entering( DefaultClipper.class.getName(), "addLocalMinPoly" );
Path.OutPt result;
Edge e, prevE;
if (e2.isHorizontal() || e1.deltaX > e2.deltaX) {
result = addOutPt( e1, pt );
e2.outIdx = e1.outIdx;
e1.side = Edge.Side.LEFT;
e2.side = Edge.Side.RIGHT;
e = e1;
if (e.prevInAEL == e2) {
prevE = e2.prevInAEL;
}
else {
prevE = e.prevInAEL;
}
}
else {
result = addOutPt( e2, pt );
e1.outIdx = e2.outIdx;
e1.side = Edge.Side.RIGHT;
e2.side = Edge.Side.LEFT;
e = e2;
if (e.prevInAEL == e1) {
prevE = e1.prevInAEL;
}
else {
prevE = e.prevInAEL;
}
}
if (prevE != null && prevE.outIdx >= 0 &&
Edge.topX( prevE, pt.getY() ) == Edge.topX( e, pt.getY() ) &&
Edge.slopesEqual( e, prevE, useFullRange ) &&
e.windDelta != 0 && prevE.windDelta != 0) {
final Path.OutPt outPt = addOutPt( prevE, pt );
addJoin( result, outPt, e.getTop() );
}
return result;
}
private Path.OutPt addOutPt( Edge e, LongPoint pt ) {
LOGGER.entering( DefaultClipper.class.getName(), "addOutPt" );
if (e.outIdx < 0)
{
OutRec outRec = createOutRec();
outRec.isOpen = (e.windDelta == 0);
Path.OutPt newOp = new Path.OutPt();
outRec.pts = newOp;
newOp.idx = outRec.Idx;
newOp.pt = pt;
newOp.next = newOp;
newOp.prev = newOp;
if (!outRec.isOpen)
setHoleState(e, outRec);
e.outIdx = outRec.Idx; //nb: do this after SetZ !
return newOp;
}
else {
final OutRec outRec = polyOuts.get( e.outIdx );
//OutRec.Pts is the 'Left-most' point & OutRec.Pts.Prev is the 'Right-most'
final Path.OutPt op = outRec.getPoints();
boolean ToFront = (e.side == Edge.Side.LEFT);
LOGGER.finest( "op=" + op.getPointCount() );
LOGGER.finest( ToFront + " " + pt + " " + op.getPt() );
if (ToFront && pt.equals( op.getPt() )) {
return op;
}
else if (!ToFront && pt.equals( op.prev.getPt() )) {
return op.prev;
}
final Path.OutPt newOp = new Path.OutPt();
newOp.idx = outRec.Idx;
newOp.setPt( new LongPoint( pt ) );
newOp.next = op;
newOp.prev = op.prev;
newOp.prev.next = newOp;
op.prev = newOp;
if (ToFront) {
outRec.setPoints( newOp );
}
return newOp;
}
}
private Path.OutPt GetLastOutPt(Edge e)
{
OutRec outRec = polyOuts.get(e.outIdx);
if (e.side == Edge.Side.LEFT)
return outRec.pts;
else
return outRec.pts.prev;
}
//------------------------------------------------------------------------------
private void appendPolygon( Edge e1, Edge e2 ) {
LOGGER.entering( DefaultClipper.class.getName(), "appendPolygon" );
//get the start and ends of both output polygons ...
final OutRec outRec1 = polyOuts.get( e1.outIdx );
final OutRec outRec2 = polyOuts.get( e2.outIdx );
LOGGER.finest( "" + e1.outIdx );
LOGGER.finest( "" + e2.outIdx );
OutRec holeStateRec;
if (isParam1RightOfParam2( outRec1, outRec2 )) {
holeStateRec = outRec2;
}
else if (isParam1RightOfParam2( outRec2, outRec1 )) {
holeStateRec = outRec1;
}
else {
holeStateRec = Path.OutPt.getLowerMostRec( outRec1, outRec2 );
}
final Path.OutPt p1_lft = outRec1.getPoints();
final Path.OutPt p1_rt = p1_lft.prev;
final Path.OutPt p2_lft = outRec2.getPoints();
final Path.OutPt p2_rt = p2_lft.prev;
LOGGER.finest( "p1_lft.getPointCount() = " + p1_lft.getPointCount() );
LOGGER.finest( "p1_rt.getPointCount() = " + p1_rt.getPointCount() );
LOGGER.finest( "p2_lft.getPointCount() = " + p2_lft.getPointCount() );
LOGGER.finest( "p2_rt.getPointCount() = " + p2_rt.getPointCount() );
Edge.Side side;
//join e2 poly onto e1 poly and delete pointers to e2 ...
if (e1.side == Edge.Side.LEFT) {
if (e2.side == Edge.Side.LEFT) {
//z y x a b c
p2_lft.reversePolyPtLinks();
p2_lft.next = p1_lft;
p1_lft.prev = p2_lft;
p1_rt.next = p2_rt;
p2_rt.prev = p1_rt;
outRec1.setPoints( p2_rt );
}
else {
//x y z a b c
p2_rt.next = p1_lft;
p1_lft.prev = p2_rt;
p2_lft.prev = p1_rt;
p1_rt.next = p2_lft;
outRec1.setPoints( p2_lft );
}
side = Edge.Side.LEFT;
}
else {
if (e2.side == Edge.Side.RIGHT) {
//a b c z y x
p2_lft.reversePolyPtLinks();
p1_rt.next = p2_rt;
p2_rt.prev = p1_rt;
p2_lft.next = p1_lft;
p1_lft.prev = p2_lft;
}
else {
//a b c x y z
p1_rt.next = p2_lft;
p2_lft.prev = p1_rt;
p1_lft.prev = p2_rt;
p2_rt.next = p1_lft;
}
side = Edge.Side.RIGHT;
}
outRec1.bottomPt = null;
if (holeStateRec.equals( outRec2 )) {
if (outRec2.firstLeft != outRec1) {
outRec1.firstLeft = outRec2.firstLeft;
}
outRec1.isHole = outRec2.isHole;
}
outRec2.setPoints( null );
outRec2.bottomPt = null;
outRec2.firstLeft = outRec1;
final int OKIdx = e1.outIdx;
final int ObsoleteIdx = e2.outIdx;
e1.outIdx = Edge.UNASSIGNED; //nb: safe because we only get here via AddLocalMaxPoly
e2.outIdx = Edge.UNASSIGNED;
Edge e = activeEdges;
while (e != null) {
if (e.outIdx == ObsoleteIdx) {
e.outIdx = OKIdx;
e.side = side;
break;
}
e = e.nextInAEL;
}
outRec2.Idx = outRec1.Idx;
}
//------------------------------------------------------------------------------
private void buildIntersectList( long topY ) {
if (activeEdges == null) {
return;
}
//prepare for sorting ...
Edge e = activeEdges;
sortedEdges = e;
while (e != null) {
e.prevInSEL = e.prevInAEL;
e.nextInSEL = e.nextInAEL;
e.getCurrent().setX( Edge.topX( e, topY ) );
e = e.nextInAEL;
}
//bubblesort ...
boolean isModified = true;
while (isModified && sortedEdges != null) {
isModified = false;
e = sortedEdges;
while (e.nextInSEL != null) {
final Edge eNext = e.nextInSEL;
final LongPoint[] pt = new LongPoint[1];
if (e.getCurrent().getX() > eNext.getCurrent().getX()) {
intersectPoint( e, eNext, pt );
final IntersectNode newNode = new IntersectNode();
newNode.edge1 = e;
newNode.Edge2 = eNext;
newNode.setPt( pt[0] );
intersectList.add( newNode );
swapPositionsInSEL( e, eNext );
isModified = true;
}
else {
e = eNext;
}
}
if (e.prevInSEL != null) {
e.prevInSEL.nextInSEL = null;
}
else {
break;
}
}
sortedEdges = null;
}
//------------------------------------------------------------------------------
private void buildResult( Paths polyg ) {
polyg.clear();
for (int i = 0; i < polyOuts.size(); i++) {
final OutRec outRec = polyOuts.get( i );
if (outRec.getPoints() == null) {
continue;
}
Path.OutPt p = outRec.getPoints().prev;
final int cnt = p.getPointCount();
LOGGER.finest( "cnt = " + cnt );
if (cnt < 2) {
continue;
}
final Path pg = new Path( cnt );
for (int j = 0; j < cnt; j++) {
pg.add( p.getPt() );
p = p.prev;
}
polyg.add( pg );
}
}
private void buildResult2( PolyTree polytree ) {
polytree.Clear();
//add each output polygon/contour to polytree ...
for (int i = 0; i < polyOuts.size(); i++) {
final OutRec outRec = polyOuts.get( i );
final int cnt = outRec.getPoints() != null ? outRec.getPoints().getPointCount() : 0;
if (outRec.isOpen && cnt < 2 || !outRec.isOpen && cnt < 3) {
continue;
}
outRec.fixHoleLinkage();
final PolyNode pn = new PolyNode();
polytree.getAllPolys().add( pn );
outRec.polyNode = pn;
Path.OutPt op = outRec.getPoints().prev;
for (int j = 0; j < cnt; j++) {
pn.getPolygon().add( op.getPt() );
op = op.prev;
}
}
//fixup PolyNode links etc ...
for (int i = 0; i < polyOuts.size(); i++) {
final OutRec outRec = polyOuts.get( i );
if (outRec.polyNode == null) {
continue;
}
else if (outRec.isOpen) {
outRec.polyNode.setOpen( true );
polytree.addChild( outRec.polyNode );
}
else if (outRec.firstLeft != null && outRec.firstLeft.polyNode != null) {
outRec.firstLeft.polyNode.addChild( outRec.polyNode );
}
else {
polytree.addChild( outRec.polyNode );
}
}
}
private void copyAELToSEL() {
Edge e = activeEdges;
sortedEdges = e;
while (e != null) {
e.prevInSEL = e.prevInAEL;
e.nextInSEL = e.nextInAEL;
e = e.nextInAEL;
}
}
private OutRec createOutRec() {
final OutRec result = new OutRec();
result.Idx = Edge.UNASSIGNED;
result.isHole = false;
result.isOpen = false;
result.firstLeft = null;
result.setPoints( null );
result.bottomPt = null;
result.polyNode = null;
polyOuts.add( result );
result.Idx = polyOuts.size() - 1;
return result;
}
private void deleteFromAEL( Edge e ) {
LOGGER.entering( DefaultClipper.class.getName(), "deleteFromAEL" );
final Edge AelPrev = e.prevInAEL;
final Edge AelNext = e.nextInAEL;
if (AelPrev == null && AelNext == null && e != activeEdges) {
return; //already deleted
}
if (AelPrev != null) {
AelPrev.nextInAEL = AelNext;
}
else {
activeEdges = AelNext;
}
if (AelNext != null) {
AelNext.prevInAEL = AelPrev;
}
e.nextInAEL = null;
e.prevInAEL = null;
LOGGER.exiting( DefaultClipper.class.getName(), "deleteFromAEL" );
}
private void deleteFromSEL( Edge e ) {
LOGGER.entering( DefaultClipper.class.getName(), "deleteFromSEL" );
final Edge SelPrev = e.prevInSEL;
final Edge SelNext = e.nextInSEL;
if (SelPrev == null && SelNext == null && !e.equals( sortedEdges )) {
return; //already deleted
}
if (SelPrev != null) {
SelPrev.nextInSEL = SelNext;
}
else {
sortedEdges = SelNext;
}
if (SelNext != null) {
SelNext.prevInSEL = SelPrev;
}
e.nextInSEL = null;
e.prevInSEL = null;
}
private boolean doHorzSegmentsOverlap( long seg1a, long seg1b, long seg2a, long seg2b ) {
if (seg1a > seg1b) {
final long tmp = seg1a;
seg1a = seg1b;
seg1b = tmp;
}
if (seg2a > seg2b) {
final long tmp = seg2a;
seg2a = seg2b;
seg2b = tmp;
}
return (seg1a < seg2b) && (seg2a < seg1b);
}
private void doMaxima( Edge e ) {
final Edge eMaxPair = e.getMaximaPair();
if (eMaxPair == null) {
if (e.outIdx >= 0) {
addOutPt( e, e.getTop() );
}
deleteFromAEL( e );
return;
}
Edge eNext = e.nextInAEL;
while (eNext != null && eNext != eMaxPair) {
final LongPoint tmp = new LongPoint( e.getTop() );
intersectEdges( e, eNext, tmp );
e.setTop( tmp );
swapPositionsInAEL( e, eNext );
eNext = e.nextInAEL;
}
if (e.outIdx == Edge.UNASSIGNED && eMaxPair.outIdx == Edge.UNASSIGNED) {
deleteFromAEL( e );
deleteFromAEL( eMaxPair );
}
else if (e.outIdx >= 0 && eMaxPair.outIdx >= 0) {
if (e.outIdx >= 0) {
addLocalMaxPoly( e, eMaxPair, e.getTop() );
}
deleteFromAEL( e );
deleteFromAEL( eMaxPair );
}
else if (e.windDelta == 0) {
if (e.outIdx >= 0) {
addOutPt( e, e.getTop() );
e.outIdx = Edge.UNASSIGNED;
}
deleteFromAEL( e );
if (eMaxPair.outIdx >= 0) {
addOutPt( eMaxPair, e.getTop() );
eMaxPair.outIdx = Edge.UNASSIGNED;
}
deleteFromAEL( eMaxPair );
}
else {
throw new IllegalStateException( "DoMaxima error" );
}
}
//------------------------------------------------------------------------------
private void doSimplePolygons() {
int i = 0;
while (i < polyOuts.size()) {
final OutRec outrec = polyOuts.get( i++ );
Path.OutPt op = outrec.getPoints();
if (op == null || outrec.isOpen) {
continue;
}
do //for each Pt in Polygon until duplicate found do ...
{
Path.OutPt op2 = op.next;
while (op2 != outrec.getPoints()) {
if (op.getPt().equals( op2.getPt() ) && !op2.next.equals( op ) && !op2.prev.equals( op )) {
//split the polygon into two ...
final Path.OutPt op3 = op.prev;
final Path.OutPt op4 = op2.prev;
op.prev = op4;
op4.next = op;
op2.prev = op3;
op3.next = op2;
outrec.setPoints( op );
final OutRec outrec2 = createOutRec();
outrec2.setPoints( op2 );
updateOutPtIdxs( outrec2 );
if (poly2ContainsPoly1( outrec2.getPoints(), outrec.getPoints() )) {
//OutRec2 is contained by OutRec1 ...
outrec2.isHole = !outrec.isHole;
outrec2.firstLeft = outrec;
if (usingPolyTree) {
fixupFirstLefts2( outrec2, outrec );
}
}
else if (poly2ContainsPoly1( outrec.getPoints(), outrec2.getPoints() )) {
//OutRec1 is contained by OutRec2 ...
outrec2.isHole = outrec.isHole;
outrec.isHole = !outrec2.isHole;
outrec2.firstLeft = outrec.firstLeft;
outrec.firstLeft = outrec2;
if (usingPolyTree) {
fixupFirstLefts2( outrec, outrec2 );
}
}
else {
//the 2 polygons are separate ...
outrec2.isHole = outrec.isHole;
outrec2.firstLeft = outrec.firstLeft;
if (usingPolyTree) {
fixupFirstLefts1( outrec, outrec2 );
}
}
op2 = op; //ie get ready for the next iteration
}
op2 = op2.next;
}
op = op.next;
}
while (op != outrec.getPoints());
}
}
//------------------------------------------------------------------------------
private boolean EdgesAdjacent( IntersectNode inode ) {
return inode.edge1.nextInSEL == inode.Edge2 || inode.edge1.prevInSEL == inode.Edge2;
}
//------------------------------------------------------------------------------
public boolean execute(ClipType clipType, Paths solution,
PolyFillType FillType)
{
return execute(clipType, solution, FillType, FillType);
}
public boolean execute(ClipType clipType, PolyTree polytree)
{
return execute(clipType, polytree, PolyFillType.EVEN_ODD);
}
public boolean execute(ClipType clipType, PolyTree polytree,
PolyFillType FillType)
{
return execute(clipType, polytree, FillType, FillType);
}
public boolean execute(ClipType clipType, Paths solution) {
return execute(clipType, solution, PolyFillType.EVEN_ODD);
}
public boolean execute( ClipType clipType, Paths solution, PolyFillType subjFillType, PolyFillType clipFillType ) {
synchronized (this) {
if (hasOpenPaths) {
throw new IllegalStateException( "Error: PolyTree struct is needed for open path clipping." );
}
solution.clear();
this.subjFillType = subjFillType;
this.clipFillType = clipFillType;
this.clipType = clipType;
usingPolyTree = false;
boolean succeeded;
try {
succeeded = executeInternal();
//build the return polygons ...
if (succeeded) {
buildResult( solution );
}
return succeeded;
}
finally {
polyOuts.clear();
}
}
}
public boolean execute( ClipType clipType, PolyTree polytree, PolyFillType subjFillType, PolyFillType clipFillType ) {
synchronized (this) {
this.subjFillType = subjFillType;
this.clipFillType = clipFillType;
this.clipType = clipType;
usingPolyTree = true;
boolean succeeded;
try {
succeeded = executeInternal();
//build the return polygons ...
if (succeeded) {
buildResult2( polytree );
}
}
finally {
polyOuts.clear();
}
return succeeded;
}
}
//------------------------------------------------------------------------------
private boolean executeInternal() {
try {
reset();
if (currentLM == null)
return false;
long botY = popScanbeam();
do {
insertLocalMinimaIntoAEL(botY);
processHorizontals();
ghostJoins.clear();
if (scanbeam == null)
break;
long topY = popScanbeam();
if (!processIntersections(topY))
return false;
processEdgesAtTopOfScanbeam(topY);
botY = topY;
} while (scanbeam != null || currentLM != null);
//fix orientations ...
for (int i = 0; i < polyOuts.size(); i++) {
OutRec outRec = polyOuts.get(i);
if (outRec.pts == null || outRec.isOpen)
continue;
if ((outRec.isHole ^ reverseSolution) == (outRec.area() > 0))
outRec.getPoints().reversePolyPtLinks();
}
joinCommonEdges();
for (int i = 0; i < polyOuts.size(); i++) {
OutRec outRec = polyOuts.get(i);
if (outRec.getPoints() == null)
continue;
else if (outRec.isOpen)
fixupOutPolyline(outRec);
else
fixupOutPolygon(outRec);
}
if (strictlySimple)
doSimplePolygons();
return true;
}
//catch { return false; }
finally {
joins.clear();
ghostJoins.clear();
}
}
//------------------------------------------------------------------------------
private void fixupFirstLefts1( OutRec OldOutRec, OutRec NewOutRec ) {
for (int i = 0; i < polyOuts.size(); i++) {
final OutRec outRec = polyOuts.get( i );
if (outRec.getPoints() == null || outRec.firstLeft == null) {
continue;
}
final OutRec firstLeft = parseFirstLeft(outRec.firstLeft);
if (firstLeft.equals( OldOutRec )) {
if (poly2ContainsPoly1( outRec.getPoints(), NewOutRec.getPoints() )) {
outRec.firstLeft = NewOutRec;
}
}
}
}
private void fixupFirstLefts2( OutRec OldOutRec, OutRec NewOutRec ) {
for (final OutRec outRec : polyOuts) {
if (outRec.firstLeft == OldOutRec ) {
outRec.firstLeft = NewOutRec;
}
}
}
private boolean fixupIntersectionOrder() {
//pre-condition: intersections are sorted bottom-most first.
//Now it's crucial that intersections are made only between adjacent edges,
//so to ensure this the order of intersections may need adjusting ...
Collections.sort(intersectList, intersectNodeComparer);
copyAELToSEL();
final int cnt = intersectList.size();
for (int i = 0; i < cnt; i++) {
if (!EdgesAdjacent( intersectList.get( i ) )) {
int j = i + 1;
while (j < cnt && !EdgesAdjacent( intersectList.get( j ) )) {
j++;
}
if (j == cnt) {
return false;
}
final IntersectNode tmp = intersectList.get( i );
intersectList.set( i, intersectList.get( j ) );
intersectList.set( j, tmp );
}
swapPositionsInSEL( intersectList.get( i ).edge1, intersectList.get( i ).Edge2 );
}
return true;
}
//----------------------------------------------------------------------
private void fixupOutPolyline(OutRec outrec)
{
Path.OutPt pp = outrec.pts;
Path.OutPt lastPP = pp.prev;
while (pp != lastPP)
{
pp = pp.next;
if (pp.pt.equals(pp.prev.pt))
{
if (pp == lastPP) lastPP = pp.prev;
Path.OutPt tmpPP = pp.prev;
tmpPP.next = pp.next;
pp.next.prev = tmpPP;
pp = tmpPP;
}
}
if (pp == pp.prev) outrec.pts = null;
}
private void fixupOutPolygon( OutRec outRec ) {
//FixupOutPolygon() - removes duplicate points and simplifies consecutive
//parallel edges by removing the middle vertex.
Path.OutPt lastOK = null;
outRec.bottomPt = null;
Path.OutPt pp = outRec.getPoints();
boolean preserveCol = preserveCollinear || strictlySimple;
for (;;) {
if (pp.prev == pp || pp.prev == pp.next) {
outRec.setPoints( null );
return;
}
//test for duplicate points and collinear edges ...
if (pp.getPt().equals( pp.next.getPt() ) || pp.getPt().equals( pp.prev.getPt() )
|| Point.slopesEqual( pp.prev.getPt(), pp.getPt(), pp.next.getPt(), useFullRange )
&& (!preserveCol || !Point.isPt2BetweenPt1AndPt3( pp.prev.getPt(), pp.getPt(), pp.next.getPt() ))) {
lastOK = null;
pp.prev.next = pp.next;
pp.next.prev = pp.prev;
pp = pp.prev;
}
else if (pp == lastOK) {
break;
}
else {
if (lastOK == null) {
lastOK = pp;
}
pp = pp.next;
}
}
outRec.setPoints( pp );
}
private OutRec getOutRec( int idx ) {
OutRec outrec = polyOuts.get( idx );
while (outrec != polyOuts.get( outrec.Idx )) {
outrec = polyOuts.get( outrec.Idx );
}
return outrec;
}
private void insertEdgeIntoAEL( Edge edge, Edge startEdge ) {
LOGGER.entering( DefaultClipper.class.getName(), "insertEdgeIntoAEL" );
if (activeEdges == null) {
edge.prevInAEL = null;
edge.nextInAEL = null;
LOGGER.finest( "Edge " + edge.outIdx + " -> " + null );
activeEdges = edge;
}
else if (startEdge == null && Edge.doesE2InsertBeforeE1( activeEdges, edge )) {
edge.prevInAEL = null;
edge.nextInAEL = activeEdges;
LOGGER.finest( "Edge " + edge.outIdx + " -> " + edge.nextInAEL.outIdx );
activeEdges.prevInAEL = edge;
activeEdges = edge;
}
else {
LOGGER.finest( "activeEdges unchanged" );
if (startEdge == null) {
startEdge = activeEdges;
}
while (startEdge.nextInAEL != null &&
!Edge.doesE2InsertBeforeE1( startEdge.nextInAEL, edge )) {
startEdge = startEdge.nextInAEL;
}
edge.nextInAEL = startEdge.nextInAEL;
if (startEdge.nextInAEL != null) {
startEdge.nextInAEL.prevInAEL = edge;
}
edge.prevInAEL = startEdge;
startEdge.nextInAEL = edge;
}
}
//------------------------------------------------------------------------------
private void insertLocalMinimaIntoAEL( long botY ) {
LOGGER.entering( DefaultClipper.class.getName(), "insertLocalMinimaIntoAEL" );
while (currentLM != null && currentLM.y == botY) {
final Edge lb = currentLM.leftBound;
final Edge rb = currentLM.rightBound;
popLocalMinima();
Path.OutPt Op1 = null;
if (lb == null) {
insertEdgeIntoAEL( rb, null );
updateWindingCount( rb );
if (rb.isContributing( clipFillType, subjFillType, clipType )) {
Op1 = addOutPt( rb, rb.getBot() );
}
}
else if (rb == null) {
insertEdgeIntoAEL( lb, null );
updateWindingCount( lb );
if (lb.isContributing( clipFillType, subjFillType, clipType )) {
Op1 = addOutPt( lb, lb.getBot() );
}
insertScanbeam( lb.getTop().getY() );
}
else {
insertEdgeIntoAEL( lb, null );
insertEdgeIntoAEL( rb, lb );
updateWindingCount( lb );
rb.windCnt = lb.windCnt;
rb.windCnt2 = lb.windCnt2;
if (lb.isContributing( clipFillType, subjFillType, clipType )) {
Op1 = addLocalMinPoly( lb, rb, lb.getBot() );
}
insertScanbeam( lb.getTop().getY() );
}
if (rb != null) {
if (rb.isHorizontal()) {
addEdgeToSEL( rb );
}
else {
insertScanbeam( rb.getTop().getY() );
}
}
if (lb == null || rb == null) {
continue;
}
//if output polygons share an Edge with a horizontal rb, they'll need joining later ...
if (Op1 != null && rb.isHorizontal() &&
ghostJoins.size() > 0 && rb.windDelta != 0) {
for (int i = 0; i < ghostJoins.size(); i++) {
//if the horizontal Rb and a 'ghost' horizontal overlap, then convert
//the 'ghost' join to a real join ready for later ...
final Join j = ghostJoins.get( i );
if (doHorzSegmentsOverlap( j.outPt1.getPt().getX(), j.getOffPt().getX(), rb.getBot().getX(), rb.getTop().getX() )) {
addJoin( j.outPt1, Op1, j.getOffPt() );
}
}
}
if (lb.outIdx >= 0 && lb.prevInAEL != null &&
lb.prevInAEL.getCurrent().getX() == lb.getBot().getX() &&
lb.prevInAEL.outIdx >= 0 &&
Edge.slopesEqual( lb.prevInAEL, lb, useFullRange ) &&
lb.windDelta != 0 && lb.prevInAEL.windDelta != 0) {
final Path.OutPt Op2 = addOutPt( lb.prevInAEL, lb.getBot() );
addJoin( Op1, Op2, lb.getTop() );
}
if (lb.nextInAEL != rb) {
if (rb.outIdx >= 0 && rb.prevInAEL.outIdx >= 0 &&
Edge.slopesEqual( rb.prevInAEL, rb, useFullRange ) &&
rb.windDelta != 0 && rb.prevInAEL.windDelta != 0) {
final Path.OutPt Op2 = addOutPt( rb.prevInAEL, rb.getBot() );
addJoin( Op1, Op2, rb.getTop() );
}
Edge e = lb.nextInAEL;
if (e != null) {
while (e != rb) {
//nb: For calculating winding counts etc, IntersectEdges() assumes
//that param1 will be to the right of param2 ABOVE the intersection ...
intersectEdges( rb, e, lb.getCurrent() ); //order important here
e = e.nextInAEL;
}
}
}
}
}
//------------------------------------------------------------------------------
// private void insertScanbeam( long y ) {
// LOGGER.entering( DefaultClipper.class.getName(), "insertScanbeam" );
//
// if (scanbeam == null) {
// scanbeam = new Scanbeam();
// scanbeam.next = null;
// scanbeam.y = y;
// }
// else if (y > scanbeam.y) {
// final Scanbeam newSb = new Scanbeam();
// newSb.y = y;
// newSb.next = scanbeam;
// scanbeam = newSb;
// }
// else {
// Scanbeam sb2 = scanbeam;
// while (sb2.next != null && y <= sb2.next.y) {
// sb2 = sb2.next;
// }
// if (y == sb2.y) {
// return; //ie ignores duplicates
// }
// final Scanbeam newSb = new Scanbeam();
// newSb.y = y;
// newSb.next = sb2.next;
// sb2.next = newSb;
// }
// }
//------------------------------------------------------------------------------
private void intersectEdges( Edge e1, Edge e2, LongPoint pt ) {
LOGGER.entering( DefaultClipper.class.getName(), "insersectEdges" );
//e1 will be to the left of e2 BELOW the intersection. Therefore e1 is before
//e2 in AEL except when e1 is being inserted at the intersection point ...
final boolean e1Contributing = e1.outIdx >= 0;
final boolean e2Contributing = e2.outIdx >= 0;
setZ( pt, e1, e2 );
//if either edge is on an OPEN path ...
if (e1.windDelta == 0 || e2.windDelta == 0) {
//ignore subject-subject open path intersections UNLESS they
//are both open paths, AND they are both 'contributing maximas' ...
if (e1.windDelta == 0 && e2.windDelta == 0) {
return;
}
else if (e1.polyTyp == e2.polyTyp &&
e1.windDelta != e2.windDelta && clipType == ClipType.UNION) {
if (e1.windDelta == 0) {
if (e2Contributing) {
addOutPt( e1, pt );
if (e1Contributing) {
e1.outIdx = Edge.UNASSIGNED;
}
}
}
else {
if (e1Contributing) {
addOutPt( e2, pt );
if (e2Contributing) {
e2.outIdx = Edge.UNASSIGNED;
}
}
}
}
else if (e1.polyTyp != e2.polyTyp) {
if (e1.windDelta == 0 && Math.abs(e2.windCnt) == 1 && (clipType != ClipType.UNION || e2.windCnt2 == 0)) {
addOutPt( e1, pt );
if (e1Contributing) {
e1.outIdx = Edge.UNASSIGNED;
}
}
else if (e2.windDelta == 0 && Math.abs(e1.windCnt) == 1 && (clipType != ClipType.UNION || e1.windCnt2 == 0)) {
addOutPt( e2, pt );
if (e2Contributing) {
e2.outIdx = Edge.UNASSIGNED;
}
}
}
return;
}
//update winding counts...
//assumes that e1 will be to the Right of e2 ABOVE the intersection
if (e1.polyTyp == e2.polyTyp) {
if (e1.isEvenOddFillType( clipFillType, subjFillType )) {
final int oldE1WindCnt = e1.windCnt;
e1.windCnt = e2.windCnt;
e2.windCnt = oldE1WindCnt;
}
else {
if (e1.windCnt + e2.windDelta == 0) {
e1.windCnt = -e1.windCnt;
}
else {
e1.windCnt += e2.windDelta;
}
if (e2.windCnt - e1.windDelta == 0) {
e2.windCnt = -e2.windCnt;
}
else {
e2.windCnt -= e1.windDelta;
}
}
}
else {
if (!e2.isEvenOddFillType( clipFillType, subjFillType )) {
e1.windCnt2 += e2.windDelta;
}
else {
e1.windCnt2 = e1.windCnt2 == 0 ? 1 : 0;
}
if (!e1.isEvenOddFillType( clipFillType, subjFillType )) {
e2.windCnt2 -= e1.windDelta;
}
else {
e2.windCnt2 = e2.windCnt2 == 0 ? 1 : 0;
}
}
PolyFillType e1FillType, e2FillType, e1FillType2, e2FillType2;
if (e1.polyTyp == PolyType.SUBJECT) {
e1FillType = subjFillType;
e1FillType2 = clipFillType;
}
else {
e1FillType = clipFillType;
e1FillType2 = subjFillType;
}
if (e2.polyTyp == PolyType.SUBJECT) {
e2FillType = subjFillType;
e2FillType2 = clipFillType;
}
else {
e2FillType = clipFillType;
e2FillType2 = subjFillType;
}
int e1Wc, e2Wc;
switch (e1FillType) {
case POSITIVE:
e1Wc = e1.windCnt;
break;
case NEGATIVE:
e1Wc = -e1.windCnt;
break;
default:
e1Wc = Math.abs(e1.windCnt);
break;
}
switch (e2FillType) {
case POSITIVE:
e2Wc = e2.windCnt;
break;
case NEGATIVE:
e2Wc = -e2.windCnt;
break;
default:
e2Wc = Math.abs(e2.windCnt);
break;
}
if (e1Contributing && e2Contributing) {
if (e1Wc != 0 && e1Wc != 1 || e2Wc != 0 && e2Wc != 1 || e1.polyTyp != e2.polyTyp && clipType != ClipType.XOR) {
addLocalMaxPoly( e1, e2, pt );
}
else {
addOutPt( e1, pt );
addOutPt( e2, pt );
Edge.swapSides( e1, e2 );
Edge.swapPolyIndexes( e1, e2 );
}
}
else if (e1Contributing) {
if (e2Wc == 0 || e2Wc == 1) {
addOutPt( e1, pt );
Edge.swapSides( e1, e2 );
Edge.swapPolyIndexes( e1, e2 );
}
}
else if (e2Contributing) {
if (e1Wc == 0 || e1Wc == 1) {
addOutPt( e2, pt );
Edge.swapSides( e1, e2 );
Edge.swapPolyIndexes( e1, e2 );
}
}
else if ((e1Wc == 0 || e1Wc == 1) && (e2Wc == 0 || e2Wc == 1)) {
//neither edge is currently contributing ...
int e1Wc2, e2Wc2;
switch (e1FillType2) {
case POSITIVE:
e1Wc2 = e1.windCnt2;
break;
case NEGATIVE:
e1Wc2 = -e1.windCnt2;
break;
default:
e1Wc2 = Math.abs(e1.windCnt2);
break;
}
switch (e2FillType2) {
case POSITIVE:
e2Wc2 = e2.windCnt2;
break;
case NEGATIVE:
e2Wc2 = -e2.windCnt2;
break;
default:
e2Wc2 = Math.abs(e2.windCnt2);
break;
}
if (e1.polyTyp != e2.polyTyp) {
addLocalMinPoly( e1, e2, pt );
}
else if (e1Wc == 1 && e2Wc == 1) {
switch (clipType) {
case INTERSECTION:
if (e1Wc2 > 0 && e2Wc2 > 0) {
addLocalMinPoly( e1, e2, pt );
}
break;
case UNION:
if (e1Wc2 <= 0 && e2Wc2 <= 0) {
addLocalMinPoly( e1, e2, pt );
}
break;
case DIFFERENCE:
if (e1.polyTyp == PolyType.CLIP && e1Wc2 > 0 && e2Wc2 > 0 || e1.polyTyp == PolyType.SUBJECT && e1Wc2 <= 0 && e2Wc2 <= 0) {
addLocalMinPoly( e1, e2, pt );
}
break;
case XOR:
addLocalMinPoly( e1, e2, pt );
break;
}
}
else {
Edge.swapSides( e1, e2 );
}
}
}
private void intersectPoint( Edge edge1, Edge edge2, LongPoint[] ipV ) {
final LongPoint ip = ipV[0] = new LongPoint();
double b1, b2;
//nb: with very large coordinate values, it's possible for SlopesEqual() to
//return false but for the edge.Dx value be equal due to double precision rounding.
if (edge1.deltaX == edge2.deltaX) {
ip.setY( edge1.getCurrent().getY() );
ip.setX( Edge.topX( edge1, ip.getY() ) );
return;
}
if (edge1.getDelta().getX() == 0) {
ip.setX( edge1.getBot().getX() );
if (edge2.isHorizontal()) {
ip.setY( edge2.getBot().getY() );
}
else {
b2 = edge2.getBot().getY() - edge2.getBot().getX() / edge2.deltaX;
ip.setY( Math.round(ip.getX() / edge2.deltaX + b2) );
}
}
else if (edge2.getDelta().getX() == 0) {
ip.setX( edge2.getBot().getX() );
if (edge1.isHorizontal()) {
ip.setY( edge1.getBot().getY() );
}
else {
b1 = edge1.getBot().getY() - edge1.getBot().getX() / edge1.deltaX;
ip.setY( Math.round(ip.getX() / edge1.deltaX + b1) );
}
}
else {
b1 = edge1.getBot().getX() - edge1.getBot().getY() * edge1.deltaX;
b2 = edge2.getBot().getX() - edge2.getBot().getY() * edge2.deltaX;
final double q = (b2 - b1) / (edge1.deltaX - edge2.deltaX);
ip.setY( Math.round(q) );
if (Math.abs(edge1.deltaX) < Math.abs(edge2.deltaX)) {
ip.setX( Math.round(edge1.deltaX * q + b1) );
}
else {
ip.setX( Math.round(edge2.deltaX * q + b2) );
}
}
if (ip.getY() < edge1.getTop().getY() || ip.getY() < edge2.getTop().getY()) {
if (edge1.getTop().getY() > edge2.getTop().getY()) {
ip.setY( edge1.getTop().getY() );
}
else {
ip.setY( edge2.getTop().getY() );
}
if (Math.abs(edge1.deltaX) < Math.abs(edge2.deltaX)) {
ip.setX( Edge.topX( edge1, ip.getY() ) );
}
else {
ip.setX( Edge.topX( edge2, ip.getY() ) );
}
}
//finally, don't allow 'ip' to be BELOW curr.getY() (ie bottom of scanbeam) ...
if (ip.getY() > edge1.getCurrent().getY()) {
ip.setY( edge1.getCurrent().getY() );
//better to use the more vertical edge to derive X ...
if (Math.abs(edge1.deltaX) > Math.abs(edge2.deltaX)) {
ip.setX( Edge.topX( edge2, ip.getY() ) );
}
else {
ip.setX( Edge.topX( edge1, ip.getY() ) );
}
}
}
private void joinCommonEdges() {
for (int i = 0; i < joins.size(); i++) {
final Join join = joins.get( i );
final OutRec outRec1 = getOutRec( join.outPt1.idx );
OutRec outRec2 = getOutRec( join.outPt2.idx );
if (outRec1.getPoints() == null || outRec2.getPoints() == null) {
continue;
}
if (outRec1.isOpen || outRec2.isOpen) continue;
//get the polygon fragment with the correct hole state (FirstLeft)
//before calling JoinPoints() ...
OutRec holeStateRec;
if (outRec1 == outRec2) {
holeStateRec = outRec1;
}
else if (isParam1RightOfParam2( outRec1, outRec2 )) {
holeStateRec = outRec2;
}
else if (isParam1RightOfParam2( outRec2, outRec1 )) {
holeStateRec = outRec1;
}
else {
holeStateRec = Path.OutPt.getLowerMostRec( outRec1, outRec2 );
}
if (!joinPoints( join, outRec1, outRec2 )) {
continue;
}
if (outRec1 == outRec2) {
//instead of joining two polygons, we've just created a new one by
//splitting one polygon into two.
outRec1.setPoints( join.outPt1 );
outRec1.bottomPt = null;
outRec2 = createOutRec();
outRec2.setPoints( join.outPt2 );
//update all OutRec2.Pts Idx's ...
updateOutPtIdxs( outRec2 );
//We now need to check every OutRec.FirstLeft pointer. If it points
//to OutRec1 it may need to point to OutRec2 instead ...
if (usingPolyTree) {
for (int j = 0; j < polyOuts.size() - 1; j++) {
final OutRec oRec = polyOuts.get( j );
if (oRec.getPoints() == null || parseFirstLeft(oRec.firstLeft) != outRec1 || oRec.isHole == outRec1.isHole) {
continue;
}
if (poly2ContainsPoly1( oRec.getPoints(), join.outPt2 )) {
oRec.firstLeft = outRec2;
}
}
}
if (poly2ContainsPoly1( outRec2.getPoints(), outRec1.getPoints() )) {
//outRec2 is contained by outRec1 ...
outRec2.isHole = !outRec1.isHole;
outRec2.firstLeft = outRec1;
//fixup FirstLeft pointers that may need reassigning to OutRec1
if (usingPolyTree) {
fixupFirstLefts2( outRec2, outRec1 );
}
if ((outRec2.isHole ^ reverseSolution) == outRec2.area() > 0) {
outRec2.getPoints().reversePolyPtLinks();
}
}
else if (poly2ContainsPoly1( outRec1.getPoints(), outRec2.getPoints() )) {
//outRec1 is contained by outRec2 ...
outRec2.isHole = outRec1.isHole;
outRec1.isHole = !outRec2.isHole;
outRec2.firstLeft = outRec1.firstLeft;
outRec1.firstLeft = outRec2;
//fixup FirstLeft pointers that may need reassigning to OutRec1
if (usingPolyTree) {
fixupFirstLefts2( outRec1, outRec2 );
}
if ((outRec1.isHole ^ reverseSolution) == outRec1.area() > 0) {
outRec1.getPoints().reversePolyPtLinks();
}
}
else {
//the 2 polygons are completely separate ...
outRec2.isHole = outRec1.isHole;
outRec2.firstLeft = outRec1.firstLeft;
//fixup FirstLeft pointers that may need reassigning to OutRec2
if (usingPolyTree) {
fixupFirstLefts1( outRec1, outRec2 );
}
}
}
else {
//joined 2 polygons together ...
outRec2.setPoints( null );
outRec2.bottomPt = null;
outRec2.Idx = outRec1.Idx;
outRec1.isHole = holeStateRec.isHole;
if (holeStateRec == outRec2) {
outRec1.firstLeft = outRec2.firstLeft;
}
outRec2.firstLeft = outRec1;
//fixup FirstLeft pointers that may need reassigning to OutRec1
if (usingPolyTree) {
fixupFirstLefts2( outRec2, outRec1 );
}
}
}
}
private long popScanbeam() {
LOGGER.entering( DefaultClipper.class.getName(), "popBeam" );
final long y = scanbeam.y;
scanbeam = scanbeam.next;
return y;
}
private void processEdgesAtTopOfScanbeam( long topY ) {
LOGGER.entering( DefaultClipper.class.getName(), "processEdgesAtTopOfScanbeam" );
Edge e = activeEdges;
while (e != null) {
//1. process maxima, treating them as if they're 'bent' horizontal edges,
// but exclude maxima with horizontal edges. nb: e can't be a horizontal.
boolean IsMaximaEdge = e.isMaxima( topY );
if (IsMaximaEdge) {
final Edge eMaxPair = e.getMaximaPair();
IsMaximaEdge = eMaxPair == null || !eMaxPair.isHorizontal();
}
if (IsMaximaEdge) {
if (strictlySimple) InsertMaxima(e.getTop().getX());
final Edge ePrev = e.prevInAEL;
doMaxima( e );
if (ePrev == null) {
e = activeEdges;
}
else {
e = ePrev.nextInAEL;
}
}
else {
//2. promote horizontal edges, otherwise update Curr.getX() and Curr.getY() ...
if (e.isIntermediate( topY ) && e.nextInLML.isHorizontal()) {
final Edge[] t = new Edge[] { e };
updateEdgeIntoAEL( t );
e = t[0];
if (e.outIdx >= 0) {
addOutPt( e, e.getBot() );
}
addEdgeToSEL( e );
}
else {
e.getCurrent().setX( Edge.topX( e, topY ) );
e.getCurrent().setY( topY );
}
//When StrictlySimple and 'e' is being touched by another edge, then
//make sure both edges have a vertex here ...
if (strictlySimple) {
final Edge ePrev = e.prevInAEL;
if (e.outIdx >= 0 && e.windDelta != 0 && ePrev != null && ePrev.outIdx >= 0 && ePrev.getCurrent().getX() == e.getCurrent().getX()
&& ePrev.windDelta != 0) {
final LongPoint ip = new LongPoint( e.getCurrent() );
setZ( ip, ePrev, e );
final Path.OutPt op = addOutPt( ePrev, ip );
final Path.OutPt op2 = addOutPt( e, ip );
addJoin( op, op2, ip ); //StrictlySimple (type-3) join
}
}
e = e.nextInAEL;
}
}
//3. Process horizontals at the Top of the scanbeam ...
processHorizontals();
maxima = null;
//4. Promote intermediate vertices ...
e = activeEdges;
while (e != null) {
if (e.isIntermediate( topY )) {
Path.OutPt op = null;
if (e.outIdx >= 0) {
op = addOutPt( e, e.getTop() );
}
final Edge[] t = new Edge[] { e };
updateEdgeIntoAEL( t );
e = t[0];
//if output polygons share an edge, they'll need joining later ...
final Edge ePrev = e.prevInAEL;
final Edge eNext = e.nextInAEL;
if (ePrev != null && ePrev.getCurrent().equals(e.getBot()) && op != null
&& ePrev.outIdx >= 0 && ePrev.getCurrent().getY() > ePrev.getTop().getY() && Edge.slopesEqual( e, ePrev, useFullRange ) && e.windDelta != 0
&& ePrev.windDelta != 0) {
final Path.OutPt op2 = addOutPt( ePrev, e.getBot() );
addJoin( op, op2, e.getTop() );
}
else if (eNext != null && eNext.getCurrent().equals(e.getBot()) && op != null
&& eNext.outIdx >= 0 && eNext.getCurrent().getY() > eNext.getTop().getY() && Edge.slopesEqual( e, eNext, useFullRange ) && e.windDelta != 0
&& eNext.windDelta != 0) {
final Path.OutPt op2 = addOutPt( eNext, e.getBot() );
addJoin( op, op2, e.getTop() );
}
}
e = e.nextInAEL;
}
LOGGER.exiting( DefaultClipper.class.getName(), "processEdgesAtTopOfScanbeam" );
}
private void processHorizontal( Edge horzEdge ) {
LOGGER.entering( DefaultClipper.class.getName(), "isHorizontal" );
final Direction[] dir = new Direction[1];
final long[] horzLeft = new long[1], horzRight = new long[1];
boolean IsOpen = horzEdge.outIdx >= 0 && polyOuts.get(horzEdge.outIdx).isOpen;
getHorzDirection( horzEdge, dir, horzLeft, horzRight );
Edge eLastHorz = horzEdge, eMaxPair = null;
while (eLastHorz.nextInLML != null && eLastHorz.nextInLML.isHorizontal()) {
eLastHorz = eLastHorz.nextInLML;
}
if (eLastHorz.nextInLML == null) {
eMaxPair = eLastHorz.getMaximaPair();
}
Path.Maxima currMax = maxima;
if (currMax != null)
{
//get the first maxima in range (X) ...
if (dir[0] == Direction.LEFT_TO_RIGHT)
{
while (currMax != null && currMax.X <= horzEdge.getBot().getX())
currMax = currMax.Next;
if (currMax != null && currMax.X >= eLastHorz.getBot().getX())
currMax = null;
}
else
{
while (currMax.Next != null && currMax.Next.X < horzEdge.getBot().getX())
currMax = currMax.Next;
if (currMax.X <= eLastHorz.getTop().getX()) currMax = null;
}
}
Path.OutPt op1 = null;
for (;;) { //loop through consec. horizontal edges
final boolean IsLastHorz = horzEdge == eLastHorz;
Edge e = horzEdge.getNextInAEL( dir[0] );
while (e != null) {
//this code block inserts extra coords into horizontal edges (in output
//polygons) whereever maxima touch these horizontal edges. This helps
//'simplifying' polygons (ie if the Simplify property is set).
if (currMax != null)
{
if (dir[0] == Direction.LEFT_TO_RIGHT)
{
while (currMax != null && currMax.X < e.getCurrent().getX())
{
if (horzEdge.outIdx >= 0 && !IsOpen)
addOutPt(horzEdge, new LongPoint(currMax.X, horzEdge.getBot().getY()));
currMax = currMax.Next;
}
}
else
{
while (currMax != null && currMax.X > e.getCurrent().getX())
{
if (horzEdge.outIdx >= 0 && !IsOpen)
addOutPt(horzEdge, new LongPoint(currMax.X, horzEdge.getBot().getY()));
currMax = currMax.Prev;
}
}
};
if (dir[0] == Direction.LEFT_TO_RIGHT && e.getCurrent().getX() > horzRight[0] || dir[0] == Direction.RIGHT_TO_LEFT
&& e.getCurrent().getX() < horzLeft[0]) break;
//Also break if we've got to the end of an intermediate horizontal edge ...
//nb: Smaller Dx's are to the right of larger Dx's ABOVE the horizontal.
if (e.getCurrent().getX() == horzEdge.getTop().getX() && horzEdge.nextInLML != null &&
e.deltaX < horzEdge.nextInLML.deltaX) break;
if (horzEdge.outIdx >= 0 && !IsOpen) //note: may be done multiple times
{
op1 = addOutPt(horzEdge, e.getCurrent());
Edge eNextHorz = sortedEdges;
while (eNextHorz != null)
{
if (eNextHorz.outIdx >= 0 &&
doHorzSegmentsOverlap(horzEdge.getBot().getX(),
horzEdge.getTop().getX(), eNextHorz.getBot().getX(), eNextHorz.getTop().getX()))
{
Path.OutPt op2 = GetLastOutPt(eNextHorz);
addJoin(op2, op1, eNextHorz.getTop());
}
eNextHorz = eNextHorz.nextInSEL;
}
addGhostJoin(op1, horzEdge.getBot());
}
//OK, so far we're still in range of the horizontal Edge but make sure
//we're at the last of consec. horizontals when matching with eMaxPair
if(e == eMaxPair && IsLastHorz)
{
if (horzEdge.outIdx >= 0)
addLocalMaxPoly(horzEdge, eMaxPair, horzEdge.getTop());
deleteFromAEL(horzEdge);
deleteFromAEL(eMaxPair);
return;
}
if(dir[0] == Direction.LEFT_TO_RIGHT)
{
LongPoint Pt = new LongPoint(e.getCurrent().getX(), horzEdge.getCurrent().getY());
intersectEdges(horzEdge, e, Pt);
}
else
{
LongPoint Pt = new LongPoint(e.getCurrent().getX(), horzEdge.getCurrent().getY());
intersectEdges(e, horzEdge, Pt);
}
Edge eNext = e.getNextInAEL(dir[0]);
swapPositionsInAEL(horzEdge, e);
e = eNext;
} //end while
//Break out of loop if HorzEdge.NextInLML is not also horizontal ...
if (horzEdge.nextInLML == null || !horzEdge.nextInLML.isHorizontal()) break;
Edge[] temp = new Edge[1];
temp[0] = horzEdge;
updateEdgeIntoAEL(temp);
horzEdge = temp[0];
if (horzEdge.outIdx >= 0) addOutPt(horzEdge, horzEdge.getBot());
getHorzDirection(horzEdge, dir, horzLeft, horzRight);
} //end for (;;)
if (horzEdge.outIdx >= 0 && op1 == null)
{
op1 = GetLastOutPt(horzEdge);
Edge eNextHorz = sortedEdges;
while (eNextHorz != null)
{
if (eNextHorz.outIdx >= 0 &&
doHorzSegmentsOverlap(horzEdge.getBot().getX(),
horzEdge.getTop().getX(), eNextHorz.getBot().getX(), eNextHorz.getTop().getX()))
{
Path.OutPt op2 = GetLastOutPt(eNextHorz);
addJoin(op2, op1, eNextHorz.getTop());
}
eNextHorz = eNextHorz.nextInSEL;
}
addGhostJoin(op1, horzEdge.getTop());
}
if (horzEdge.nextInLML != null) {
if (horzEdge.outIdx >= 0) {
op1 = addOutPt( horzEdge, horzEdge.getTop());
final Edge[] t = new Edge[] { horzEdge };
updateEdgeIntoAEL( t );
horzEdge = t[0];
if (horzEdge.windDelta == 0) {
return;
}
//nb: HorzEdge is no longer horizontal here
final Edge ePrev = horzEdge.prevInAEL;
final Edge eNext = horzEdge.nextInAEL;
if (ePrev != null && ePrev.getCurrent().equals(horzEdge.getBot())
&& ePrev.windDelta != 0 && ePrev.outIdx >= 0 && ePrev.getCurrent().getY() > ePrev.getTop().getY()
&& Edge.slopesEqual( horzEdge, ePrev, useFullRange )) {
final Path.OutPt op2 = addOutPt( ePrev, horzEdge.getBot() );
addJoin( op1, op2, horzEdge.getTop() );
}
else if (eNext != null && eNext.getCurrent().equals(horzEdge.getBot())
&& eNext.windDelta != 0 && eNext.outIdx >= 0 && eNext.getCurrent().getY() > eNext.getTop().getY()
&& Edge.slopesEqual( horzEdge, eNext, useFullRange )) {
final Path.OutPt op2 = addOutPt( eNext, horzEdge.getBot() );
addJoin( op1, op2, horzEdge.getTop() );
}
}
else {
final Edge[] t = new Edge[] { horzEdge };
updateEdgeIntoAEL( t );
horzEdge = t[0];
}
}
else {
if (horzEdge.outIdx >= 0) {
addOutPt( horzEdge, horzEdge.getTop() );
}
deleteFromAEL( horzEdge );
}
}
//------------------------------------------------------------------------------
private void processHorizontals( ) {
LOGGER.entering( DefaultClipper.class.getName(), "processHorizontals" );
Edge horzEdge = sortedEdges;
while (horzEdge != null) {
deleteFromSEL( horzEdge );
processHorizontal( horzEdge);
horzEdge = sortedEdges;
}
}
//------------------------------------------------------------------------------
private boolean processIntersections( long topY ) {
LOGGER.entering( DefaultClipper.class.getName(), "processIntersections" );
if (activeEdges == null) {
return true;
}
try {
buildIntersectList( topY );
if (intersectList.size() == 0) {
return true;
}
if (intersectList.size() == 1 || fixupIntersectionOrder()) {
processIntersectList();
}
else {
return false;
}
}
catch (Exception e) {
sortedEdges = null;
intersectList.clear();
throw new IllegalStateException( "ProcessIntersections error", e );
}
sortedEdges = null;
return true;
}
private void processIntersectList() {
for (int i = 0; i < intersectList.size(); i++) {
final IntersectNode iNode = intersectList.get( i );
{
intersectEdges( iNode.edge1, iNode.Edge2, iNode.getPt() );
swapPositionsInAEL( iNode.edge1, iNode.Edge2 );
}
}
intersectList.clear();
}
//------------------------------------------------------------------------------
@Override
protected void reset() {
super.reset();
scanbeam = null;
maxima = null;
activeEdges = null;
sortedEdges = null;
LocalMinima lm = minimaList;
while (lm != null) {
insertScanbeam( lm.y );
lm = lm.next;
}
}
private void setHoleState( Edge e, OutRec outRec ) {
boolean isHole = false;
Edge e2 = e.prevInAEL;
while (e2 != null) {
if (e2.outIdx >= 0 && e2.windDelta != 0) {
isHole = !isHole;
if (outRec.firstLeft == null) {
outRec.firstLeft = polyOuts.get( e2.outIdx );
}
}
e2 = e2.prevInAEL;
}
if (isHole) {
outRec.isHole = true;
}
}
private void setZ( LongPoint pt, Edge e1, Edge e2 ) {
if (pt.getZ() != 0 || zFillFunction == null) {
return;
}
else if (pt.equals( e1.getBot() )) {
pt.setZ( e1.getBot().getZ() );
}
else if (pt.equals( e1.getTop() )) {
pt.setZ( e1.getTop().getZ() );
}
else if (pt.equals( e2.getBot() )) {
pt.setZ( e2.getBot().getZ() );
}
else if (pt.equals( e2.getTop() )) {
pt.setZ( e2.getTop().getZ() );
}
else {
zFillFunction.zFill( e1.getBot(), e1.getTop(), e2.getBot(), e2.getTop(), pt );
}
}
private void swapPositionsInAEL( Edge edge1, Edge edge2 ) {
LOGGER.entering( DefaultClipper.class.getName(), "swapPositionsInAEL" );
//check that one or other edge hasn't already been removed from AEL ...
if (edge1.nextInAEL == edge1.prevInAEL || edge2.nextInAEL == edge2.prevInAEL) {
return;
}
if (edge1.nextInAEL == edge2) {
final Edge next = edge2.nextInAEL;
if (next != null) {
next.prevInAEL = edge1;
}
final Edge prev = edge1.prevInAEL;
if (prev != null) {
prev.nextInAEL = edge2;
}
edge2.prevInAEL = prev;
edge2.nextInAEL = edge1;
edge1.prevInAEL = edge2;
edge1.nextInAEL = next;
}
else if (edge2.nextInAEL == edge1) {
final Edge next = edge1.nextInAEL;
if (next != null) {
next.prevInAEL = edge2;
}
final Edge prev = edge2.prevInAEL;
if (prev != null) {
prev.nextInAEL = edge1;
}
edge1.prevInAEL = prev;
edge1.nextInAEL = edge2;
edge2.prevInAEL = edge1;
edge2.nextInAEL = next;
}
else {
final Edge next = edge1.nextInAEL;
final Edge prev = edge1.prevInAEL;
edge1.nextInAEL = edge2.nextInAEL;
if (edge1.nextInAEL != null) {
edge1.nextInAEL.prevInAEL = edge1;
}
edge1.prevInAEL = edge2.prevInAEL;
if (edge1.prevInAEL != null) {
edge1.prevInAEL.nextInAEL = edge1;
}
edge2.nextInAEL = next;
if (edge2.nextInAEL != null) {
edge2.nextInAEL.prevInAEL = edge2;
}
edge2.prevInAEL = prev;
if (edge2.prevInAEL != null) {
edge2.prevInAEL.nextInAEL = edge2;
}
}
if (edge1.prevInAEL == null) {
activeEdges = edge1;
}
else if (edge2.prevInAEL == null) {
activeEdges = edge2;
}
LOGGER.exiting( DefaultClipper.class.getName(), "swapPositionsInAEL" );
}
//------------------------------------------------------------------------------;
private void swapPositionsInSEL( Edge edge1, Edge edge2 ) {
if (edge1.nextInSEL == null && edge1.prevInSEL == null) {
return;
}
if (edge2.nextInSEL == null && edge2.prevInSEL == null) {
return;
}
if (edge1.nextInSEL == edge2) {
final Edge next = edge2.nextInSEL;
if (next != null) {
next.prevInSEL = edge1;
}
final Edge prev = edge1.prevInSEL;
if (prev != null) {
prev.nextInSEL = edge2;
}
edge2.prevInSEL = prev;
edge2.nextInSEL = edge1;
edge1.prevInSEL = edge2;
edge1.nextInSEL = next;
}
else if (edge2.nextInSEL == edge1) {
final Edge next = edge1.nextInSEL;
if (next != null) {
next.prevInSEL = edge2;
}
final Edge prev = edge2.prevInSEL;
if (prev != null) {
prev.nextInSEL = edge1;
}
edge1.prevInSEL = prev;
edge1.nextInSEL = edge2;
edge2.prevInSEL = edge1;
edge2.nextInSEL = next;
}
else {
final Edge next = edge1.nextInSEL;
final Edge prev = edge1.prevInSEL;
edge1.nextInSEL = edge2.nextInSEL;
if (edge1.nextInSEL != null) {
edge1.nextInSEL.prevInSEL = edge1;
}
edge1.prevInSEL = edge2.prevInSEL;
if (edge1.prevInSEL != null) {
edge1.prevInSEL.nextInSEL = edge1;
}
edge2.nextInSEL = next;
if (edge2.nextInSEL != null) {
edge2.nextInSEL.prevInSEL = edge2;
}
edge2.prevInSEL = prev;
if (edge2.prevInSEL != null) {
edge2.prevInSEL.nextInSEL = edge2;
}
}
if (edge1.prevInSEL == null) {
sortedEdges = edge1;
}
else if (edge2.prevInSEL == null) {
sortedEdges = edge2;
}
}
private void updateEdgeIntoAEL( Edge[] eV ) {
Edge e = eV[0];
if (e.nextInLML == null) {
throw new IllegalStateException( "UpdateEdgeIntoAEL: invalid call" );
}
final Edge AelPrev = e.prevInAEL;
final Edge AelNext = e.nextInAEL;
e.nextInLML.outIdx = e.outIdx;
if (AelPrev != null) {
AelPrev.nextInAEL = e.nextInLML;
}
else {
activeEdges = e.nextInLML;
}
if (AelNext != null) {
AelNext.prevInAEL = e.nextInLML;
}
e.nextInLML.side = e.side;
e.nextInLML.windDelta = e.windDelta;
e.nextInLML.windCnt = e.windCnt;
e.nextInLML.windCnt2 = e.windCnt2;
eV[0] = e = e.nextInLML;
e.setCurrent( e.getBot() );
e.prevInAEL = AelPrev;
e.nextInAEL = AelNext;
if (!e.isHorizontal()) {
insertScanbeam( e.getTop().getY() );
}
}
private void updateOutPtIdxs( OutRec outrec ) {
Path.OutPt op = outrec.getPoints();
do {
op.idx = outrec.Idx;
op = op.prev;
}
while (op != outrec.getPoints());
}
private void updateWindingCount( Edge edge ) {
LOGGER.entering( DefaultClipper.class.getName(), "updateWindingCount" );
Edge e = edge.prevInAEL;
//find the edge of the same polytype that immediately preceeds 'edge' in AEL
while (e != null && (e.polyTyp != edge.polyTyp || e.windDelta == 0)) {
e = e.prevInAEL;
}
if (e == null) {
edge.windCnt = edge.windDelta == 0 ? 1 : edge.windDelta;
edge.windCnt2 = 0;
e = activeEdges; //ie get ready to calc WindCnt2
}
else if (edge.windDelta == 0 && clipType != ClipType.UNION) {
edge.windCnt = 1;
edge.windCnt2 = e.windCnt2;
e = e.nextInAEL; //ie get ready to calc WindCnt2
}
else if (edge.isEvenOddFillType( clipFillType, subjFillType )) {
//EvenOdd filling ...
if (edge.windDelta == 0) {
//are we inside a subj polygon ...
boolean Inside = true;
Edge e2 = e.prevInAEL;
while (e2 != null) {
if (e2.polyTyp == e.polyTyp && e2.windDelta != 0) {
Inside = !Inside;
}
e2 = e2.prevInAEL;
}
edge.windCnt = Inside ? 0 : 1;
}
else {
edge.windCnt = edge.windDelta;
}
edge.windCnt2 = e.windCnt2;
e = e.nextInAEL; //ie get ready to calc WindCnt2
}
else {
//nonZero, Positive or Negative filling ...
if (e.windCnt * e.windDelta < 0) {
//prev edge is 'decreasing' WindCount (WC) toward zero
//so we're outside the previous polygon ...
if (Math.abs(e.windCnt) > 1) {
//outside prev poly but still inside another.
//when reversing direction of prev poly use the same WC
if (e.windDelta * edge.windDelta < 0) {
edge.windCnt = e.windCnt;
}
else {
edge.windCnt = e.windCnt + edge.windDelta;
}
}
else {
//now outside all polys of same polytype so set own WC ...
edge.windCnt = edge.windDelta == 0 ? 1 : edge.windDelta;
}
}
else {
//prev edge is 'increasing' WindCount (WC) away from zero
//so we're inside the previous polygon ...
if (edge.windDelta == 0) {
edge.windCnt = e.windCnt < 0 ? e.windCnt - 1 : e.windCnt + 1;
}
else if (e.windDelta * edge.windDelta < 0) {
edge.windCnt = e.windCnt;
}
else {
edge.windCnt = e.windCnt + edge.windDelta;
}
}
edge.windCnt2 = e.windCnt2;
e = e.nextInAEL; //ie get ready to calc WindCnt2
}
//update WindCnt2 ...
if (edge.isEvenOddAltFillType( clipFillType, subjFillType )) {
//EvenOdd filling ...
while (e != edge) {
if (e.windDelta != 0) {
edge.windCnt2 = edge.windCnt2 == 0 ? 1 : 0;
}
e = e.nextInAEL;
}
}
else {
//nonZero, Positive or Negative filling ...
while (e != edge) {
edge.windCnt2 += e.windDelta;
e = e.nextInAEL;
}
}
}
} //end Clipper
| 36.82428 | 171 | 0.460791 |
739886088fe74de8c2ede894a7b7ad84e6ef2536 | 269 | package banker;
/*
* Vadesiz hesap türü için oluşturulan sınıf
*/
public class Current extends Account{
int faiz=1;
public Current(int ID){
super(ID);
}
@Override
public int Benefit() {
return (int)(faiz*Balance);
}
}
| 14.157895 | 45 | 0.587361 |
d56b7fe60d0744a5af9d3c8eb57c2ed26d19784b | 356,185 | // Generated from TSqlLexer.g4 by ANTLR 4.7.1
package gen.antlr.sql.exprs;
import org.antlr.v4.runtime.Lexer;
import org.antlr.v4.runtime.CharStream;
import org.antlr.v4.runtime.Token;
import org.antlr.v4.runtime.TokenStream;
import org.antlr.v4.runtime.*;
import org.antlr.v4.runtime.atn.*;
import org.antlr.v4.runtime.dfa.DFA;
import org.antlr.v4.runtime.misc.*;
@SuppressWarnings({"all", "warnings", "unchecked", "unused", "cast"})
public class TSqlLexer extends Lexer {
static { RuntimeMetaData.checkVersion("4.7.1", RuntimeMetaData.VERSION); }
protected static final DFA[] _decisionToDFA;
protected static final PredictionContextCache _sharedContextCache =
new PredictionContextCache();
public static final int
ABSENT=1, ADD=2, AES=3, ALL=4, ALLOW_CONNECTIONS=5, ALLOW_MULTIPLE_EVENT_LOSS=6,
ALLOW_SINGLE_EVENT_LOSS=7, ALTER=8, AND=9, ANONYMOUS=10, ANY=11, APPEND=12,
APPLICATION=13, AS=14, ASC=15, ASYMMETRIC=16, ASYNCHRONOUS_COMMIT=17,
AUTHORIZATION=18, AUTHENTICATION=19, AUTOMATED_BACKUP_PREFERENCE=20, AUTOMATIC=21,
AVAILABILITY_MODE=22, BACKSLASH=23, BACKUP=24, BEFORE=25, BEGIN=26, BETWEEN=27,
BLOCK=28, BLOCKSIZE=29, BLOCKING_HIERARCHY=30, BREAK=31, BROWSE=32, BUFFER=33,
BUFFERCOUNT=34, BULK=35, BY=36, CACHE=37, CALLED=38, CASCADE=39, CASE=40,
CERTIFICATE=41, CHANGETABLE=42, CHANGES=43, CHECK=44, CHECKPOINT=45, CHECK_POLICY=46,
CHECK_EXPIRATION=47, CLASSIFIER_FUNCTION=48, CLOSE=49, CLUSTER=50, CLUSTERED=51,
COALESCE=52, COLLATE=53, COLUMN=54, COMPRESSION=55, COMMIT=56, COMPUTE=57,
CONFIGURATION=58, CONSTRAINT=59, CONTAINMENT=60, CONTAINS=61, CONTAINSTABLE=62,
CONTEXT=63, CONTINUE=64, CONTINUE_AFTER_ERROR=65, CONTRACT=66, CONTRACT_NAME=67,
CONVERSATION=68, CONVERT=69, COPY_ONLY=70, CREATE=71, CROSS=72, CURRENT=73,
CURRENT_DATE=74, CURRENT_TIME=75, CURRENT_TIMESTAMP=76, CURRENT_USER=77,
CURSOR=78, CYCLE=79, DATA=80, DATA_COMPRESSION=81, DATA_SOURCE=82, DATABASE=83,
DATABASE_MIRRORING=84, DBCC=85, DEALLOCATE=86, DECLARE=87, DEFAULT=88,
DEFAULT_DATABASE=89, DEFAULT_SCHEMA=90, DELETE=91, DENY=92, DESC=93, DIAGNOSTICS=94,
DIFFERENTIAL=95, DISK=96, DISTINCT=97, DISTRIBUTED=98, DOUBLE=99, DOUBLE_BACK_SLASH=100,
DOUBLE_FORWARD_SLASH=101, DROP=102, DTC_SUPPORT=103, DUMP=104, ELSE=105,
ENABLED=106, END=107, ENDPOINT=108, ERRLVL=109, ESCAPE=110, ERROR=111,
EVENT=112, EVENTDATA=113, EVENT_RETENTION_MODE=114, EXCEPT=115, EXECUTABLE_FILE=116,
EXECUTE=117, EXISTS=118, EXPIREDATE=119, EXIT=120, EXTENSION=121, EXTERNAL=122,
EXTERNAL_ACCESS=123, FAILOVER=124, FAILURECONDITIONLEVEL=125, FAN_IN=126,
FETCH=127, FILE=128, FILENAME=129, FILLFACTOR=130, FILE_SNAPSHOT=131,
FOR=132, FORCESEEK=133, FORCE_SERVICE_ALLOW_DATA_LOSS=134, FOREIGN=135,
FREETEXT=136, FREETEXTTABLE=137, FROM=138, FULL=139, FUNCTION=140, GET=141,
GOTO=142, GOVERNOR=143, GRANT=144, GROUP=145, HAVING=146, HASHED=147,
HEALTHCHECKTIMEOUT=148, IDENTITY=149, IDENTITYCOL=150, IDENTITY_INSERT=151,
IF=152, IN=153, INCLUDE=154, INCREMENT=155, INDEX=156, INFINITE=157, INIT=158,
INNER=159, INSERT=160, INSTEAD=161, INTERSECT=162, INTO=163, IPV4_ADDR=164,
IPV6_ADDR=165, IS=166, ISNULL=167, JOIN=168, KERBEROS=169, KEY=170, KEY_PATH=171,
KEY_STORE_PROVIDER_NAME=172, KILL=173, LANGUAGE=174, LEFT=175, LIBRARY=176,
LIFETIME=177, LIKE=178, RLIKE=179, LLIKE=180, LINENO=181, LINUX=182, LISTENER_IP=183,
LISTENER_PORT=184, LOAD=185, LOCAL_SERVICE_NAME=186, LOG=187, MATCHED=188,
MASTER=189, MAX_MEMORY=190, MAXTRANSFER=191, MAXVALUE=192, MAX_DISPATCH_LATENCY=193,
MAX_EVENT_SIZE=194, MAX_SIZE=195, MAX_OUTSTANDING_IO_PER_VOLUME=196, MEDIADESCRIPTION=197,
MEDIANAME=198, MEMBER=199, MEMORY_PARTITION_MODE=200, MERGE=201, MESSAGE_FORWARDING=202,
MESSAGE_FORWARD_SIZE=203, MINVALUE=204, MIRROR=205, MUST_CHANGE=206, NATIONAL=207,
NEGOTIATE=208, NOCHECK=209, NOFORMAT=210, NOINIT=211, NONCLUSTERED=212,
NONE=213, NOREWIND=214, NOSKIP=215, NOUNLOAD=216, NO_CHECKSUM=217, NO_COMPRESSION=218,
NO_EVENT_LOSS=219, NOT=220, NOTIFICATION=221, NTLM=222, NULL=223, NULLIF=224,
OF=225, OFF=226, OFFSETS=227, OLD_PASSWORD=228, ON=229, ON_FAILURE=230,
OPEN=231, OPENDATASOURCE=232, OPENQUERY=233, OPENROWSET=234, OPENXML=235,
OPTION=236, OR=237, ORDER=238, OUTER=239, OVER=240, PAGE=241, PARAM_NODE=242,
PARTIAL=243, PASSWORD=244, PERCENT=245, PERMISSION_SET=246, PER_CPU=247,
PER_DB=248, PER_NODE=249, PIVOT=250, PLAN=251, PLATFORM=252, POLICY=253,
PRECISION=254, PREDICATE=255, PRIMARY=256, PRINT=257, PROC=258, PROCEDURE=259,
PROCESS=260, PUBLIC=261, PYTHON=262, R=263, RAISERROR=264, RAW=265, READ=266,
READTEXT=267, READ_WRITE_FILEGROUPS=268, RECONFIGURE=269, REFERENCES=270,
REGENERATE=271, RELATED_CONVERSATION=272, RELATED_CONVERSATION_GROUP=273,
REPLICATION=274, REQUIRED=275, RESET=276, RESTART=277, RESTORE=278, RESTRICT=279,
RESUME=280, RETAINDAYS=281, RETURN=282, RETURNS=283, REVERT=284, REVOKE=285,
REWIND=286, RIGHT=287, ROLLBACK=288, ROLE=289, ROWCOUNT=290, ROWGUIDCOL=291,
RSA_512=292, RSA_1024=293, RSA_2048=294, RSA_3072=295, RSA_4096=296, SAFETY=297,
RULE=298, SAFE=299, SAVE=300, SCHEDULER=301, SCHEMA=302, SCHEME=303, SECURITY=304,
SECURITYAUDIT=305, SELECT=306, SEMANTICKEYPHRASETABLE=307, SEMANTICSIMILARITYDETAILSTABLE=308,
SEMANTICSIMILARITYTABLE=309, SEQUENCE=310, SERVER=311, SERVICE=312, SERVICE_BROKER=313,
SERVICE_NAME=314, SESSION=315, SESSION_USER=316, SET=317, SETUSER=318,
SHUTDOWN=319, SID=320, SKIP_KEYWORD=321, SOFTNUMA=322, SOME=323, SOURCE=324,
SPECIFICATION=325, SPLIT=326, SQLDUMPERFLAGS=327, SQLDUMPERPATH=328, SQLDUMPERTIMEOUT=329,
STATISTICS=330, STATE=331, STATS=332, START=333, STARTED=334, STARTUP_STATE=335,
STOP=336, STOPPED=337, STOP_ON_ERROR=338, SUPPORTED=339, SYSTEM=340, SYSTEM_USER=341,
TABLE=342, TABLESAMPLE=343, TAPE=344, TARGET=345, TCP=346, TEXTSIZE=347,
THEN=348, TO=349, TOP=350, TRACK_CAUSALITY=351, TRAN=352, TRANSACTION=353,
TRANSFER=354, TRIGGER=355, TRUNCATE=356, TSEQUAL=357, UNCHECKED=358, UNION=359,
UNIQUE=360, UNLOCK=361, UNPIVOT=362, UNSAFE=363, UPDATE=364, UPDATETEXT=365,
URL=366, USE=367, USED=368, USER=369, VALUES=370, VARYING=371, VERBOSELOGGING=372,
VIEW=373, VISIBILITY=374, WAITFOR=375, WHEN=376, WHERE=377, WHILE=378,
WINDOWS=379, WITH=380, WITHIN=381, WITHOUT=382, WITNESS=383, WRITETEXT=384,
ABSOLUTE=385, ACCENT_SENSITIVITY=386, ACTION=387, ACTIVATION=388, ACTIVE=389,
ADDRESS=390, AES_128=391, AES_192=392, AES_256=393, AFFINITY=394, AFTER=395,
AGGREGATE=396, ALGORITHM=397, ALLOW_ENCRYPTED_VALUE_MODIFICATIONS=398,
ALLOW_SNAPSHOT_ISOLATION=399, ALLOWED=400, ANSI_NULL_DEFAULT=401, ANSI_NULLS=402,
ANSI_PADDING=403, ANSI_WARNINGS=404, APPLICATION_LOG=405, APPLY=406, ARITHABORT=407,
ASSEMBLY=408, AUDIT=409, AUDIT_GUID=410, AUTO=411, AUTO_CLEANUP=412, AUTO_CLOSE=413,
AUTO_CREATE_STATISTICS=414, AUTO_SHRINK=415, AUTO_UPDATE_STATISTICS=416,
AUTO_UPDATE_STATISTICS_ASYNC=417, AVAILABILITY=418, AVG=419, BACKUP_PRIORITY=420,
BEGIN_DIALOG=421, BIGINT=422, BINARY_BASE64=423, BINARY_CHECKSUM=424,
BINDING=425, BLOB_STORAGE=426, BROKER=427, BROKER_INSTANCE=428, BULK_LOGGED=429,
CALLER=430, CAP_CPU_PERCENT=431, CAST=432, CATALOG=433, CATCH=434, CHANGE_RETENTION=435,
CHANGE_TRACKING=436, CHECKSUM=437, CHECKSUM_AGG=438, CLEANUP=439, COLLECTION=440,
COLUMN_MASTER_KEY=441, COMMITTED=442, COMPATIBILITY_LEVEL=443, CONCAT=444,
CONCAT_NULL_YIELDS_NULL=445, CONTENT=446, CONTROL=447, COOKIE=448, COUNT=449,
COUNT_BIG=450, COUNTER=451, CPU=452, CREATE_NEW=453, CREATION_DISPOSITION=454,
CREDENTIAL=455, CRYPTOGRAPHIC=456, CURSOR_CLOSE_ON_COMMIT=457, CURSOR_DEFAULT=458,
DATE_CORRELATION_OPTIMIZATION=459, DATEADD=460, DATEDIFF=461, DATENAME=462,
DATEPART=463, DAYS=464, DB_CHAINING=465, DB_FAILOVER=466, DECRYPTION=467,
DEFAULT_DOUBLE_QUOTE=468, DEFAULT_FULLTEXT_LANGUAGE=469, DEFAULT_LANGUAGE=470,
DELAY=471, DELAYED_DURABILITY=472, DELETED=473, DENSE_RANK=474, DEPENDENTS=475,
DES=476, DESCRIPTION=477, DESX=478, DHCP=479, DIALOG=480, DIRECTORY_NAME=481,
DISABLE=482, DISABLE_BROKER=483, DISABLED=484, DISK_DRIVE=485, DOCUMENT=486,
DYNAMIC=487, ELEMENTS=488, EMERGENCY=489, EMPTY=490, ENABLE=491, ENABLE_BROKER=492,
ENCRYPTED_VALUE=493, ENCRYPTION=494, ENDPOINT_URL=495, ERROR_BROKER_CONVERSATIONS=496,
EXCLUSIVE=497, EXECUTABLE=498, EXIST=499, EXPAND=500, EXPIRY_DATE=501,
EXPLICIT=502, FAIL_OPERATION=503, FAILOVER_MODE=504, FAILURE=505, FAILURE_CONDITION_LEVEL=506,
FAST=507, FAST_FORWARD=508, FILEGROUP=509, FILEGROWTH=510, FILEPATH=511,
FILESTREAM=512, FILTER=513, FIRST=514, FIRST_VALUE=515, FOLLOWING=516,
FORCE=517, FORCE_FAILOVER_ALLOW_DATA_LOSS=518, FORCED=519, FORMAT=520,
FORWARD_ONLY=521, FULLSCAN=522, FULLTEXT=523, GB=524, GETDATE=525, GETUTCDATE=526,
GLOBAL=527, GO=528, GROUP_MAX_REQUESTS=529, GROUPING=530, GROUPING_ID=531,
HADR=532, HASH=533, HEALTH_CHECK_TIMEOUT=534, HIGH=535, HONOR_BROKER_PRIORITY=536,
HOURS=537, IDENTITY_VALUE=538, IGNORE_NONCLUSTERED_COLUMNSTORE_INDEX=539,
IMMEDIATE=540, IMPERSONATE=541, IMPORTANCE=542, INCLUDE_NULL_VALUES=543,
INCREMENTAL=544, INITIATOR=545, INPUT=546, INSENSITIVE=547, INSERTED=548,
INT=549, IP=550, ISOLATION=551, JSON=552, KB=553, KEEP=554, KEEPFIXED=555,
KEY_SOURCE=556, KEYS=557, KEYSET=558, LAG=559, LAST=560, LAST_VALUE=561,
LEAD=562, LEVEL=563, LIST=564, LISTENER=565, LISTENER_URL=566, LOB_COMPACTION=567,
LOCAL=568, LOCATION=569, LOCK=570, LOCK_ESCALATION=571, LOGIN=572, LOOP=573,
LOW=574, MANUAL=575, MARK=576, MATERIALIZED=577, MAX=578, MAX_CPU_PERCENT=579,
MAX_DOP=580, MAX_FILES=581, MAX_IOPS_PER_VOLUME=582, MAX_MEMORY_PERCENT=583,
MAX_PROCESSES=584, MAX_QUEUE_READERS=585, MAX_ROLLOVER_FILES=586, MAXDOP=587,
MAXRECURSION=588, MAXSIZE=589, MB=590, MEDIUM=591, MEMORY_OPTIMIZED_DATA=592,
MESSAGE=593, MIN=594, MIN_ACTIVE_ROWVERSION=595, MIN_CPU_PERCENT=596,
MIN_IOPS_PER_VOLUME=597, MIN_MEMORY_PERCENT=598, MINUTES=599, MIRROR_ADDRESS=600,
MIXED_PAGE_ALLOCATION=601, MODE=602, MODIFY=603, MOVE=604, MULTI_USER=605,
NAME=606, NESTED_TRIGGERS=607, NEW_ACCOUNT=608, NEW_BROKER=609, NEW_PASSWORD=610,
NEXT=611, NO=612, NO_TRUNCATE=613, NO_WAIT=614, NOCOUNT=615, NODES=616,
NOEXPAND=617, NON_TRANSACTED_ACCESS=618, NORECOMPUTE=619, NORECOVERY=620,
NOWAIT=621, NTILE=622, NUMANODE=623, NUMBER=624, NUMERIC_ROUNDABORT=625,
OBJECT=626, OFFLINE=627, OFFSET=628, OLD_ACCOUNT=629, ONLINE=630, ONLY=631,
OPEN_EXISTING=632, OPTIMISTIC=633, OPTIMIZE=634, OUT=635, OUTPUT=636,
OWNER=637, PAGE_VERIFY=638, PARAMETERIZATION=639, PARTITION=640, PARTITIONS=641,
PARTNER=642, PATH=643, POISON_MESSAGE_HANDLING=644, POOL=645, PORT=646,
PRECEDING=647, PRIMARY_ROLE=648, PRIOR=649, PRIORITY=650, PRIORITY_LEVEL=651,
PRIVATE=652, PRIVATE_KEY=653, PRIVILEGES=654, PROCEDURE_NAME=655, PROPERTY=656,
PROVIDER=657, PROVIDER_KEY_NAME=658, QUERY=659, QUEUE=660, QUEUE_DELAY=661,
QUOTED_IDENTIFIER=662, RANGE=663, RANK=664, RC2=665, RC4=666, RC4_128=667,
READ_COMMITTED_SNAPSHOT=668, READ_ONLY=669, READ_ONLY_ROUTING_LIST=670,
READ_WRITE=671, READONLY=672, REBUILD=673, RECEIVE=674, RECOMPILE=675,
RECOVERY=676, RECURSIVE_TRIGGERS=677, RELATIVE=678, REMOTE=679, REMOTE_SERVICE_NAME=680,
REMOVE=681, REORGANIZE=682, REPEATABLE=683, REPLICA=684, REQUEST_MAX_CPU_TIME_SEC=685,
REQUEST_MAX_MEMORY_GRANT_PERCENT=686, REQUEST_MEMORY_GRANT_TIMEOUT_SEC=687,
REQUIRED_SYNCHRONIZED_SECONDARIES_TO_COMMIT=688, RESERVE_DISK_SPACE=689,
RESOURCE=690, RESOURCE_MANAGER_LOCATION=691, RESTRICTED_USER=692, RETENTION=693,
ROBUST=694, ROOT=695, ROUTE=696, ROW=697, ROW_NUMBER=698, ROWGUID=699,
ROWS=700, SAMPLE=701, SCHEMABINDING=702, SCOPED=703, SCROLL=704, SCROLL_LOCKS=705,
SEARCH=706, SECONDARY=707, SECONDARY_ONLY=708, SECONDARY_ROLE=709, SECONDS=710,
SECRET=711, SECURITY_LOG=712, SEEDING_MODE=713, SELF=714, SEMI_SENSITIVE=715,
SEND=716, SENT=717, SERIALIZABLE=718, SESSION_TIMEOUT=719, SETERROR=720,
SHARE=721, SHOWPLAN=722, SIGNATURE=723, SIMPLE=724, SINGLE_USER=725, SIZE=726,
SMALLINT=727, SNAPSHOT=728, SPATIAL_WINDOW_MAX_CELLS=729, STANDBY=730,
START_DATE=731, STATIC=732, STATS_STREAM=733, STATUS=734, STDEV=735, STDEVP=736,
STOPLIST=737, STUFF=738, SUBJECT=739, SUM=740, SUSPEND=741, SYMMETRIC=742,
SYNCHRONOUS_COMMIT=743, SYNONYM=744, TAKE=745, TARGET_RECOVERY_TIME=746,
TB=747, TEXTIMAGE_ON=748, THROW=749, TIES=750, TIME=751, TIMEOUT=752,
TIMER=753, TINYINT=754, TORN_PAGE_DETECTION=755, TRANSFORM_NOISE_WORDS=756,
TRIPLE_DES=757, TRIPLE_DES_3KEY=758, TRUSTWORTHY=759, TRY=760, TSQL=761,
TWO_DIGIT_YEAR_CUTOFF=762, TYPE=763, TYPE_WARNING=764, UNBOUNDED=765,
UNCOMMITTED=766, UNKNOWN=767, UNLIMITED=768, USING=769, VALID_XML=770,
VALIDATION=771, VALUE=772, VAR=773, VARP=774, VIEW_METADATA=775, VIEWS=776,
WAIT=777, WELL_FORMED_XML=778, WITHOUT_ARRAY_WRAPPER=779, WORK=780, WORKLOAD=781,
XML=782, XMLDATA=783, XMLNAMESPACES=784, XMLSCHEMA=785, XSINIL=786, DOLLAR_ACTION=787,
SPACE=788, COMMENT=789, LINE_COMMENT=790, DOUBLE_QUOTE_ID=791, SINGLE_QUOTE=792,
SQUARE_BRACKET_ID=793, LOCAL_ID=794, DECIMAL=795, ID=796, QUOTED_URL=797,
QUOTED_HOST_AND_PORT=798, STRING=799, BINARY=800, FLOAT=801, REAL=802,
EQUAL=803, GREATER=804, LESS=805, EXCLAMATION=806, PLUS_ASSIGN=807, MINUS_ASSIGN=808,
MULT_ASSIGN=809, DIV_ASSIGN=810, MOD_ASSIGN=811, AND_ASSIGN=812, XOR_ASSIGN=813,
OR_ASSIGN=814, DOUBLE_BAR=815, DOT=816, UNDERLINE=817, AT=818, SHARP=819,
DOLLAR=820, LR_BRACKET=821, RR_BRACKET=822, COMMA=823, SEMI=824, COLON=825,
STAR=826, DIVIDE=827, MODULE=828, PLUS=829, MINUS=830, BIT_NOT=831, BIT_OR=832,
BIT_AND=833, BIT_XOR=834, IPV4_OCTECT=835;
public static String[] channelNames = {
"DEFAULT_TOKEN_CHANNEL", "HIDDEN"
};
public static String[] modeNames = {
"DEFAULT_MODE"
};
public static final String[] ruleNames = {
"ABSENT", "ADD", "AES", "ALL", "ALLOW_CONNECTIONS", "ALLOW_MULTIPLE_EVENT_LOSS",
"ALLOW_SINGLE_EVENT_LOSS", "ALTER", "AND", "ANONYMOUS", "ANY", "APPEND",
"APPLICATION", "AS", "ASC", "ASYMMETRIC", "ASYNCHRONOUS_COMMIT", "AUTHORIZATION",
"AUTHENTICATION", "AUTOMATED_BACKUP_PREFERENCE", "AUTOMATIC", "AVAILABILITY_MODE",
"BACKSLASH", "BACKUP", "BEFORE", "BEGIN", "BETWEEN", "BLOCK", "BLOCKSIZE",
"BLOCKING_HIERARCHY", "BREAK", "BROWSE", "BUFFER", "BUFFERCOUNT", "BULK",
"BY", "CACHE", "CALLED", "CASCADE", "CASE", "CERTIFICATE", "CHANGETABLE",
"CHANGES", "CHECK", "CHECKPOINT", "CHECK_POLICY", "CHECK_EXPIRATION",
"CLASSIFIER_FUNCTION", "CLOSE", "CLUSTER", "CLUSTERED", "COALESCE", "COLLATE",
"COLUMN", "COMPRESSION", "COMMIT", "COMPUTE", "CONFIGURATION", "CONSTRAINT",
"CONTAINMENT", "CONTAINS", "CONTAINSTABLE", "CONTEXT", "CONTINUE", "CONTINUE_AFTER_ERROR",
"CONTRACT", "CONTRACT_NAME", "CONVERSATION", "CONVERT", "COPY_ONLY", "CREATE",
"CROSS", "CURRENT", "CURRENT_DATE", "CURRENT_TIME", "CURRENT_TIMESTAMP",
"CURRENT_USER", "CURSOR", "CYCLE", "DATA", "DATA_COMPRESSION", "DATA_SOURCE",
"DATABASE", "DATABASE_MIRRORING", "DBCC", "DEALLOCATE", "DECLARE", "DEFAULT",
"DEFAULT_DATABASE", "DEFAULT_SCHEMA", "DELETE", "DENY", "DESC", "DIAGNOSTICS",
"DIFFERENTIAL", "DISK", "DISTINCT", "DISTRIBUTED", "DOUBLE", "DOUBLE_BACK_SLASH",
"DOUBLE_FORWARD_SLASH", "DROP", "DTC_SUPPORT", "DUMP", "ELSE", "ENABLED",
"END", "ENDPOINT", "ERRLVL", "ESCAPE", "ERROR", "EVENT", "EVENTDATA",
"EVENT_RETENTION_MODE", "EXCEPT", "EXECUTABLE_FILE", "EXECUTE", "EXISTS",
"EXPIREDATE", "EXIT", "EXTENSION", "EXTERNAL", "EXTERNAL_ACCESS", "FAILOVER",
"FAILURECONDITIONLEVEL", "FAN_IN", "FETCH", "FILE", "FILENAME", "FILLFACTOR",
"FILE_SNAPSHOT", "FOR", "FORCESEEK", "FORCE_SERVICE_ALLOW_DATA_LOSS",
"FOREIGN", "FREETEXT", "FREETEXTTABLE", "FROM", "FULL", "FUNCTION", "GET",
"GOTO", "GOVERNOR", "GRANT", "GROUP", "HAVING", "HASHED", "HEALTHCHECKTIMEOUT",
"IDENTITY", "IDENTITYCOL", "IDENTITY_INSERT", "IF", "IN", "INCLUDE", "INCREMENT",
"INDEX", "INFINITE", "INIT", "INNER", "INSERT", "INSTEAD", "INTERSECT",
"INTO", "IPV4_ADDR", "IPV6_ADDR", "IS", "ISNULL", "JOIN", "KERBEROS",
"KEY", "KEY_PATH", "KEY_STORE_PROVIDER_NAME", "KILL", "LANGUAGE", "LEFT",
"LIBRARY", "LIFETIME", "LIKE", "RLIKE", "LLIKE", "LINENO", "LINUX", "LISTENER_IP",
"LISTENER_PORT", "LOAD", "LOCAL_SERVICE_NAME", "LOG", "MATCHED", "MASTER",
"MAX_MEMORY", "MAXTRANSFER", "MAXVALUE", "MAX_DISPATCH_LATENCY", "MAX_EVENT_SIZE",
"MAX_SIZE", "MAX_OUTSTANDING_IO_PER_VOLUME", "MEDIADESCRIPTION", "MEDIANAME",
"MEMBER", "MEMORY_PARTITION_MODE", "MERGE", "MESSAGE_FORWARDING", "MESSAGE_FORWARD_SIZE",
"MINVALUE", "MIRROR", "MUST_CHANGE", "NATIONAL", "NEGOTIATE", "NOCHECK",
"NOFORMAT", "NOINIT", "NONCLUSTERED", "NONE", "NOREWIND", "NOSKIP", "NOUNLOAD",
"NO_CHECKSUM", "NO_COMPRESSION", "NO_EVENT_LOSS", "NOT", "NOTIFICATION",
"NTLM", "NULL", "NULLIF", "OF", "OFF", "OFFSETS", "OLD_PASSWORD", "ON",
"ON_FAILURE", "OPEN", "OPENDATASOURCE", "OPENQUERY", "OPENROWSET", "OPENXML",
"OPTION", "OR", "ORDER", "OUTER", "OVER", "PAGE", "PARAM_NODE", "PARTIAL",
"PASSWORD", "PERCENT", "PERMISSION_SET", "PER_CPU", "PER_DB", "PER_NODE",
"PIVOT", "PLAN", "PLATFORM", "POLICY", "PRECISION", "PREDICATE", "PRIMARY",
"PRINT", "PROC", "PROCEDURE", "PROCESS", "PUBLIC", "PYTHON", "R", "RAISERROR",
"RAW", "READ", "READTEXT", "READ_WRITE_FILEGROUPS", "RECONFIGURE", "REFERENCES",
"REGENERATE", "RELATED_CONVERSATION", "RELATED_CONVERSATION_GROUP", "REPLICATION",
"REQUIRED", "RESET", "RESTART", "RESTORE", "RESTRICT", "RESUME", "RETAINDAYS",
"RETURN", "RETURNS", "REVERT", "REVOKE", "REWIND", "RIGHT", "ROLLBACK",
"ROLE", "ROWCOUNT", "ROWGUIDCOL", "RSA_512", "RSA_1024", "RSA_2048", "RSA_3072",
"RSA_4096", "SAFETY", "RULE", "SAFE", "SAVE", "SCHEDULER", "SCHEMA", "SCHEME",
"SECURITY", "SECURITYAUDIT", "SELECT", "SEMANTICKEYPHRASETABLE", "SEMANTICSIMILARITYDETAILSTABLE",
"SEMANTICSIMILARITYTABLE", "SEQUENCE", "SERVER", "SERVICE", "SERVICE_BROKER",
"SERVICE_NAME", "SESSION", "SESSION_USER", "SET", "SETUSER", "SHUTDOWN",
"SID", "SKIP_KEYWORD", "SOFTNUMA", "SOME", "SOURCE", "SPECIFICATION",
"SPLIT", "SQLDUMPERFLAGS", "SQLDUMPERPATH", "SQLDUMPERTIMEOUT", "STATISTICS",
"STATE", "STATS", "START", "STARTED", "STARTUP_STATE", "STOP", "STOPPED",
"STOP_ON_ERROR", "SUPPORTED", "SYSTEM", "SYSTEM_USER", "TABLE", "TABLESAMPLE",
"TAPE", "TARGET", "TCP", "TEXTSIZE", "THEN", "TO", "TOP", "TRACK_CAUSALITY",
"TRAN", "TRANSACTION", "TRANSFER", "TRIGGER", "TRUNCATE", "TSEQUAL", "UNCHECKED",
"UNION", "UNIQUE", "UNLOCK", "UNPIVOT", "UNSAFE", "UPDATE", "UPDATETEXT",
"URL", "USE", "USED", "USER", "VALUES", "VARYING", "VERBOSELOGGING", "VIEW",
"VISIBILITY", "WAITFOR", "WHEN", "WHERE", "WHILE", "WINDOWS", "WITH",
"WITHIN", "WITHOUT", "WITNESS", "WRITETEXT", "ABSOLUTE", "ACCENT_SENSITIVITY",
"ACTION", "ACTIVATION", "ACTIVE", "ADDRESS", "AES_128", "AES_192", "AES_256",
"AFFINITY", "AFTER", "AGGREGATE", "ALGORITHM", "ALLOW_ENCRYPTED_VALUE_MODIFICATIONS",
"ALLOW_SNAPSHOT_ISOLATION", "ALLOWED", "ANSI_NULL_DEFAULT", "ANSI_NULLS",
"ANSI_PADDING", "ANSI_WARNINGS", "APPLICATION_LOG", "APPLY", "ARITHABORT",
"ASSEMBLY", "AUDIT", "AUDIT_GUID", "AUTO", "AUTO_CLEANUP", "AUTO_CLOSE",
"AUTO_CREATE_STATISTICS", "AUTO_SHRINK", "AUTO_UPDATE_STATISTICS", "AUTO_UPDATE_STATISTICS_ASYNC",
"AVAILABILITY", "AVG", "BACKUP_PRIORITY", "BEGIN_DIALOG", "BIGINT", "BINARY_BASE64",
"BINARY_CHECKSUM", "BINDING", "BLOB_STORAGE", "BROKER", "BROKER_INSTANCE",
"BULK_LOGGED", "CALLER", "CAP_CPU_PERCENT", "CAST", "CATALOG", "CATCH",
"CHANGE_RETENTION", "CHANGE_TRACKING", "CHECKSUM", "CHECKSUM_AGG", "CLEANUP",
"COLLECTION", "COLUMN_MASTER_KEY", "COMMITTED", "COMPATIBILITY_LEVEL",
"CONCAT", "CONCAT_NULL_YIELDS_NULL", "CONTENT", "CONTROL", "COOKIE", "COUNT",
"COUNT_BIG", "COUNTER", "CPU", "CREATE_NEW", "CREATION_DISPOSITION", "CREDENTIAL",
"CRYPTOGRAPHIC", "CURSOR_CLOSE_ON_COMMIT", "CURSOR_DEFAULT", "DATE_CORRELATION_OPTIMIZATION",
"DATEADD", "DATEDIFF", "DATENAME", "DATEPART", "DAYS", "DB_CHAINING",
"DB_FAILOVER", "DECRYPTION", "DEFAULT_DOUBLE_QUOTE", "DEFAULT_FULLTEXT_LANGUAGE",
"DEFAULT_LANGUAGE", "DELAY", "DELAYED_DURABILITY", "DELETED", "DENSE_RANK",
"DEPENDENTS", "DES", "DESCRIPTION", "DESX", "DHCP", "DIALOG", "DIRECTORY_NAME",
"DISABLE", "DISABLE_BROKER", "DISABLED", "DISK_DRIVE", "DOCUMENT", "DYNAMIC",
"ELEMENTS", "EMERGENCY", "EMPTY", "ENABLE", "ENABLE_BROKER", "ENCRYPTED_VALUE",
"ENCRYPTION", "ENDPOINT_URL", "ERROR_BROKER_CONVERSATIONS", "EXCLUSIVE",
"EXECUTABLE", "EXIST", "EXPAND", "EXPIRY_DATE", "EXPLICIT", "FAIL_OPERATION",
"FAILOVER_MODE", "FAILURE", "FAILURE_CONDITION_LEVEL", "FAST", "FAST_FORWARD",
"FILEGROUP", "FILEGROWTH", "FILEPATH", "FILESTREAM", "FILTER", "FIRST",
"FIRST_VALUE", "FOLLOWING", "FORCE", "FORCE_FAILOVER_ALLOW_DATA_LOSS",
"FORCED", "FORMAT", "FORWARD_ONLY", "FULLSCAN", "FULLTEXT", "GB", "GETDATE",
"GETUTCDATE", "GLOBAL", "GO", "GROUP_MAX_REQUESTS", "GROUPING", "GROUPING_ID",
"HADR", "HASH", "HEALTH_CHECK_TIMEOUT", "HIGH", "HONOR_BROKER_PRIORITY",
"HOURS", "IDENTITY_VALUE", "IGNORE_NONCLUSTERED_COLUMNSTORE_INDEX", "IMMEDIATE",
"IMPERSONATE", "IMPORTANCE", "INCLUDE_NULL_VALUES", "INCREMENTAL", "INITIATOR",
"INPUT", "INSENSITIVE", "INSERTED", "INT", "IP", "ISOLATION", "JSON",
"KB", "KEEP", "KEEPFIXED", "KEY_SOURCE", "KEYS", "KEYSET", "LAG", "LAST",
"LAST_VALUE", "LEAD", "LEVEL", "LIST", "LISTENER", "LISTENER_URL", "LOB_COMPACTION",
"LOCAL", "LOCATION", "LOCK", "LOCK_ESCALATION", "LOGIN", "LOOP", "LOW",
"MANUAL", "MARK", "MATERIALIZED", "MAX", "MAX_CPU_PERCENT", "MAX_DOP",
"MAX_FILES", "MAX_IOPS_PER_VOLUME", "MAX_MEMORY_PERCENT", "MAX_PROCESSES",
"MAX_QUEUE_READERS", "MAX_ROLLOVER_FILES", "MAXDOP", "MAXRECURSION", "MAXSIZE",
"MB", "MEDIUM", "MEMORY_OPTIMIZED_DATA", "MESSAGE", "MIN", "MIN_ACTIVE_ROWVERSION",
"MIN_CPU_PERCENT", "MIN_IOPS_PER_VOLUME", "MIN_MEMORY_PERCENT", "MINUTES",
"MIRROR_ADDRESS", "MIXED_PAGE_ALLOCATION", "MODE", "MODIFY", "MOVE", "MULTI_USER",
"NAME", "NESTED_TRIGGERS", "NEW_ACCOUNT", "NEW_BROKER", "NEW_PASSWORD",
"NEXT", "NO", "NO_TRUNCATE", "NO_WAIT", "NOCOUNT", "NODES", "NOEXPAND",
"NON_TRANSACTED_ACCESS", "NORECOMPUTE", "NORECOVERY", "NOWAIT", "NTILE",
"NUMANODE", "NUMBER", "NUMERIC_ROUNDABORT", "OBJECT", "OFFLINE", "OFFSET",
"OLD_ACCOUNT", "ONLINE", "ONLY", "OPEN_EXISTING", "OPTIMISTIC", "OPTIMIZE",
"OUT", "OUTPUT", "OWNER", "PAGE_VERIFY", "PARAMETERIZATION", "PARTITION",
"PARTITIONS", "PARTNER", "PATH", "POISON_MESSAGE_HANDLING", "POOL", "PORT",
"PRECEDING", "PRIMARY_ROLE", "PRIOR", "PRIORITY", "PRIORITY_LEVEL", "PRIVATE",
"PRIVATE_KEY", "PRIVILEGES", "PROCEDURE_NAME", "PROPERTY", "PROVIDER",
"PROVIDER_KEY_NAME", "QUERY", "QUEUE", "QUEUE_DELAY", "QUOTED_IDENTIFIER",
"RANGE", "RANK", "RC2", "RC4", "RC4_128", "READ_COMMITTED_SNAPSHOT", "READ_ONLY",
"READ_ONLY_ROUTING_LIST", "READ_WRITE", "READONLY", "REBUILD", "RECEIVE",
"RECOMPILE", "RECOVERY", "RECURSIVE_TRIGGERS", "RELATIVE", "REMOTE", "REMOTE_SERVICE_NAME",
"REMOVE", "REORGANIZE", "REPEATABLE", "REPLICA", "REQUEST_MAX_CPU_TIME_SEC",
"REQUEST_MAX_MEMORY_GRANT_PERCENT", "REQUEST_MEMORY_GRANT_TIMEOUT_SEC",
"REQUIRED_SYNCHRONIZED_SECONDARIES_TO_COMMIT", "RESERVE_DISK_SPACE", "RESOURCE",
"RESOURCE_MANAGER_LOCATION", "RESTRICTED_USER", "RETENTION", "ROBUST",
"ROOT", "ROUTE", "ROW", "ROW_NUMBER", "ROWGUID", "ROWS", "SAMPLE", "SCHEMABINDING",
"SCOPED", "SCROLL", "SCROLL_LOCKS", "SEARCH", "SECONDARY", "SECONDARY_ONLY",
"SECONDARY_ROLE", "SECONDS", "SECRET", "SECURITY_LOG", "SEEDING_MODE",
"SELF", "SEMI_SENSITIVE", "SEND", "SENT", "SERIALIZABLE", "SESSION_TIMEOUT",
"SETERROR", "SHARE", "SHOWPLAN", "SIGNATURE", "SIMPLE", "SINGLE_USER",
"SIZE", "SMALLINT", "SNAPSHOT", "SPATIAL_WINDOW_MAX_CELLS", "STANDBY",
"START_DATE", "STATIC", "STATS_STREAM", "STATUS", "STDEV", "STDEVP", "STOPLIST",
"STUFF", "SUBJECT", "SUM", "SUSPEND", "SYMMETRIC", "SYNCHRONOUS_COMMIT",
"SYNONYM", "TAKE", "TARGET_RECOVERY_TIME", "TB", "TEXTIMAGE_ON", "THROW",
"TIES", "TIME", "TIMEOUT", "TIMER", "TINYINT", "TORN_PAGE_DETECTION",
"TRANSFORM_NOISE_WORDS", "TRIPLE_DES", "TRIPLE_DES_3KEY", "TRUSTWORTHY",
"TRY", "TSQL", "TWO_DIGIT_YEAR_CUTOFF", "TYPE", "TYPE_WARNING", "UNBOUNDED",
"UNCOMMITTED", "UNKNOWN", "UNLIMITED", "USING", "VALID_XML", "VALIDATION",
"VALUE", "VAR", "VARP", "VIEW_METADATA", "VIEWS", "WAIT", "WELL_FORMED_XML",
"WITHOUT_ARRAY_WRAPPER", "WORK", "WORKLOAD", "XML", "XMLDATA", "XMLNAMESPACES",
"XMLSCHEMA", "XSINIL", "DOLLAR_ACTION", "SPACE", "COMMENT", "LINE_COMMENT",
"DOUBLE_QUOTE_ID", "SINGLE_QUOTE", "SQUARE_BRACKET_ID", "LOCAL_ID", "DECIMAL",
"ID", "QUOTED_URL", "QUOTED_HOST_AND_PORT", "STRING", "BINARY", "FLOAT",
"REAL", "EQUAL", "GREATER", "LESS", "EXCLAMATION", "PLUS_ASSIGN", "MINUS_ASSIGN",
"MULT_ASSIGN", "DIV_ASSIGN", "MOD_ASSIGN", "AND_ASSIGN", "XOR_ASSIGN",
"OR_ASSIGN", "DOUBLE_BAR", "DOT", "UNDERLINE", "AT", "SHARP", "DOLLAR",
"LR_BRACKET", "RR_BRACKET", "COMMA", "SEMI", "COLON", "STAR", "DIVIDE",
"MODULE", "PLUS", "MINUS", "BIT_NOT", "BIT_OR", "BIT_AND", "BIT_XOR",
"LETTER", "IPV6_OCTECT", "IPV4_OCTECT", "DEC_DOT_DEC", "HEX_DIGIT", "DEC_DIGIT",
"FullWidthLetter"
};
private static final String[] _LITERAL_NAMES = {
null, "'ABSENT'", "'ADD'", "'AES'", "'ALL'", "'ALLOW_CONNECTIONS'", "'ALLOW_MULTIPLE_EVENT_LOSS'",
"'ALLOW_SINGLE_EVENT_LOSS'", "'ALTER'", null, "'ANONYMOUS'", "'ANY'",
"'APPEND'", "'APPLICATION'", null, null, "'ASYMMETRIC'", "'ASYNCHRONOUS_COMMIT'",
"'AUTHORIZATION'", "'AUTHENTICATION'", "'AUTOMATED_BACKUP_PREFERENCE'",
"'AUTOMATIC'", "'AVAILABILITY_MODE'", "'\\'", "'BACKUP'", "'BEFORE'",
"'BEGIN'", "'BETWEEN'", "'BLOCK'", "'BLOCKSIZE'", "'BLOCKING_HIERARCHY'",
"'BREAK'", "'BROWSE'", "'BUFFER'", "'BUFFERCOUNT'", "'BULK'", null, "'CACHE'",
"'CALLED'", "'CASCADE'", "'CASE'", "'CERTIFICATE'", "'CHANGETABLE'", "'CHANGES'",
"'CHECK'", "'CHECKPOINT'", "'CHECK_POLICY'", "'CHECK_EXPIRATION'", "'CLASSIFIER_FUNCTION'",
"'CLOSE'", "'CLUSTER'", "'CLUSTERED'", "'COALESCE'", "'COLLATE'", "'COLUMN'",
"'COMPRESSION'", "'COMMIT'", "'COMPUTE'", "'CONFIGURATION'", "'CONSTRAINT'",
"'CONTAINMENT'", "'CONTAINS'", "'CONTAINSTABLE'", "'CONTEXT'", "'CONTINUE'",
"'CONTINUE_AFTER_ERROR'", "'CONTRACT'", "'CONTRACT_NAME'", "'CONVERSATION'",
null, "'COPY_ONLY'", "'CREATE'", "'CROSS'", "'CURRENT'", "'CURRENT_DATE'",
"'CURRENT_TIME'", "'CURRENT_TIMESTAMP'", "'CURRENT_USER'", "'CURSOR'",
"'CYCLE'", "'DATA'", "'DATA_COMPRESSION'", "'DATA_SOURCE'", "'DATABASE'",
"'DATABASE_MIRRORING'", "'DBCC'", "'DEALLOCATE'", "'DECLARE'", "'DEFAULT'",
"'DEFAULT_DATABASE'", "'DEFAULT_SCHEMA'", "'DELETE'", "'DENY'", "'DESC'",
"'DIAGNOSTICS'", "'DIFFERENTIAL'", "'DISK'", "'DISTINCT'", "'DISTRIBUTED'",
"'DOUBLE'", "'\\\\'", "'//'", "'DROP'", "'DTC_SUPPORT'", "'DUMP'", "'ELSE'",
"'ENABLED'", "'END'", "'ENDPOINT'", "'ERRLVL'", "'ESCAPE'", "'ERROR'",
"'EVENT'", null, "'EVENT_RETENTION_MODE'", "'EXCEPT'", "'EXECUTABLE_FILE'",
null, "'EXISTS'", "'EXPIREDATE'", "'EXIT'", "'EXTENSION'", "'EXTERNAL'",
"'EXTERNAL_ACCESS'", "'FAILOVER'", "'FAILURECONDITIONLEVEL'", "'FAN_IN'",
"'FETCH'", "'FILE'", "'FILENAME'", "'FILLFACTOR'", "'FILE_SNAPSHOT'",
"'FOR'", "'FORCESEEK'", "'FORCE_SERVICE_ALLOW_DATA_LOSS'", "'FOREIGN'",
"'FREETEXT'", "'FREETEXTTABLE'", "'FROM'", "'FULL'", "'FUNCTION'", "'GET'",
"'GOTO'", "'GOVERNOR'", "'GRANT'", "'GROUP'", "'HAVING'", "'HASHED'",
"'HEALTHCHECKTIMEOUT'", "'IDENTITY'", "'IDENTITYCOL'", "'IDENTITY_INSERT'",
"'IF'", null, "'INCLUDE'", "'INCREMENT'", "'INDEX'", "'INFINITE'", "'INIT'",
"'INNER'", "'INSERT'", "'INSTEAD'", "'INTERSECT'", "'INTO'", null, null,
null, null, "'JOIN'", "'KERBEROS'", "'KEY'", "'KEY_PATH'", "'KEY_STORE_PROVIDER_NAME'",
"'KILL'", "'LANGUAGE'", "'LEFT'", "'LIBRARY'", "'LIFETIME'", null, null,
null, "'LINENO'", "'LINUX'", "'LISTENER_IP'", "'LISTENER_PORT'", "'LOAD'",
"'LOCAL_SERVICE_NAME'", "'LOG'", "'MATCHED'", "'MASTER'", "'MAX_MEMORY'",
"'MAXTRANSFER'", "'MAXVALUE'", "'MAX_DISPATCH_LATENCY'", "'MAX_EVENT_SIZE'",
"'MAX_SIZE'", "'MAX_OUTSTANDING_IO_PER_VOLUME'", "'MEDIADESCRIPTION'",
"'MEDIANAME'", "'MEMBER'", "'MEMORY_PARTITION_MODE'", "'MERGE'", "'MESSAGE_FORWARDING'",
"'MESSAGE_FORWARD_SIZE'", "'MINVALUE'", "'MIRROR'", "'MUST_CHANGE'", "'NATIONAL'",
"'NEGOTIATE'", "'NOCHECK'", "'NOFORMAT'", "'NOINIT'", "'NONCLUSTERED'",
"'NONE'", "'NOREWIND'", "'NOSKIP'", "'NOUNLOAD'", "'NO_CHECKSUM'", "'NO_COMPRESSION'",
"'NO_EVENT_LOSS'", null, "'NOTIFICATION'", "'NTLM'", null, "'NULLIF'",
"'OF'", "'OFF'", "'OFFSETS'", "'OLD_PASSWORD'", null, "'ON_FAILURE'",
"'OPEN'", "'OPENDATASOURCE'", "'OPENQUERY'", "'OPENROWSET'", "'OPENXML'",
"'OPTION'", null, null, null, "'OVER'", "'PAGE'", "'PARAM_NODE'", "'PARTIAL'",
"'PASSWORD'", "'PERCENT'", "'PERMISSION_SET'", "'PER_CPU'", "'PER_DB'",
"'PER_NODE'", "'PIVOT'", "'PLAN'", "'PLATFORM'", "'POLICY'", "'PRECISION'",
"'PREDICATE'", "'PRIMARY'", "'PRINT'", "'PROC'", "'PROCEDURE'", "'PROCESS'",
"'PUBLIC'", "'PYTHON'", "'R'", "'RAISERROR'", "'RAW'", "'READ'", "'READTEXT'",
"'READ_WRITE_FILEGROUPS'", "'RECONFIGURE'", "'REFERENCES'", "'REGENERATE'",
"'RELATED_CONVERSATION'", "'RELATED_CONVERSATION_GROUP'", "'REPLICATION'",
"'REQUIRED'", "'RESET'", "'RESTART'", "'RESTORE'", "'RESTRICT'", "'RESUME'",
"'RETAINDAYS'", "'RETURN'", "'RETURNS'", "'REVERT'", "'REVOKE'", "'REWIND'",
"'RIGHT'", "'ROLLBACK'", "'ROLE'", "'ROWCOUNT'", "'ROWGUIDCOL'", "'RSA_512'",
"'RSA_1024'", "'RSA_2048'", "'RSA_3072'", "'RSA_4096'", "'SAFETY'", "'RULE'",
"'SAFE'", "'SAVE'", "'SCHEDULER'", "'SCHEMA'", "'SCHEME'", "'SECURITY'",
"'SECURITYAUDIT'", "'SELECT'", "'SEMANTICKEYPHRASETABLE'", "'SEMANTICSIMILARITYDETAILSTABLE'",
"'SEMANTICSIMILARITYTABLE'", "'SEQUENCE'", "'SERVER'", "'SERVICE'", "'SERVICE_BROKER'",
"'SERVICE_NAME'", "'SESSION'", "'SESSION_USER'", "'SET'", "'SETUSER'",
"'SHUTDOWN'", "'SID'", "'SKIP'", "'SOFTNUMA'", "'SOME'", "'SOURCE'", "'SPECIFICATION'",
"'SPLIT'", "'SQLDUMPERFLAGS'", "'SQLDUMPERPATH'", "'SQLDUMPERTIMEOUTS'",
"'STATISTICS'", "'STATE'", "'STATS'", "'START'", "'STARTED'", "'STARTUP_STATE'",
"'STOP'", "'STOPPED'", "'STOP_ON_ERROR'", "'SUPPORTED'", "'SYSTEM'", "'SYSTEM_USER'",
"'TABLE'", "'TABLESAMPLE'", "'TAPE'", "'TARGET'", "'TCP'", "'TEXTSIZE'",
"'THEN'", "'TO'", null, "'TRACK_CAUSALITY'", "'TRAN'", "'TRANSACTION'",
"'TRANSFER'", "'TRIGGER'", "'TRUNCATE'", "'TSEQUAL'", "'UNCHECKED'", "'UNION'",
"'UNIQUE'", "'UNLOCK'", "'UNPIVOT'", "'UNSAFE'", "'UPDATE'", "'UPDATETEXT'",
"'URL'", "'USE'", "'USED'", "'USER'", "'VALUES'", "'VARYING'", "'VERBOSELOGGING'",
"'VIEW'", "'VISIBILITY'", "'WAITFOR'", "'WHEN'", "'WHERE'", "'WHILE'",
"'WINDOWS'", "'WITH'", "'WITHIN'", "'WITHOUT'", "'WITNESS'", "'WRITETEXT'",
"'ABSOLUTE'", "'ACCENT_SENSITIVITY'", "'ACTION'", "'ACTIVATION'", "'ACTIVE'",
"'ADDRESS'", "'AES_128'", "'AES_192'", "'AES_256'", "'AFFINITY'", "'AFTER'",
"'AGGREGATE'", "'ALGORITHM'", "'ALLOW_ENCRYPTED_VALUE_MODIFICATIONS'",
"'ALLOW_SNAPSHOT_ISOLATION'", "'ALLOWED'", "'ANSI_NULL_DEFAULT'", "'ANSI_NULLS'",
"'ANSI_PADDING'", "'ANSI_WARNINGS'", "'APPLICATION_LOG'", "'APPLY'", "'ARITHABORT'",
"'ASSEMBLY'", "'AUDIT'", "'AUDIT_GUID'", "'AUTO'", "'AUTO_CLEANUP'", "'AUTO_CLOSE'",
"'AUTO_CREATE_STATISTICS'", "'AUTO_SHRINK'", "'AUTO_UPDATE_STATISTICS'",
"'AUTO_UPDATE_STATISTICS_ASYNC'", "'AVAILABILITY'", "'AVG'", "'BACKUP_PRIORITY'",
"'BEGIN_DIALOG'", "'BIGINT'", "'BINARY BASE64'", "'BINARY_CHECKSUM'",
"'BINDING'", "'BLOB_STORAGE'", "'BROKER'", "'BROKER_INSTANCE'", "'BULK_LOGGED'",
"'CALLER'", "'CAP_CPU_PERCENT'", null, "'CATALOG'", "'CATCH'", "'CHANGE_RETENTION'",
"'CHANGE_TRACKING'", "'CHECKSUM'", "'CHECKSUM_AGG'", "'CLEANUP'", "'COLLECTION'",
"'COLUMN_MASTER_KEY'", "'COMMITTED'", "'COMPATIBILITY_LEVEL'", "'CONCAT'",
"'CONCAT_NULL_YIELDS_NULL'", "'CONTENT'", "'CONTROL'", "'COOKIE'", null,
"'COUNT_BIG'", "'COUNTER'", "'CPU'", "'CREATE_NEW'", "'CREATION_DISPOSITION'",
"'CREDENTIAL'", "'CRYPTOGRAPHIC'", "'CURSOR_CLOSE_ON_COMMIT'", "'CURSOR_DEFAULT'",
"'DATE_CORRELATION_OPTIMIZATION'", "'DATEADD'", "'DATEDIFF'", "'DATENAME'",
"'DATEPART'", "'DAYS'", "'DB_CHAINING'", "'DB_FAILOVER'", "'DECRYPTION'",
null, "'DEFAULT_FULLTEXT_LANGUAGE'", "'DEFAULT_LANGUAGE'", "'DELAY'",
"'DELAYED_DURABILITY'", "'DELETED'", "'DENSE_RANK'", "'DEPENDENTS'", "'DES'",
"'DESCRIPTION'", "'DESX'", "'DHCP'", "'DIALOG'", "'DIRECTORY_NAME'", "'DISABLE'",
"'DISABLE_BROKER'", "'DISABLED'", null, "'DOCUMENT'", "'DYNAMIC'", "'ELEMENTS'",
"'EMERGENCY'", "'EMPTY'", "'ENABLE'", "'ENABLE_BROKER'", "'ENCRYPTED_VALUE'",
"'ENCRYPTION'", "'ENDPOINT_URL'", "'ERROR_BROKER_CONVERSATIONS'", "'EXCLUSIVE'",
"'EXECUTABLE'", "'EXIST'", "'EXPAND'", "'EXPIRY_DATE'", "'EXPLICIT'",
"'FAIL_OPERATION'", "'FAILOVER_MODE'", "'FAILURE'", "'FAILURE_CONDITION_LEVEL'",
"'FAST'", "'FAST_FORWARD'", "'FILEGROUP'", "'FILEGROWTH'", "'FILEPATH'",
"'FILESTREAM'", "'FILTER'", null, "'FIRST_VALUE'", "'FOLLOWING'", "'FORCE'",
"'FORCE_FAILOVER_ALLOW_DATA_LOSS'", "'FORCED'", "'FORMAT'", "'FORWARD_ONLY'",
"'FULLSCAN'", "'FULLTEXT'", "'GB'", "'GETDATE'", "'GETUTCDATE'", "'GLOBAL'",
"'GO'", "'GROUP_MAX_REQUESTS'", "'GROUPING'", "'GROUPING_ID'", "'HADR'",
"'HASH'", "'HEALTH_CHECK_TIMEOUT'", "'HIGH'", "'HONOR_BROKER_PRIORITY'",
"'HOURS'", "'IDENTITY_VALUE'", "'IGNORE_NONCLUSTERED_COLUMNSTORE_INDEX'",
"'IMMEDIATE'", "'IMPERSONATE'", "'IMPORTANCE'", "'INCLUDE_NULL_VALUES'",
"'INCREMENTAL'", "'INITIATOR'", "'INPUT'", "'INSENSITIVE'", "'INSERTED'",
"'INT'", "'IP'", "'ISOLATION'", "'JSON'", "'KB'", "'KEEP'", "'KEEPFIXED'",
"'KEY_SOURCE'", "'KEYS'", "'KEYSET'", "'LAG'", "'LAST'", "'LAST_VALUE'",
"'LEAD'", "'LEVEL'", "'LIST'", "'LISTENER'", "'LISTENER_URL'", "'LOB_COMPACTION'",
"'LOCAL'", "'LOCATION'", "'LOCK'", "'LOCK_ESCALATION'", "'LOGIN'", "'LOOP'",
"'LOW'", "'MANUAL'", "'MARK'", "'MATERIALIZED'", null, "'MAX_CPU_PERCENT'",
"'MAX_DOP'", "'MAX_FILES'", "'MAX_IOPS_PER_VOLUME'", "'MAX_MEMORY_PERCENT'",
"'MAX_PROCESSES'", "'MAX_QUEUE_READERS'", "'MAX_ROLLOVER_FILES'", "'MAXDOP'",
"'MAXRECURSION'", "'MAXSIZE'", "'MB'", "'MEDIUM'", "'MEMORY_OPTIMIZED_DATA'",
"'MESSAGE'", null, "'MIN_ACTIVE_ROWVERSION'", "'MIN_CPU_PERCENT'", "'MIN_IOPS_PER_VOLUME'",
"'MIN_MEMORY_PERCENT'", "'MINUTES'", "'MIRROR_ADDRESS'", "'MIXED_PAGE_ALLOCATION'",
"'MODE'", "'MODIFY'", "'MOVE'", "'MULTI_USER'", "'NAME'", "'NESTED_TRIGGERS'",
"'NEW_ACCOUNT'", "'NEW_BROKER'", "'NEW_PASSWORD'", "'NEXT'", "'NO'", "'NO_TRUNCATE'",
"'NO_WAIT'", "'NOCOUNT'", "'NODES'", "'NOEXPAND'", "'NON_TRANSACTED_ACCESS'",
"'NORECOMPUTE'", "'NORECOVERY'", "'NOWAIT'", "'NTILE'", "'NUMANODE'",
"'NUMBER'", "'NUMERIC_ROUNDABORT'", "'OBJECT'", "'OFFLINE'", "'OFFSET'",
"'OLD_ACCOUNT'", "'ONLINE'", "'ONLY'", "'OPEN_EXISTING'", "'OPTIMISTIC'",
"'OPTIMIZE'", "'OUT'", "'OUTPUT'", "'OWNER'", "'PAGE_VERIFY'", "'PARAMETERIZATION'",
"'PARTITION'", "'PARTITIONS'", "'PARTNER'", "'PATH'", "'POISON_MESSAGE_HANDLING'",
"'POOL'", "'PORT'", "'PRECEDING'", "'PRIMARY_ROLE'", "'PRIOR'", "'PRIORITY'",
"'PRIORITY_LEVEL'", "'PRIVATE'", "'PRIVATE_KEY'", "'PRIVILEGES'", "'PROCEDURE_NAME'",
"'PROPERTY'", "'PROVIDER'", "'PROVIDER_KEY_NAME'", "'QUERY'", "'QUEUE'",
"'QUEUE_DELAY'", "'QUOTED_IDENTIFIER'", "'RANGE'", "'RANK'", "'RC2'",
"'RC4'", "'RC4_128'", "'READ_COMMITTED_SNAPSHOT'", "'READ_ONLY'", "'READ_ONLY_ROUTING_LIST'",
"'READ_WRITE'", "'READONLY'", "'REBUILD'", "'RECEIVE'", "'RECOMPILE'",
"'RECOVERY'", "'RECURSIVE_TRIGGERS'", "'RELATIVE'", "'REMOTE'", "'REMOTE_SERVICE_NAME'",
"'REMOVE'", "'REORGANIZE'", "'REPEATABLE'", "'REPLICA'", "'REQUEST_MAX_CPU_TIME_SEC'",
"'REQUEST_MAX_MEMORY_GRANT_PERCENT'", "'REQUEST_MEMORY_GRANT_TIMEOUT_SEC'",
"'REQUIRED_SYNCHRONIZED_SECONDARIES_TO_COMMIT'", "'RESERVE_DISK_SPACE'",
"'RESOURCE'", "'RESOURCE_MANAGER_LOCATION'", "'RESTRICTED_USER'", "'RETENTION'",
"'ROBUST'", "'ROOT'", "'ROUTE'", "'ROW'", "'ROW_NUMBER'", "'ROWGUID'",
"'ROWS'", "'SAMPLE'", "'SCHEMABINDING'", "'SCOPED'", "'SCROLL'", "'SCROLL_LOCKS'",
"'SEARCH'", "'SECONDARY'", "'SECONDARY_ONLY'", "'SECONDARY_ROLE'", "'SECONDS'",
"'SECRET'", "'SECURITY_LOG'", "'SEEDING_MODE'", "'SELF'", "'SEMI_SENSITIVE'",
"'SEND'", "'SENT'", "'SERIALIZABLE'", "'SESSION_TIMEOUT'", "'SETERROR'",
"'SHARE'", "'SHOWPLAN'", "'SIGNATURE'", "'SIMPLE'", "'SINGLE_USER'", "'SIZE'",
"'SMALLINT'", "'SNAPSHOT'", "'SPATIAL_WINDOW_MAX_CELLS'", "'STANDBY'",
"'START_DATE'", "'STATIC'", "'STATS_STREAM'", "'STATUS'", "'STDEV'", "'STDEVP'",
"'STOPLIST'", "'STUFF'", "'SUBJECT'", "'SUM'", "'SUSPEND'", "'SYMMETRIC'",
"'SYNCHRONOUS_COMMIT'", "'SYNONYM'", "'TAKE'", "'TARGET_RECOVERY_TIME'",
"'TB'", "'TEXTIMAGE_ON'", "'THROW'", "'TIES'", "'TIME'", "'TIMEOUT'",
"'TIMER'", "'TINYINT'", "'TORN_PAGE_DETECTION'", "'TRANSFORM_NOISE_WORDS'",
"'TRIPLE_DES'", "'TRIPLE_DES_3KEY'", "'TRUSTWORTHY'", "'TRY'", "'TSQL'",
"'TWO_DIGIT_YEAR_CUTOFF'", "'TYPE'", "'TYPE_WARNING'", "'UNBOUNDED'",
"'UNCOMMITTED'", "'UNKNOWN'", "'UNLIMITED'", "'USING'", "'VALID_XML'",
"'VALIDATION'", "'VALUE'", "'VAR'", "'VARP'", "'VIEW_METADATA'", "'VIEWS'",
"'WAIT'", "'WELL_FORMED_XML'", "'WITHOUT_ARRAY_WRAPPER'", "'WORK'", "'WORKLOAD'",
"'XML'", "'XMLDATA'", "'XMLNAMESPACES'", "'XMLSCHEMA'", "'XSINIL'", "'$ACTION'",
null, null, null, null, "'''", null, null, null, null, null, null, null,
null, null, null, "'='", "'>'", "'<'", "'!'", "'+='", "'-='", "'*='",
"'/='", "'%='", "'&='", "'^='", "'|='", "'||'", "'.'", "'_'", "'@'", "'#'",
"'$'", "'('", "')'", "','", "';'", "':'", "'*'", "'/'", "'%'", "'+'",
"'-'", "'~'", "'|'", "'&'", "'^'"
};
private static final String[] _SYMBOLIC_NAMES = {
null, "ABSENT", "ADD", "AES", "ALL", "ALLOW_CONNECTIONS", "ALLOW_MULTIPLE_EVENT_LOSS",
"ALLOW_SINGLE_EVENT_LOSS", "ALTER", "AND", "ANONYMOUS", "ANY", "APPEND",
"APPLICATION", "AS", "ASC", "ASYMMETRIC", "ASYNCHRONOUS_COMMIT", "AUTHORIZATION",
"AUTHENTICATION", "AUTOMATED_BACKUP_PREFERENCE", "AUTOMATIC", "AVAILABILITY_MODE",
"BACKSLASH", "BACKUP", "BEFORE", "BEGIN", "BETWEEN", "BLOCK", "BLOCKSIZE",
"BLOCKING_HIERARCHY", "BREAK", "BROWSE", "BUFFER", "BUFFERCOUNT", "BULK",
"BY", "CACHE", "CALLED", "CASCADE", "CASE", "CERTIFICATE", "CHANGETABLE",
"CHANGES", "CHECK", "CHECKPOINT", "CHECK_POLICY", "CHECK_EXPIRATION",
"CLASSIFIER_FUNCTION", "CLOSE", "CLUSTER", "CLUSTERED", "COALESCE", "COLLATE",
"COLUMN", "COMPRESSION", "COMMIT", "COMPUTE", "CONFIGURATION", "CONSTRAINT",
"CONTAINMENT", "CONTAINS", "CONTAINSTABLE", "CONTEXT", "CONTINUE", "CONTINUE_AFTER_ERROR",
"CONTRACT", "CONTRACT_NAME", "CONVERSATION", "CONVERT", "COPY_ONLY", "CREATE",
"CROSS", "CURRENT", "CURRENT_DATE", "CURRENT_TIME", "CURRENT_TIMESTAMP",
"CURRENT_USER", "CURSOR", "CYCLE", "DATA", "DATA_COMPRESSION", "DATA_SOURCE",
"DATABASE", "DATABASE_MIRRORING", "DBCC", "DEALLOCATE", "DECLARE", "DEFAULT",
"DEFAULT_DATABASE", "DEFAULT_SCHEMA", "DELETE", "DENY", "DESC", "DIAGNOSTICS",
"DIFFERENTIAL", "DISK", "DISTINCT", "DISTRIBUTED", "DOUBLE", "DOUBLE_BACK_SLASH",
"DOUBLE_FORWARD_SLASH", "DROP", "DTC_SUPPORT", "DUMP", "ELSE", "ENABLED",
"END", "ENDPOINT", "ERRLVL", "ESCAPE", "ERROR", "EVENT", "EVENTDATA",
"EVENT_RETENTION_MODE", "EXCEPT", "EXECUTABLE_FILE", "EXECUTE", "EXISTS",
"EXPIREDATE", "EXIT", "EXTENSION", "EXTERNAL", "EXTERNAL_ACCESS", "FAILOVER",
"FAILURECONDITIONLEVEL", "FAN_IN", "FETCH", "FILE", "FILENAME", "FILLFACTOR",
"FILE_SNAPSHOT", "FOR", "FORCESEEK", "FORCE_SERVICE_ALLOW_DATA_LOSS",
"FOREIGN", "FREETEXT", "FREETEXTTABLE", "FROM", "FULL", "FUNCTION", "GET",
"GOTO", "GOVERNOR", "GRANT", "GROUP", "HAVING", "HASHED", "HEALTHCHECKTIMEOUT",
"IDENTITY", "IDENTITYCOL", "IDENTITY_INSERT", "IF", "IN", "INCLUDE", "INCREMENT",
"INDEX", "INFINITE", "INIT", "INNER", "INSERT", "INSTEAD", "INTERSECT",
"INTO", "IPV4_ADDR", "IPV6_ADDR", "IS", "ISNULL", "JOIN", "KERBEROS",
"KEY", "KEY_PATH", "KEY_STORE_PROVIDER_NAME", "KILL", "LANGUAGE", "LEFT",
"LIBRARY", "LIFETIME", "LIKE", "RLIKE", "LLIKE", "LINENO", "LINUX", "LISTENER_IP",
"LISTENER_PORT", "LOAD", "LOCAL_SERVICE_NAME", "LOG", "MATCHED", "MASTER",
"MAX_MEMORY", "MAXTRANSFER", "MAXVALUE", "MAX_DISPATCH_LATENCY", "MAX_EVENT_SIZE",
"MAX_SIZE", "MAX_OUTSTANDING_IO_PER_VOLUME", "MEDIADESCRIPTION", "MEDIANAME",
"MEMBER", "MEMORY_PARTITION_MODE", "MERGE", "MESSAGE_FORWARDING", "MESSAGE_FORWARD_SIZE",
"MINVALUE", "MIRROR", "MUST_CHANGE", "NATIONAL", "NEGOTIATE", "NOCHECK",
"NOFORMAT", "NOINIT", "NONCLUSTERED", "NONE", "NOREWIND", "NOSKIP", "NOUNLOAD",
"NO_CHECKSUM", "NO_COMPRESSION", "NO_EVENT_LOSS", "NOT", "NOTIFICATION",
"NTLM", "NULL", "NULLIF", "OF", "OFF", "OFFSETS", "OLD_PASSWORD", "ON",
"ON_FAILURE", "OPEN", "OPENDATASOURCE", "OPENQUERY", "OPENROWSET", "OPENXML",
"OPTION", "OR", "ORDER", "OUTER", "OVER", "PAGE", "PARAM_NODE", "PARTIAL",
"PASSWORD", "PERCENT", "PERMISSION_SET", "PER_CPU", "PER_DB", "PER_NODE",
"PIVOT", "PLAN", "PLATFORM", "POLICY", "PRECISION", "PREDICATE", "PRIMARY",
"PRINT", "PROC", "PROCEDURE", "PROCESS", "PUBLIC", "PYTHON", "R", "RAISERROR",
"RAW", "READ", "READTEXT", "READ_WRITE_FILEGROUPS", "RECONFIGURE", "REFERENCES",
"REGENERATE", "RELATED_CONVERSATION", "RELATED_CONVERSATION_GROUP", "REPLICATION",
"REQUIRED", "RESET", "RESTART", "RESTORE", "RESTRICT", "RESUME", "RETAINDAYS",
"RETURN", "RETURNS", "REVERT", "REVOKE", "REWIND", "RIGHT", "ROLLBACK",
"ROLE", "ROWCOUNT", "ROWGUIDCOL", "RSA_512", "RSA_1024", "RSA_2048", "RSA_3072",
"RSA_4096", "SAFETY", "RULE", "SAFE", "SAVE", "SCHEDULER", "SCHEMA", "SCHEME",
"SECURITY", "SECURITYAUDIT", "SELECT", "SEMANTICKEYPHRASETABLE", "SEMANTICSIMILARITYDETAILSTABLE",
"SEMANTICSIMILARITYTABLE", "SEQUENCE", "SERVER", "SERVICE", "SERVICE_BROKER",
"SERVICE_NAME", "SESSION", "SESSION_USER", "SET", "SETUSER", "SHUTDOWN",
"SID", "SKIP_KEYWORD", "SOFTNUMA", "SOME", "SOURCE", "SPECIFICATION",
"SPLIT", "SQLDUMPERFLAGS", "SQLDUMPERPATH", "SQLDUMPERTIMEOUT", "STATISTICS",
"STATE", "STATS", "START", "STARTED", "STARTUP_STATE", "STOP", "STOPPED",
"STOP_ON_ERROR", "SUPPORTED", "SYSTEM", "SYSTEM_USER", "TABLE", "TABLESAMPLE",
"TAPE", "TARGET", "TCP", "TEXTSIZE", "THEN", "TO", "TOP", "TRACK_CAUSALITY",
"TRAN", "TRANSACTION", "TRANSFER", "TRIGGER", "TRUNCATE", "TSEQUAL", "UNCHECKED",
"UNION", "UNIQUE", "UNLOCK", "UNPIVOT", "UNSAFE", "UPDATE", "UPDATETEXT",
"URL", "USE", "USED", "USER", "VALUES", "VARYING", "VERBOSELOGGING", "VIEW",
"VISIBILITY", "WAITFOR", "WHEN", "WHERE", "WHILE", "WINDOWS", "WITH",
"WITHIN", "WITHOUT", "WITNESS", "WRITETEXT", "ABSOLUTE", "ACCENT_SENSITIVITY",
"ACTION", "ACTIVATION", "ACTIVE", "ADDRESS", "AES_128", "AES_192", "AES_256",
"AFFINITY", "AFTER", "AGGREGATE", "ALGORITHM", "ALLOW_ENCRYPTED_VALUE_MODIFICATIONS",
"ALLOW_SNAPSHOT_ISOLATION", "ALLOWED", "ANSI_NULL_DEFAULT", "ANSI_NULLS",
"ANSI_PADDING", "ANSI_WARNINGS", "APPLICATION_LOG", "APPLY", "ARITHABORT",
"ASSEMBLY", "AUDIT", "AUDIT_GUID", "AUTO", "AUTO_CLEANUP", "AUTO_CLOSE",
"AUTO_CREATE_STATISTICS", "AUTO_SHRINK", "AUTO_UPDATE_STATISTICS", "AUTO_UPDATE_STATISTICS_ASYNC",
"AVAILABILITY", "AVG", "BACKUP_PRIORITY", "BEGIN_DIALOG", "BIGINT", "BINARY_BASE64",
"BINARY_CHECKSUM", "BINDING", "BLOB_STORAGE", "BROKER", "BROKER_INSTANCE",
"BULK_LOGGED", "CALLER", "CAP_CPU_PERCENT", "CAST", "CATALOG", "CATCH",
"CHANGE_RETENTION", "CHANGE_TRACKING", "CHECKSUM", "CHECKSUM_AGG", "CLEANUP",
"COLLECTION", "COLUMN_MASTER_KEY", "COMMITTED", "COMPATIBILITY_LEVEL",
"CONCAT", "CONCAT_NULL_YIELDS_NULL", "CONTENT", "CONTROL", "COOKIE", "COUNT",
"COUNT_BIG", "COUNTER", "CPU", "CREATE_NEW", "CREATION_DISPOSITION", "CREDENTIAL",
"CRYPTOGRAPHIC", "CURSOR_CLOSE_ON_COMMIT", "CURSOR_DEFAULT", "DATE_CORRELATION_OPTIMIZATION",
"DATEADD", "DATEDIFF", "DATENAME", "DATEPART", "DAYS", "DB_CHAINING",
"DB_FAILOVER", "DECRYPTION", "DEFAULT_DOUBLE_QUOTE", "DEFAULT_FULLTEXT_LANGUAGE",
"DEFAULT_LANGUAGE", "DELAY", "DELAYED_DURABILITY", "DELETED", "DENSE_RANK",
"DEPENDENTS", "DES", "DESCRIPTION", "DESX", "DHCP", "DIALOG", "DIRECTORY_NAME",
"DISABLE", "DISABLE_BROKER", "DISABLED", "DISK_DRIVE", "DOCUMENT", "DYNAMIC",
"ELEMENTS", "EMERGENCY", "EMPTY", "ENABLE", "ENABLE_BROKER", "ENCRYPTED_VALUE",
"ENCRYPTION", "ENDPOINT_URL", "ERROR_BROKER_CONVERSATIONS", "EXCLUSIVE",
"EXECUTABLE", "EXIST", "EXPAND", "EXPIRY_DATE", "EXPLICIT", "FAIL_OPERATION",
"FAILOVER_MODE", "FAILURE", "FAILURE_CONDITION_LEVEL", "FAST", "FAST_FORWARD",
"FILEGROUP", "FILEGROWTH", "FILEPATH", "FILESTREAM", "FILTER", "FIRST",
"FIRST_VALUE", "FOLLOWING", "FORCE", "FORCE_FAILOVER_ALLOW_DATA_LOSS",
"FORCED", "FORMAT", "FORWARD_ONLY", "FULLSCAN", "FULLTEXT", "GB", "GETDATE",
"GETUTCDATE", "GLOBAL", "GO", "GROUP_MAX_REQUESTS", "GROUPING", "GROUPING_ID",
"HADR", "HASH", "HEALTH_CHECK_TIMEOUT", "HIGH", "HONOR_BROKER_PRIORITY",
"HOURS", "IDENTITY_VALUE", "IGNORE_NONCLUSTERED_COLUMNSTORE_INDEX", "IMMEDIATE",
"IMPERSONATE", "IMPORTANCE", "INCLUDE_NULL_VALUES", "INCREMENTAL", "INITIATOR",
"INPUT", "INSENSITIVE", "INSERTED", "INT", "IP", "ISOLATION", "JSON",
"KB", "KEEP", "KEEPFIXED", "KEY_SOURCE", "KEYS", "KEYSET", "LAG", "LAST",
"LAST_VALUE", "LEAD", "LEVEL", "LIST", "LISTENER", "LISTENER_URL", "LOB_COMPACTION",
"LOCAL", "LOCATION", "LOCK", "LOCK_ESCALATION", "LOGIN", "LOOP", "LOW",
"MANUAL", "MARK", "MATERIALIZED", "MAX", "MAX_CPU_PERCENT", "MAX_DOP",
"MAX_FILES", "MAX_IOPS_PER_VOLUME", "MAX_MEMORY_PERCENT", "MAX_PROCESSES",
"MAX_QUEUE_READERS", "MAX_ROLLOVER_FILES", "MAXDOP", "MAXRECURSION", "MAXSIZE",
"MB", "MEDIUM", "MEMORY_OPTIMIZED_DATA", "MESSAGE", "MIN", "MIN_ACTIVE_ROWVERSION",
"MIN_CPU_PERCENT", "MIN_IOPS_PER_VOLUME", "MIN_MEMORY_PERCENT", "MINUTES",
"MIRROR_ADDRESS", "MIXED_PAGE_ALLOCATION", "MODE", "MODIFY", "MOVE", "MULTI_USER",
"NAME", "NESTED_TRIGGERS", "NEW_ACCOUNT", "NEW_BROKER", "NEW_PASSWORD",
"NEXT", "NO", "NO_TRUNCATE", "NO_WAIT", "NOCOUNT", "NODES", "NOEXPAND",
"NON_TRANSACTED_ACCESS", "NORECOMPUTE", "NORECOVERY", "NOWAIT", "NTILE",
"NUMANODE", "NUMBER", "NUMERIC_ROUNDABORT", "OBJECT", "OFFLINE", "OFFSET",
"OLD_ACCOUNT", "ONLINE", "ONLY", "OPEN_EXISTING", "OPTIMISTIC", "OPTIMIZE",
"OUT", "OUTPUT", "OWNER", "PAGE_VERIFY", "PARAMETERIZATION", "PARTITION",
"PARTITIONS", "PARTNER", "PATH", "POISON_MESSAGE_HANDLING", "POOL", "PORT",
"PRECEDING", "PRIMARY_ROLE", "PRIOR", "PRIORITY", "PRIORITY_LEVEL", "PRIVATE",
"PRIVATE_KEY", "PRIVILEGES", "PROCEDURE_NAME", "PROPERTY", "PROVIDER",
"PROVIDER_KEY_NAME", "QUERY", "QUEUE", "QUEUE_DELAY", "QUOTED_IDENTIFIER",
"RANGE", "RANK", "RC2", "RC4", "RC4_128", "READ_COMMITTED_SNAPSHOT", "READ_ONLY",
"READ_ONLY_ROUTING_LIST", "READ_WRITE", "READONLY", "REBUILD", "RECEIVE",
"RECOMPILE", "RECOVERY", "RECURSIVE_TRIGGERS", "RELATIVE", "REMOTE", "REMOTE_SERVICE_NAME",
"REMOVE", "REORGANIZE", "REPEATABLE", "REPLICA", "REQUEST_MAX_CPU_TIME_SEC",
"REQUEST_MAX_MEMORY_GRANT_PERCENT", "REQUEST_MEMORY_GRANT_TIMEOUT_SEC",
"REQUIRED_SYNCHRONIZED_SECONDARIES_TO_COMMIT", "RESERVE_DISK_SPACE", "RESOURCE",
"RESOURCE_MANAGER_LOCATION", "RESTRICTED_USER", "RETENTION", "ROBUST",
"ROOT", "ROUTE", "ROW", "ROW_NUMBER", "ROWGUID", "ROWS", "SAMPLE", "SCHEMABINDING",
"SCOPED", "SCROLL", "SCROLL_LOCKS", "SEARCH", "SECONDARY", "SECONDARY_ONLY",
"SECONDARY_ROLE", "SECONDS", "SECRET", "SECURITY_LOG", "SEEDING_MODE",
"SELF", "SEMI_SENSITIVE", "SEND", "SENT", "SERIALIZABLE", "SESSION_TIMEOUT",
"SETERROR", "SHARE", "SHOWPLAN", "SIGNATURE", "SIMPLE", "SINGLE_USER",
"SIZE", "SMALLINT", "SNAPSHOT", "SPATIAL_WINDOW_MAX_CELLS", "STANDBY",
"START_DATE", "STATIC", "STATS_STREAM", "STATUS", "STDEV", "STDEVP", "STOPLIST",
"STUFF", "SUBJECT", "SUM", "SUSPEND", "SYMMETRIC", "SYNCHRONOUS_COMMIT",
"SYNONYM", "TAKE", "TARGET_RECOVERY_TIME", "TB", "TEXTIMAGE_ON", "THROW",
"TIES", "TIME", "TIMEOUT", "TIMER", "TINYINT", "TORN_PAGE_DETECTION",
"TRANSFORM_NOISE_WORDS", "TRIPLE_DES", "TRIPLE_DES_3KEY", "TRUSTWORTHY",
"TRY", "TSQL", "TWO_DIGIT_YEAR_CUTOFF", "TYPE", "TYPE_WARNING", "UNBOUNDED",
"UNCOMMITTED", "UNKNOWN", "UNLIMITED", "USING", "VALID_XML", "VALIDATION",
"VALUE", "VAR", "VARP", "VIEW_METADATA", "VIEWS", "WAIT", "WELL_FORMED_XML",
"WITHOUT_ARRAY_WRAPPER", "WORK", "WORKLOAD", "XML", "XMLDATA", "XMLNAMESPACES",
"XMLSCHEMA", "XSINIL", "DOLLAR_ACTION", "SPACE", "COMMENT", "LINE_COMMENT",
"DOUBLE_QUOTE_ID", "SINGLE_QUOTE", "SQUARE_BRACKET_ID", "LOCAL_ID", "DECIMAL",
"ID", "QUOTED_URL", "QUOTED_HOST_AND_PORT", "STRING", "BINARY", "FLOAT",
"REAL", "EQUAL", "GREATER", "LESS", "EXCLAMATION", "PLUS_ASSIGN", "MINUS_ASSIGN",
"MULT_ASSIGN", "DIV_ASSIGN", "MOD_ASSIGN", "AND_ASSIGN", "XOR_ASSIGN",
"OR_ASSIGN", "DOUBLE_BAR", "DOT", "UNDERLINE", "AT", "SHARP", "DOLLAR",
"LR_BRACKET", "RR_BRACKET", "COMMA", "SEMI", "COLON", "STAR", "DIVIDE",
"MODULE", "PLUS", "MINUS", "BIT_NOT", "BIT_OR", "BIT_AND", "BIT_XOR",
"IPV4_OCTECT"
};
public static final Vocabulary VOCABULARY = new VocabularyImpl(_LITERAL_NAMES, _SYMBOLIC_NAMES);
/**
* @deprecated Use {@link #VOCABULARY} instead.
*/
@Deprecated
public static final String[] tokenNames;
static {
tokenNames = new String[_SYMBOLIC_NAMES.length];
for (int i = 0; i < tokenNames.length; i++) {
tokenNames[i] = VOCABULARY.getLiteralName(i);
if (tokenNames[i] == null) {
tokenNames[i] = VOCABULARY.getSymbolicName(i);
}
if (tokenNames[i] == null) {
tokenNames[i] = "<INVALID>";
}
}
}
@Override
@Deprecated
public String[] getTokenNames() {
return tokenNames;
}
@Override
public Vocabulary getVocabulary() {
return VOCABULARY;
}
public TSqlLexer(CharStream input) {
super(input);
_interp = new LexerATNSimulator(this,_ATN,_decisionToDFA,_sharedContextCache);
}
@Override
public String getGrammarFileName() { return "TSqlLexer.g4"; }
@Override
public String[] getRuleNames() { return ruleNames; }
@Override
public String getSerializedATN() { return _serializedATN; }
@Override
public String[] getChannelNames() { return channelNames; }
@Override
public String[] getModeNames() { return modeNames; }
@Override
public ATN getATN() { return _ATN; }
private static final int _serializedATNSegments = 4;
private static final String _serializedATNSegment0 =
"\3\u608b\ua72a\u8133\ub9ed\u417c\u3be7\u7786\u5964\2\u0345\u27e0\b\1\4"+
"\2\t\2\4\3\t\3\4\4\t\4\4\5\t\5\4\6\t\6\4\7\t\7\4\b\t\b\4\t\t\t\4\n\t\n"+
"\4\13\t\13\4\f\t\f\4\r\t\r\4\16\t\16\4\17\t\17\4\20\t\20\4\21\t\21\4\22"+
"\t\22\4\23\t\23\4\24\t\24\4\25\t\25\4\26\t\26\4\27\t\27\4\30\t\30\4\31"+
"\t\31\4\32\t\32\4\33\t\33\4\34\t\34\4\35\t\35\4\36\t\36\4\37\t\37\4 \t"+
" \4!\t!\4\"\t\"\4#\t#\4$\t$\4%\t%\4&\t&\4\'\t\'\4(\t(\4)\t)\4*\t*\4+\t"+
"+\4,\t,\4-\t-\4.\t.\4/\t/\4\60\t\60\4\61\t\61\4\62\t\62\4\63\t\63\4\64"+
"\t\64\4\65\t\65\4\66\t\66\4\67\t\67\48\t8\49\t9\4:\t:\4;\t;\4<\t<\4=\t"+
"=\4>\t>\4?\t?\4@\t@\4A\tA\4B\tB\4C\tC\4D\tD\4E\tE\4F\tF\4G\tG\4H\tH\4"+
"I\tI\4J\tJ\4K\tK\4L\tL\4M\tM\4N\tN\4O\tO\4P\tP\4Q\tQ\4R\tR\4S\tS\4T\t"+
"T\4U\tU\4V\tV\4W\tW\4X\tX\4Y\tY\4Z\tZ\4[\t[\4\\\t\\\4]\t]\4^\t^\4_\t_"+
"\4`\t`\4a\ta\4b\tb\4c\tc\4d\td\4e\te\4f\tf\4g\tg\4h\th\4i\ti\4j\tj\4k"+
"\tk\4l\tl\4m\tm\4n\tn\4o\to\4p\tp\4q\tq\4r\tr\4s\ts\4t\tt\4u\tu\4v\tv"+
"\4w\tw\4x\tx\4y\ty\4z\tz\4{\t{\4|\t|\4}\t}\4~\t~\4\177\t\177\4\u0080\t"+
"\u0080\4\u0081\t\u0081\4\u0082\t\u0082\4\u0083\t\u0083\4\u0084\t\u0084"+
"\4\u0085\t\u0085\4\u0086\t\u0086\4\u0087\t\u0087\4\u0088\t\u0088\4\u0089"+
"\t\u0089\4\u008a\t\u008a\4\u008b\t\u008b\4\u008c\t\u008c\4\u008d\t\u008d"+
"\4\u008e\t\u008e\4\u008f\t\u008f\4\u0090\t\u0090\4\u0091\t\u0091\4\u0092"+
"\t\u0092\4\u0093\t\u0093\4\u0094\t\u0094\4\u0095\t\u0095\4\u0096\t\u0096"+
"\4\u0097\t\u0097\4\u0098\t\u0098\4\u0099\t\u0099\4\u009a\t\u009a\4\u009b"+
"\t\u009b\4\u009c\t\u009c\4\u009d\t\u009d\4\u009e\t\u009e\4\u009f\t\u009f"+
"\4\u00a0\t\u00a0\4\u00a1\t\u00a1\4\u00a2\t\u00a2\4\u00a3\t\u00a3\4\u00a4"+
"\t\u00a4\4\u00a5\t\u00a5\4\u00a6\t\u00a6\4\u00a7\t\u00a7\4\u00a8\t\u00a8"+
"\4\u00a9\t\u00a9\4\u00aa\t\u00aa\4\u00ab\t\u00ab\4\u00ac\t\u00ac\4\u00ad"+
"\t\u00ad\4\u00ae\t\u00ae\4\u00af\t\u00af\4\u00b0\t\u00b0\4\u00b1\t\u00b1"+
"\4\u00b2\t\u00b2\4\u00b3\t\u00b3\4\u00b4\t\u00b4\4\u00b5\t\u00b5\4\u00b6"+
"\t\u00b6\4\u00b7\t\u00b7\4\u00b8\t\u00b8\4\u00b9\t\u00b9\4\u00ba\t\u00ba"+
"\4\u00bb\t\u00bb\4\u00bc\t\u00bc\4\u00bd\t\u00bd\4\u00be\t\u00be\4\u00bf"+
"\t\u00bf\4\u00c0\t\u00c0\4\u00c1\t\u00c1\4\u00c2\t\u00c2\4\u00c3\t\u00c3"+
"\4\u00c4\t\u00c4\4\u00c5\t\u00c5\4\u00c6\t\u00c6\4\u00c7\t\u00c7\4\u00c8"+
"\t\u00c8\4\u00c9\t\u00c9\4\u00ca\t\u00ca\4\u00cb\t\u00cb\4\u00cc\t\u00cc"+
"\4\u00cd\t\u00cd\4\u00ce\t\u00ce\4\u00cf\t\u00cf\4\u00d0\t\u00d0\4\u00d1"+
"\t\u00d1\4\u00d2\t\u00d2\4\u00d3\t\u00d3\4\u00d4\t\u00d4\4\u00d5\t\u00d5"+
"\4\u00d6\t\u00d6\4\u00d7\t\u00d7\4\u00d8\t\u00d8\4\u00d9\t\u00d9\4\u00da"+
"\t\u00da\4\u00db\t\u00db\4\u00dc\t\u00dc\4\u00dd\t\u00dd\4\u00de\t\u00de"+
"\4\u00df\t\u00df\4\u00e0\t\u00e0\4\u00e1\t\u00e1\4\u00e2\t\u00e2\4\u00e3"+
"\t\u00e3\4\u00e4\t\u00e4\4\u00e5\t\u00e5\4\u00e6\t\u00e6\4\u00e7\t\u00e7"+
"\4\u00e8\t\u00e8\4\u00e9\t\u00e9\4\u00ea\t\u00ea\4\u00eb\t\u00eb\4\u00ec"+
"\t\u00ec\4\u00ed\t\u00ed\4\u00ee\t\u00ee\4\u00ef\t\u00ef\4\u00f0\t\u00f0"+
"\4\u00f1\t\u00f1\4\u00f2\t\u00f2\4\u00f3\t\u00f3\4\u00f4\t\u00f4\4\u00f5"+
"\t\u00f5\4\u00f6\t\u00f6\4\u00f7\t\u00f7\4\u00f8\t\u00f8\4\u00f9\t\u00f9"+
"\4\u00fa\t\u00fa\4\u00fb\t\u00fb\4\u00fc\t\u00fc\4\u00fd\t\u00fd\4\u00fe"+
"\t\u00fe\4\u00ff\t\u00ff\4\u0100\t\u0100\4\u0101\t\u0101\4\u0102\t\u0102"+
"\4\u0103\t\u0103\4\u0104\t\u0104\4\u0105\t\u0105\4\u0106\t\u0106\4\u0107"+
"\t\u0107\4\u0108\t\u0108\4\u0109\t\u0109\4\u010a\t\u010a\4\u010b\t\u010b"+
"\4\u010c\t\u010c\4\u010d\t\u010d\4\u010e\t\u010e\4\u010f\t\u010f\4\u0110"+
"\t\u0110\4\u0111\t\u0111\4\u0112\t\u0112\4\u0113\t\u0113\4\u0114\t\u0114"+
"\4\u0115\t\u0115\4\u0116\t\u0116\4\u0117\t\u0117\4\u0118\t\u0118\4\u0119"+
"\t\u0119\4\u011a\t\u011a\4\u011b\t\u011b\4\u011c\t\u011c\4\u011d\t\u011d"+
"\4\u011e\t\u011e\4\u011f\t\u011f\4\u0120\t\u0120\4\u0121\t\u0121\4\u0122"+
"\t\u0122\4\u0123\t\u0123\4\u0124\t\u0124\4\u0125\t\u0125\4\u0126\t\u0126"+
"\4\u0127\t\u0127\4\u0128\t\u0128\4\u0129\t\u0129\4\u012a\t\u012a\4\u012b"+
"\t\u012b\4\u012c\t\u012c\4\u012d\t\u012d\4\u012e\t\u012e\4\u012f\t\u012f"+
"\4\u0130\t\u0130\4\u0131\t\u0131\4\u0132\t\u0132\4\u0133\t\u0133\4\u0134"+
"\t\u0134\4\u0135\t\u0135\4\u0136\t\u0136\4\u0137\t\u0137\4\u0138\t\u0138"+
"\4\u0139\t\u0139\4\u013a\t\u013a\4\u013b\t\u013b\4\u013c\t\u013c\4\u013d"+
"\t\u013d\4\u013e\t\u013e\4\u013f\t\u013f\4\u0140\t\u0140\4\u0141\t\u0141"+
"\4\u0142\t\u0142\4\u0143\t\u0143\4\u0144\t\u0144\4\u0145\t\u0145\4\u0146"+
"\t\u0146\4\u0147\t\u0147\4\u0148\t\u0148\4\u0149\t\u0149\4\u014a\t\u014a"+
"\4\u014b\t\u014b\4\u014c\t\u014c\4\u014d\t\u014d\4\u014e\t\u014e\4\u014f"+
"\t\u014f\4\u0150\t\u0150\4\u0151\t\u0151\4\u0152\t\u0152\4\u0153\t\u0153"+
"\4\u0154\t\u0154\4\u0155\t\u0155\4\u0156\t\u0156\4\u0157\t\u0157\4\u0158"+
"\t\u0158\4\u0159\t\u0159\4\u015a\t\u015a\4\u015b\t\u015b\4\u015c\t\u015c"+
"\4\u015d\t\u015d\4\u015e\t\u015e\4\u015f\t\u015f\4\u0160\t\u0160\4\u0161"+
"\t\u0161\4\u0162\t\u0162\4\u0163\t\u0163\4\u0164\t\u0164\4\u0165\t\u0165"+
"\4\u0166\t\u0166\4\u0167\t\u0167\4\u0168\t\u0168\4\u0169\t\u0169\4\u016a"+
"\t\u016a\4\u016b\t\u016b\4\u016c\t\u016c\4\u016d\t\u016d\4\u016e\t\u016e"+
"\4\u016f\t\u016f\4\u0170\t\u0170\4\u0171\t\u0171\4\u0172\t\u0172\4\u0173"+
"\t\u0173\4\u0174\t\u0174\4\u0175\t\u0175\4\u0176\t\u0176\4\u0177\t\u0177"+
"\4\u0178\t\u0178\4\u0179\t\u0179\4\u017a\t\u017a\4\u017b\t\u017b\4\u017c"+
"\t\u017c\4\u017d\t\u017d\4\u017e\t\u017e\4\u017f\t\u017f\4\u0180\t\u0180"+
"\4\u0181\t\u0181\4\u0182\t\u0182\4\u0183\t\u0183\4\u0184\t\u0184\4\u0185"+
"\t\u0185\4\u0186\t\u0186\4\u0187\t\u0187\4\u0188\t\u0188\4\u0189\t\u0189"+
"\4\u018a\t\u018a\4\u018b\t\u018b\4\u018c\t\u018c\4\u018d\t\u018d\4\u018e"+
"\t\u018e\4\u018f\t\u018f\4\u0190\t\u0190\4\u0191\t\u0191\4\u0192\t\u0192"+
"\4\u0193\t\u0193\4\u0194\t\u0194\4\u0195\t\u0195\4\u0196\t\u0196\4\u0197"+
"\t\u0197\4\u0198\t\u0198\4\u0199\t\u0199\4\u019a\t\u019a\4\u019b\t\u019b"+
"\4\u019c\t\u019c\4\u019d\t\u019d\4\u019e\t\u019e\4\u019f\t\u019f\4\u01a0"+
"\t\u01a0\4\u01a1\t\u01a1\4\u01a2\t\u01a2\4\u01a3\t\u01a3\4\u01a4\t\u01a4"+
"\4\u01a5\t\u01a5\4\u01a6\t\u01a6\4\u01a7\t\u01a7\4\u01a8\t\u01a8\4\u01a9"+
"\t\u01a9\4\u01aa\t\u01aa\4\u01ab\t\u01ab\4\u01ac\t\u01ac\4\u01ad\t\u01ad"+
"\4\u01ae\t\u01ae\4\u01af\t\u01af\4\u01b0\t\u01b0\4\u01b1\t\u01b1\4\u01b2"+
"\t\u01b2\4\u01b3\t\u01b3\4\u01b4\t\u01b4\4\u01b5\t\u01b5\4\u01b6\t\u01b6"+
"\4\u01b7\t\u01b7\4\u01b8\t\u01b8\4\u01b9\t\u01b9\4\u01ba\t\u01ba\4\u01bb"+
"\t\u01bb\4\u01bc\t\u01bc\4\u01bd\t\u01bd\4\u01be\t\u01be\4\u01bf\t\u01bf"+
"\4\u01c0\t\u01c0\4\u01c1\t\u01c1\4\u01c2\t\u01c2\4\u01c3\t\u01c3\4\u01c4"+
"\t\u01c4\4\u01c5\t\u01c5\4\u01c6\t\u01c6\4\u01c7\t\u01c7\4\u01c8\t\u01c8"+
"\4\u01c9\t\u01c9\4\u01ca\t\u01ca\4\u01cb\t\u01cb\4\u01cc\t\u01cc\4\u01cd"+
"\t\u01cd\4\u01ce\t\u01ce\4\u01cf\t\u01cf\4\u01d0\t\u01d0\4\u01d1\t\u01d1"+
"\4\u01d2\t\u01d2\4\u01d3\t\u01d3\4\u01d4\t\u01d4\4\u01d5\t\u01d5\4\u01d6"+
"\t\u01d6\4\u01d7\t\u01d7\4\u01d8\t\u01d8\4\u01d9\t\u01d9\4\u01da\t\u01da"+
"\4\u01db\t\u01db\4\u01dc\t\u01dc\4\u01dd\t\u01dd\4\u01de\t\u01de\4\u01df"+
"\t\u01df\4\u01e0\t\u01e0\4\u01e1\t\u01e1\4\u01e2\t\u01e2\4\u01e3\t\u01e3"+
"\4\u01e4\t\u01e4\4\u01e5\t\u01e5\4\u01e6\t\u01e6\4\u01e7\t\u01e7\4\u01e8"+
"\t\u01e8\4\u01e9\t\u01e9\4\u01ea\t\u01ea\4\u01eb\t\u01eb\4\u01ec\t\u01ec"+
"\4\u01ed\t\u01ed\4\u01ee\t\u01ee\4\u01ef\t\u01ef\4\u01f0\t\u01f0\4\u01f1"+
"\t\u01f1\4\u01f2\t\u01f2\4\u01f3\t\u01f3\4\u01f4\t\u01f4\4\u01f5\t\u01f5"+
"\4\u01f6\t\u01f6\4\u01f7\t\u01f7\4\u01f8\t\u01f8\4\u01f9\t\u01f9\4\u01fa"+
"\t\u01fa\4\u01fb\t\u01fb\4\u01fc\t\u01fc\4\u01fd\t\u01fd\4\u01fe\t\u01fe"+
"\4\u01ff\t\u01ff\4\u0200\t\u0200\4\u0201\t\u0201\4\u0202\t\u0202\4\u0203"+
"\t\u0203\4\u0204\t\u0204\4\u0205\t\u0205\4\u0206\t\u0206\4\u0207\t\u0207"+
"\4\u0208\t\u0208\4\u0209\t\u0209\4\u020a\t\u020a\4\u020b\t\u020b\4\u020c"+
"\t\u020c\4\u020d\t\u020d\4\u020e\t\u020e\4\u020f\t\u020f\4\u0210\t\u0210"+
"\4\u0211\t\u0211\4\u0212\t\u0212\4\u0213\t\u0213\4\u0214\t\u0214\4\u0215"+
"\t\u0215\4\u0216\t\u0216\4\u0217\t\u0217\4\u0218\t\u0218\4\u0219\t\u0219"+
"\4\u021a\t\u021a\4\u021b\t\u021b\4\u021c\t\u021c\4\u021d\t\u021d\4\u021e"+
"\t\u021e\4\u021f\t\u021f\4\u0220\t\u0220\4\u0221\t\u0221\4\u0222\t\u0222"+
"\4\u0223\t\u0223\4\u0224\t\u0224\4\u0225\t\u0225\4\u0226\t\u0226\4\u0227"+
"\t\u0227\4\u0228\t\u0228\4\u0229\t\u0229\4\u022a\t\u022a\4\u022b\t\u022b"+
"\4\u022c\t\u022c\4\u022d\t\u022d\4\u022e\t\u022e\4\u022f\t\u022f\4\u0230"+
"\t\u0230\4\u0231\t\u0231\4\u0232\t\u0232\4\u0233\t\u0233\4\u0234\t\u0234"+
"\4\u0235\t\u0235\4\u0236\t\u0236\4\u0237\t\u0237\4\u0238\t\u0238\4\u0239"+
"\t\u0239\4\u023a\t\u023a\4\u023b\t\u023b\4\u023c\t\u023c\4\u023d\t\u023d"+
"\4\u023e\t\u023e\4\u023f\t\u023f\4\u0240\t\u0240\4\u0241\t\u0241\4\u0242"+
"\t\u0242\4\u0243\t\u0243\4\u0244\t\u0244\4\u0245\t\u0245\4\u0246\t\u0246"+
"\4\u0247\t\u0247\4\u0248\t\u0248\4\u0249\t\u0249\4\u024a\t\u024a\4\u024b"+
"\t\u024b\4\u024c\t\u024c\4\u024d\t\u024d\4\u024e\t\u024e\4\u024f\t\u024f"+
"\4\u0250\t\u0250\4\u0251\t\u0251\4\u0252\t\u0252\4\u0253\t\u0253\4\u0254"+
"\t\u0254\4\u0255\t\u0255\4\u0256\t\u0256\4\u0257\t\u0257\4\u0258\t\u0258"+
"\4\u0259\t\u0259\4\u025a\t\u025a\4\u025b\t\u025b\4\u025c\t\u025c\4\u025d"+
"\t\u025d\4\u025e\t\u025e\4\u025f\t\u025f\4\u0260\t\u0260\4\u0261\t\u0261"+
"\4\u0262\t\u0262\4\u0263\t\u0263\4\u0264\t\u0264\4\u0265\t\u0265\4\u0266"+
"\t\u0266\4\u0267\t\u0267\4\u0268\t\u0268\4\u0269\t\u0269\4\u026a\t\u026a"+
"\4\u026b\t\u026b\4\u026c\t\u026c\4\u026d\t\u026d\4\u026e\t\u026e\4\u026f"+
"\t\u026f\4\u0270\t\u0270\4\u0271\t\u0271\4\u0272\t\u0272\4\u0273\t\u0273"+
"\4\u0274\t\u0274\4\u0275\t\u0275\4\u0276\t\u0276\4\u0277\t\u0277\4\u0278"+
"\t\u0278\4\u0279\t\u0279\4\u027a\t\u027a\4\u027b\t\u027b\4\u027c\t\u027c"+
"\4\u027d\t\u027d\4\u027e\t\u027e\4\u027f\t\u027f\4\u0280\t\u0280\4\u0281"+
"\t\u0281\4\u0282\t\u0282\4\u0283\t\u0283\4\u0284\t\u0284\4\u0285\t\u0285"+
"\4\u0286\t\u0286\4\u0287\t\u0287\4\u0288\t\u0288\4\u0289\t\u0289\4\u028a"+
"\t\u028a\4\u028b\t\u028b\4\u028c\t\u028c\4\u028d\t\u028d\4\u028e\t\u028e"+
"\4\u028f\t\u028f\4\u0290\t\u0290\4\u0291\t\u0291\4\u0292\t\u0292\4\u0293"+
"\t\u0293\4\u0294\t\u0294\4\u0295\t\u0295\4\u0296\t\u0296\4\u0297\t\u0297"+
"\4\u0298\t\u0298\4\u0299\t\u0299\4\u029a\t\u029a\4\u029b\t\u029b\4\u029c"+
"\t\u029c\4\u029d\t\u029d\4\u029e\t\u029e\4\u029f\t\u029f\4\u02a0\t\u02a0"+
"\4\u02a1\t\u02a1\4\u02a2\t\u02a2\4\u02a3\t\u02a3\4\u02a4\t\u02a4\4\u02a5"+
"\t\u02a5\4\u02a6\t\u02a6\4\u02a7\t\u02a7\4\u02a8\t\u02a8\4\u02a9\t\u02a9"+
"\4\u02aa\t\u02aa\4\u02ab\t\u02ab\4\u02ac\t\u02ac\4\u02ad\t\u02ad\4\u02ae"+
"\t\u02ae\4\u02af\t\u02af\4\u02b0\t\u02b0\4\u02b1\t\u02b1\4\u02b2\t\u02b2"+
"\4\u02b3\t\u02b3\4\u02b4\t\u02b4\4\u02b5\t\u02b5\4\u02b6\t\u02b6\4\u02b7"+
"\t\u02b7\4\u02b8\t\u02b8\4\u02b9\t\u02b9\4\u02ba\t\u02ba\4\u02bb\t\u02bb"+
"\4\u02bc\t\u02bc\4\u02bd\t\u02bd\4\u02be\t\u02be\4\u02bf\t\u02bf\4\u02c0"+
"\t\u02c0\4\u02c1\t\u02c1\4\u02c2\t\u02c2\4\u02c3\t\u02c3\4\u02c4\t\u02c4"+
"\4\u02c5\t\u02c5\4\u02c6\t\u02c6\4\u02c7\t\u02c7\4\u02c8\t\u02c8\4\u02c9"+
"\t\u02c9\4\u02ca\t\u02ca\4\u02cb\t\u02cb\4\u02cc\t\u02cc\4\u02cd\t\u02cd"+
"\4\u02ce\t\u02ce\4\u02cf\t\u02cf\4\u02d0\t\u02d0\4\u02d1\t\u02d1\4\u02d2"+
"\t\u02d2\4\u02d3\t\u02d3\4\u02d4\t\u02d4\4\u02d5\t\u02d5\4\u02d6\t\u02d6"+
"\4\u02d7\t\u02d7\4\u02d8\t\u02d8\4\u02d9\t\u02d9\4\u02da\t\u02da\4\u02db"+
"\t\u02db\4\u02dc\t\u02dc\4\u02dd\t\u02dd\4\u02de\t\u02de\4\u02df\t\u02df"+
"\4\u02e0\t\u02e0\4\u02e1\t\u02e1\4\u02e2\t\u02e2\4\u02e3\t\u02e3\4\u02e4"+
"\t\u02e4\4\u02e5\t\u02e5\4\u02e6\t\u02e6\4\u02e7\t\u02e7\4\u02e8\t\u02e8"+
"\4\u02e9\t\u02e9\4\u02ea\t\u02ea\4\u02eb\t\u02eb\4\u02ec\t\u02ec\4\u02ed"+
"\t\u02ed\4\u02ee\t\u02ee\4\u02ef\t\u02ef\4\u02f0\t\u02f0\4\u02f1\t\u02f1"+
"\4\u02f2\t\u02f2\4\u02f3\t\u02f3\4\u02f4\t\u02f4\4\u02f5\t\u02f5\4\u02f6"+
"\t\u02f6\4\u02f7\t\u02f7\4\u02f8\t\u02f8\4\u02f9\t\u02f9\4\u02fa\t\u02fa"+
"\4\u02fb\t\u02fb\4\u02fc\t\u02fc\4\u02fd\t\u02fd\4\u02fe\t\u02fe\4\u02ff"+
"\t\u02ff\4\u0300\t\u0300\4\u0301\t\u0301\4\u0302\t\u0302\4\u0303\t\u0303"+
"\4\u0304\t\u0304\4\u0305\t\u0305\4\u0306\t\u0306\4\u0307\t\u0307\4\u0308"+
"\t\u0308\4\u0309\t\u0309\4\u030a\t\u030a\4\u030b\t\u030b\4\u030c\t\u030c"+
"\4\u030d\t\u030d\4\u030e\t\u030e\4\u030f\t\u030f\4\u0310\t\u0310\4\u0311"+
"\t\u0311\4\u0312\t\u0312\4\u0313\t\u0313\4\u0314\t\u0314\4\u0315\t\u0315"+
"\4\u0316\t\u0316\4\u0317\t\u0317\4\u0318\t\u0318\4\u0319\t\u0319\4\u031a"+
"\t\u031a\4\u031b\t\u031b\4\u031c\t\u031c\4\u031d\t\u031d\4\u031e\t\u031e"+
"\4\u031f\t\u031f\4\u0320\t\u0320\4\u0321\t\u0321\4\u0322\t\u0322\4\u0323"+
"\t\u0323\4\u0324\t\u0324\4\u0325\t\u0325\4\u0326\t\u0326\4\u0327\t\u0327"+
"\4\u0328\t\u0328\4\u0329\t\u0329\4\u032a\t\u032a\4\u032b\t\u032b\4\u032c"+
"\t\u032c\4\u032d\t\u032d\4\u032e\t\u032e\4\u032f\t\u032f\4\u0330\t\u0330"+
"\4\u0331\t\u0331\4\u0332\t\u0332\4\u0333\t\u0333\4\u0334\t\u0334\4\u0335"+
"\t\u0335\4\u0336\t\u0336\4\u0337\t\u0337\4\u0338\t\u0338\4\u0339\t\u0339"+
"\4\u033a\t\u033a\4\u033b\t\u033b\4\u033c\t\u033c\4\u033d\t\u033d\4\u033e"+
"\t\u033e\4\u033f\t\u033f\4\u0340\t\u0340\4\u0341\t\u0341\4\u0342\t\u0342"+
"\4\u0343\t\u0343\4\u0344\t\u0344\4\u0345\t\u0345\4\u0346\t\u0346\4\u0347"+
"\t\u0347\4\u0348\t\u0348\4\u0349\t\u0349\4\u034a\t\u034a\3\2\3\2\3\2\3"+
"\2\3\2\3\2\3\2\3\3\3\3\3\3\3\3\3\4\3\4\3\4\3\4\3\5\3\5\3\5\3\5\3\6\3\6"+
"\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\6\3\7\3"+
"\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\7"+
"\3\7\3\7\3\7\3\7\3\7\3\7\3\7\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3"+
"\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\b\3\t\3\t\3\t\3\t"+
"\3\t\3\t\3\n\3\n\3\n\3\n\3\n\3\n\3\n\3\n\3\n\5\n\u06fc\n\n\3\13\3\13\3"+
"\13\3\13\3\13\3\13\3\13\3\13\3\13\3\13\3\f\3\f\3\f\3\f\3\r\3\r\3\r\3\r"+
"\3\r\3\r\3\r\3\16\3\16\3\16\3\16\3\16\3\16\3\16\3\16\3\16\3\16\3\16\3"+
"\16\3\17\3\17\3\17\3\17\3\17\3\17\5\17\u0725\n\17\3\20\3\20\3\20\3\20"+
"\3\20\3\20\3\20\3\20\3\20\5\20\u0730\n\20\3\21\3\21\3\21\3\21\3\21\3\21"+
"\3\21\3\21\3\21\3\21\3\21\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\22"+
"\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\22\3\23\3\23\3\23"+
"\3\23\3\23\3\23\3\23\3\23\3\23\3\23\3\23\3\23\3\23\3\23\3\24\3\24\3\24"+
"\3\24\3\24\3\24\3\24\3\24\3\24\3\24\3\24\3\24\3\24\3\24\3\24\3\25\3\25"+
"\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25"+
"\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\25\3\26\3\26"+
"\3\26\3\26\3\26\3\26\3\26\3\26\3\26\3\26\3\27\3\27\3\27\3\27\3\27\3\27"+
"\3\27\3\27\3\27\3\27\3\27\3\27\3\27\3\27\3\27\3\27\3\27\3\27\3\30\3\30"+
"\3\31\3\31\3\31\3\31\3\31\3\31\3\31\3\32\3\32\3\32\3\32\3\32\3\32\3\32"+
"\3\33\3\33\3\33\3\33\3\33\3\33\3\34\3\34\3\34\3\34\3\34\3\34\3\34\3\34"+
"\3\35\3\35\3\35\3\35\3\35\3\35\3\36\3\36\3\36\3\36\3\36\3\36\3\36\3\36"+
"\3\36\3\36\3\37\3\37\3\37\3\37\3\37\3\37\3\37\3\37\3\37\3\37\3\37\3\37"+
"\3\37\3\37\3\37\3\37\3\37\3\37\3\37\3 \3 \3 \3 \3 \3 \3!\3!\3!\3!\3!\3"+
"!\3!\3\"\3\"\3\"\3\"\3\"\3\"\3\"\3#\3#\3#\3#\3#\3#\3#\3#\3#\3#\3#\3#\3"+
"$\3$\3$\3$\3$\3%\3%\3%\3%\3%\3%\5%\u0812\n%\3&\3&\3&\3&\3&\3&\3\'\3\'"+
"\3\'\3\'\3\'\3\'\3\'\3(\3(\3(\3(\3(\3(\3(\3(\3)\3)\3)\3)\3)\3*\3*\3*\3"+
"*\3*\3*\3*\3*\3*\3*\3*\3*\3+\3+\3+\3+\3+\3+\3+\3+\3+\3+\3+\3+\3,\3,\3"+
",\3,\3,\3,\3,\3,\3-\3-\3-\3-\3-\3-\3.\3.\3.\3.\3.\3.\3.\3.\3.\3.\3.\3"+
"/\3/\3/\3/\3/\3/\3/\3/\3/\3/\3/\3/\3/\3\60\3\60\3\60\3\60\3\60\3\60\3"+
"\60\3\60\3\60\3\60\3\60\3\60\3\60\3\60\3\60\3\60\3\60\3\61\3\61\3\61\3"+
"\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3\61\3"+
"\61\3\61\3\61\3\62\3\62\3\62\3\62\3\62\3\62\3\63\3\63\3\63\3\63\3\63\3"+
"\63\3\63\3\63\3\64\3\64\3\64\3\64\3\64\3\64\3\64\3\64\3\64\3\64\3\65\3"+
"\65\3\65\3\65\3\65\3\65\3\65\3\65\3\65\3\66\3\66\3\66\3\66\3\66\3\66\3"+
"\66\3\66\3\67\3\67\3\67\3\67\3\67\3\67\3\67\38\38\38\38\38\38\38\38\3"+
"8\38\38\38\39\39\39\39\39\39\39\3:\3:\3:\3:\3:\3:\3:\3:\3;\3;\3;\3;\3"+
";\3;\3;\3;\3;\3;\3;\3;\3;\3;\3<\3<\3<\3<\3<\3<\3<\3<\3<\3<\3<\3=\3=\3"+
"=\3=\3=\3=\3=\3=\3=\3=\3=\3=\3>\3>\3>\3>\3>\3>\3>\3>\3>\3?\3?\3?\3?\3"+
"?\3?\3?\3?\3?\3?\3?\3?\3?\3?\3@\3@\3@\3@\3@\3@\3@\3@\3A\3A\3A\3A\3A\3"+
"A\3A\3A\3A\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3B\3"+
"B\3B\3C\3C\3C\3C\3C\3C\3C\3C\3C\3D\3D\3D\3D\3D\3D\3D\3D\3D\3D\3D\3D\3"+
"D\3D\3E\3E\3E\3E\3E\3E\3E\3E\3E\3E\3E\3E\3E\3F\3F\3F\3F\5F\u0966\nF\3"+
"F\3F\3F\3F\3F\3F\3F\3F\3G\3G\3G\3G\3G\3G\3G\3G\3G\3G\3H\3H\3H\3H\3H\3"+
"H\3H\3I\3I\3I\3I\3I\3I\3J\3J\3J\3J\3J\3J\3J\3J\3K\3K\3K\3K\3K\3K\3K\3"+
"K\3K\3K\3K\3K\3K\3L\3L\3L\3L\3L\3L\3L\3L\3L\3L\3L\3L\3L\3M\3M\3M\3M\3"+
"M\3M\3M\3M\3M\3M\3M\3M\3M\3M\3M\3M\3M\3M\3N\3N\3N\3N\3N\3N\3N\3N\3N\3"+
"N\3N\3N\3N\3O\3O\3O\3O\3O\3O\3O\3P\3P\3P\3P\3P\3P\3Q\3Q\3Q\3Q\3Q\3R\3"+
"R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3R\3S\3S\3S\3S\3S\3S\3S\3"+
"S\3S\3S\3S\3S\3T\3T\3T\3T\3T\3T\3T\3T\3T\3U\3U\3U\3U\3U\3U\3U\3U\3U\3"+
"U\3U\3U\3U\3U\3U\3U\3U\3U\3U\3V\3V\3V\3V\3V\3W\3W\3W\3W\3W\3W\3W\3W\3"+
"W\3W\3W\3X\3X\3X\3X\3X\3X\3X\3X\3Y\3Y\3Y\3Y\3Y\3Y\3Y\3Y\3Z\3Z\3Z\3Z\3"+
"Z\3Z\3Z\3Z\3Z\3Z\3Z\3Z\3Z\3Z\3Z\3Z\3Z\3[\3[\3[\3[\3[\3[\3[\3[\3[\3[\3"+
"[\3[\3[\3[\3[\3\\\3\\\3\\\3\\\3\\\3\\\3\\\3]\3]\3]\3]\3]\3^\3^\3^\3^\3"+
"^\3_\3_\3_\3_\3_\3_\3_\3_\3_\3_\3_\3_\3`\3`\3`\3`\3`\3`\3`\3`\3`\3`\3"+
"`\3`\3`\3a\3a\3a\3a\3a\3b\3b\3b\3b\3b\3b\3b\3b\3b\3c\3c\3c\3c\3c\3c\3"+
"c\3c\3c\3c\3c\3c\3d\3d\3d\3d\3d\3d\3d\3e\3e\3e\3f\3f\3f\3g\3g\3g\3g\3"+
"g\3h\3h\3h\3h\3h\3h\3h\3h\3h\3h\3h\3h\3i\3i\3i\3i\3i\3j\3j\3j\3j\3j\3"+
"k\3k\3k\3k\3k\3k\3k\3k\3l\3l\3l\3l\3m\3m\3m\3m\3m\3m\3m\3m\3m\3n\3n\3"+
"n\3n\3n\3n\3n\3o\3o\3o\3o\3o\3o\3o\3p\3p\3p\3p\3p\3p\3q\3q\3q\3q\3q\3"+
"q\3r\3r\3r\3r\3r\3r\3r\3r\3r\3r\3r\3r\3r\3s\3s\3s\3s\3s\3s\3s\3s\3s\3"+
"s\3s\3s\3s\3s\3s\3s\3s\3s\3s\3s\3s\3t\3t\3t\3t\3t\3t\3t\3u\3u\3u\3u\3"+
"u\3u\3u\3u\3u\3u\3u\3u\3u\3u\3u\3u\3v\3v\3v\3v\3v\3v\3v\3v\5v\u0b2f\n"+
"v\3w\3w\3w\3w\3w\3w\3w\3x\3x\3x\3x\3x\3x\3x\3x\3x\3x\3x\3y\3y\3y\3y\3"+
"y\3z\3z\3z\3z\3z\3z\3z\3z\3z\3z\3{\3{\3{\3{\3{\3{\3{\3{\3{\3|\3|\3|\3"+
"|\3|\3|\3|\3|\3|\3|\3|\3|\3|\3|\3|\3|\3}\3}\3}\3}\3}\3}\3}\3}\3}\3~\3"+
"~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3~\3\177\3"+
"\177\3\177\3\177\3\177\3\177\3\177\3\u0080\3\u0080\3\u0080\3\u0080\3\u0080"+
"\3\u0080\3\u0081\3\u0081\3\u0081\3\u0081\3\u0081\3\u0082\3\u0082\3\u0082"+
"\3\u0082\3\u0082\3\u0082\3\u0082\3\u0082\3\u0082\3\u0083\3\u0083\3\u0083"+
"\3\u0083\3\u0083\3\u0083\3\u0083\3\u0083\3\u0083\3\u0083\3\u0083\3\u0084"+
"\3\u0084\3\u0084\3\u0084\3\u0084\3\u0084\3\u0084\3\u0084\3\u0084\3\u0084"+
"\3\u0084\3\u0084\3\u0084\3\u0084\3\u0085\3\u0085\3\u0085\3\u0085\3\u0086"+
"\3\u0086\3\u0086\3\u0086\3\u0086\3\u0086\3\u0086\3\u0086\3\u0086\3\u0086"+
"\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087"+
"\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087"+
"\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087\3\u0087"+
"\3\u0087\3\u0087\3\u0087\3\u0088\3\u0088\3\u0088\3\u0088\3\u0088\3\u0088"+
"\3\u0088\3\u0088\3\u0089\3\u0089\3\u0089\3\u0089\3\u0089\3\u0089\3\u0089"+
"\3\u0089\3\u0089\3\u008a\3\u008a\3\u008a\3\u008a\3\u008a\3\u008a\3\u008a"+
"\3\u008a\3\u008a\3\u008a\3\u008a\3\u008a\3\u008a\3\u008a\3\u008b\3\u008b"+
"\3\u008b\3\u008b\3\u008b\3\u008c\3\u008c\3\u008c\3\u008c\3\u008c\3\u008d"+
"\3\u008d\3\u008d\3\u008d\3\u008d\3\u008d\3\u008d\3\u008d\3\u008d\3\u008e"+
"\3\u008e\3\u008e\3\u008e\3\u008f\3\u008f\3\u008f\3\u008f\3\u008f\3\u0090"+
"\3\u0090\3\u0090\3\u0090\3\u0090\3\u0090\3\u0090\3\u0090\3\u0090\3\u0091"+
"\3\u0091\3\u0091\3\u0091\3\u0091\3\u0091\3\u0092\3\u0092\3\u0092\3\u0092"+
"\3\u0092\3\u0092\3\u0093\3\u0093\3\u0093\3\u0093\3\u0093\3\u0093\3\u0093"+
"\3\u0094\3\u0094\3\u0094\3\u0094\3\u0094\3\u0094\3\u0094\3\u0095\3\u0095"+
"\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095"+
"\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0095\3\u0096"+
"\3\u0096\3\u0096\3\u0096\3\u0096\3\u0096\3\u0096\3\u0096\3\u0096\3\u0097"+
"\3\u0097\3\u0097\3\u0097\3\u0097\3\u0097\3\u0097\3\u0097\3\u0097\3\u0097"+
"\3\u0097\3\u0097\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098"+
"\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098\3\u0098"+
"\3\u0099\3\u0099\3\u0099\3\u009a\3\u009a\3\u009a\3\u009a\3\u009a\3\u009a"+
"\5\u009a\u0c89\n\u009a\3\u009b\3\u009b\3\u009b\3\u009b\3\u009b\3\u009b"+
"\3\u009b\3\u009b\3\u009c\3\u009c\3\u009c\3\u009c\3\u009c\3\u009c\3\u009c"+
"\3\u009c\3\u009c\3\u009c\3\u009d\3\u009d\3\u009d\3\u009d\3\u009d\3\u009d"+
"\3\u009e\3\u009e\3\u009e\3\u009e\3\u009e\3\u009e\3\u009e\3\u009e\3\u009e"+
"\3\u009f\3\u009f\3\u009f\3\u009f\3\u009f\3\u00a0\3\u00a0\3\u00a0\3\u00a0"+
"\3\u00a0\3\u00a0\3\u00a1\3\u00a1\3\u00a1\3\u00a1\3\u00a1\3\u00a1\3\u00a1"+
"\3\u00a2\3\u00a2\3\u00a2\3\u00a2\3\u00a2\3\u00a2\3\u00a2\3\u00a2\3\u00a3"+
"\3\u00a3\3\u00a3\3\u00a3\3\u00a3\3\u00a3\3\u00a3\3\u00a3\3\u00a3\3\u00a3"+
"\3\u00a4\3\u00a4\3\u00a4\3\u00a4\3\u00a4\3\u00a5\5\u00a5\u0cd6\n\u00a5"+
"\3\u00a5\3\u00a5\3\u00a5\3\u00a5\3\u00a5\3\u00a5\3\u00a5\3\u00a5\5\u00a5"+
"\u0ce0\n\u00a5\3\u00a6\5\u00a6\u0ce3\n\u00a6\3\u00a6\5\u00a6\u0ce6\n\u00a6"+
"\3\u00a6\5\u00a6\u0ce9\n\u00a6\3\u00a6\5\u00a6\u0cec\n\u00a6\3\u00a6\5"+
"\u00a6\u0cef\n\u00a6\3\u00a6\3\u00a6\5\u00a6\u0cf3\n\u00a6\3\u00a6\5\u00a6"+
"\u0cf6\n\u00a6\3\u00a6\5\u00a6\u0cf9\n\u00a6\3\u00a6\5\u00a6\u0cfc\n\u00a6"+
"\3\u00a6\3\u00a6\5\u00a6\u0d00\n\u00a6\3\u00a6\5\u00a6\u0d03\n\u00a6\3"+
"\u00a6\5\u00a6\u0d06\n\u00a6\3\u00a6\5\u00a6\u0d09\n\u00a6\3\u00a6\3\u00a6"+
"\5\u00a6\u0d0d\n\u00a6\3\u00a6\5\u00a6\u0d10\n\u00a6\3\u00a6\5\u00a6\u0d13"+
"\n\u00a6\3\u00a6\5\u00a6\u0d16\n\u00a6\3\u00a6\3\u00a6\5\u00a6\u0d1a\n"+
"\u00a6\3\u00a6\5\u00a6\u0d1d\n\u00a6\3\u00a6\5\u00a6\u0d20\n\u00a6\3\u00a6"+
"\5\u00a6\u0d23\n\u00a6\3\u00a6\3\u00a6\5\u00a6\u0d27\n\u00a6\3\u00a6\5"+
"\u00a6\u0d2a\n\u00a6\3\u00a6\5\u00a6\u0d2d\n\u00a6\3\u00a6\5\u00a6\u0d30"+
"\n\u00a6\3\u00a6\3\u00a6\5\u00a6\u0d34\n\u00a6\3\u00a6\5\u00a6\u0d37\n"+
"\u00a6\3\u00a6\5\u00a6\u0d3a\n\u00a6\3\u00a6\5\u00a6\u0d3d\n\u00a6\3\u00a6"+
"\3\u00a6\5\u00a6\u0d41\n\u00a6\3\u00a6\5\u00a6\u0d44\n\u00a6\3\u00a6\5"+
"\u00a6\u0d47\n\u00a6\3\u00a6\5\u00a6\u0d4a\n\u00a6\3\u00a6\5\u00a6\u0d4d"+
"\n\u00a6\3\u00a7\3\u00a7\3\u00a7\3\u00a7\5\u00a7\u0d53\n\u00a7\3\u00a8"+
"\3\u00a8\3\u00a8\3\u00a8\3\u00a8\3\u00a8\3\u00a8\3\u00a8\3\u00a8\3\u00a8"+
"\3\u00a8\3\u00a8\5\u00a8\u0d61\n\u00a8\3\u00a9\3\u00a9\3\u00a9\3\u00a9"+
"\3\u00a9\3\u00aa\3\u00aa\3\u00aa\3\u00aa\3\u00aa\3\u00aa\3\u00aa\3\u00aa"+
"\3\u00aa\3\u00ab\3\u00ab\3\u00ab\3\u00ab\3\u00ac\3\u00ac\3\u00ac\3\u00ac"+
"\3\u00ac\3\u00ac\3\u00ac\3\u00ac\3\u00ac\3\u00ad\3\u00ad\3\u00ad\3\u00ad"+
"\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad"+
"\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad\3\u00ad"+
"\3\u00ad\3\u00ad\3\u00ae\3\u00ae\3\u00ae\3\u00ae\3\u00ae\3\u00af\3\u00af"+
"\3\u00af\3\u00af\3\u00af\3\u00af\3\u00af\3\u00af\3\u00af\3\u00b0\3\u00b0"+
"\3\u00b0\3\u00b0\3\u00b0\3\u00b1\3\u00b1\3\u00b1\3\u00b1\3\u00b1\3\u00b1"+
"\3\u00b1\3\u00b1\3\u00b2\3\u00b2\3\u00b2\3\u00b2\3\u00b2\3\u00b2\3\u00b2"+
"\3\u00b2\3\u00b2\3\u00b3\3\u00b3\3\u00b3\3\u00b3\3\u00b3\3\u00b3\3\u00b3"+
"\3\u00b3\3\u00b3\3\u00b3\3\u00b3\3\u00b3\5\u00b3\u0dc6\n\u00b3\3\u00b4"+
"\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4"+
"\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4\3\u00b4"+
"\3\u00b4\5\u00b4\u0ddc\n\u00b4\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5"+
"\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5"+
"\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5\3\u00b5\5\u00b5\u0df2\n\u00b5"+
"\3\u00b6\3\u00b6\3\u00b6\3\u00b6\3\u00b6\3\u00b6\3\u00b6\3\u00b7\3\u00b7"+
"\3\u00b7\3\u00b7\3\u00b7\3\u00b7\3\u00b8\3\u00b8\3\u00b8\3\u00b8\3\u00b8"+
"\3\u00b8\3\u00b8\3\u00b8\3\u00b8\3\u00b8\3\u00b8\3\u00b8\3\u00b9\3\u00b9"+
"\3\u00b9\3\u00b9\3\u00b9\3\u00b9\3\u00b9\3\u00b9\3\u00b9\3\u00b9\3\u00b9"+
"\3\u00b9\3\u00b9\3\u00b9\3\u00ba\3\u00ba\3\u00ba\3\u00ba\3\u00ba\3\u00bb"+
"\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb"+
"\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb\3\u00bb"+
"\3\u00bc\3\u00bc\3\u00bc\3\u00bc\3\u00bd\3\u00bd\3\u00bd\3\u00bd\3\u00bd"+
"\3\u00bd\3\u00bd\3\u00bd\3\u00be\3\u00be\3\u00be\3\u00be\3\u00be\3\u00be"+
"\3\u00be\3\u00bf\3\u00bf\3\u00bf\3\u00bf\3\u00bf\3\u00bf\3\u00bf\3\u00bf"+
"\3\u00bf\3\u00bf\3\u00bf\3\u00c0\3\u00c0\3\u00c0\3\u00c0\3\u00c0\3\u00c0"+
"\3\u00c0\3\u00c0\3\u00c0\3\u00c0\3\u00c0\3\u00c0\3\u00c1\3\u00c1\3\u00c1"+
"\3\u00c1\3\u00c1\3\u00c1\3\u00c1\3\u00c1\3\u00c1\3\u00c2\3\u00c2\3\u00c2"+
"\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2"+
"\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2\3\u00c2"+
"\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3"+
"\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c3\3\u00c4\3\u00c4\3\u00c4"+
"\3\u00c4\3\u00c4\3\u00c4\3\u00c4\3\u00c4\3\u00c4\3\u00c5\3\u00c5\3\u00c5"+
"\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5"+
"\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5"+
"\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5\3\u00c5"+
"\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6"+
"\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c6\3\u00c7"+
"\3\u00c7\3\u00c7\3\u00c7\3\u00c7\3\u00c7\3\u00c7\3\u00c7\3\u00c7\3\u00c7"+
"\3\u00c8\3\u00c8\3\u00c8\3\u00c8\3\u00c8\3\u00c8\3\u00c8\3\u00c9\3\u00c9"+
"\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9"+
"\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9\3\u00c9"+
"\3\u00c9\3\u00c9\3\u00ca\3\u00ca\3\u00ca\3\u00ca\3\u00ca\3\u00ca\3\u00cb"+
"\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb"+
"\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb\3\u00cb"+
"\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc"+
"\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc\3\u00cc"+
"\3\u00cc\3\u00cc\3\u00cc\3\u00cd\3\u00cd\3\u00cd\3\u00cd\3\u00cd\3\u00cd"+
"\3\u00cd\3\u00cd\3\u00cd\3\u00ce\3\u00ce\3\u00ce\3\u00ce\3\u00ce\3\u00ce"+
"\3\u00ce\3\u00cf\3\u00cf\3\u00cf\3\u00cf\3\u00cf\3\u00cf\3\u00cf\3\u00cf"+
"\3\u00cf\3\u00cf\3\u00cf\3\u00cf\3\u00d0\3\u00d0\3\u00d0\3\u00d0\3\u00d0"+
"\3\u00d0\3\u00d0\3\u00d0\3\u00d0\3\u00d1\3\u00d1\3\u00d1\3\u00d1\3\u00d1"+
"\3\u00d1\3\u00d1\3\u00d1\3\u00d1\3\u00d1\3\u00d2\3\u00d2\3\u00d2\3\u00d2"+
"\3\u00d2\3\u00d2\3\u00d2\3\u00d2\3\u00d3\3\u00d3\3\u00d3\3\u00d3\3\u00d3"+
"\3\u00d3\3\u00d3\3\u00d3\3\u00d3\3\u00d4\3\u00d4\3\u00d4\3\u00d4\3\u00d4"+
"\3\u00d4\3\u00d4\3\u00d5\3\u00d5\3\u00d5\3\u00d5\3\u00d5\3\u00d5\3\u00d5"+
"\3\u00d5\3\u00d5\3\u00d5\3\u00d5\3\u00d5\3\u00d5\3\u00d6\3\u00d6\3\u00d6"+
"\3\u00d6\3\u00d6\3\u00d7\3\u00d7\3\u00d7\3\u00d7\3\u00d7\3\u00d7\3\u00d7"+
"\3\u00d7\3\u00d7\3\u00d8\3\u00d8\3\u00d8\3\u00d8\3\u00d8\3\u00d8\3\u00d8"+
"\3\u00d9\3\u00d9\3\u00d9\3\u00d9\3\u00d9\3\u00d9\3\u00d9\3\u00d9\3\u00d9"+
"\3\u00da\3\u00da\3\u00da\3\u00da\3\u00da\3\u00da\3\u00da\3\u00da\3\u00da"+
"\3\u00da\3\u00da\3\u00da\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db"+
"\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db\3\u00db"+
"\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dc"+
"\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dc\3\u00dd\3\u00dd\3\u00dd\3\u00dd"+
"\3\u00dd\3\u00dd\3\u00dd\3\u00dd\3\u00dd\5\u00dd\u0fbb\n\u00dd\3\u00de"+
"\3\u00de\3\u00de\3\u00de\3\u00de\3\u00de\3\u00de\3\u00de\3\u00de\3\u00de"+
"\3\u00de\3\u00de\3\u00de\3\u00df\3\u00df\3\u00df\3\u00df\3\u00df\3\u00e0"+
"\3\u00e0\3\u00e0\3\u00e0\3\u00e0\3\u00e0\3\u00e0\3\u00e0\3\u00e0\3\u00e0"+
"\3\u00e0\3\u00e0\5\u00e0\u0fdb\n\u00e0\3\u00e1\3\u00e1\3\u00e1\3\u00e1"+
"\3\u00e1\3\u00e1\3\u00e1\3\u00e2\3\u00e2\3\u00e2\3\u00e3\3\u00e3\3\u00e3"+
"\3\u00e3\3\u00e4\3\u00e4\3\u00e4\3\u00e4\3\u00e4\3\u00e4\3\u00e4\3\u00e4"+
"\3\u00e5\3\u00e5\3\u00e5\3\u00e5\3\u00e5\3\u00e5\3\u00e5\3\u00e5\3\u00e5"+
"\3\u00e5\3\u00e5\3\u00e5\3\u00e5\3\u00e6\3\u00e6\3\u00e6\3\u00e6\3\u00e6"+
"\3\u00e6\5\u00e6\u1006\n\u00e6\3\u00e7\3\u00e7\3\u00e7\3\u00e7\3\u00e7"+
"\3\u00e7\3\u00e7\3\u00e7\3\u00e7\3\u00e7\3\u00e7\3\u00e8\3\u00e8\3\u00e8"+
"\3\u00e8\3\u00e8\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9"+
"\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00e9\3\u00ea"+
"\3\u00ea\3\u00ea\3\u00ea\3\u00ea\3\u00ea\3\u00ea\3\u00ea\3\u00ea\3\u00ea"+
"\3\u00eb\3\u00eb\3\u00eb\3\u00eb\3\u00eb\3\u00eb\3\u00eb\3\u00eb\3\u00eb"+
"\3\u00eb\3\u00eb\3\u00ec\3\u00ec\3\u00ec\3\u00ec\3\u00ec\3\u00ec\3\u00ec"+
"\3\u00ec\3\u00ed\3\u00ed\3\u00ed\3\u00ed\3\u00ed\3\u00ed\3\u00ed\3\u00ee"+
"\3\u00ee\3\u00ee\3\u00ee\3\u00ee\3\u00ee\5\u00ee\u1051\n\u00ee\3\u00ef"+
"\3\u00ef\3\u00ef\3\u00ef\3\u00ef\3\u00ef\3\u00ef\3\u00ef\3\u00ef\3\u00ef"+
"\3\u00ef\3\u00ef\3\u00ef\3\u00ef\3\u00ef\5\u00ef\u1062\n\u00ef\3\u00f0"+
"\3\u00f0\3\u00f0\3\u00f0\3\u00f0\3\u00f0\3\u00f0\3\u00f0\3\u00f0\3\u00f0"+
"\3\u00f0\3\u00f0\3\u00f0\3\u00f0\3\u00f0\5\u00f0\u1073\n\u00f0\3\u00f1"+
"\3\u00f1\3\u00f1\3\u00f1\3\u00f1\3\u00f2\3\u00f2\3\u00f2\3\u00f2\3\u00f2"+
"\3\u00f3\3\u00f3\3\u00f3\3\u00f3\3\u00f3\3\u00f3\3\u00f3\3\u00f3\3\u00f3"+
"\3\u00f3\3\u00f3\3\u00f4\3\u00f4\3\u00f4\3\u00f4\3\u00f4\3\u00f4\3\u00f4"+
"\3\u00f4\3\u00f5\3\u00f5\3\u00f5\3\u00f5\3\u00f5\3\u00f5\3\u00f5\3\u00f5"+
"\3\u00f5\3\u00f6\3\u00f6\3\u00f6\3\u00f6\3\u00f6\3\u00f6\3\u00f6\3\u00f6"+
"\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7"+
"\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f7\3\u00f8\3\u00f8\3\u00f8"+
"\3\u00f8\3\u00f8\3\u00f8\3\u00f8\3\u00f8\3\u00f9\3\u00f9\3\u00f9\3\u00f9"+
"\3\u00f9\3\u00f9\3\u00f9\3\u00fa\3\u00fa\3\u00fa\3\u00fa\3\u00fa\3\u00fa"+
"\3\u00fa\3\u00fa\3\u00fa\3\u00fb\3\u00fb\3\u00fb\3\u00fb\3\u00fb\3\u00fb"+
"\3\u00fc\3\u00fc\3\u00fc\3\u00fc\3\u00fc\3\u00fd\3\u00fd\3\u00fd\3\u00fd"+
"\3\u00fd\3\u00fd\3\u00fd\3\u00fd\3\u00fd\3\u00fe\3\u00fe\3\u00fe\3\u00fe"+
"\3\u00fe\3\u00fe\3\u00fe\3\u00ff\3\u00ff\3\u00ff\3\u00ff\3\u00ff\3\u00ff"+
"\3\u00ff\3\u00ff\3\u00ff\3\u00ff\3\u0100\3\u0100\3\u0100\3\u0100\3\u0100"+
"\3\u0100\3\u0100\3\u0100\3\u0100\3\u0100\3\u0101\3\u0101\3\u0101\3\u0101"+
"\3\u0101\3\u0101\3\u0101\3\u0101\3\u0102\3\u0102\3\u0102\3\u0102\3\u0102"+
"\3\u0102\3\u0103\3\u0103\3\u0103\3\u0103\3\u0103\3\u0104\3\u0104\3\u0104"+
"\3\u0104\3\u0104\3\u0104\3\u0104\3\u0104\3\u0104\3\u0104\3\u0105\3\u0105"+
"\3\u0105\3\u0105\3\u0105\3\u0105\3\u0105\3\u0105\3\u0106\3\u0106\3\u0106"+
"\3\u0106\3\u0106\3\u0106\3\u0106\3\u0107\3\u0107\3\u0107\3\u0107\3\u0107"+
"\3\u0107\3\u0107\3\u0108\3\u0108\3\u0109\3\u0109\3\u0109\3\u0109\3\u0109"+
"\3\u0109\3\u0109\3\u0109\3\u0109\3\u0109\3\u010a\3\u010a\3\u010a\3\u010a"+
"\3\u010b\3\u010b\3\u010b\3\u010b\3\u010b\3\u010c\3\u010c\3\u010c\3\u010c"+
"\3\u010c\3\u010c\3\u010c\3\u010c\3\u010c\3\u010d\3\u010d\3\u010d\3\u010d"+
"\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d"+
"\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d\3\u010d"+
"\3\u010e\3\u010e\3\u010e\3\u010e\3\u010e\3\u010e\3\u010e\3\u010e\3\u010e"+
"\3\u010e\3\u010e\3\u010e\3\u010f\3\u010f\3\u010f\3\u010f\3\u010f\3\u010f"+
"\3\u010f\3\u010f\3\u010f\3\u010f\3\u010f\3\u0110\3\u0110\3\u0110\3\u0110"+
"\3\u0110\3\u0110\3\u0110\3\u0110\3\u0110\3\u0110\3\u0110\3\u0111\3\u0111"+
"\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111"+
"\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111\3\u0111"+
"\3\u0111\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112"+
"\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112"+
"\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112\3\u0112"+
"\3\u0112\3\u0113\3\u0113\3\u0113\3\u0113\3\u0113\3\u0113\3\u0113\3\u0113"+
"\3\u0113\3\u0113\3\u0113\3\u0113\3\u0114\3\u0114\3\u0114\3\u0114\3\u0114"+
"\3\u0114\3\u0114\3\u0114\3\u0114\3\u0115\3\u0115\3\u0115\3\u0115\3\u0115"+
"\3\u0115\3\u0116\3\u0116\3\u0116\3\u0116\3\u0116\3\u0116\3\u0116\3\u0116"+
"\3\u0117\3\u0117\3\u0117\3\u0117\3\u0117\3\u0117\3\u0117\3\u0117\3\u0118"+
"\3\u0118\3\u0118\3\u0118\3\u0118\3\u0118\3\u0118\3\u0118\3\u0118\3\u0119"+
"\3\u0119\3\u0119\3\u0119\3\u0119\3\u0119\3\u0119\3\u011a\3\u011a\3\u011a"+
"\3\u011a\3\u011a\3\u011a\3\u011a\3\u011a\3\u011a\3\u011a\3\u011a\3\u011b"+
"\3\u011b\3\u011b\3\u011b\3\u011b\3\u011b\3\u011b\3\u011c\3\u011c\3\u011c"+
"\3\u011c\3\u011c\3\u011c\3\u011c\3\u011c\3\u011d\3\u011d\3\u011d\3\u011d"+
"\3\u011d\3\u011d\3\u011d\3\u011e\3\u011e\3\u011e\3\u011e\3\u011e\3\u011e"+
"\3\u011e\3\u011f\3\u011f\3\u011f\3\u011f\3\u011f\3\u011f\3\u011f\3\u0120"+
"\3\u0120\3\u0120\3\u0120\3\u0120\3\u0120\3\u0121\3\u0121\3\u0121\3\u0121"+
"\3\u0121\3\u0121\3\u0121\3\u0121\3\u0121\3\u0122\3\u0122\3\u0122\3\u0122"+
"\3\u0122\3\u0123\3\u0123\3\u0123\3\u0123\3\u0123\3\u0123\3\u0123\3\u0123"+
"\3\u0123\3\u0124\3\u0124\3\u0124\3\u0124\3\u0124\3\u0124\3\u0124\3\u0124"+
"\3\u0124\3\u0124\3\u0124\3\u0125\3\u0125\3\u0125\3\u0125\3\u0125\3\u0125"+
"\3\u0125\3\u0125\3\u0126\3\u0126\3\u0126\3\u0126\3\u0126\3\u0126\3\u0126"+
"\3\u0126\3\u0126\3\u0127\3\u0127\3\u0127\3\u0127\3\u0127\3\u0127\3\u0127"+
"\3\u0127\3\u0127\3\u0128\3\u0128\3\u0128\3\u0128\3\u0128\3\u0128\3\u0128"+
"\3\u0128\3\u0128\3\u0129\3\u0129\3\u0129\3\u0129\3\u0129\3\u0129\3\u0129"+
"\3\u0129\3\u0129\3\u012a\3\u012a\3\u012a\3\u012a\3\u012a\3\u012a\3\u012a"+
"\3\u012b\3\u012b\3\u012b\3\u012b\3\u012b\3\u012c\3\u012c\3\u012c\3\u012c"+
"\3\u012c\3\u012d\3\u012d\3\u012d\3\u012d\3\u012d\3\u012e\3\u012e\3\u012e"+
"\3\u012e\3\u012e\3\u012e\3\u012e\3\u012e\3\u012e\3\u012e\3\u012f\3\u012f"+
"\3\u012f\3\u012f\3\u012f\3\u012f\3\u012f\3\u0130\3\u0130\3\u0130\3\u0130"+
"\3\u0130\3\u0130\3\u0130\3\u0131\3\u0131\3\u0131\3\u0131\3\u0131\3\u0131"+
"\3\u0131\3\u0131\3\u0131\3\u0132\3\u0132\3\u0132\3\u0132\3\u0132\3\u0132"+
"\3\u0132\3\u0132\3\u0132\3\u0132\3\u0132\3\u0132\3\u0132\3\u0132\3\u0133"+
"\3\u0133\3\u0133\3\u0133\3\u0133\3\u0133\3\u0133\3\u0134\3\u0134\3\u0134"+
"\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134"+
"\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134\3\u0134"+
"\3\u0134\3\u0134\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135"+
"\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135"+
"\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135"+
"\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0135\3\u0136\3\u0136\3\u0136"+
"\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136"+
"\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136\3\u0136"+
"\3\u0136\3\u0136\3\u0136\3\u0137\3\u0137\3\u0137\3\u0137\3\u0137\3\u0137"+
"\3\u0137\3\u0137\3\u0137\3\u0138\3\u0138\3\u0138\3\u0138\3\u0138\3\u0138"+
"\3\u0138\3\u0139\3\u0139\3\u0139\3\u0139\3\u0139\3\u0139\3\u0139\3\u0139"+
"\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a"+
"\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a\3\u013a\3\u013b\3\u013b\3\u013b"+
"\3\u013b\3\u013b\3\u013b\3\u013b\3\u013b\3\u013b\3\u013b\3\u013b\3\u013b"+
"\3\u013b\3\u013c\3\u013c\3\u013c\3\u013c\3\u013c\3\u013c\3\u013c\3\u013c"+
"\3\u013d\3\u013d\3\u013d\3\u013d\3\u013d\3\u013d\3\u013d\3\u013d\3\u013d"+
"\3\u013d\3\u013d\3\u013d\3\u013d\3\u013e\3\u013e\3\u013e\3\u013e\3\u013f"+
"\3\u013f\3\u013f\3\u013f\3\u013f\3\u013f\3\u013f\3\u013f\3\u0140\3\u0140"+
"\3\u0140\3\u0140\3\u0140\3\u0140\3\u0140\3\u0140\3\u0140\3\u0141\3\u0141"+
"\3\u0141\3\u0141\3\u0142\3\u0142\3\u0142\3\u0142\3\u0142\3\u0143\3\u0143"+
"\3\u0143\3\u0143\3\u0143\3\u0143\3\u0143\3\u0143\3\u0143\3\u0144\3\u0144"+
"\3\u0144\3\u0144\3\u0144\3\u0145\3\u0145\3\u0145\3\u0145\3\u0145\3\u0145"+
"\3\u0145\3\u0146\3\u0146\3\u0146\3\u0146\3\u0146\3\u0146\3\u0146\3\u0146"+
"\3\u0146\3\u0146\3\u0146\3\u0146\3\u0146\3\u0146\3\u0147\3\u0147\3\u0147"+
"\3\u0147\3\u0147\3\u0147\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148"+
"\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148\3\u0148"+
"\3\u0149\3\u0149\3\u0149\3\u0149\3\u0149\3\u0149\3\u0149\3\u0149\3\u0149"+
"\3\u0149\3\u0149\3\u0149\3\u0149\3\u0149\3\u014a\3\u014a\3\u014a\3\u014a"+
"\3\u014a\3\u014a\3\u014a\3\u014a\3\u014a\3\u014a\3\u014a\3\u014a\3\u014a"+
"\3\u014a\3\u014a\3\u014a\3\u014a\3\u014a\3\u014b\3\u014b\3\u014b\3\u014b"+
"\3\u014b\3\u014b\3\u014b\3\u014b\3\u014b\3\u014b\3\u014b\3\u014c\3\u014c"+
"\3\u014c\3\u014c\3\u014c\3\u014c\3\u014d\3\u014d\3\u014d\3\u014d\3\u014d"+
"\3\u014d\3\u014e\3\u014e\3\u014e\3\u014e\3\u014e\3\u014e\3\u014f\3\u014f"+
"\3\u014f\3\u014f\3\u014f\3\u014f\3\u014f\3\u014f\3\u0150\3\u0150\3\u0150"+
"\3\u0150\3\u0150\3\u0150\3\u0150\3\u0150\3\u0150\3\u0150\3\u0150\3\u0150"+
"\3\u0150\3\u0150\3\u0151\3\u0151\3\u0151\3\u0151\3\u0151\3\u0152\3\u0152"+
"\3\u0152\3\u0152\3\u0152\3\u0152\3\u0152\3\u0152\3\u0153\3\u0153\3\u0153"+
"\3\u0153\3\u0153\3\u0153\3\u0153\3\u0153\3\u0153\3\u0153\3\u0153\3\u0153"+
"\3\u0153\3\u0153\3\u0154\3\u0154\3\u0154\3\u0154\3\u0154\3\u0154\3\u0154"+
"\3\u0154\3\u0154\3\u0154\3\u0155\3\u0155\3\u0155\3\u0155\3\u0155\3\u0155"+
"\3\u0155\3\u0156\3\u0156\3\u0156\3\u0156\3\u0156\3\u0156\3\u0156\3\u0156"+
"\3\u0156\3\u0156\3\u0156\3\u0156\3\u0157\3\u0157\3\u0157\3\u0157\3\u0157"+
"\3\u0157\3\u0158\3\u0158\3\u0158\3\u0158\3\u0158\3\u0158\3\u0158\3\u0158"+
"\3\u0158\3\u0158\3\u0158\3\u0158\3\u0159\3\u0159\3\u0159\3\u0159\3\u0159"+
"\3\u015a\3\u015a\3\u015a\3\u015a\3\u015a\3\u015a\3\u015a\3\u015b\3\u015b"+
"\3\u015b\3\u015b\3\u015c\3\u015c\3\u015c\3\u015c\3\u015c\3\u015c\3\u015c"+
"\3\u015c\3\u015c\3\u015d\3\u015d\3\u015d\3\u015d\3\u015d\3\u015e\3\u015e"+
"\3\u015e\3\u015f\3\u015f\3\u015f\3\u015f\3\u015f\3\u015f\3\u015f\3\u015f"+
"\3\u015f\5\u015f\u1470\n\u015f\3\u0160\3\u0160\3\u0160\3\u0160\3\u0160"+
"\3\u0160\3\u0160\3\u0160\3\u0160\3\u0160\3\u0160\3\u0160\3\u0160\3\u0160"+
"\3\u0160\3\u0160\3\u0161\3\u0161\3\u0161\3\u0161\3\u0161\3\u0162\3\u0162"+
"\3\u0162\3\u0162\3\u0162\3\u0162\3\u0162\3\u0162\3\u0162\3\u0162\3\u0162"+
"\3\u0162\3\u0163\3\u0163\3\u0163\3\u0163\3\u0163\3\u0163\3\u0163\3\u0163"+
"\3\u0163\3\u0164\3\u0164\3\u0164\3\u0164\3\u0164\3\u0164\3\u0164\3\u0164"+
"\3\u0165\3\u0165\3\u0165\3\u0165\3\u0165\3\u0165\3\u0165\3\u0165\3\u0165"+
"\3\u0166\3\u0166\3\u0166\3\u0166\3\u0166\3\u0166\3\u0166\3\u0166\3\u0167"+
"\3\u0167\3\u0167\3\u0167\3\u0167\3\u0167\3\u0167\3\u0167\3\u0167\3\u0167"+
"\3\u0168\3\u0168\3\u0168\3\u0168\3\u0168\3\u0168\3\u0169\3\u0169\3\u0169"+
"\3\u0169\3\u0169\3\u0169\3\u0169\3\u016a\3\u016a\3\u016a\3\u016a\3\u016a"+
"\3\u016a\3\u016a\3\u016b\3\u016b\3\u016b\3\u016b\3\u016b\3\u016b\3\u016b"+
"\3\u016b\3\u016c\3\u016c\3\u016c\3\u016c\3\u016c\3\u016c\3\u016c\3\u016d"+
"\3\u016d\3\u016d\3\u016d\3\u016d\3\u016d\3\u016d\3\u016e\3\u016e\3\u016e"+
"\3\u016e\3\u016e\3\u016e\3\u016e\3\u016e\3\u016e\3\u016e\3\u016e\3\u016f"+
"\3\u016f\3\u016f\3\u016f\3\u0170\3\u0170\3\u0170\3\u0170\3\u0171\3\u0171"+
"\3\u0171\3\u0171\3\u0171\3\u0172\3\u0172\3\u0172\3\u0172\3\u0172\3\u0173"+
"\3\u0173\3\u0173\3\u0173\3\u0173\3\u0173\3\u0173\3\u0174\3\u0174\3\u0174"+
"\3\u0174\3\u0174\3\u0174\3\u0174\3\u0174\3\u0175\3\u0175\3\u0175\3\u0175"+
"\3\u0175\3\u0175\3\u0175\3\u0175\3\u0175\3\u0175\3\u0175\3\u0175\3\u0175"+
"\3\u0175\3\u0175\3\u0176\3\u0176\3\u0176\3\u0176\3\u0176\3\u0177\3\u0177"+
"\3\u0177\3\u0177\3\u0177\3\u0177\3\u0177\3\u0177\3\u0177\3\u0177\3\u0177"+
"\3\u0178\3\u0178\3\u0178\3\u0178\3\u0178\3\u0178\3\u0178\3\u0178\3\u0179"+
"\3\u0179\3\u0179\3\u0179\3\u0179\3\u017a\3\u017a\3\u017a\3\u017a\3\u017a"+
"\3\u017a\3\u017b\3\u017b\3\u017b\3\u017b\3\u017b\3\u017b\3\u017c\3\u017c"+
"\3\u017c\3\u017c\3\u017c\3\u017c\3\u017c\3\u017c\3\u017d\3\u017d\3\u017d"+
"\3\u017d\3\u017d\3\u017e\3\u017e\3\u017e\3\u017e\3\u017e\3\u017e\3\u017e"+
"\3\u017f\3\u017f\3\u017f\3\u017f\3\u017f\3\u017f\3\u017f\3\u017f\3\u0180"+
"\3\u0180\3\u0180\3\u0180\3\u0180\3\u0180\3\u0180\3\u0180\3\u0181\3\u0181"+
"\3\u0181\3\u0181\3\u0181\3\u0181\3\u0181\3\u0181\3\u0181\3\u0181\3\u0182"+
"\3\u0182\3\u0182\3\u0182\3\u0182\3\u0182\3\u0182\3\u0182\3\u0182\3\u0183"+
"\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183"+
"\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183\3\u0183"+
"\3\u0184\3\u0184\3\u0184\3\u0184\3\u0184\3\u0184\3\u0184\3\u0185\3\u0185"+
"\3\u0185\3\u0185\3\u0185\3\u0185\3\u0185\3\u0185\3\u0185\3\u0185\3\u0185"+
"\3\u0186\3\u0186\3\u0186\3\u0186\3\u0186\3\u0186\3\u0186\3\u0187\3\u0187"+
"\3\u0187\3\u0187\3\u0187\3\u0187\3\u0187\3\u0187\3\u0188\3\u0188\3\u0188"+
"\3\u0188\3\u0188\3\u0188\3\u0188\3\u0188\3\u0189\3\u0189\3\u0189\3\u0189"+
"\3\u0189\3\u0189\3\u0189\3\u0189\3\u018a\3\u018a\3\u018a\3\u018a\3\u018a"+
"\3\u018a\3\u018a\3\u018a\3\u018b\3\u018b\3\u018b\3\u018b\3\u018b\3\u018b"+
"\3\u018b\3\u018b\3\u018b\3\u018c\3\u018c\3\u018c\3\u018c\3\u018c\3\u018c"+
"\3\u018d\3\u018d\3\u018d\3\u018d\3\u018d\3\u018d\3\u018d\3\u018d\3\u018d"+
"\3\u018d\3\u018e\3\u018e\3\u018e\3\u018e\3\u018e\3\u018e\3\u018e\3\u018e"+
"\3\u018e\3\u018e\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f"+
"\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f"+
"\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f"+
"\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f\3\u018f"+
"\3\u018f\3\u018f\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190"+
"\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190"+
"\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190\3\u0190"+
"\3\u0191\3\u0191\3\u0191\3\u0191\3\u0191\3\u0191\3\u0191\3\u0191\3\u0192"+
"\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192"+
"\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0192\3\u0193"+
"\3\u0193\3\u0193\3\u0193\3\u0193\3\u0193\3\u0193\3\u0193\3\u0193\3\u0193"+
"\3\u0193\3\u0194\3\u0194\3\u0194\3\u0194\3\u0194\3\u0194\3\u0194\3\u0194"+
"\3\u0194\3\u0194\3\u0194\3\u0194\3\u0194\3\u0195\3\u0195\3\u0195\3\u0195"+
"\3\u0195\3\u0195\3\u0195\3\u0195\3\u0195\3\u0195\3\u0195\3\u0195\3\u0195"+
"\3\u0195\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196"+
"\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0196\3\u0197"+
"\3\u0197\3\u0197\3\u0197\3\u0197\3\u0197\3\u0198\3\u0198\3\u0198\3\u0198"+
"\3\u0198\3\u0198\3\u0198\3\u0198\3\u0198\3\u0198\3\u0198\3\u0199\3\u0199"+
"\3\u0199\3\u0199\3\u0199\3\u0199\3\u0199\3\u0199\3\u0199\3\u019a\3\u019a"+
"\3\u019a\3\u019a\3\u019a\3\u019a\3\u019b\3\u019b\3\u019b\3\u019b\3\u019b"+
"\3\u019b\3\u019b\3\u019b\3\u019b\3\u019b\3\u019b\3\u019c\3\u019c\3\u019c"+
"\3\u019c\3\u019c\3\u019d\3\u019d\3\u019d\3\u019d\3\u019d\3\u019d\3\u019d"+
"\3\u019d\3\u019d\3\u019d\3\u019d\3\u019d\3\u019d\3\u019e\3\u019e\3\u019e"+
"\3\u019e\3\u019e\3\u019e\3\u019e\3\u019e\3\u019e\3\u019e\3\u019e\3\u019f"+
"\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f"+
"\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f\3\u019f"+
"\3\u019f\3\u019f\3\u019f\3\u019f\3\u01a0\3\u01a0\3\u01a0\3\u01a0\3\u01a0"+
"\3\u01a0\3\u01a0\3\u01a0\3\u01a0\3\u01a0\3\u01a0\3\u01a0\3\u01a1\3\u01a1"+
"\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1"+
"\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1\3\u01a1"+
"\3\u01a1\3\u01a1\3\u01a1\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2"+
"\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2"+
"\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2"+
"\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a2\3\u01a3\3\u01a3\3\u01a3\3\u01a3"+
"\3\u01a3\3\u01a3\3\u01a3\3\u01a3\3\u01a3\3\u01a3\3\u01a3\3\u01a3\3\u01a3"+
"\3\u01a4\3\u01a4\3\u01a4\3\u01a4\3\u01a5\3\u01a5\3\u01a5\3\u01a5\3\u01a5"+
"\3\u01a5\3\u01a5\3\u01a5\3\u01a5\3\u01a5\3\u01a5\3\u01a5\3\u01a5\3\u01a5"+
"\3\u01a5\3\u01a5\3\u01a6\3\u01a6\3\u01a6\3\u01a6\3\u01a6\3\u01a6\3\u01a6"+
"\3\u01a6\3\u01a6\3\u01a6\3\u01a6\3\u01a6\3\u01a6\3\u01a7\3\u01a7\3\u01a7"+
"\3\u01a7\3\u01a7\3\u01a7\3\u01a7\3\u01a8\3\u01a8\3\u01a8\3\u01a8\3\u01a8"+
"\3\u01a8\3\u01a8\3\u01a8\3\u01a8\3\u01a8\3\u01a8\3\u01a8\3\u01a8\3\u01a8"+
"\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9"+
"\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01a9\3\u01aa\3\u01aa"+
"\3\u01aa\3\u01aa\3\u01aa\3\u01aa\3\u01aa\3\u01aa\3\u01ab\3\u01ab\3\u01ab"+
"\3\u01ab\3\u01ab\3\u01ab\3\u01ab\3\u01ab\3\u01ab\3\u01ab\3\u01ab\3\u01ab"+
"\3\u01ab\3\u01ac\3\u01ac\3\u01ac\3\u01ac\3\u01ac\3\u01ac\3\u01ac\3\u01ad"+
"\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad"+
"\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ad\3\u01ae\3\u01ae\3\u01ae"+
"\3\u01ae\3\u01ae\3\u01ae\3\u01ae\3\u01ae\3\u01ae\3\u01ae\3\u01ae\3\u01ae"+
"\3\u01af\3\u01af\3\u01af\3\u01af\3\u01af\3\u01af\3\u01af\3\u01b0\3\u01b0"+
"\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b0"+
"\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b0\3\u01b1\3\u01b1\3\u01b1\3\u01b1"+
"\5\u01b1\u17c5\n\u01b1\3\u01b1\3\u01b1\3\u01b1\3\u01b1\3\u01b1\3\u01b2"+
"\3\u01b2\3\u01b2\3\u01b2\3\u01b2\3\u01b2\3\u01b2\3\u01b2\3\u01b3\3\u01b3"+
"\3\u01b3\3\u01b3\3\u01b3\3\u01b3\3\u01b4\3\u01b4\3\u01b4\3\u01b4\3\u01b4"+
"\3\u01b4\3\u01b4\3\u01b4\3\u01b4\3\u01b4\3\u01b4\3\u01b4\3\u01b4\3\u01b4"+
"\3\u01b4\3\u01b4\3\u01b4\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5"+
"\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5\3\u01b5"+
"\3\u01b5\3\u01b6\3\u01b6\3\u01b6\3\u01b6\3\u01b6\3\u01b6\3\u01b6\3\u01b6"+
"\3\u01b6\3\u01b7\3\u01b7\3\u01b7\3\u01b7\3\u01b7\3\u01b7\3\u01b7\3\u01b7"+
"\3\u01b7\3\u01b7\3\u01b7\3\u01b7\3\u01b7\3\u01b8\3\u01b8\3\u01b8\3\u01b8"+
"\3\u01b8\3\u01b8\3\u01b8\3\u01b8\3\u01b9\3\u01b9\3\u01b9\3\u01b9\3\u01b9"+
"\3\u01b9\3\u01b9\3\u01b9\3\u01b9\3\u01b9\3\u01b9\3\u01ba\3\u01ba\3\u01ba"+
"\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba"+
"\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01ba\3\u01bb\3\u01bb\3\u01bb"+
"\3\u01bb\3\u01bb\3\u01bb\3\u01bb\3\u01bb\3\u01bb\3\u01bb\3\u01bc\3\u01bc"+
"\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc"+
"\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc\3\u01bc"+
"\3\u01bd\3\u01bd\3\u01bd\3\u01bd\3\u01bd\3\u01bd\3\u01bd\3\u01be\3\u01be"+
"\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be"+
"\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be\3\u01be"+
"\3\u01be\3\u01be\3\u01be\3\u01be\3\u01bf\3\u01bf\3\u01bf\3\u01bf\3\u01bf"+
"\3\u01bf\3\u01bf\3\u01bf\3\u01c0\3\u01c0\3\u01c0\3\u01c0\3\u01c0\3\u01c0"+
"\3\u01c0\3\u01c0\3\u01c1\3\u01c1\3\u01c1\3\u01c1\3\u01c1\3\u01c1\3\u01c1"+
"\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2"+
"\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2\3\u01c2\5\u01c2\u1899\n\u01c2"+
"\3\u01c3\3\u01c3\3\u01c3\3\u01c3\3\u01c3\3\u01c3\3\u01c3\3\u01c3\3\u01c3"+
"\3\u01c3\3\u01c4\3\u01c4\3\u01c4\3\u01c4\3\u01c4\3\u01c4\3\u01c4\3\u01c4"+
"\3\u01c5\3\u01c5\3\u01c5\3\u01c5\3\u01c6\3\u01c6\3\u01c6\3\u01c6\3\u01c6"+
"\3\u01c6\3\u01c6\3\u01c6\3\u01c6\3\u01c6\3\u01c6\3\u01c7\3\u01c7\3\u01c7"+
"\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7"+
"\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7\3\u01c7"+
"\3\u01c8\3\u01c8\3\u01c8\3\u01c8\3\u01c8\3\u01c8\3\u01c8\3\u01c8\3\u01c8"+
"\3\u01c8\3\u01c8\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01c9"+
"\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01c9\3\u01ca\3\u01ca"+
"\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca"+
"\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca\3\u01ca"+
"\3\u01ca\3\u01ca\3\u01ca\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb"+
"\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb\3\u01cb"+
"\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc"+
"\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc"+
"\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc\3\u01cc"+
"\3\u01cc\3\u01cc\3\u01cc\3\u01cd\3\u01cd\3\u01cd\3\u01cd\3\u01cd\3\u01cd"+
"\3\u01cd\3\u01cd\3\u01ce\3\u01ce\3\u01ce\3\u01ce\3\u01ce\3\u01ce\3\u01ce"+
"\3\u01ce\3\u01ce\3\u01cf\3\u01cf\3\u01cf\3\u01cf\3\u01cf\3\u01cf\3\u01cf"+
"\3\u01cf\3\u01cf\3\u01d0\3\u01d0\3\u01d0\3\u01d0\3\u01d0\3\u01d0\3\u01d0"+
"\3\u01d0\3\u01d0\3\u01d1\3\u01d1\3\u01d1\3\u01d1\3\u01d1\3\u01d2\3\u01d2"+
"\3\u01d2\3\u01d2\3\u01d2\3\u01d2\3\u01d2\3\u01d2\3\u01d2\3\u01d2\3\u01d2"+
"\3\u01d2\3\u01d3\3\u01d3\3\u01d3\3\u01d3\3\u01d3\3\u01d3\3\u01d3\3\u01d3"+
"\3\u01d3\3\u01d3\3\u01d3\3\u01d3\3\u01d4\3\u01d4\3\u01d4\3\u01d4\3\u01d4"+
"\3\u01d4\3\u01d4\3\u01d4\3\u01d4\3\u01d4\3\u01d4\3\u01d5\3\u01d5\3\u01d5"+
"\3\u01d5\3\u01d5\3\u01d5\3\u01d5\3\u01d5\3\u01d5\3\u01d5\3\u01d5\3\u01d6"+
"\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6"+
"\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6"+
"\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d6\3\u01d7\3\u01d7"+
"\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7"+
"\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d7\3\u01d8\3\u01d8\3\u01d8"+
"\3\u01d8\3\u01d8\3\u01d8\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9"+
"\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01d9"+
"\3\u01d9\3\u01d9\3\u01d9\3\u01d9\3\u01da\3\u01da\3\u01da\3\u01da\3\u01da"+
"\3\u01da\3\u01da\3\u01da\3\u01db\3\u01db\3\u01db\3\u01db\3\u01db\3\u01db"+
"\3\u01db\3\u01db\3\u01db\3\u01db\3\u01db\3\u01dc\3\u01dc\3\u01dc\3\u01dc"+
"\3\u01dc\3\u01dc\3\u01dc\3\u01dc\3\u01dc\3\u01dc\3\u01dc\3\u01dd\3\u01dd"+
"\3\u01dd\3\u01dd\3\u01de\3\u01de\3\u01de\3\u01de\3\u01de\3\u01de\3\u01de"+
"\3\u01de\3\u01de\3\u01de\3\u01de\3\u01de\3\u01df\3\u01df\3\u01df\3\u01df"+
"\3\u01df\3\u01e0\3\u01e0\3\u01e0\3\u01e0\3\u01e0\3\u01e1\3\u01e1\3\u01e1"+
"\3\u01e1\3\u01e1\3\u01e1\3\u01e1\3\u01e2\3\u01e2\3\u01e2\3\u01e2\3\u01e2"+
"\3\u01e2\3\u01e2\3\u01e2\3\u01e2\3\u01e2\3\u01e2\3\u01e2\3\u01e2\3\u01e2"+
"\3\u01e2\3\u01e3\3\u01e3\3\u01e3\3\u01e3\3\u01e3\3\u01e3\3\u01e3\3\u01e3"+
"\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4"+
"\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e4\3\u01e5\3\u01e5\3\u01e5"+
"\3\u01e5\3\u01e5\3\u01e5\3\u01e5\3\u01e5\3\u01e5\3\u01e6\3\u01e6\3\u01e6"+
"\3\u01e7\3\u01e7\3\u01e7\3\u01e7\3\u01e7\3\u01e7\3\u01e7\3\u01e7\3\u01e7"+
"\3\u01e8\3\u01e8\3\u01e8\3\u01e8\3\u01e8\3\u01e8\3\u01e8\3\u01e8\3\u01e9"+
"\3\u01e9\3\u01e9\3\u01e9\3\u01e9\3\u01e9\3\u01e9\3\u01e9\3\u01e9\3\u01ea"+
"\3\u01ea\3\u01ea\3\u01ea\3\u01ea\3\u01ea\3\u01ea\3\u01ea\3\u01ea\3\u01ea"+
"\3\u01eb\3\u01eb\3\u01eb\3\u01eb\3\u01eb\3\u01eb\3\u01ec\3\u01ec\3\u01ec"+
"\3\u01ec\3\u01ec\3\u01ec\3\u01ec\3\u01ed\3\u01ed\3\u01ed\3\u01ed\3\u01ed"+
"\3\u01ed\3\u01ed\3\u01ed\3\u01ed\3\u01ed\3\u01ed\3\u01ed\3\u01ed\3\u01ed"+
"\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee"+
"\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ee\3\u01ef\3\u01ef"+
"\3\u01ef\3\u01ef\3\u01ef\3\u01ef\3\u01ef\3\u01ef\3\u01ef\3\u01ef\3\u01ef"+
"\3\u01f0\3\u01f0\3\u01f0\3\u01f0\3\u01f0\3\u01f0\3\u01f0\3\u01f0\3\u01f0"+
"\3\u01f0\3\u01f0\3\u01f0\3\u01f0\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1"+
"\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1"+
"\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f1"+
"\3\u01f1\3\u01f1\3\u01f1\3\u01f1\3\u01f2\3\u01f2\3\u01f2\3\u01f2\3\u01f2"+
"\3\u01f2\3\u01f2\3\u01f2\3\u01f2\3\u01f2\3\u01f3\3\u01f3\3\u01f3\3\u01f3"+
"\3\u01f3\3\u01f3\3\u01f3\3\u01f3\3\u01f3\3\u01f3\3\u01f3\3\u01f4\3\u01f4"+
"\3\u01f4\3\u01f4\3\u01f4\3\u01f4\3\u01f5\3\u01f5\3\u01f5\3\u01f5\3\u01f5"+
"\3\u01f5\3\u01f5\3\u01f6\3\u01f6\3\u01f6\3\u01f6\3\u01f6\3\u01f6\3\u01f6"+
"\3\u01f6\3\u01f6\3\u01f6\3\u01f6\3\u01f6\3\u01f7\3\u01f7\3\u01f7\3\u01f7"+
"\3\u01f7\3\u01f7\3\u01f7\3\u01f7\3\u01f7\3\u01f8\3\u01f8\3\u01f8\3\u01f8"+
"\3\u01f8\3\u01f8\3\u01f8\3\u01f8\3\u01f8\3\u01f8\3\u01f8\3\u01f8\3\u01f8"+
"\3\u01f8\3\u01f8\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01f9"+
"\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01f9\3\u01fa\3\u01fa"+
"\3\u01fa\3\u01fa\3\u01fa\3\u01fa\3\u01fa\3\u01fa\3\u01fb\3\u01fb\3\u01fb"+
"\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb"+
"\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb\3\u01fb"+
"\3\u01fb\3\u01fb\3\u01fb\3\u01fc\3\u01fc\3\u01fc\3\u01fc\3\u01fc\3\u01fd"+
"\3\u01fd\3\u01fd\3\u01fd\3\u01fd\3\u01fd\3\u01fd\3\u01fd\3\u01fd\3\u01fd"+
"\3\u01fd\3\u01fd\3\u01fd\3\u01fe\3\u01fe\3\u01fe\3\u01fe\3\u01fe\3\u01fe"+
"\3\u01fe\3\u01fe\3\u01fe\3\u01fe\3\u01ff\3\u01ff\3\u01ff\3\u01ff\3\u01ff"+
"\3\u01ff\3\u01ff\3\u01ff\3\u01ff\3\u01ff\3\u01ff\3\u0200\3\u0200\3\u0200"+
"\3\u0200\3\u0200\3\u0200\3\u0200\3\u0200\3\u0200\3\u0201\3\u0201\3\u0201"+
"\3\u0201\3\u0201\3\u0201\3\u0201\3\u0201\3\u0201\3\u0201\3\u0201\3\u0202"+
"\3\u0202\3\u0202\3\u0202\3\u0202\3\u0202\3\u0202\3\u0203\3\u0203\3\u0203"+
"\3\u0203\3\u0203\3\u0203\3\u0203\3\u0203\3\u0203\3\u0203\3\u0203\3\u0203"+
"\3\u0203\3\u0203\3\u0203\5\u0203\u1b80\n\u0203\3\u0204\3\u0204\3\u0204"+
"\3\u0204\3\u0204\3\u0204\3\u0204\3\u0204\3\u0204\3\u0204\3\u0204\3\u0204"+
"\3\u0205\3\u0205\3\u0205\3\u0205\3\u0205\3\u0205\3\u0205\3\u0205\3\u0205"+
"\3\u0205\3\u0206\3\u0206\3\u0206\3\u0206\3\u0206\3\u0206\3\u0207\3\u0207"+
"\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207"+
"\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207"+
"\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207\3\u0207"+
"\3\u0207\3\u0207\3\u0208\3\u0208\3\u0208\3\u0208\3\u0208\3\u0208\3\u0208"+
"\3\u0209\3\u0209\3\u0209\3\u0209\3\u0209\3\u0209\3\u0209\3\u020a\3\u020a"+
"\3\u020a\3\u020a\3\u020a\3\u020a\3\u020a\3\u020a\3\u020a\3\u020a\3\u020a"+
"\3\u020a\3\u020a\3\u020b\3\u020b\3\u020b\3\u020b\3\u020b\3\u020b\3\u020b"+
"\3\u020b\3\u020b\3\u020c\3\u020c\3\u020c\3\u020c\3\u020c\3\u020c\3\u020c"+
"\3\u020c\3\u020c\3\u020d\3\u020d\3\u020d\3\u020e\3\u020e\3\u020e\3\u020e"+
"\3\u020e\3\u020e\3\u020e\3\u020e\3\u020f\3\u020f\3\u020f\3\u020f\3\u020f"+
"\3\u020f\3\u020f\3\u020f\3\u020f\3\u020f\3\u020f\3\u0210\3\u0210\3\u0210"+
"\3\u0210\3\u0210\3\u0210\3\u0210\3\u0211\3\u0211\3\u0211\3\u0212\3\u0212"+
"\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212"+
"\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0212\3\u0213"+
"\3\u0213\3\u0213\3\u0213\3\u0213\3\u0213\3\u0213\3\u0213\3\u0213\3\u0214"+
"\3\u0214\3\u0214\3\u0214\3\u0214\3\u0214\3\u0214\3\u0214\3\u0214\3\u0214"+
"\3\u0214\3\u0214\3\u0215\3\u0215\3\u0215\3\u0215\3\u0215\3\u0216\3\u0216"+
"\3\u0216\3\u0216\3\u0216\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217"+
"\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217"+
"\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0217\3\u0218\3\u0218\3\u0218"+
"\3\u0218\3\u0218\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219"+
"\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219"+
"\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u0219\3\u021a\3\u021a\3\u021a"+
"\3\u021a\3\u021a\3\u021a\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b"+
"\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b\3\u021b"+
"\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c"+
"\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c"+
"\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c"+
"\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c\3\u021c"+
"\3\u021c\3\u021c\3\u021d\3\u021d\3\u021d\3\u021d\3\u021d\3\u021d\3\u021d"+
"\3\u021d\3\u021d\3\u021d\3\u021e\3\u021e\3\u021e\3\u021e\3\u021e\3\u021e"+
"\3\u021e\3\u021e\3\u021e\3\u021e\3\u021e\3\u021e\3\u021f\3\u021f\3\u021f"+
"\3\u021f\3\u021f\3\u021f\3\u021f\3\u021f\3\u021f\3\u021f\3\u021f\3\u0220"+
"\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220"+
"\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220\3\u0220"+
"\3\u0220\3\u0221\3\u0221\3\u0221\3\u0221\3\u0221\3\u0221\3\u0221\3\u0221"+
"\3\u0221\3\u0221\3\u0221\3\u0221\3\u0222\3\u0222\3\u0222\3\u0222\3\u0222"+
"\3\u0222\3\u0222\3\u0222\3\u0222\3\u0222\3\u0223\3\u0223\3\u0223\3\u0223"+
"\3\u0223\3\u0223\3\u0224\3\u0224\3\u0224\3\u0224\3\u0224\3\u0224\3\u0224"+
"\3\u0224\3\u0224\3\u0224\3\u0224\3\u0224\3\u0225\3\u0225\3\u0225\3\u0225"+
"\3\u0225\3\u0225\3\u0225\3\u0225\3\u0225\3\u0226\3\u0226\3\u0226\3\u0226"+
"\3\u0227\3\u0227\3\u0227\3\u0228\3\u0228\3\u0228\3\u0228\3\u0228\3\u0228"+
"\3\u0228\3\u0228\3\u0228\3\u0228\3\u0229\3\u0229\3\u0229\3\u0229\3\u0229"+
"\3\u022a\3\u022a\3\u022a\3\u022b\3\u022b\3\u022b\3\u022b\3\u022b\3\u022c"+
"\3\u022c\3\u022c\3\u022c\3\u022c\3\u022c\3\u022c\3\u022c\3\u022c\3\u022c"+
"\3\u022d\3\u022d\3\u022d\3\u022d\3\u022d\3\u022d\3\u022d\3\u022d\3\u022d"+
"\3\u022d\3\u022d\3\u022e\3\u022e\3\u022e\3\u022e\3\u022e\3\u022f\3\u022f"+
"\3\u022f\3\u022f\3\u022f\3\u022f\3\u022f\3\u0230\3\u0230\3\u0230\3\u0230"+
"\3\u0231\3\u0231\3\u0231\3\u0231\3\u0231\3\u0232\3\u0232\3\u0232\3\u0232"+
"\3\u0232\3\u0232\3\u0232\3\u0232\3\u0232\3\u0232\3\u0232\3\u0233\3\u0233"+
"\3\u0233\3\u0233\3\u0233\3\u0234\3\u0234\3\u0234\3\u0234\3\u0234\3\u0234"+
"\3\u0235\3\u0235\3\u0235\3\u0235\3\u0235\3\u0236\3\u0236\3\u0236\3\u0236"+
"\3\u0236\3\u0236\3\u0236\3\u0236\3\u0236\3\u0237\3\u0237\3\u0237\3\u0237"+
"\3\u0237\3\u0237\3\u0237\3\u0237\3\u0237\3\u0237\3\u0237\3\u0237\3\u0237"+
"\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238"+
"\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238\3\u0238\3\u0239\3\u0239\3\u0239"+
"\3\u0239\3\u0239\3\u0239\3\u023a\3\u023a\3\u023a\3\u023a\3\u023a\3\u023a"+
"\3\u023a\3\u023a\3\u023a\3\u023b\3\u023b\3\u023b\3\u023b\3\u023b\3\u023c"+
"\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c"+
"\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c\3\u023c\3\u023d\3\u023d\3\u023d"+
"\3\u023d\3\u023d\3\u023d\3\u023e\3\u023e\3\u023e\3\u023e\3\u023e\3\u023f"+
"\3\u023f\3\u023f\3\u023f\3\u0240\3\u0240\3\u0240\3\u0240\3\u0240\3\u0240"+
"\3\u0240\3\u0241\3\u0241\3\u0241\3\u0241\3\u0241\3\u0242\3\u0242\3\u0242"+
"\3\u0242\3\u0242\3\u0242\3\u0242\3\u0242\3\u0242\3\u0242\3\u0242\3\u0242"+
"\3\u0242\3\u0243\3\u0243\3\u0243\3\u0243\3\u0243\3\u0243\3\u0243\3\u0243"+
"\3\u0243\5\u0243\u1dea\n\u0243\3\u0244\3\u0244\3\u0244\3\u0244\3\u0244"+
"\3\u0244\3\u0244\3\u0244\3\u0244\3\u0244\3\u0244\3\u0244\3\u0244\3\u0244"+
"\3\u0244\3\u0244\3\u0245\3\u0245\3\u0245\3\u0245\3\u0245\3\u0245\3\u0245"+
"\3\u0245\3\u0246\3\u0246\3\u0246\3\u0246\3\u0246\3\u0246\3\u0246\3\u0246"+
"\3\u0246\3\u0246\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247"+
"\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247\3\u0247"+
"\3\u0247\3\u0247\3\u0247\3\u0247\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248"+
"\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248"+
"\3\u0248\3\u0248\3\u0248\3\u0248\3\u0248\3\u0249\3\u0249\3\u0249\3\u0249"+
"\3\u0249\3\u0249\3\u0249\3\u0249\3\u0249\3\u0249\3\u0249\3\u0249\3\u0249"+
"\3\u0249\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a"+
"\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a\3\u024a"+
"\3\u024a\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b"+
"\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b\3\u024b"+
"\3\u024b\3\u024b\3\u024c\3\u024c\3\u024c\3\u024c\3\u024c\3\u024c\3\u024c"+
"\3\u024d\3\u024d\3\u024d\3\u024d\3\u024d\3\u024d\3\u024d\3\u024d\3\u024d"+
"\3\u024d\3\u024d\3\u024d\3\u024d\3\u024e\3\u024e\3\u024e\3\u024e\3\u024e"+
"\3\u024e\3\u024e\3\u024e\3\u024f\3\u024f\3\u024f\3\u0250\3\u0250\3\u0250"+
"\3\u0250\3\u0250\3\u0250\3\u0250\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251"+
"\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251"+
"\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0251\3\u0252"+
"\3\u0252\3\u0252\3\u0252\3\u0252\3\u0252\3\u0252\3\u0252\3\u0253\3\u0253"+
"\3\u0253\3\u0253\3\u0253\3\u0253\3\u0253\3\u0253\3\u0253\5\u0253\u1eb5"+
"\n\u0253\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254"+
"\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254"+
"\3\u0254\3\u0254\3\u0254\3\u0254\3\u0254\3\u0255\3\u0255\3\u0255\3\u0255"+
"\3\u0255\3\u0255\3\u0255\3\u0255\3\u0255\3\u0255\3\u0255\3\u0255\3\u0255"+
"\3\u0255\3\u0255\3\u0255\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256"+
"\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256"+
"\3\u0256\3\u0256\3\u0256\3\u0256\3\u0256\3\u0257\3\u0257\3\u0257\3\u0257"+
"\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257"+
"\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257\3\u0257\3\u0258\3\u0258\3\u0258"+
"\3\u0258\3\u0258\3\u0258\3\u0258\3\u0258\3\u0259\3\u0259\3\u0259\3\u0259"+
"\3\u0259\3\u0259\3\u0259\3\u0259\3\u0259\3\u0259\3\u0259\3\u0259\3\u0259"+
"\3\u0259\3\u0259\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a"+
"\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a"+
"\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025a\3\u025b\3\u025b\3\u025b"+
"\3\u025b\3\u025b\3\u025c\3\u025c\3\u025c\3\u025c\3\u025c\3\u025c\3\u025c"+
"\3\u025d\3\u025d\3\u025d\3\u025d\3\u025d\3\u025e\3\u025e\3\u025e\3\u025e"+
"\3\u025e\3\u025e\3\u025e\3\u025e\3\u025e\3\u025e\3\u025e\3\u025f\3\u025f"+
"\3\u025f\3\u025f\3\u025f\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260"+
"\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260\3\u0260"+
"\3\u0260\3\u0261\3\u0261\3\u0261\3\u0261\3\u0261\3\u0261\3\u0261\3\u0261"+
"\3\u0261\3\u0261\3\u0261\3\u0261\3\u0262\3\u0262\3\u0262\3\u0262\3\u0262"+
"\3\u0262\3\u0262\3\u0262\3\u0262\3\u0262\3\u0262\3\u0263\3\u0263\3\u0263"+
"\3\u0263\3\u0263\3\u0263\3\u0263\3\u0263\3\u0263\3\u0263\3\u0263\3\u0263"+
"\3\u0263\3\u0264\3\u0264\3\u0264\3\u0264\3\u0264\3\u0265\3\u0265\3\u0265"+
"\3\u0266\3\u0266\3\u0266\3\u0266\3\u0266\3\u0266\3\u0266\3\u0266\3\u0266"+
"\3\u0266\3\u0266\3\u0266\3\u0267\3\u0267\3\u0267\3\u0267\3\u0267\3\u0267"+
"\3\u0267\3\u0267\3\u0268\3\u0268\3\u0268\3\u0268\3\u0268\3\u0268\3\u0268"+
"\3\u0268\3\u0269\3\u0269\3\u0269\3\u0269\3\u0269\3\u0269\3\u026a\3\u026a"+
"\3\u026a\3\u026a\3\u026a\3\u026a\3\u026a\3\u026a\3\u026a\3\u026b\3\u026b"+
"\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b"+
"\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b\3\u026b"+
"\3\u026b\3\u026b\3\u026c\3\u026c\3\u026c\3\u026c\3\u026c\3\u026c\3\u026c"+
"\3\u026c\3\u026c\3\u026c\3\u026c\3\u026c\3\u026d\3\u026d\3\u026d\3\u026d"+
"\3\u026d\3\u026d\3\u026d\3\u026d\3\u026d\3\u026d\3\u026d\3\u026e\3\u026e"+
"\3\u026e\3\u026e\3\u026e\3\u026e\3\u026e\3\u026f\3\u026f\3\u026f\3\u026f"+
"\3\u026f\3\u026f\3\u0270\3\u0270\3\u0270\3\u0270\3\u0270\3\u0270\3\u0270"+
"\3\u0270\3\u0270\3\u0271\3\u0271\3\u0271\3\u0271\3\u0271\3\u0271\3\u0271"+
"\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272"+
"\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272\3\u0272"+
"\3\u0272\3\u0273\3\u0273\3\u0273\3\u0273\3\u0273\3\u0273\3\u0273\3\u0274"+
"\3\u0274\3\u0274\3\u0274\3\u0274\3\u0274\3\u0274\3\u0274\3\u0275\3\u0275"+
"\3\u0275\3\u0275\3\u0275\3\u0275\3\u0275\3\u0276\3\u0276\3\u0276\3\u0276"+
"\3\u0276\3\u0276\3\u0276\3\u0276\3\u0276\3\u0276\3\u0276\3\u0276\3\u0277"+
"\3\u0277\3\u0277\3\u0277\3\u0277\3\u0277\3\u0277\3\u0278\3\u0278\3\u0278"+
"\3\u0278\3\u0278\3\u0279\3\u0279\3\u0279\3\u0279\3\u0279\3\u0279\3\u0279"+
"\3\u0279\3\u0279\3\u0279\3\u0279\3\u0279\3\u0279\3\u0279\3\u027a\3\u027a"+
"\3\u027a\3\u027a\3\u027a\3\u027a\3\u027a\3\u027a\3\u027a\3\u027a\3\u027a"+
"\3\u027b\3\u027b\3\u027b\3\u027b\3\u027b\3\u027b\3\u027b\3\u027b\3\u027b"+
"\3\u027c\3\u027c\3\u027c\3\u027c\3\u027d\3\u027d\3\u027d\3\u027d\3\u027d"+
"\3\u027d\3\u027d\3\u027e\3\u027e\3\u027e\3\u027e\3\u027e\3\u027e\3\u027f"+
"\3\u027f\3\u027f\3\u027f\3\u027f\3\u027f\3\u027f\3\u027f\3\u027f\3\u027f"+
"\3\u027f\3\u027f\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280"+
"\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280\3\u0280"+
"\3\u0280\3\u0281\3\u0281\3\u0281\3\u0281\3\u0281\3\u0281\3\u0281\3\u0281"+
"\3\u0281\3\u0281\3\u0282\3\u0282\3\u0282\3\u0282\3\u0282\3\u0282\3\u0282"+
"\3\u0282\3\u0282\3\u0282\3\u0282\3\u0283\3\u0283\3\u0283\3\u0283\3\u0283"+
"\3\u0283\3\u0283\3\u0283\3\u0284\3\u0284\3\u0284\3\u0284\3\u0284\3\u0285"+
"\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285"+
"\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285"+
"\3\u0285\3\u0285\3\u0285\3\u0285\3\u0285\3\u0286\3\u0286\3\u0286\3\u0286"+
"\3\u0286\3\u0287\3\u0287\3\u0287\3\u0287\3\u0287\3\u0288\3\u0288\3\u0288"+
"\3\u0288\3\u0288\3\u0288\3\u0288\3\u0288\3\u0288\3\u0288\3\u0289\3\u0289"+
"\3\u0289\3\u0289\3\u0289\3\u0289\3\u0289\3\u0289\3\u0289\3\u0289\3\u0289"+
"\3\u0289\3\u0289\3\u028a\3\u028a\3\u028a\3\u028a\3\u028a\3\u028a\3\u028b"+
"\3\u028b\3\u028b\3\u028b\3\u028b\3\u028b\3\u028b\3\u028b\3\u028b\3\u028c"+
"\3\u028c\3\u028c\3\u028c\3\u028c\3\u028c\3\u028c\3\u028c\3\u028c\3\u028c"+
"\3\u028c\3\u028c\3\u028c\3\u028c\3\u028c\3\u028d\3\u028d\3\u028d\3\u028d"+
"\3\u028d\3\u028d\3\u028d\3\u028d\3\u028e\3\u028e\3\u028e\3\u028e\3\u028e"+
"\3\u028e\3\u028e\3\u028e\3\u028e\3\u028e\3\u028e\3\u028e\3\u028f\3\u028f"+
"\3\u028f\3\u028f\3\u028f\3\u028f\3\u028f\3\u028f\3\u028f\3\u028f\3\u028f"+
"\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290"+
"\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290\3\u0290\3\u0291\3\u0291\3\u0291"+
"\3\u0291\3\u0291\3\u0291\3\u0291\3\u0291\3\u0291\3\u0292\3\u0292\3\u0292"+
"\3\u0292\3\u0292\3\u0292\3\u0292\3\u0292\3\u0292\3\u0293\3\u0293\3\u0293"+
"\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293"+
"\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293\3\u0293\3\u0294\3\u0294\3\u0294"+
"\3\u0294\3\u0294\3\u0294\3\u0295\3\u0295\3\u0295\3\u0295\3\u0295\3\u0295"+
"\3\u0296\3\u0296\3\u0296\3\u0296\3\u0296\3\u0296\3\u0296\3\u0296\3\u0296"+
"\3\u0296\3\u0296\3\u0296\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297"+
"\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297\3\u0297"+
"\3\u0297\3\u0297\3\u0297\3\u0298\3\u0298\3\u0298\3\u0298\3\u0298\3\u0298"+
"\3\u0299\3\u0299\3\u0299\3\u0299\3\u0299\3\u029a\3\u029a\3\u029a\3\u029a"+
"\3\u029b\3\u029b\3\u029b\3\u029b\3\u029c\3\u029c\3\u029c\3\u029c\3\u029c"+
"\3\u029c\3\u029c\3\u029c\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d"+
"\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d"+
"\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d\3\u029d"+
"\3\u029e\3\u029e\3\u029e\3\u029e\3\u029e\3\u029e\3\u029e\3\u029e\3\u029e"+
"\3\u029e\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f"+
"\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f"+
"\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u029f\3\u02a0\3\u02a0\3\u02a0"+
"\3\u02a0\3\u02a0\3\u02a0\3\u02a0\3\u02a0\3\u02a0\3\u02a0\3\u02a0\3\u02a1"+
"\3\u02a1\3\u02a1\3\u02a1\3\u02a1\3\u02a1\3\u02a1\3\u02a1\3\u02a1\3\u02a2"+
"\3\u02a2\3\u02a2\3\u02a2\3\u02a2\3\u02a2\3\u02a2\3\u02a2\3\u02a3\3\u02a3"+
"\3\u02a3\3\u02a3\3\u02a3\3\u02a3\3\u02a3\3\u02a3\3\u02a4\3\u02a4\3\u02a4"+
"\3\u02a4\3\u02a4\3\u02a4\3\u02a4\3\u02a4\3\u02a4\3\u02a4\3\u02a5\3\u02a5"+
"\3\u02a5\3\u02a5\3\u02a5\3\u02a5\3\u02a5\3\u02a5\3\u02a5\3\u02a6\3\u02a6"+
"\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6"+
"\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a6\3\u02a7"+
"\3\u02a7\3\u02a7\3\u02a7\3\u02a7\3\u02a7\3\u02a7\3\u02a7\3\u02a7\3\u02a8"+
"\3\u02a8\3\u02a8\3\u02a8\3\u02a8\3\u02a8\3\u02a8\3\u02a9\3\u02a9\3\u02a9"+
"\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9"+
"\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02a9\3\u02aa"+
"\3\u02aa\3\u02aa\3\u02aa\3\u02aa\3\u02aa\3\u02aa\3\u02ab\3\u02ab\3\u02ab"+
"\3\u02ab\3\u02ab\3\u02ab\3\u02ab\3\u02ab\3\u02ab\3\u02ab\3\u02ab\3\u02ac"+
"\3\u02ac\3\u02ac\3\u02ac\3\u02ac\3\u02ac\3\u02ac\3\u02ac\3\u02ac\3\u02ac"+
"\3\u02ac\3\u02ad\3\u02ad\3\u02ad\3\u02ad\3\u02ad\3\u02ad\3\u02ad\3\u02ad"+
"\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae"+
"\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae"+
"\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02ae\3\u02af\3\u02af"+
"\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af"+
"\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af"+
"\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af\3\u02af"+
"\3\u02af\3\u02af\3\u02af\3\u02af\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0"+
"\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0"+
"\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0"+
"\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0\3\u02b0"+
"\3\u02b0\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1"+
"\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1"+
"\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1"+
"\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1"+
"\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1\3\u02b1"+
"\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2"+
"\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2\3\u02b2"+
"\3\u02b2\3\u02b3\3\u02b3\3\u02b3\3\u02b3\3\u02b3\3\u02b3\3\u02b3\3\u02b3"+
"\3\u02b3\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4"+
"\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4"+
"\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4\3\u02b4"+
"\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5"+
"\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b5\3\u02b6\3\u02b6"+
"\3\u02b6\3\u02b6\3\u02b6\3\u02b6\3\u02b6\3\u02b6\3\u02b6\3\u02b6\3\u02b7"+
"\3\u02b7\3\u02b7\3\u02b7\3\u02b7\3\u02b7\3\u02b7\3\u02b8\3\u02b8\3\u02b8"+
"\3\u02b8\3\u02b8\3\u02b9\3\u02b9\3\u02b9\3\u02b9\3\u02b9\3\u02b9\3\u02ba"+
"\3\u02ba\3\u02ba\3\u02ba\3\u02bb\3\u02bb\3\u02bb\3\u02bb\3\u02bb\3\u02bb"+
"\3\u02bb\3\u02bb\3\u02bb\3\u02bb\3\u02bb\3\u02bc\3\u02bc\3\u02bc\3\u02bc"+
"\3\u02bc\3\u02bc\3\u02bc\3\u02bc\3\u02bd\3\u02bd\3\u02bd\3\u02bd\3\u02bd"+
"\3\u02be\3\u02be\3\u02be\3\u02be\3\u02be\3\u02be\3\u02be\3\u02bf\3\u02bf"+
"\3\u02bf\3\u02bf\3\u02bf\3\u02bf\3\u02bf\3\u02bf\3\u02bf\3\u02bf\3\u02bf"+
"\3\u02bf\3\u02bf\3\u02bf\3\u02c0\3\u02c0\3\u02c0\3\u02c0\3\u02c0\3\u02c0"+
"\3\u02c0\3\u02c1\3\u02c1\3\u02c1\3\u02c1\3\u02c1\3\u02c1\3\u02c1\3\u02c2"+
"\3\u02c2\3\u02c2\3\u02c2\3\u02c2\3\u02c2\3\u02c2\3\u02c2\3\u02c2\3\u02c2"+
"\3\u02c2\3\u02c2\3\u02c2\3\u02c3\3\u02c3\3\u02c3\3\u02c3\3\u02c3\3\u02c3"+
"\3\u02c3\3\u02c4\3\u02c4\3\u02c4\3\u02c4\3\u02c4\3\u02c4\3\u02c4\3\u02c4"+
"\3\u02c4\3\u02c4\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5"+
"\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c5\3\u02c6"+
"\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c6"+
"\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c6\3\u02c7\3\u02c7\3\u02c7\3\u02c7"+
"\3\u02c7\3\u02c7\3\u02c7\3\u02c7\3\u02c8\3\u02c8\3\u02c8\3\u02c8\3\u02c8"+
"\3\u02c8\3\u02c8\3\u02c9\3\u02c9\3\u02c9\3\u02c9\3\u02c9\3\u02c9\3\u02c9"+
"\3\u02c9\3\u02c9\3\u02c9\3\u02c9\3\u02c9\3\u02c9\3\u02ca\3\u02ca\3\u02ca"+
"\3\u02ca\3\u02ca\3\u02ca\3\u02ca\3\u02ca\3\u02ca\3\u02ca\3\u02ca\3\u02ca"+
"\3\u02ca\3\u02cb\3\u02cb\3\u02cb\3\u02cb\3\u02cb\3\u02cc\3\u02cc\3\u02cc"+
"\3\u02cc\3\u02cc\3\u02cc\3\u02cc\3\u02cc\3\u02cc\3\u02cc\3\u02cc\3\u02cc"+
"\3\u02cc\3\u02cc\3\u02cc\3\u02cd\3\u02cd\3\u02cd\3\u02cd\3\u02cd\3\u02ce"+
"\3\u02ce\3\u02ce\3\u02ce\3\u02ce\3\u02cf\3\u02cf\3\u02cf\3\u02cf\3\u02cf"+
"\3\u02cf\3\u02cf\3\u02cf\3\u02cf\3\u02cf\3\u02cf\3\u02cf\3\u02cf\3\u02d0"+
"\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0"+
"\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d0\3\u02d1\3\u02d1\3\u02d1"+
"\3\u02d1\3\u02d1\3\u02d1\3\u02d1\3\u02d1\3\u02d1\3\u02d2\3\u02d2\3\u02d2"+
"\3\u02d2\3\u02d2\3\u02d2\3\u02d3\3\u02d3\3\u02d3\3\u02d3\3\u02d3\3\u02d3"+
"\3\u02d3\3\u02d3\3\u02d3\3\u02d4\3\u02d4\3\u02d4\3\u02d4\3\u02d4\3\u02d4"+
"\3\u02d4\3\u02d4\3\u02d4\3\u02d4\3\u02d5\3\u02d5\3\u02d5\3\u02d5\3\u02d5"+
"\3\u02d5\3\u02d5\3\u02d6\3\u02d6\3\u02d6\3\u02d6\3\u02d6\3\u02d6\3\u02d6"+
"\3\u02d6\3\u02d6\3\u02d6\3\u02d6\3\u02d6\3\u02d7\3\u02d7\3\u02d7\3\u02d7"+
"\3\u02d7\3\u02d8\3\u02d8\3\u02d8\3\u02d8\3\u02d8\3\u02d8\3\u02d8\3\u02d8"+
"\3\u02d8\3\u02d9\3\u02d9\3\u02d9\3\u02d9\3\u02d9\3\u02d9\3\u02d9\3\u02d9"+
"\3\u02d9\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da"+
"\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da"+
"\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02da\3\u02db"+
"\3\u02db\3\u02db\3\u02db\3\u02db\3\u02db\3\u02db\3\u02db\3\u02dc\3\u02dc"+
"\3\u02dc\3\u02dc\3\u02dc\3\u02dc\3\u02dc\3\u02dc\3\u02dc\3\u02dc\3\u02dc"+
"\3\u02dd\3\u02dd\3\u02dd\3\u02dd\3\u02dd\3\u02dd\3\u02dd\3\u02de\3\u02de"+
"\3\u02de\3\u02de\3\u02de\3\u02de\3\u02de\3\u02de\3\u02de\3\u02de\3\u02de"+
"\3\u02de\3\u02de\3\u02df\3\u02df\3\u02df\3\u02df\3\u02df\3\u02df\3\u02df"+
"\3\u02e0\3\u02e0\3\u02e0\3\u02e0\3\u02e0\3\u02e0\3\u02e1\3\u02e1\3\u02e1"+
"\3\u02e1\3\u02e1\3\u02e1\3\u02e1\3\u02e2\3\u02e2\3\u02e2\3\u02e2\3\u02e2"+
"\3\u02e2\3\u02e2\3\u02e2\3\u02e2\3\u02e3\3\u02e3\3\u02e3\3\u02e3\3\u02e3"+
"\3\u02e3\3\u02e4\3\u02e4\3\u02e4\3\u02e4\3\u02e4\3\u02e4\3\u02e4\3\u02e4"+
"\3\u02e5\3\u02e5\3\u02e5\3\u02e5\3\u02e6\3\u02e6\3\u02e6\3\u02e6\3\u02e6"+
"\3\u02e6\3\u02e6\3\u02e6\3\u02e7\3\u02e7\3\u02e7\3\u02e7\3\u02e7\3\u02e7"+
"\3\u02e7\3\u02e7\3\u02e7\3\u02e7\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8"+
"\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8"+
"\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e8\3\u02e9\3\u02e9\3\u02e9\3\u02e9"+
"\3\u02e9\3\u02e9\3\u02e9\3\u02e9\3\u02ea\3\u02ea\3\u02ea\3\u02ea\3\u02ea"+
"\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb"+
"\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb\3\u02eb"+
"\3\u02eb\3\u02eb\3\u02eb\3\u02ec\3\u02ec\3\u02ec\3\u02ed\3\u02ed\3\u02ed"+
"\3\u02ed\3\u02ed\3\u02ed\3\u02ed\3\u02ed\3\u02ed\3\u02ed\3\u02ed\3\u02ed"+
"\3\u02ed\3\u02ee\3\u02ee\3\u02ee\3\u02ee\3\u02ee\3\u02ee\3\u02ef\3\u02ef"+
"\3\u02ef\3\u02ef\3\u02ef\3\u02f0\3\u02f0\3\u02f0\3\u02f0\3\u02f0\3\u02f1"+
"\3\u02f1\3\u02f1\3\u02f1\3\u02f1\3\u02f1\3\u02f1\3\u02f1\3\u02f2\3\u02f2"+
"\3\u02f2\3\u02f2\3\u02f2\3\u02f2\3\u02f3\3\u02f3\3\u02f3\3\u02f3\3\u02f3"+
"\3\u02f3\3\u02f3\3\u02f3\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4"+
"\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4"+
"\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f4\3\u02f5\3\u02f5\3\u02f5\3\u02f5"+
"\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5"+
"\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5\3\u02f5"+
"\3\u02f6\3\u02f6\3\u02f6\3\u02f6\3\u02f6\3\u02f6\3\u02f6\3\u02f6\3\u02f6"+
"\3\u02f6\3\u02f6\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7"+
"\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7\3\u02f7"+
"\3\u02f8\3\u02f8\3\u02f8\3\u02f8\3\u02f8\3\u02f8\3\u02f8\3\u02f8\3\u02f8"+
"\3\u02f8\3\u02f8\3\u02f8\3\u02f9\3\u02f9\3\u02f9\3\u02f9\3\u02fa\3\u02fa"+
"\3\u02fa\3\u02fa\3\u02fa\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb"+
"\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb"+
"\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fb\3\u02fc\3\u02fc"+
"\3\u02fc\3\u02fc\3\u02fc\3\u02fd\3\u02fd\3\u02fd\3\u02fd\3\u02fd\3\u02fd"+
"\3\u02fd\3\u02fd\3\u02fd\3\u02fd\3\u02fd\3\u02fd\3\u02fd\3\u02fe\3\u02fe"+
"\3\u02fe\3\u02fe\3\u02fe\3\u02fe\3\u02fe\3\u02fe\3\u02fe\3\u02fe\3\u02ff"+
"\3\u02ff\3\u02ff\3\u02ff\3\u02ff\3\u02ff\3\u02ff\3\u02ff\3\u02ff\3\u02ff"+
"\3\u02ff\3\u02ff\3\u0300\3\u0300\3\u0300\3\u0300\3\u0300\3\u0300\3\u0300"+
"\3\u0300\3\u0301\3\u0301\3\u0301\3\u0301\3\u0301\3\u0301\3\u0301\3\u0301"+
"\3\u0301\3\u0301\3\u0302\3\u0302\3\u0302\3\u0302\3\u0302\3\u0302\3\u0303"+
"\3\u0303\3\u0303\3\u0303\3\u0303\3\u0303\3\u0303\3\u0303\3\u0303\3\u0303"+
"\3\u0304\3\u0304\3\u0304\3\u0304\3\u0304\3\u0304\3\u0304\3\u0304\3\u0304"+
"\3\u0304\3\u0304\3\u0305\3\u0305\3\u0305\3\u0305\3\u0305\3\u0305\3\u0306"+
"\3\u0306\3\u0306\3\u0306\3\u0307\3\u0307\3\u0307\3\u0307\3\u0307\3\u0308"+
"\3\u0308\3\u0308\3\u0308\3\u0308\3\u0308\3\u0308\3\u0308\3\u0308\3\u0308"+
"\3\u0308\3\u0308\3\u0308\3\u0308\3\u0309\3\u0309\3\u0309\3\u0309\3\u0309"+
"\3\u0309\3\u030a\3\u030a\3\u030a\3\u030a\3\u030a\3\u030b\3\u030b\3\u030b"+
"\3\u030b\3\u030b\3\u030b\3\u030b\3\u030b\3\u030b\3\u030b\3\u030b\3\u030b"+
"\3\u030b\3\u030b\3\u030b\3\u030b\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c"+
"\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c"+
"\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030c\3\u030d"+
"\3\u030d\3\u030d\3\u030d\3\u030d\3\u030e\3\u030e\3\u030e\3\u030e\3\u030e"+
"\3\u030e\3\u030e\3\u030e\3\u030e\3\u030f\3\u030f\3\u030f\3\u030f\3\u0310"+
"\3\u0310\3\u0310\3\u0310\3\u0310\3\u0310\3\u0310\3\u0310\3\u0311\3\u0311"+
"\3\u0311\3\u0311\3\u0311\3\u0311\3\u0311\3\u0311\3\u0311\3\u0311\3\u0311"+
"\3\u0311\3\u0311\3\u0311\3\u0312\3\u0312\3\u0312\3\u0312\3\u0312\3\u0312"+
"\3\u0312\3\u0312\3\u0312\3\u0312\3\u0313\3\u0313\3\u0313\3\u0313\3\u0313"+
"\3\u0313\3\u0313\3\u0314\3\u0314\3\u0314\3\u0314\3\u0314\3\u0314\3\u0314"+
"\3\u0314\3\u0315\6\u0315\u26c5\n\u0315\r\u0315\16\u0315\u26c6\3\u0315"+
"\3\u0315\3\u0316\3\u0316\3\u0316\3\u0316\3\u0316\7\u0316\u26d0\n\u0316"+
"\f\u0316\16\u0316\u26d3\13\u0316\3\u0316\3\u0316\3\u0316\3\u0316\3\u0316"+
"\3\u0317\3\u0317\3\u0317\3\u0317\7\u0317\u26de\n\u0317\f\u0317\16\u0317"+
"\u26e1\13\u0317\3\u0317\3\u0317\3\u0318\3\u0318\6\u0318\u26e7\n\u0318"+
"\r\u0318\16\u0318\u26e8\3\u0318\3\u0318\3\u0319\3\u0319\3\u031a\3\u031a"+
"\6\u031a\u26f1\n\u031a\r\u031a\16\u031a\u26f2\3\u031a\3\u031a\3\u031b"+
"\3\u031b\3\u031b\6\u031b\u26fa\n\u031b\r\u031b\16\u031b\u26fb\3\u031c"+
"\6\u031c\u26ff\n\u031c\r\u031c\16\u031c\u2700\3\u031d\3\u031d\5\u031d"+
"\u2705\n\u031d\3\u031d\3\u031d\7\u031d\u2709\n\u031d\f\u031d\16\u031d"+
"\u270c\13\u031d\3\u031e\3\u031e\3\u031e\6\u031e\u2711\n\u031e\r\u031e"+
"\16\u031e\u2712\3\u031e\3\u031e\3\u031e\3\u031e\3\u031e\3\u031e\6\u031e"+
"\u271b\n\u031e\r\u031e\16\u031e\u271c\3\u031e\3\u031e\6\u031e\u2721\n"+
"\u031e\r\u031e\16\u031e\u2722\5\u031e\u2725\n\u031e\3\u031e\5\u031e\u2728"+
"\n\u031e\3\u031e\3\u031e\3\u031e\3\u031e\3\u031f\3\u031f\6\u031f\u2730"+
"\n\u031f\r\u031f\16\u031f\u2731\3\u031f\3\u031f\6\u031f\u2736\n\u031f"+
"\r\u031f\16\u031f\u2737\5\u031f\u273a\n\u031f\3\u031f\5\u031f\u273d\n"+
"\u031f\3\u031f\3\u031f\3\u031f\3\u031f\3\u031f\3\u0320\5\u0320\u2745\n"+
"\u0320\3\u0320\3\u0320\3\u0320\3\u0320\7\u0320\u274b\n\u0320\f\u0320\16"+
"\u0320\u274e\13\u0320\3\u0320\3\u0320\3\u0321\3\u0321\3\u0321\7\u0321"+
"\u2755\n\u0321\f\u0321\16\u0321\u2758\13\u0321\3\u0322\3\u0322\3\u0323"+
"\3\u0323\5\u0323\u275e\n\u0323\3\u0323\3\u0323\5\u0323\u2762\n\u0323\3"+
"\u0323\6\u0323\u2765\n\u0323\r\u0323\16\u0323\u2766\3\u0324\3\u0324\3"+
"\u0325\3\u0325\3\u0326\3\u0326\3\u0327\3\u0327\3\u0328\3\u0328\3\u0328"+
"\3\u0329\3\u0329\3\u0329\3\u032a\3\u032a\3\u032a\3\u032b\3\u032b\3\u032b"+
"\3\u032c\3\u032c\3\u032c\3\u032d\3\u032d\3\u032d\3\u032e\3\u032e\3\u032e"+
"\3\u032f\3\u032f\3\u032f\3\u0330\3\u0330\3\u0330\3\u0331\3\u0331\3\u0332"+
"\3\u0332\3\u0333\3\u0333\3\u0334\3\u0334\3\u0335\3\u0335\3\u0336\3\u0336"+
"\3\u0337\3\u0337\3\u0338\3\u0338\3\u0339\3\u0339\3\u033a\3\u033a\3\u033b"+
"\3\u033b\3\u033c\3\u033c\3\u033d\3\u033d\3\u033e\3\u033e\3\u033f\3\u033f"+
"\3\u0340\3\u0340\3\u0341\3\u0341\3\u0342\3\u0342\3\u0343\3\u0343\3\u0344"+
"\3\u0344\3\u0345\3\u0345\3\u0345\3\u0345\3\u0345\3\u0346\5\u0346\u27ba"+
"\n\u0346\3\u0346\5\u0346\u27bd\n\u0346\3\u0346\3\u0346\3\u0347\6\u0347"+
"\u27c2\n\u0347\r\u0347\16\u0347\u27c3\3\u0347\3\u0347\6\u0347\u27c8\n"+
"\u0347\r\u0347\16\u0347\u27c9\3\u0347\6\u0347\u27cd\n\u0347\r\u0347\16"+
"\u0347\u27ce\3\u0347\3\u0347\3\u0347\3\u0347\6\u0347\u27d5\n\u0347\r\u0347"+
"\16\u0347\u27d6\5\u0347\u27d9\n\u0347\3\u0348\3\u0348\3\u0349\3\u0349"+
"\3\u034a\3\u034a\3\u26d1\2\u034b\3\3\5\4\7\5\t\6\13\7\r\b\17\t\21\n\23"+
"\13\25\f\27\r\31\16\33\17\35\20\37\21!\22#\23%\24\'\25)\26+\27-\30/\31"+
"\61\32\63\33\65\34\67\359\36;\37= ?!A\"C#E$G%I&K\'M(O)Q*S+U,W-Y.[/]\60"+
"_\61a\62c\63e\64g\65i\66k\67m8o9q:s;u<w=y>{?}@\177A\u0081B\u0083C\u0085"+
"D\u0087E\u0089F\u008bG\u008dH\u008fI\u0091J\u0093K\u0095L\u0097M\u0099"+
"N\u009bO\u009dP\u009fQ\u00a1R\u00a3S\u00a5T\u00a7U\u00a9V\u00abW\u00ad"+
"X\u00afY\u00b1Z\u00b3[\u00b5\\\u00b7]\u00b9^\u00bb_\u00bd`\u00bfa\u00c1"+
"b\u00c3c\u00c5d\u00c7e\u00c9f\u00cbg\u00cdh\u00cfi\u00d1j\u00d3k\u00d5"+
"l\u00d7m\u00d9n\u00dbo\u00ddp\u00dfq\u00e1r\u00e3s\u00e5t\u00e7u\u00e9"+
"v\u00ebw\u00edx\u00efy\u00f1z\u00f3{\u00f5|\u00f7}\u00f9~\u00fb\177\u00fd"+
"\u0080\u00ff\u0081\u0101\u0082\u0103\u0083\u0105\u0084\u0107\u0085\u0109"+
"\u0086\u010b\u0087\u010d\u0088\u010f\u0089\u0111\u008a\u0113\u008b\u0115"+
"\u008c\u0117\u008d\u0119\u008e\u011b\u008f\u011d\u0090\u011f\u0091\u0121"+
"\u0092\u0123\u0093\u0125\u0094\u0127\u0095\u0129\u0096\u012b\u0097\u012d"+
"\u0098\u012f\u0099\u0131\u009a\u0133\u009b\u0135\u009c\u0137\u009d\u0139"+
"\u009e\u013b\u009f\u013d\u00a0\u013f\u00a1\u0141\u00a2\u0143\u00a3\u0145"+
"\u00a4\u0147\u00a5\u0149\u00a6\u014b\u00a7\u014d\u00a8\u014f\u00a9\u0151"+
"\u00aa\u0153\u00ab\u0155\u00ac\u0157\u00ad\u0159\u00ae\u015b\u00af\u015d"+
"\u00b0\u015f\u00b1\u0161\u00b2\u0163\u00b3\u0165\u00b4\u0167\u00b5\u0169"+
"\u00b6\u016b\u00b7\u016d\u00b8\u016f\u00b9\u0171\u00ba\u0173\u00bb\u0175"+
"\u00bc\u0177\u00bd\u0179\u00be\u017b\u00bf\u017d\u00c0\u017f\u00c1\u0181"+
"\u00c2\u0183\u00c3\u0185\u00c4\u0187\u00c5\u0189\u00c6\u018b\u00c7\u018d"+
"\u00c8\u018f\u00c9\u0191\u00ca\u0193\u00cb\u0195\u00cc\u0197\u00cd\u0199"+
"\u00ce\u019b\u00cf\u019d\u00d0\u019f\u00d1\u01a1\u00d2\u01a3\u00d3\u01a5"+
"\u00d4\u01a7\u00d5\u01a9\u00d6\u01ab\u00d7\u01ad\u00d8\u01af\u00d9\u01b1"+
"\u00da\u01b3\u00db\u01b5\u00dc\u01b7\u00dd\u01b9\u00de\u01bb\u00df\u01bd"+
"\u00e0\u01bf\u00e1\u01c1\u00e2\u01c3\u00e3\u01c5\u00e4\u01c7\u00e5\u01c9"+
"\u00e6\u01cb\u00e7\u01cd\u00e8\u01cf\u00e9\u01d1\u00ea\u01d3\u00eb\u01d5"+
"\u00ec\u01d7\u00ed\u01d9\u00ee\u01db\u00ef\u01dd\u00f0\u01df\u00f1\u01e1"+
"\u00f2\u01e3\u00f3\u01e5\u00f4\u01e7\u00f5\u01e9\u00f6\u01eb\u00f7\u01ed"+
"\u00f8\u01ef\u00f9\u01f1\u00fa\u01f3\u00fb\u01f5\u00fc\u01f7\u00fd\u01f9"+
"\u00fe\u01fb\u00ff\u01fd\u0100\u01ff\u0101\u0201\u0102\u0203\u0103\u0205"+
"\u0104\u0207\u0105\u0209\u0106\u020b\u0107\u020d\u0108\u020f\u0109\u0211"+
"\u010a\u0213\u010b\u0215\u010c\u0217\u010d\u0219\u010e\u021b\u010f\u021d"+
"\u0110\u021f\u0111\u0221\u0112\u0223\u0113\u0225\u0114\u0227\u0115\u0229"+
"\u0116\u022b\u0117\u022d\u0118\u022f\u0119\u0231\u011a\u0233\u011b\u0235"+
"\u011c\u0237\u011d\u0239\u011e\u023b\u011f\u023d\u0120\u023f\u0121\u0241"+
"\u0122\u0243\u0123\u0245\u0124\u0247\u0125\u0249\u0126\u024b\u0127\u024d"+
"\u0128\u024f\u0129\u0251\u012a\u0253\u012b\u0255\u012c\u0257\u012d\u0259"+
"\u012e\u025b\u012f\u025d\u0130\u025f\u0131\u0261\u0132\u0263\u0133\u0265"+
"\u0134\u0267\u0135\u0269\u0136\u026b\u0137\u026d\u0138\u026f\u0139\u0271"+
"\u013a\u0273\u013b\u0275\u013c\u0277\u013d\u0279\u013e\u027b\u013f\u027d"+
"\u0140\u027f\u0141\u0281\u0142\u0283\u0143\u0285\u0144\u0287\u0145\u0289"+
"\u0146\u028b\u0147\u028d\u0148\u028f\u0149\u0291\u014a\u0293\u014b\u0295"+
"\u014c\u0297\u014d\u0299\u014e\u029b\u014f\u029d\u0150\u029f\u0151\u02a1"+
"\u0152\u02a3\u0153\u02a5\u0154\u02a7\u0155\u02a9\u0156\u02ab\u0157\u02ad"+
"\u0158\u02af\u0159\u02b1\u015a\u02b3\u015b\u02b5\u015c\u02b7\u015d\u02b9"+
"\u015e\u02bb\u015f\u02bd\u0160\u02bf\u0161\u02c1\u0162\u02c3\u0163\u02c5"+
"\u0164\u02c7\u0165\u02c9\u0166\u02cb\u0167\u02cd\u0168\u02cf\u0169\u02d1"+
"\u016a\u02d3\u016b\u02d5\u016c\u02d7\u016d\u02d9\u016e\u02db\u016f\u02dd"+
"\u0170\u02df\u0171\u02e1\u0172\u02e3\u0173\u02e5\u0174\u02e7\u0175\u02e9"+
"\u0176\u02eb\u0177\u02ed\u0178\u02ef\u0179\u02f1\u017a\u02f3\u017b\u02f5"+
"\u017c\u02f7\u017d\u02f9\u017e\u02fb\u017f\u02fd\u0180\u02ff\u0181\u0301"+
"\u0182\u0303\u0183\u0305\u0184\u0307\u0185\u0309\u0186\u030b\u0187\u030d"+
"\u0188\u030f\u0189\u0311\u018a\u0313\u018b\u0315\u018c\u0317\u018d\u0319"+
"\u018e\u031b\u018f\u031d\u0190\u031f\u0191\u0321\u0192\u0323\u0193\u0325"+
"\u0194\u0327\u0195\u0329\u0196\u032b\u0197\u032d\u0198\u032f\u0199\u0331"+
"\u019a\u0333\u019b\u0335\u019c\u0337\u019d\u0339\u019e\u033b\u019f\u033d"+
"\u01a0\u033f\u01a1\u0341\u01a2\u0343\u01a3\u0345\u01a4\u0347\u01a5\u0349"+
"\u01a6\u034b\u01a7\u034d\u01a8\u034f\u01a9\u0351\u01aa\u0353\u01ab\u0355"+
"\u01ac\u0357\u01ad\u0359\u01ae\u035b\u01af\u035d\u01b0\u035f\u01b1\u0361"+
"\u01b2\u0363\u01b3\u0365\u01b4\u0367\u01b5\u0369\u01b6\u036b\u01b7\u036d"+
"\u01b8\u036f\u01b9\u0371\u01ba\u0373\u01bb\u0375\u01bc\u0377\u01bd\u0379"+
"\u01be\u037b\u01bf\u037d\u01c0\u037f\u01c1\u0381\u01c2\u0383\u01c3\u0385"+
"\u01c4\u0387\u01c5\u0389\u01c6\u038b\u01c7\u038d\u01c8\u038f\u01c9\u0391"+
"\u01ca\u0393\u01cb\u0395\u01cc\u0397\u01cd\u0399\u01ce\u039b\u01cf\u039d"+
"\u01d0\u039f\u01d1\u03a1\u01d2\u03a3\u01d3\u03a5\u01d4\u03a7\u01d5\u03a9"+
"\u01d6\u03ab\u01d7\u03ad\u01d8\u03af\u01d9\u03b1\u01da\u03b3\u01db\u03b5"+
"\u01dc\u03b7\u01dd\u03b9\u01de\u03bb\u01df\u03bd\u01e0\u03bf\u01e1\u03c1"+
"\u01e2\u03c3\u01e3\u03c5\u01e4\u03c7\u01e5\u03c9\u01e6\u03cb\u01e7\u03cd"+
"\u01e8\u03cf\u01e9\u03d1\u01ea\u03d3\u01eb\u03d5\u01ec\u03d7\u01ed\u03d9"+
"\u01ee\u03db\u01ef\u03dd\u01f0\u03df\u01f1\u03e1\u01f2\u03e3\u01f3\u03e5"+
"\u01f4\u03e7\u01f5\u03e9\u01f6\u03eb\u01f7\u03ed\u01f8\u03ef\u01f9\u03f1"+
"\u01fa\u03f3\u01fb\u03f5\u01fc\u03f7\u01fd\u03f9\u01fe\u03fb\u01ff\u03fd"+
"\u0200\u03ff\u0201\u0401\u0202\u0403\u0203\u0405\u0204\u0407\u0205\u0409"+
"\u0206\u040b\u0207\u040d\u0208\u040f\u0209\u0411\u020a\u0413\u020b\u0415"+
"\u020c\u0417\u020d\u0419\u020e\u041b\u020f\u041d\u0210\u041f\u0211\u0421"+
"\u0212\u0423\u0213\u0425\u0214\u0427\u0215\u0429\u0216\u042b\u0217\u042d"+
"\u0218\u042f\u0219\u0431\u021a\u0433\u021b\u0435\u021c\u0437\u021d\u0439"+
"\u021e\u043b\u021f\u043d\u0220\u043f\u0221\u0441\u0222\u0443\u0223\u0445"+
"\u0224\u0447\u0225\u0449\u0226\u044b\u0227\u044d\u0228\u044f\u0229\u0451"+
"\u022a\u0453\u022b\u0455\u022c\u0457\u022d\u0459\u022e\u045b\u022f\u045d"+
"\u0230\u045f\u0231\u0461\u0232\u0463\u0233\u0465\u0234\u0467\u0235\u0469"+
"\u0236\u046b\u0237\u046d\u0238\u046f\u0239\u0471\u023a\u0473\u023b\u0475"+
"\u023c\u0477\u023d\u0479\u023e\u047b\u023f\u047d\u0240\u047f\u0241\u0481"+
"\u0242\u0483\u0243\u0485\u0244\u0487\u0245\u0489\u0246\u048b\u0247\u048d"+
"\u0248\u048f\u0249\u0491\u024a\u0493\u024b\u0495\u024c\u0497\u024d\u0499"+
"\u024e\u049b\u024f\u049d\u0250\u049f\u0251\u04a1\u0252\u04a3\u0253\u04a5"+
"\u0254\u04a7\u0255\u04a9\u0256\u04ab\u0257\u04ad\u0258\u04af\u0259\u04b1"+
"\u025a\u04b3\u025b\u04b5\u025c\u04b7\u025d\u04b9\u025e\u04bb\u025f\u04bd"+
"\u0260\u04bf\u0261\u04c1\u0262\u04c3\u0263\u04c5\u0264\u04c7\u0265\u04c9"+
"\u0266\u04cb\u0267\u04cd\u0268\u04cf\u0269\u04d1\u026a\u04d3\u026b\u04d5"+
"\u026c\u04d7\u026d\u04d9\u026e\u04db\u026f\u04dd\u0270\u04df\u0271\u04e1"+
"\u0272\u04e3\u0273\u04e5\u0274\u04e7\u0275\u04e9\u0276\u04eb\u0277\u04ed"+
"\u0278\u04ef\u0279\u04f1\u027a\u04f3\u027b\u04f5\u027c\u04f7\u027d\u04f9"+
"\u027e\u04fb\u027f\u04fd\u0280\u04ff\u0281\u0501\u0282\u0503\u0283\u0505"+
"\u0284\u0507\u0285\u0509\u0286\u050b\u0287\u050d\u0288\u050f\u0289\u0511"+
"\u028a\u0513\u028b\u0515\u028c\u0517\u028d\u0519\u028e\u051b\u028f";
private static final String _serializedATNSegment1 =
"\u051d\u0290\u051f\u0291\u0521\u0292\u0523\u0293\u0525\u0294\u0527\u0295"+
"\u0529\u0296\u052b\u0297\u052d\u0298\u052f\u0299\u0531\u029a\u0533\u029b"+
"\u0535\u029c\u0537\u029d\u0539\u029e\u053b\u029f\u053d\u02a0\u053f\u02a1"+
"\u0541\u02a2\u0543\u02a3\u0545\u02a4\u0547\u02a5\u0549\u02a6\u054b\u02a7"+
"\u054d\u02a8\u054f\u02a9\u0551\u02aa\u0553\u02ab\u0555\u02ac\u0557\u02ad"+
"\u0559\u02ae\u055b\u02af\u055d\u02b0\u055f\u02b1\u0561\u02b2\u0563\u02b3"+
"\u0565\u02b4\u0567\u02b5\u0569\u02b6\u056b\u02b7\u056d\u02b8\u056f\u02b9"+
"\u0571\u02ba\u0573\u02bb\u0575\u02bc\u0577\u02bd\u0579\u02be\u057b\u02bf"+
"\u057d\u02c0\u057f\u02c1\u0581\u02c2\u0583\u02c3\u0585\u02c4\u0587\u02c5"+
"\u0589\u02c6\u058b\u02c7\u058d\u02c8\u058f\u02c9\u0591\u02ca\u0593\u02cb"+
"\u0595\u02cc\u0597\u02cd\u0599\u02ce\u059b\u02cf\u059d\u02d0\u059f\u02d1"+
"\u05a1\u02d2\u05a3\u02d3\u05a5\u02d4\u05a7\u02d5\u05a9\u02d6\u05ab\u02d7"+
"\u05ad\u02d8\u05af\u02d9\u05b1\u02da\u05b3\u02db\u05b5\u02dc\u05b7\u02dd"+
"\u05b9\u02de\u05bb\u02df\u05bd\u02e0\u05bf\u02e1\u05c1\u02e2\u05c3\u02e3"+
"\u05c5\u02e4\u05c7\u02e5\u05c9\u02e6\u05cb\u02e7\u05cd\u02e8\u05cf\u02e9"+
"\u05d1\u02ea\u05d3\u02eb\u05d5\u02ec\u05d7\u02ed\u05d9\u02ee\u05db\u02ef"+
"\u05dd\u02f0\u05df\u02f1\u05e1\u02f2\u05e3\u02f3\u05e5\u02f4\u05e7\u02f5"+
"\u05e9\u02f6\u05eb\u02f7\u05ed\u02f8\u05ef\u02f9\u05f1\u02fa\u05f3\u02fb"+
"\u05f5\u02fc\u05f7\u02fd\u05f9\u02fe\u05fb\u02ff\u05fd\u0300\u05ff\u0301"+
"\u0601\u0302\u0603\u0303\u0605\u0304\u0607\u0305\u0609\u0306\u060b\u0307"+
"\u060d\u0308\u060f\u0309\u0611\u030a\u0613\u030b\u0615\u030c\u0617\u030d"+
"\u0619\u030e\u061b\u030f\u061d\u0310\u061f\u0311\u0621\u0312\u0623\u0313"+
"\u0625\u0314\u0627\u0315\u0629\u0316\u062b\u0317\u062d\u0318\u062f\u0319"+
"\u0631\u031a\u0633\u031b\u0635\u031c\u0637\u031d\u0639\u031e\u063b\u031f"+
"\u063d\u0320\u063f\u0321\u0641\u0322\u0643\u0323\u0645\u0324\u0647\u0325"+
"\u0649\u0326\u064b\u0327\u064d\u0328\u064f\u0329\u0651\u032a\u0653\u032b"+
"\u0655\u032c\u0657\u032d\u0659\u032e\u065b\u032f\u065d\u0330\u065f\u0331"+
"\u0661\u0332\u0663\u0333\u0665\u0334\u0667\u0335\u0669\u0336\u066b\u0337"+
"\u066d\u0338\u066f\u0339\u0671\u033a\u0673\u033b\u0675\u033c\u0677\u033d"+
"\u0679\u033e\u067b\u033f\u067d\u0340\u067f\u0341\u0681\u0342\u0683\u0343"+
"\u0685\u0344\u0687\2\u0689\2\u068b\u0345\u068d\2\u068f\2\u0691\2\u0693"+
"\2\3\2\22\3\2))\4\2\62;CH\3\2<<\3\2$$\3\2C\\\5\2\13\f\17\17\"\"\4\2\f"+
"\f\17\17\3\2__\6\2%&\62;B\\aa\6\2%%C\\aac|\7\2%&\62;B\\aac|\3\2\60\60"+
"\4\2--//\5\2C\\aac|\3\2\62;\f\2\u00c2\u00d8\u00da\u00f8\u00fa\u2001\u2c02"+
"\u3001\u3042\u3191\u3302\u3381\u3402\u4001\u4e02\ud801\uf902\ufb01\uff02"+
"\ufff2\2\u284e\2\3\3\2\2\2\2\5\3\2\2\2\2\7\3\2\2\2\2\t\3\2\2\2\2\13\3"+
"\2\2\2\2\r\3\2\2\2\2\17\3\2\2\2\2\21\3\2\2\2\2\23\3\2\2\2\2\25\3\2\2\2"+
"\2\27\3\2\2\2\2\31\3\2\2\2\2\33\3\2\2\2\2\35\3\2\2\2\2\37\3\2\2\2\2!\3"+
"\2\2\2\2#\3\2\2\2\2%\3\2\2\2\2\'\3\2\2\2\2)\3\2\2\2\2+\3\2\2\2\2-\3\2"+
"\2\2\2/\3\2\2\2\2\61\3\2\2\2\2\63\3\2\2\2\2\65\3\2\2\2\2\67\3\2\2\2\2"+
"9\3\2\2\2\2;\3\2\2\2\2=\3\2\2\2\2?\3\2\2\2\2A\3\2\2\2\2C\3\2\2\2\2E\3"+
"\2\2\2\2G\3\2\2\2\2I\3\2\2\2\2K\3\2\2\2\2M\3\2\2\2\2O\3\2\2\2\2Q\3\2\2"+
"\2\2S\3\2\2\2\2U\3\2\2\2\2W\3\2\2\2\2Y\3\2\2\2\2[\3\2\2\2\2]\3\2\2\2\2"+
"_\3\2\2\2\2a\3\2\2\2\2c\3\2\2\2\2e\3\2\2\2\2g\3\2\2\2\2i\3\2\2\2\2k\3"+
"\2\2\2\2m\3\2\2\2\2o\3\2\2\2\2q\3\2\2\2\2s\3\2\2\2\2u\3\2\2\2\2w\3\2\2"+
"\2\2y\3\2\2\2\2{\3\2\2\2\2}\3\2\2\2\2\177\3\2\2\2\2\u0081\3\2\2\2\2\u0083"+
"\3\2\2\2\2\u0085\3\2\2\2\2\u0087\3\2\2\2\2\u0089\3\2\2\2\2\u008b\3\2\2"+
"\2\2\u008d\3\2\2\2\2\u008f\3\2\2\2\2\u0091\3\2\2\2\2\u0093\3\2\2\2\2\u0095"+
"\3\2\2\2\2\u0097\3\2\2\2\2\u0099\3\2\2\2\2\u009b\3\2\2\2\2\u009d\3\2\2"+
"\2\2\u009f\3\2\2\2\2\u00a1\3\2\2\2\2\u00a3\3\2\2\2\2\u00a5\3\2\2\2\2\u00a7"+
"\3\2\2\2\2\u00a9\3\2\2\2\2\u00ab\3\2\2\2\2\u00ad\3\2\2\2\2\u00af\3\2\2"+
"\2\2\u00b1\3\2\2\2\2\u00b3\3\2\2\2\2\u00b5\3\2\2\2\2\u00b7\3\2\2\2\2\u00b9"+
"\3\2\2\2\2\u00bb\3\2\2\2\2\u00bd\3\2\2\2\2\u00bf\3\2\2\2\2\u00c1\3\2\2"+
"\2\2\u00c3\3\2\2\2\2\u00c5\3\2\2\2\2\u00c7\3\2\2\2\2\u00c9\3\2\2\2\2\u00cb"+
"\3\2\2\2\2\u00cd\3\2\2\2\2\u00cf\3\2\2\2\2\u00d1\3\2\2\2\2\u00d3\3\2\2"+
"\2\2\u00d5\3\2\2\2\2\u00d7\3\2\2\2\2\u00d9\3\2\2\2\2\u00db\3\2\2\2\2\u00dd"+
"\3\2\2\2\2\u00df\3\2\2\2\2\u00e1\3\2\2\2\2\u00e3\3\2\2\2\2\u00e5\3\2\2"+
"\2\2\u00e7\3\2\2\2\2\u00e9\3\2\2\2\2\u00eb\3\2\2\2\2\u00ed\3\2\2\2\2\u00ef"+
"\3\2\2\2\2\u00f1\3\2\2\2\2\u00f3\3\2\2\2\2\u00f5\3\2\2\2\2\u00f7\3\2\2"+
"\2\2\u00f9\3\2\2\2\2\u00fb\3\2\2\2\2\u00fd\3\2\2\2\2\u00ff\3\2\2\2\2\u0101"+
"\3\2\2\2\2\u0103\3\2\2\2\2\u0105\3\2\2\2\2\u0107\3\2\2\2\2\u0109\3\2\2"+
"\2\2\u010b\3\2\2\2\2\u010d\3\2\2\2\2\u010f\3\2\2\2\2\u0111\3\2\2\2\2\u0113"+
"\3\2\2\2\2\u0115\3\2\2\2\2\u0117\3\2\2\2\2\u0119\3\2\2\2\2\u011b\3\2\2"+
"\2\2\u011d\3\2\2\2\2\u011f\3\2\2\2\2\u0121\3\2\2\2\2\u0123\3\2\2\2\2\u0125"+
"\3\2\2\2\2\u0127\3\2\2\2\2\u0129\3\2\2\2\2\u012b\3\2\2\2\2\u012d\3\2\2"+
"\2\2\u012f\3\2\2\2\2\u0131\3\2\2\2\2\u0133\3\2\2\2\2\u0135\3\2\2\2\2\u0137"+
"\3\2\2\2\2\u0139\3\2\2\2\2\u013b\3\2\2\2\2\u013d\3\2\2\2\2\u013f\3\2\2"+
"\2\2\u0141\3\2\2\2\2\u0143\3\2\2\2\2\u0145\3\2\2\2\2\u0147\3\2\2\2\2\u0149"+
"\3\2\2\2\2\u014b\3\2\2\2\2\u014d\3\2\2\2\2\u014f\3\2\2\2\2\u0151\3\2\2"+
"\2\2\u0153\3\2\2\2\2\u0155\3\2\2\2\2\u0157\3\2\2\2\2\u0159\3\2\2\2\2\u015b"+
"\3\2\2\2\2\u015d\3\2\2\2\2\u015f\3\2\2\2\2\u0161\3\2\2\2\2\u0163\3\2\2"+
"\2\2\u0165\3\2\2\2\2\u0167\3\2\2\2\2\u0169\3\2\2\2\2\u016b\3\2\2\2\2\u016d"+
"\3\2\2\2\2\u016f\3\2\2\2\2\u0171\3\2\2\2\2\u0173\3\2\2\2\2\u0175\3\2\2"+
"\2\2\u0177\3\2\2\2\2\u0179\3\2\2\2\2\u017b\3\2\2\2\2\u017d\3\2\2\2\2\u017f"+
"\3\2\2\2\2\u0181\3\2\2\2\2\u0183\3\2\2\2\2\u0185\3\2\2\2\2\u0187\3\2\2"+
"\2\2\u0189\3\2\2\2\2\u018b\3\2\2\2\2\u018d\3\2\2\2\2\u018f\3\2\2\2\2\u0191"+
"\3\2\2\2\2\u0193\3\2\2\2\2\u0195\3\2\2\2\2\u0197\3\2\2\2\2\u0199\3\2\2"+
"\2\2\u019b\3\2\2\2\2\u019d\3\2\2\2\2\u019f\3\2\2\2\2\u01a1\3\2\2\2\2\u01a3"+
"\3\2\2\2\2\u01a5\3\2\2\2\2\u01a7\3\2\2\2\2\u01a9\3\2\2\2\2\u01ab\3\2\2"+
"\2\2\u01ad\3\2\2\2\2\u01af\3\2\2\2\2\u01b1\3\2\2\2\2\u01b3\3\2\2\2\2\u01b5"+
"\3\2\2\2\2\u01b7\3\2\2\2\2\u01b9\3\2\2\2\2\u01bb\3\2\2\2\2\u01bd\3\2\2"+
"\2\2\u01bf\3\2\2\2\2\u01c1\3\2\2\2\2\u01c3\3\2\2\2\2\u01c5\3\2\2\2\2\u01c7"+
"\3\2\2\2\2\u01c9\3\2\2\2\2\u01cb\3\2\2\2\2\u01cd\3\2\2\2\2\u01cf\3\2\2"+
"\2\2\u01d1\3\2\2\2\2\u01d3\3\2\2\2\2\u01d5\3\2\2\2\2\u01d7\3\2\2\2\2\u01d9"+
"\3\2\2\2\2\u01db\3\2\2\2\2\u01dd\3\2\2\2\2\u01df\3\2\2\2\2\u01e1\3\2\2"+
"\2\2\u01e3\3\2\2\2\2\u01e5\3\2\2\2\2\u01e7\3\2\2\2\2\u01e9\3\2\2\2\2\u01eb"+
"\3\2\2\2\2\u01ed\3\2\2\2\2\u01ef\3\2\2\2\2\u01f1\3\2\2\2\2\u01f3\3\2\2"+
"\2\2\u01f5\3\2\2\2\2\u01f7\3\2\2\2\2\u01f9\3\2\2\2\2\u01fb\3\2\2\2\2\u01fd"+
"\3\2\2\2\2\u01ff\3\2\2\2\2\u0201\3\2\2\2\2\u0203\3\2\2\2\2\u0205\3\2\2"+
"\2\2\u0207\3\2\2\2\2\u0209\3\2\2\2\2\u020b\3\2\2\2\2\u020d\3\2\2\2\2\u020f"+
"\3\2\2\2\2\u0211\3\2\2\2\2\u0213\3\2\2\2\2\u0215\3\2\2\2\2\u0217\3\2\2"+
"\2\2\u0219\3\2\2\2\2\u021b\3\2\2\2\2\u021d\3\2\2\2\2\u021f\3\2\2\2\2\u0221"+
"\3\2\2\2\2\u0223\3\2\2\2\2\u0225\3\2\2\2\2\u0227\3\2\2\2\2\u0229\3\2\2"+
"\2\2\u022b\3\2\2\2\2\u022d\3\2\2\2\2\u022f\3\2\2\2\2\u0231\3\2\2\2\2\u0233"+
"\3\2\2\2\2\u0235\3\2\2\2\2\u0237\3\2\2\2\2\u0239\3\2\2\2\2\u023b\3\2\2"+
"\2\2\u023d\3\2\2\2\2\u023f\3\2\2\2\2\u0241\3\2\2\2\2\u0243\3\2\2\2\2\u0245"+
"\3\2\2\2\2\u0247\3\2\2\2\2\u0249\3\2\2\2\2\u024b\3\2\2\2\2\u024d\3\2\2"+
"\2\2\u024f\3\2\2\2\2\u0251\3\2\2\2\2\u0253\3\2\2\2\2\u0255\3\2\2\2\2\u0257"+
"\3\2\2\2\2\u0259\3\2\2\2\2\u025b\3\2\2\2\2\u025d\3\2\2\2\2\u025f\3\2\2"+
"\2\2\u0261\3\2\2\2\2\u0263\3\2\2\2\2\u0265\3\2\2\2\2\u0267\3\2\2\2\2\u0269"+
"\3\2\2\2\2\u026b\3\2\2\2\2\u026d\3\2\2\2\2\u026f\3\2\2\2\2\u0271\3\2\2"+
"\2\2\u0273\3\2\2\2\2\u0275\3\2\2\2\2\u0277\3\2\2\2\2\u0279\3\2\2\2\2\u027b"+
"\3\2\2\2\2\u027d\3\2\2\2\2\u027f\3\2\2\2\2\u0281\3\2\2\2\2\u0283\3\2\2"+
"\2\2\u0285\3\2\2\2\2\u0287\3\2\2\2\2\u0289\3\2\2\2\2\u028b\3\2\2\2\2\u028d"+
"\3\2\2\2\2\u028f\3\2\2\2\2\u0291\3\2\2\2\2\u0293\3\2\2\2\2\u0295\3\2\2"+
"\2\2\u0297\3\2\2\2\2\u0299\3\2\2\2\2\u029b\3\2\2\2\2\u029d\3\2\2\2\2\u029f"+
"\3\2\2\2\2\u02a1\3\2\2\2\2\u02a3\3\2\2\2\2\u02a5\3\2\2\2\2\u02a7\3\2\2"+
"\2\2\u02a9\3\2\2\2\2\u02ab\3\2\2\2\2\u02ad\3\2\2\2\2\u02af\3\2\2\2\2\u02b1"+
"\3\2\2\2\2\u02b3\3\2\2\2\2\u02b5\3\2\2\2\2\u02b7\3\2\2\2\2\u02b9\3\2\2"+
"\2\2\u02bb\3\2\2\2\2\u02bd\3\2\2\2\2\u02bf\3\2\2\2\2\u02c1\3\2\2\2\2\u02c3"+
"\3\2\2\2\2\u02c5\3\2\2\2\2\u02c7\3\2\2\2\2\u02c9\3\2\2\2\2\u02cb\3\2\2"+
"\2\2\u02cd\3\2\2\2\2\u02cf\3\2\2\2\2\u02d1\3\2\2\2\2\u02d3\3\2\2\2\2\u02d5"+
"\3\2\2\2\2\u02d7\3\2\2\2\2\u02d9\3\2\2\2\2\u02db\3\2\2\2\2\u02dd\3\2\2"+
"\2\2\u02df\3\2\2\2\2\u02e1\3\2\2\2\2\u02e3\3\2\2\2\2\u02e5\3\2\2\2\2\u02e7"+
"\3\2\2\2\2\u02e9\3\2\2\2\2\u02eb\3\2\2\2\2\u02ed\3\2\2\2\2\u02ef\3\2\2"+
"\2\2\u02f1\3\2\2\2\2\u02f3\3\2\2\2\2\u02f5\3\2\2\2\2\u02f7\3\2\2\2\2\u02f9"+
"\3\2\2\2\2\u02fb\3\2\2\2\2\u02fd\3\2\2\2\2\u02ff\3\2\2\2\2\u0301\3\2\2"+
"\2\2\u0303\3\2\2\2\2\u0305\3\2\2\2\2\u0307\3\2\2\2\2\u0309\3\2\2\2\2\u030b"+
"\3\2\2\2\2\u030d\3\2\2\2\2\u030f\3\2\2\2\2\u0311\3\2\2\2\2\u0313\3\2\2"+
"\2\2\u0315\3\2\2\2\2\u0317\3\2\2\2\2\u0319\3\2\2\2\2\u031b\3\2\2\2\2\u031d"+
"\3\2\2\2\2\u031f\3\2\2\2\2\u0321\3\2\2\2\2\u0323\3\2\2\2\2\u0325\3\2\2"+
"\2\2\u0327\3\2\2\2\2\u0329\3\2\2\2\2\u032b\3\2\2\2\2\u032d\3\2\2\2\2\u032f"+
"\3\2\2\2\2\u0331\3\2\2\2\2\u0333\3\2\2\2\2\u0335\3\2\2\2\2\u0337\3\2\2"+
"\2\2\u0339\3\2\2\2\2\u033b\3\2\2\2\2\u033d\3\2\2\2\2\u033f\3\2\2\2\2\u0341"+
"\3\2\2\2\2\u0343\3\2\2\2\2\u0345\3\2\2\2\2\u0347\3\2\2\2\2\u0349\3\2\2"+
"\2\2\u034b\3\2\2\2\2\u034d\3\2\2\2\2\u034f\3\2\2\2\2\u0351\3\2\2\2\2\u0353"+
"\3\2\2\2\2\u0355\3\2\2\2\2\u0357\3\2\2\2\2\u0359\3\2\2\2\2\u035b\3\2\2"+
"\2\2\u035d\3\2\2\2\2\u035f\3\2\2\2\2\u0361\3\2\2\2\2\u0363\3\2\2\2\2\u0365"+
"\3\2\2\2\2\u0367\3\2\2\2\2\u0369\3\2\2\2\2\u036b\3\2\2\2\2\u036d\3\2\2"+
"\2\2\u036f\3\2\2\2\2\u0371\3\2\2\2\2\u0373\3\2\2\2\2\u0375\3\2\2\2\2\u0377"+
"\3\2\2\2\2\u0379\3\2\2\2\2\u037b\3\2\2\2\2\u037d\3\2\2\2\2\u037f\3\2\2"+
"\2\2\u0381\3\2\2\2\2\u0383\3\2\2\2\2\u0385\3\2\2\2\2\u0387\3\2\2\2\2\u0389"+
"\3\2\2\2\2\u038b\3\2\2\2\2\u038d\3\2\2\2\2\u038f\3\2\2\2\2\u0391\3\2\2"+
"\2\2\u0393\3\2\2\2\2\u0395\3\2\2\2\2\u0397\3\2\2\2\2\u0399\3\2\2\2\2\u039b"+
"\3\2\2\2\2\u039d\3\2\2\2\2\u039f\3\2\2\2\2\u03a1\3\2\2\2\2\u03a3\3\2\2"+
"\2\2\u03a5\3\2\2\2\2\u03a7\3\2\2\2\2\u03a9\3\2\2\2\2\u03ab\3\2\2\2\2\u03ad"+
"\3\2\2\2\2\u03af\3\2\2\2\2\u03b1\3\2\2\2\2\u03b3\3\2\2\2\2\u03b5\3\2\2"+
"\2\2\u03b7\3\2\2\2\2\u03b9\3\2\2\2\2\u03bb\3\2\2\2\2\u03bd\3\2\2\2\2\u03bf"+
"\3\2\2\2\2\u03c1\3\2\2\2\2\u03c3\3\2\2\2\2\u03c5\3\2\2\2\2\u03c7\3\2\2"+
"\2\2\u03c9\3\2\2\2\2\u03cb\3\2\2\2\2\u03cd\3\2\2\2\2\u03cf\3\2\2\2\2\u03d1"+
"\3\2\2\2\2\u03d3\3\2\2\2\2\u03d5\3\2\2\2\2\u03d7\3\2\2\2\2\u03d9\3\2\2"+
"\2\2\u03db\3\2\2\2\2\u03dd\3\2\2\2\2\u03df\3\2\2\2\2\u03e1\3\2\2\2\2\u03e3"+
"\3\2\2\2\2\u03e5\3\2\2\2\2\u03e7\3\2\2\2\2\u03e9\3\2\2\2\2\u03eb\3\2\2"+
"\2\2\u03ed\3\2\2\2\2\u03ef\3\2\2\2\2\u03f1\3\2\2\2\2\u03f3\3\2\2\2\2\u03f5"+
"\3\2\2\2\2\u03f7\3\2\2\2\2\u03f9\3\2\2\2\2\u03fb\3\2\2\2\2\u03fd\3\2\2"+
"\2\2\u03ff\3\2\2\2\2\u0401\3\2\2\2\2\u0403\3\2\2\2\2\u0405\3\2\2\2\2\u0407"+
"\3\2\2\2\2\u0409\3\2\2\2\2\u040b\3\2\2\2\2\u040d\3\2\2\2\2\u040f\3\2\2"+
"\2\2\u0411\3\2\2\2\2\u0413\3\2\2\2\2\u0415\3\2\2\2\2\u0417\3\2\2\2\2\u0419"+
"\3\2\2\2\2\u041b\3\2\2\2\2\u041d\3\2\2\2\2\u041f\3\2\2\2\2\u0421\3\2\2"+
"\2\2\u0423\3\2\2\2\2\u0425\3\2\2\2\2\u0427\3\2\2\2\2\u0429\3\2\2\2\2\u042b"+
"\3\2\2\2\2\u042d\3\2\2\2\2\u042f\3\2\2\2\2\u0431\3\2\2\2\2\u0433\3\2\2"+
"\2\2\u0435\3\2\2\2\2\u0437\3\2\2\2\2\u0439\3\2\2\2\2\u043b\3\2\2\2\2\u043d"+
"\3\2\2\2\2\u043f\3\2\2\2\2\u0441\3\2\2\2\2\u0443\3\2\2\2\2\u0445\3\2\2"+
"\2\2\u0447\3\2\2\2\2\u0449\3\2\2\2\2\u044b\3\2\2\2\2\u044d\3\2\2\2\2\u044f"+
"\3\2\2\2\2\u0451\3\2\2\2\2\u0453\3\2\2\2\2\u0455\3\2\2\2\2\u0457\3\2\2"+
"\2\2\u0459\3\2\2\2\2\u045b\3\2\2\2\2\u045d\3\2\2\2\2\u045f\3\2\2\2\2\u0461"+
"\3\2\2\2\2\u0463\3\2\2\2\2\u0465\3\2\2\2\2\u0467\3\2\2\2\2\u0469\3\2\2"+
"\2\2\u046b\3\2\2\2\2\u046d\3\2\2\2\2\u046f\3\2\2\2\2\u0471\3\2\2\2\2\u0473"+
"\3\2\2\2\2\u0475\3\2\2\2\2\u0477\3\2\2\2\2\u0479\3\2\2\2\2\u047b\3\2\2"+
"\2\2\u047d\3\2\2\2\2\u047f\3\2\2\2\2\u0481\3\2\2\2\2\u0483\3\2\2\2\2\u0485"+
"\3\2\2\2\2\u0487\3\2\2\2\2\u0489\3\2\2\2\2\u048b\3\2\2\2\2\u048d\3\2\2"+
"\2\2\u048f\3\2\2\2\2\u0491\3\2\2\2\2\u0493\3\2\2\2\2\u0495\3\2\2\2\2\u0497"+
"\3\2\2\2\2\u0499\3\2\2\2\2\u049b\3\2\2\2\2\u049d\3\2\2\2\2\u049f\3\2\2"+
"\2\2\u04a1\3\2\2\2\2\u04a3\3\2\2\2\2\u04a5\3\2\2\2\2\u04a7\3\2\2\2\2\u04a9"+
"\3\2\2\2\2\u04ab\3\2\2\2\2\u04ad\3\2\2\2\2\u04af\3\2\2\2\2\u04b1\3\2\2"+
"\2\2\u04b3\3\2\2\2\2\u04b5\3\2\2\2\2\u04b7\3\2\2\2\2\u04b9\3\2\2\2\2\u04bb"+
"\3\2\2\2\2\u04bd\3\2\2\2\2\u04bf\3\2\2\2\2\u04c1\3\2\2\2\2\u04c3\3\2\2"+
"\2\2\u04c5\3\2\2\2\2\u04c7\3\2\2\2\2\u04c9\3\2\2\2\2\u04cb\3\2\2\2\2\u04cd"+
"\3\2\2\2\2\u04cf\3\2\2\2\2\u04d1\3\2\2\2\2\u04d3\3\2\2\2\2\u04d5\3\2\2"+
"\2\2\u04d7\3\2\2\2\2\u04d9\3\2\2\2\2\u04db\3\2\2\2\2\u04dd\3\2\2\2\2\u04df"+
"\3\2\2\2\2\u04e1\3\2\2\2\2\u04e3\3\2\2\2\2\u04e5\3\2\2\2\2\u04e7\3\2\2"+
"\2\2\u04e9\3\2\2\2\2\u04eb\3\2\2\2\2\u04ed\3\2\2\2\2\u04ef\3\2\2\2\2\u04f1"+
"\3\2\2\2\2\u04f3\3\2\2\2\2\u04f5\3\2\2\2\2\u04f7\3\2\2\2\2\u04f9\3\2\2"+
"\2\2\u04fb\3\2\2\2\2\u04fd\3\2\2\2\2\u04ff\3\2\2\2\2\u0501\3\2\2\2\2\u0503"+
"\3\2\2\2\2\u0505\3\2\2\2\2\u0507\3\2\2\2\2\u0509\3\2\2\2\2\u050b\3\2\2"+
"\2\2\u050d\3\2\2\2\2\u050f\3\2\2\2\2\u0511\3\2\2\2\2\u0513\3\2\2\2\2\u0515"+
"\3\2\2\2\2\u0517\3\2\2\2\2\u0519\3\2\2\2\2\u051b\3\2\2\2\2\u051d\3\2\2"+
"\2\2\u051f\3\2\2\2\2\u0521\3\2\2\2\2\u0523\3\2\2\2\2\u0525\3\2\2\2\2\u0527"+
"\3\2\2\2\2\u0529\3\2\2\2\2\u052b\3\2\2\2\2\u052d\3\2\2\2\2\u052f\3\2\2"+
"\2\2\u0531\3\2\2\2\2\u0533\3\2\2\2\2\u0535\3\2\2\2\2\u0537\3\2\2\2\2\u0539"+
"\3\2\2\2\2\u053b\3\2\2\2\2\u053d\3\2\2\2\2\u053f\3\2\2\2\2\u0541\3\2\2"+
"\2\2\u0543\3\2\2\2\2\u0545\3\2\2\2\2\u0547\3\2\2\2\2\u0549\3\2\2\2\2\u054b"+
"\3\2\2\2\2\u054d\3\2\2\2\2\u054f\3\2\2\2\2\u0551\3\2\2\2\2\u0553\3\2\2"+
"\2\2\u0555\3\2\2\2\2\u0557\3\2\2\2\2\u0559\3\2\2\2\2\u055b\3\2\2\2\2\u055d"+
"\3\2\2\2\2\u055f\3\2\2\2\2\u0561\3\2\2\2\2\u0563\3\2\2\2\2\u0565\3\2\2"+
"\2\2\u0567\3\2\2\2\2\u0569\3\2\2\2\2\u056b\3\2\2\2\2\u056d\3\2\2\2\2\u056f"+
"\3\2\2\2\2\u0571\3\2\2\2\2\u0573\3\2\2\2\2\u0575\3\2\2\2\2\u0577\3\2\2"+
"\2\2\u0579\3\2\2\2\2\u057b\3\2\2\2\2\u057d\3\2\2\2\2\u057f\3\2\2\2\2\u0581"+
"\3\2\2\2\2\u0583\3\2\2\2\2\u0585\3\2\2\2\2\u0587\3\2\2\2\2\u0589\3\2\2"+
"\2\2\u058b\3\2\2\2\2\u058d\3\2\2\2\2\u058f\3\2\2\2\2\u0591\3\2\2\2\2\u0593"+
"\3\2\2\2\2\u0595\3\2\2\2\2\u0597\3\2\2\2\2\u0599\3\2\2\2\2\u059b\3\2\2"+
"\2\2\u059d\3\2\2\2\2\u059f\3\2\2\2\2\u05a1\3\2\2\2\2\u05a3\3\2\2\2\2\u05a5"+
"\3\2\2\2\2\u05a7\3\2\2\2\2\u05a9\3\2\2\2\2\u05ab\3\2\2\2\2\u05ad\3\2\2"+
"\2\2\u05af\3\2\2\2\2\u05b1\3\2\2\2\2\u05b3\3\2\2\2\2\u05b5\3\2\2\2\2\u05b7"+
"\3\2\2\2\2\u05b9\3\2\2\2\2\u05bb\3\2\2\2\2\u05bd\3\2\2\2\2\u05bf\3\2\2"+
"\2\2\u05c1\3\2\2\2\2\u05c3\3\2\2\2\2\u05c5\3\2\2\2\2\u05c7\3\2\2\2\2\u05c9"+
"\3\2\2\2\2\u05cb\3\2\2\2\2\u05cd\3\2\2\2\2\u05cf\3\2\2\2\2\u05d1\3\2\2"+
"\2\2\u05d3\3\2\2\2\2\u05d5\3\2\2\2\2\u05d7\3\2\2\2\2\u05d9\3\2\2\2\2\u05db"+
"\3\2\2\2\2\u05dd\3\2\2\2\2\u05df\3\2\2\2\2\u05e1\3\2\2\2\2\u05e3\3\2\2"+
"\2\2\u05e5\3\2\2\2\2\u05e7\3\2\2\2\2\u05e9\3\2\2\2\2\u05eb\3\2\2\2\2\u05ed"+
"\3\2\2\2\2\u05ef\3\2\2\2\2\u05f1\3\2\2\2\2\u05f3\3\2\2\2\2\u05f5\3\2\2"+
"\2\2\u05f7\3\2\2\2\2\u05f9\3\2\2\2\2\u05fb\3\2\2\2\2\u05fd\3\2\2\2\2\u05ff"+
"\3\2\2\2\2\u0601\3\2\2\2\2\u0603\3\2\2\2\2\u0605\3\2\2\2\2\u0607\3\2\2"+
"\2\2\u0609\3\2\2\2\2\u060b\3\2\2\2\2\u060d\3\2\2\2\2\u060f\3\2\2\2\2\u0611"+
"\3\2\2\2\2\u0613\3\2\2\2\2\u0615\3\2\2\2\2\u0617\3\2\2\2\2\u0619\3\2\2"+
"\2\2\u061b\3\2\2\2\2\u061d\3\2\2\2\2\u061f\3\2\2\2\2\u0621\3\2\2\2\2\u0623"+
"\3\2\2\2\2\u0625\3\2\2\2\2\u0627\3\2\2\2\2\u0629\3\2\2\2\2\u062b\3\2\2"+
"\2\2\u062d\3\2\2\2\2\u062f\3\2\2\2\2\u0631\3\2\2\2\2\u0633\3\2\2\2\2\u0635"+
"\3\2\2\2\2\u0637\3\2\2\2\2\u0639\3\2\2\2\2\u063b\3\2\2\2\2\u063d\3\2\2"+
"\2\2\u063f\3\2\2\2\2\u0641\3\2\2\2\2\u0643\3\2\2\2\2\u0645\3\2\2\2\2\u0647"+
"\3\2\2\2\2\u0649\3\2\2\2\2\u064b\3\2\2\2\2\u064d\3\2\2\2\2\u064f\3\2\2"+
"\2\2\u0651\3\2\2\2\2\u0653\3\2\2\2\2\u0655\3\2\2\2\2\u0657\3\2\2\2\2\u0659"+
"\3\2\2\2\2\u065b\3\2\2\2\2\u065d\3\2\2\2\2\u065f\3\2\2\2\2\u0661\3\2\2"+
"\2\2\u0663\3\2\2\2\2\u0665\3\2\2\2\2\u0667\3\2\2\2\2\u0669\3\2\2\2\2\u066b"+
"\3\2\2\2\2\u066d\3\2\2\2\2\u066f\3\2\2\2\2\u0671\3\2\2\2\2\u0673\3\2\2"+
"\2\2\u0675\3\2\2\2\2\u0677\3\2\2\2\2\u0679\3\2\2\2\2\u067b\3\2\2\2\2\u067d"+
"\3\2\2\2\2\u067f\3\2\2\2\2\u0681\3\2\2\2\2\u0683\3\2\2\2\2\u0685\3\2\2"+
"\2\2\u068b\3\2\2\2\3\u0695\3\2\2\2\5\u069c\3\2\2\2\7\u06a0\3\2\2\2\t\u06a4"+
"\3\2\2\2\13\u06a8\3\2\2\2\r\u06ba\3\2\2\2\17\u06d4\3\2\2\2\21\u06ec\3"+
"\2\2\2\23\u06fb\3\2\2\2\25\u06fd\3\2\2\2\27\u0707\3\2\2\2\31\u070b\3\2"+
"\2\2\33\u0712\3\2\2\2\35\u0724\3\2\2\2\37\u072f\3\2\2\2!\u0731\3\2\2\2"+
"#\u073c\3\2\2\2%\u0750\3\2\2\2\'\u075e\3\2\2\2)\u076d\3\2\2\2+\u0789\3"+
"\2\2\2-\u0793\3\2\2\2/\u07a5\3\2\2\2\61\u07a7\3\2\2\2\63\u07ae\3\2\2\2"+
"\65\u07b5\3\2\2\2\67\u07bb\3\2\2\29\u07c3\3\2\2\2;\u07c9\3\2\2\2=\u07d3"+
"\3\2\2\2?\u07e6\3\2\2\2A\u07ec\3\2\2\2C\u07f3\3\2\2\2E\u07fa\3\2\2\2G"+
"\u0806\3\2\2\2I\u0811\3\2\2\2K\u0813\3\2\2\2M\u0819\3\2\2\2O\u0820\3\2"+
"\2\2Q\u0828\3\2\2\2S\u082d\3\2\2\2U\u0839\3\2\2\2W\u0845\3\2\2\2Y\u084d"+
"\3\2\2\2[\u0853\3\2\2\2]\u085e\3\2\2\2_\u086b\3\2\2\2a\u087c\3\2\2\2c"+
"\u0890\3\2\2\2e\u0896\3\2\2\2g\u089e\3\2\2\2i\u08a8\3\2\2\2k\u08b1\3\2"+
"\2\2m\u08b9\3\2\2\2o\u08c0\3\2\2\2q\u08cc\3\2\2\2s\u08d3\3\2\2\2u\u08db"+
"\3\2\2\2w\u08e9\3\2\2\2y\u08f4\3\2\2\2{\u0900\3\2\2\2}\u0909\3\2\2\2\177"+
"\u0917\3\2\2\2\u0081\u091f\3\2\2\2\u0083\u0928\3\2\2\2\u0085\u093d\3\2"+
"\2\2\u0087\u0946\3\2\2\2\u0089\u0954\3\2\2\2\u008b\u0965\3\2\2\2\u008d"+
"\u096f\3\2\2\2\u008f\u0979\3\2\2\2\u0091\u0980\3\2\2\2\u0093\u0986\3\2"+
"\2\2\u0095\u098e\3\2\2\2\u0097\u099b\3\2\2\2\u0099\u09a8\3\2\2\2\u009b"+
"\u09ba\3\2\2\2\u009d\u09c7\3\2\2\2\u009f\u09ce\3\2\2\2\u00a1\u09d4\3\2"+
"\2\2\u00a3\u09d9\3\2\2\2\u00a5\u09ea\3\2\2\2\u00a7\u09f6\3\2\2\2\u00a9"+
"\u09ff\3\2\2\2\u00ab\u0a12\3\2\2\2\u00ad\u0a17\3\2\2\2\u00af\u0a22\3\2"+
"\2\2\u00b1\u0a2a\3\2\2\2\u00b3\u0a32\3\2\2\2\u00b5\u0a43\3\2\2\2\u00b7"+
"\u0a52\3\2\2\2\u00b9\u0a59\3\2\2\2\u00bb\u0a5e\3\2\2\2\u00bd\u0a63\3\2"+
"\2\2\u00bf\u0a6f\3\2\2\2\u00c1\u0a7c\3\2\2\2\u00c3\u0a81\3\2\2\2\u00c5"+
"\u0a8a\3\2\2\2\u00c7\u0a96\3\2\2\2\u00c9\u0a9d\3\2\2\2\u00cb\u0aa0\3\2"+
"\2\2\u00cd\u0aa3\3\2\2\2\u00cf\u0aa8\3\2\2\2\u00d1\u0ab4\3\2\2\2\u00d3"+
"\u0ab9\3\2\2\2\u00d5\u0abe\3\2\2\2\u00d7\u0ac6\3\2\2\2\u00d9\u0aca\3\2"+
"\2\2\u00db\u0ad3\3\2\2\2\u00dd\u0ada\3\2\2\2\u00df\u0ae1\3\2\2\2\u00e1"+
"\u0ae7\3\2\2\2\u00e3\u0aed\3\2\2\2\u00e5\u0afa\3\2\2\2\u00e7\u0b0f\3\2"+
"\2\2\u00e9\u0b16\3\2\2\2\u00eb\u0b26\3\2\2\2\u00ed\u0b30\3\2\2\2\u00ef"+
"\u0b37\3\2\2\2\u00f1\u0b42\3\2\2\2\u00f3\u0b47\3\2\2\2\u00f5\u0b51\3\2"+
"\2\2\u00f7\u0b5a\3\2\2\2\u00f9\u0b6a\3\2\2\2\u00fb\u0b73\3\2\2\2\u00fd"+
"\u0b89\3\2\2\2\u00ff\u0b90\3\2\2\2\u0101\u0b96\3\2\2\2\u0103\u0b9b\3\2"+
"\2\2\u0105\u0ba4\3\2\2\2\u0107\u0baf\3\2\2\2\u0109\u0bbd\3\2\2\2\u010b"+
"\u0bc1\3\2\2\2\u010d\u0bcb\3\2\2\2\u010f\u0be9\3\2\2\2\u0111\u0bf1\3\2"+
"\2\2\u0113\u0bfa\3\2\2\2\u0115\u0c08\3\2\2\2\u0117\u0c0d\3\2\2\2\u0119"+
"\u0c12\3\2\2\2\u011b\u0c1b\3\2\2\2\u011d\u0c1f\3\2\2\2\u011f\u0c24\3\2"+
"\2\2\u0121\u0c2d\3\2\2\2\u0123\u0c33\3\2\2\2\u0125\u0c39\3\2\2\2\u0127"+
"\u0c40\3\2\2\2\u0129\u0c47\3\2\2\2\u012b\u0c5a\3\2\2\2\u012d\u0c63\3\2"+
"\2\2\u012f\u0c6f\3\2\2\2\u0131\u0c7f\3\2\2\2\u0133\u0c88\3\2\2\2\u0135"+
"\u0c8a\3\2\2\2\u0137\u0c92\3\2\2\2\u0139\u0c9c\3\2\2\2\u013b\u0ca2\3\2"+
"\2\2\u013d\u0cab\3\2\2\2\u013f\u0cb0\3\2\2\2\u0141\u0cb6\3\2\2\2\u0143"+
"\u0cbd\3\2\2\2\u0145\u0cc5\3\2\2\2\u0147\u0ccf\3\2\2\2\u0149\u0cd5\3\2"+
"\2\2\u014b\u0ce2\3\2\2\2\u014d\u0d52\3\2\2\2\u014f\u0d60\3\2\2\2\u0151"+
"\u0d62\3\2\2\2\u0153\u0d67\3\2\2\2\u0155\u0d70\3\2\2\2\u0157\u0d74\3\2"+
"\2\2\u0159\u0d7d\3\2\2\2\u015b\u0d95\3\2\2\2\u015d\u0d9a\3\2\2\2\u015f"+
"\u0da3\3\2\2\2\u0161\u0da8\3\2\2\2\u0163\u0db0\3\2\2\2\u0165\u0dc5\3\2"+
"\2\2\u0167\u0ddb\3\2\2\2\u0169\u0df1\3\2\2\2\u016b\u0df3\3\2\2\2\u016d"+
"\u0dfa\3\2\2\2\u016f\u0e00\3\2\2\2\u0171\u0e0c\3\2\2\2\u0173\u0e1a\3\2"+
"\2\2\u0175\u0e1f\3\2\2\2\u0177\u0e32\3\2\2\2\u0179\u0e36\3\2\2\2\u017b"+
"\u0e3e\3\2\2\2\u017d\u0e45\3\2\2\2\u017f\u0e50\3\2\2\2\u0181\u0e5c\3\2"+
"\2\2\u0183\u0e65\3\2\2\2\u0185\u0e7a\3\2\2\2\u0187\u0e89\3\2\2\2\u0189"+
"\u0e92\3\2\2\2\u018b\u0eb0\3\2\2\2\u018d\u0ec1\3\2\2\2\u018f\u0ecb\3\2"+
"\2\2\u0191\u0ed2\3\2\2\2\u0193\u0ee8\3\2\2\2\u0195\u0eee\3\2\2\2\u0197"+
"\u0f01\3\2\2\2\u0199\u0f16\3\2\2\2\u019b\u0f1f\3\2\2\2\u019d\u0f26\3\2"+
"\2\2\u019f\u0f32\3\2\2\2\u01a1\u0f3b\3\2\2\2\u01a3\u0f45\3\2\2\2\u01a5"+
"\u0f4d\3\2\2\2\u01a7\u0f56\3\2\2\2\u01a9\u0f5d\3\2\2\2\u01ab\u0f6a\3\2"+
"\2\2\u01ad\u0f6f\3\2\2\2\u01af\u0f78\3\2\2\2\u01b1\u0f7f\3\2\2\2\u01b3"+
"\u0f88\3\2\2\2\u01b5\u0f94\3\2\2\2\u01b7\u0fa3\3\2\2\2\u01b9\u0fba\3\2"+
"\2\2\u01bb\u0fbc\3\2\2\2\u01bd\u0fc9\3\2\2\2\u01bf\u0fda\3\2\2\2\u01c1"+
"\u0fdc\3\2\2\2\u01c3\u0fe3\3\2\2\2\u01c5\u0fe6\3\2\2\2\u01c7\u0fea\3\2"+
"\2\2\u01c9\u0ff2\3\2\2\2\u01cb\u1005\3\2\2\2\u01cd\u1007\3\2\2\2\u01cf"+
"\u1012\3\2\2\2\u01d1\u1017\3\2\2\2\u01d3\u1026\3\2\2\2\u01d5\u1030\3\2"+
"\2\2\u01d7\u103b\3\2\2\2\u01d9\u1043\3\2\2\2\u01db\u1050\3\2\2\2\u01dd"+
"\u1061\3\2\2\2\u01df\u1072\3\2\2\2\u01e1\u1074\3\2\2\2\u01e3\u1079\3\2"+
"\2\2\u01e5\u107e\3\2\2\2\u01e7\u1089\3\2\2\2\u01e9\u1091\3\2\2\2\u01eb"+
"\u109a\3\2\2\2\u01ed\u10a2\3\2\2\2\u01ef\u10b1\3\2\2\2\u01f1\u10b9\3\2"+
"\2\2\u01f3\u10c0\3\2\2\2\u01f5\u10c9\3\2\2\2\u01f7\u10cf\3\2\2\2\u01f9"+
"\u10d4\3\2\2\2\u01fb\u10dd\3\2\2\2\u01fd\u10e4\3\2\2\2\u01ff\u10ee\3\2"+
"\2\2\u0201\u10f8\3\2\2\2\u0203\u1100\3\2\2\2\u0205\u1106\3\2\2\2\u0207"+
"\u110b\3\2\2\2\u0209\u1115\3\2\2\2\u020b\u111d\3\2\2\2\u020d\u1124\3\2"+
"\2\2\u020f\u112b\3\2\2\2\u0211\u112d\3\2\2\2\u0213\u1137\3\2\2\2\u0215"+
"\u113b\3\2\2\2\u0217\u1140\3\2\2\2\u0219\u1149\3\2\2\2\u021b\u115f\3\2"+
"\2\2\u021d\u116b\3\2\2\2\u021f\u1176\3\2\2\2\u0221\u1181\3\2\2\2\u0223"+
"\u1196\3\2\2\2\u0225\u11b1\3\2\2\2\u0227\u11bd\3\2\2\2\u0229\u11c6\3\2"+
"\2\2\u022b\u11cc\3\2\2\2\u022d\u11d4\3\2\2\2\u022f\u11dc\3\2\2\2\u0231"+
"\u11e5\3\2\2\2\u0233\u11ec\3\2\2\2\u0235\u11f7\3\2\2\2\u0237\u11fe\3\2"+
"\2\2\u0239\u1206\3\2\2\2\u023b\u120d\3\2\2\2\u023d\u1214\3\2\2\2\u023f"+
"\u121b\3\2\2\2\u0241\u1221\3\2\2\2\u0243\u122a\3\2\2\2\u0245\u122f\3\2"+
"\2\2\u0247\u1238\3\2\2\2\u0249\u1243\3\2\2\2\u024b\u124b\3\2\2\2\u024d"+
"\u1254\3\2\2\2\u024f\u125d\3\2\2\2\u0251\u1266\3\2\2\2\u0253\u126f\3\2"+
"\2\2\u0255\u1276\3\2\2\2\u0257\u127b\3\2\2\2\u0259\u1280\3\2\2\2\u025b"+
"\u1285\3\2\2\2\u025d\u128f\3\2\2\2\u025f\u1296\3\2\2\2\u0261\u129d\3\2"+
"\2\2\u0263\u12a6\3\2\2\2\u0265\u12b4\3\2\2\2\u0267\u12bb\3\2\2\2\u0269"+
"\u12d2\3\2\2\2\u026b\u12f1\3\2\2\2\u026d\u1309\3\2\2\2\u026f\u1312\3\2"+
"\2\2\u0271\u1319\3\2\2\2\u0273\u1321\3\2\2\2\u0275\u1330\3\2\2\2\u0277"+
"\u133d\3\2\2\2\u0279\u1345\3\2\2\2\u027b\u1352\3\2\2\2\u027d\u1356\3\2"+
"\2\2\u027f\u135e\3\2\2\2\u0281\u1367\3\2\2\2\u0283\u136b\3\2\2\2\u0285"+
"\u1370\3\2\2\2\u0287\u1379\3\2\2\2\u0289\u137e\3\2\2\2\u028b\u1385\3\2"+
"\2\2\u028d\u1393\3\2\2\2\u028f\u1399\3\2\2\2\u0291\u13a8\3\2\2\2\u0293"+
"\u13b6\3\2\2\2\u0295\u13c8\3\2\2\2\u0297\u13d3\3\2\2\2\u0299\u13d9\3\2"+
"\2\2\u029b\u13df\3\2\2\2\u029d\u13e5\3\2\2\2\u029f\u13ed\3\2\2\2\u02a1"+
"\u13fb\3\2\2\2\u02a3\u1400\3\2\2\2\u02a5\u1408\3\2\2\2\u02a7\u1416\3\2"+
"\2\2\u02a9\u1420\3\2\2\2\u02ab\u1427\3\2\2\2\u02ad\u1433\3\2\2\2\u02af"+
"\u1439\3\2\2\2\u02b1\u1445\3\2\2\2\u02b3\u144a\3\2\2\2\u02b5\u1451\3\2"+
"\2\2\u02b7\u1455\3\2\2\2\u02b9\u145e\3\2\2\2\u02bb\u1463\3\2\2\2\u02bd"+
"\u146f\3\2\2\2\u02bf\u1471\3\2\2\2\u02c1\u1481\3\2\2\2\u02c3\u1486\3\2"+
"\2\2\u02c5\u1492\3\2\2\2\u02c7\u149b\3\2\2\2\u02c9\u14a3\3\2\2\2\u02cb"+
"\u14ac\3\2\2\2\u02cd\u14b4\3\2\2\2\u02cf\u14be\3\2\2\2\u02d1\u14c4\3\2"+
"\2\2\u02d3\u14cb\3\2\2\2\u02d5\u14d2\3\2\2\2\u02d7\u14da\3\2\2\2\u02d9"+
"\u14e1\3\2\2\2\u02db\u14e8\3\2\2\2\u02dd\u14f3\3\2\2\2\u02df\u14f7\3\2"+
"\2\2\u02e1\u14fb\3\2\2\2\u02e3\u1500\3\2\2\2\u02e5\u1505\3\2\2\2\u02e7"+
"\u150c\3\2\2\2\u02e9\u1514\3\2\2\2\u02eb\u1523\3\2\2\2\u02ed\u1528\3\2"+
"\2\2\u02ef\u1533\3\2\2\2\u02f1\u153b\3\2\2\2\u02f3\u1540\3\2\2\2\u02f5"+
"\u1546\3\2\2\2\u02f7\u154c\3\2\2\2\u02f9\u1554\3\2\2\2\u02fb\u1559\3\2"+
"\2\2\u02fd\u1560\3\2\2\2\u02ff\u1568\3\2\2\2\u0301\u1570\3\2\2\2\u0303"+
"\u157a\3\2\2\2\u0305\u1583\3\2\2\2\u0307\u1596\3\2\2\2\u0309\u159d\3\2"+
"\2\2\u030b\u15a8\3\2\2\2\u030d\u15af\3\2\2\2\u030f\u15b7\3\2\2\2\u0311"+
"\u15bf\3\2\2\2\u0313\u15c7\3\2\2\2\u0315\u15cf\3\2\2\2\u0317\u15d8\3\2"+
"\2\2\u0319\u15de\3\2\2\2\u031b\u15e8\3\2\2\2\u031d\u15f2\3\2\2\2\u031f"+
"\u1616\3\2\2\2\u0321\u162f\3\2\2\2\u0323\u1637\3\2\2\2\u0325\u1649\3\2"+
"\2\2\u0327\u1654\3\2\2\2\u0329\u1661\3\2\2\2\u032b\u166f\3\2\2\2\u032d"+
"\u167f\3\2\2\2\u032f\u1685\3\2\2\2\u0331\u1690\3\2\2\2\u0333\u1699\3\2"+
"\2\2\u0335\u169f\3\2\2\2\u0337\u16aa\3\2\2\2\u0339\u16af\3\2\2\2\u033b"+
"\u16bc\3\2\2\2\u033d\u16c7\3\2\2\2\u033f\u16de\3\2\2\2\u0341\u16ea\3\2"+
"\2\2\u0343\u1701\3\2\2\2\u0345\u171e\3\2\2\2\u0347\u172b\3\2\2\2\u0349"+
"\u172f\3\2\2\2\u034b\u173f\3\2\2\2\u034d\u174c\3\2\2\2\u034f\u1753\3\2"+
"\2\2\u0351\u1761\3\2\2\2\u0353\u1771\3\2\2\2\u0355\u1779\3\2\2\2\u0357"+
"\u1786\3\2\2\2\u0359\u178d\3\2\2\2\u035b\u179d\3\2\2\2\u035d\u17a9\3\2"+
"\2\2\u035f\u17b0\3\2\2\2\u0361\u17c4\3\2\2\2\u0363\u17cb\3\2\2\2\u0365"+
"\u17d3\3\2\2\2\u0367\u17d9\3\2\2\2\u0369\u17ea\3\2\2\2\u036b\u17fa\3\2"+
"\2\2\u036d\u1803\3\2\2\2\u036f\u1810\3\2\2\2\u0371\u1818\3\2\2\2\u0373"+
"\u1823\3\2\2\2\u0375\u1835\3\2\2\2\u0377\u183f\3\2\2\2\u0379\u1853\3\2"+
"\2\2\u037b\u185a\3\2\2\2\u037d\u1872\3\2\2\2\u037f\u187a\3\2\2\2\u0381"+
"\u1882\3\2\2\2\u0383\u1898\3\2\2\2\u0385\u189a\3\2\2\2\u0387\u18a4\3\2"+
"\2\2\u0389\u18ac\3\2\2\2\u038b\u18b0\3\2\2\2\u038d\u18bb\3\2\2\2\u038f"+
"\u18d0\3\2\2\2\u0391\u18db\3\2\2\2\u0393\u18e9\3\2\2\2\u0395\u1900\3\2"+
"\2\2\u0397\u190f\3\2\2\2\u0399\u192d\3\2\2\2\u039b\u1935\3\2\2\2\u039d"+
"\u193e\3\2\2\2\u039f\u1947\3\2\2\2\u03a1\u1950\3\2\2\2\u03a3\u1955\3\2"+
"\2\2\u03a5\u1961\3\2\2\2\u03a7\u196d\3\2\2\2\u03a9\u1978\3\2\2\2\u03ab"+
"\u1983\3\2\2\2\u03ad\u199d\3\2\2\2\u03af\u19ae\3\2\2\2\u03b1\u19b4\3\2"+
"\2\2\u03b3\u19c7\3\2\2\2\u03b5\u19cf\3\2\2\2\u03b7\u19da\3\2\2\2\u03b9"+
"\u19e5\3\2\2\2\u03bb\u19e9\3\2\2\2\u03bd\u19f5\3\2\2\2\u03bf\u19fa\3\2"+
"\2\2\u03c1\u19ff\3\2\2\2\u03c3\u1a06\3\2\2\2\u03c5\u1a15\3\2\2\2\u03c7"+
"\u1a1d\3\2\2\2\u03c9\u1a2c\3\2\2\2\u03cb\u1a35\3\2\2\2\u03cd\u1a38\3\2"+
"\2\2\u03cf\u1a41\3\2\2\2\u03d1\u1a49\3\2\2\2\u03d3\u1a52\3\2\2\2\u03d5"+
"\u1a5c\3\2\2\2\u03d7\u1a62\3\2\2\2\u03d9\u1a69\3\2\2\2\u03db\u1a77\3\2"+
"\2\2\u03dd\u1a87\3\2\2\2\u03df\u1a92\3\2\2\2\u03e1\u1a9f\3\2\2\2\u03e3"+
"\u1aba\3\2\2\2\u03e5\u1ac4\3\2\2\2\u03e7\u1acf\3\2\2\2\u03e9\u1ad5\3\2"+
"\2\2\u03eb\u1adc\3\2\2\2\u03ed\u1ae8\3\2\2\2\u03ef\u1af1\3\2\2\2\u03f1"+
"\u1b00\3\2\2\2\u03f3\u1b0e\3\2\2\2\u03f5\u1b16\3\2\2\2\u03f7\u1b2e\3\2"+
"\2\2\u03f9\u1b33\3\2\2\2\u03fb\u1b40\3\2\2\2\u03fd\u1b4a\3\2\2\2\u03ff"+
"\u1b55\3\2\2\2\u0401\u1b5e\3\2\2\2\u0403\u1b69\3\2\2\2\u0405\u1b7f\3\2"+
"\2\2\u0407\u1b81\3\2\2\2\u0409\u1b8d\3\2\2\2\u040b\u1b97\3\2\2\2\u040d"+
"\u1b9d\3\2\2\2\u040f\u1bbc\3\2\2\2\u0411\u1bc3\3\2\2\2\u0413\u1bca\3\2"+
"\2\2\u0415\u1bd7\3\2\2\2\u0417\u1be0\3\2\2\2\u0419\u1be9\3\2\2\2\u041b"+
"\u1bec\3\2\2\2\u041d\u1bf4\3\2\2\2\u041f\u1bff\3\2\2\2\u0421\u1c06\3\2"+
"\2\2\u0423\u1c09\3\2\2\2\u0425\u1c1c\3\2\2\2\u0427\u1c25\3\2\2\2\u0429"+
"\u1c31\3\2\2\2\u042b\u1c36\3\2\2\2\u042d\u1c3b\3\2\2\2\u042f\u1c50\3\2"+
"\2\2\u0431\u1c55\3\2\2\2\u0433\u1c6b\3\2\2\2\u0435\u1c71\3\2\2\2\u0437"+
"\u1c80\3\2\2\2\u0439\u1ca6\3\2\2\2\u043b\u1cb0\3\2\2\2\u043d\u1cbc\3\2"+
"\2\2\u043f\u1cc7\3\2\2\2\u0441\u1cdb\3\2\2\2\u0443\u1ce7\3\2\2\2\u0445"+
"\u1cf1\3\2\2\2\u0447\u1cf7\3\2\2\2\u0449\u1d03\3\2\2\2\u044b\u1d0c\3\2"+
"\2\2\u044d\u1d10\3\2\2\2\u044f\u1d13\3\2\2\2\u0451\u1d1d\3\2\2\2\u0453"+
"\u1d22\3\2\2\2\u0455\u1d25\3\2\2\2\u0457\u1d2a\3\2\2\2\u0459\u1d34\3\2"+
"\2\2\u045b\u1d3f\3\2\2\2\u045d\u1d44\3\2\2\2\u045f\u1d4b\3\2\2\2\u0461"+
"\u1d4f\3\2\2\2\u0463\u1d54\3\2\2\2\u0465\u1d5f\3\2\2\2\u0467\u1d64\3\2"+
"\2\2\u0469\u1d6a\3\2\2\2\u046b\u1d6f\3\2\2\2\u046d\u1d78\3\2\2\2\u046f"+
"\u1d85\3\2\2\2\u0471\u1d94\3\2\2\2\u0473\u1d9a\3\2\2\2\u0475\u1da3\3\2"+
"\2\2\u0477\u1da8\3\2\2\2\u0479\u1db8\3\2\2\2\u047b\u1dbe\3\2\2\2\u047d"+
"\u1dc3\3\2\2\2\u047f\u1dc7\3\2\2\2\u0481\u1dce\3\2\2\2\u0483\u1dd3\3\2"+
"\2\2\u0485\u1de9\3\2\2\2\u0487\u1deb\3\2\2\2\u0489\u1dfb\3\2\2\2\u048b"+
"\u1e03\3\2\2\2\u048d\u1e0d\3\2\2\2\u048f\u1e21\3\2\2\2\u0491\u1e34\3\2"+
"\2\2\u0493\u1e42\3\2\2\2\u0495\u1e54\3\2\2\2\u0497\u1e67\3\2\2\2\u0499"+
"\u1e6e\3\2\2\2\u049b\u1e7b\3\2\2\2\u049d\u1e83\3\2\2\2\u049f\u1e86\3\2"+
"\2\2\u04a1\u1e8d\3\2\2\2\u04a3\u1ea3\3\2\2\2\u04a5\u1eb4\3\2\2\2\u04a7"+
"\u1eb6\3\2\2\2\u04a9\u1ecc\3\2\2\2\u04ab\u1edc\3\2\2\2\u04ad\u1ef0\3\2"+
"\2\2\u04af\u1f03\3\2\2\2\u04b1\u1f0b\3\2\2\2\u04b3\u1f1a\3\2\2\2\u04b5"+
"\u1f30\3\2\2\2\u04b7\u1f35\3\2\2\2\u04b9\u1f3c\3\2\2\2\u04bb\u1f41\3\2"+
"\2\2\u04bd\u1f4c\3\2\2\2\u04bf\u1f51\3\2\2\2\u04c1\u1f61\3\2\2\2\u04c3"+
"\u1f6d\3\2\2\2\u04c5\u1f78\3\2\2\2\u04c7\u1f85\3\2\2\2\u04c9\u1f8a\3\2"+
"\2\2\u04cb\u1f8d\3\2\2\2\u04cd\u1f99\3\2\2\2\u04cf\u1fa1\3\2\2\2\u04d1"+
"\u1fa9\3\2\2\2\u04d3\u1faf\3\2\2\2\u04d5\u1fb8\3\2\2\2\u04d7\u1fce\3\2"+
"\2\2\u04d9\u1fda\3\2\2\2\u04db\u1fe5\3\2\2\2\u04dd\u1fec\3\2\2\2\u04df"+
"\u1ff2\3\2\2\2\u04e1\u1ffb\3\2\2\2\u04e3\u2002\3\2\2\2\u04e5\u2015\3\2"+
"\2\2\u04e7\u201c\3\2\2\2\u04e9\u2024\3\2\2\2\u04eb\u202b\3\2\2\2\u04ed"+
"\u2037\3\2\2\2\u04ef\u203e\3\2\2\2\u04f1\u2043\3\2\2\2\u04f3\u2051\3\2"+
"\2\2\u04f5\u205c\3\2\2\2\u04f7\u2065\3\2\2\2\u04f9\u2069\3\2\2\2\u04fb"+
"\u2070\3\2\2\2\u04fd\u2076\3\2\2\2\u04ff\u2082\3\2\2\2\u0501\u2093\3\2"+
"\2\2\u0503\u209d\3\2\2\2\u0505\u20a8\3\2\2\2\u0507\u20b0\3\2\2\2\u0509"+
"\u20b5\3\2\2\2\u050b\u20cd\3\2\2\2\u050d\u20d2\3\2\2\2\u050f\u20d7\3\2"+
"\2\2\u0511\u20e1\3\2\2\2\u0513\u20ee\3\2\2\2\u0515\u20f4\3\2\2\2\u0517"+
"\u20fd\3\2\2\2\u0519\u210c\3\2\2\2\u051b\u2114\3\2\2\2\u051d\u2120\3\2"+
"\2\2\u051f\u212b\3\2\2\2\u0521\u213a\3\2\2\2\u0523\u2143\3\2\2\2\u0525"+
"\u214c\3\2\2\2\u0527\u215e\3\2\2\2\u0529\u2164\3\2\2\2\u052b\u216a\3\2"+
"\2\2\u052d\u2176\3\2\2\2\u052f\u2188\3\2\2\2\u0531\u218e\3\2\2\2\u0533"+
"\u2193\3\2\2\2\u0535\u2197\3\2\2\2\u0537\u219b\3\2\2\2\u0539\u21a3\3\2"+
"\2\2\u053b\u21bb\3\2\2\2\u053d\u21c5\3\2\2\2\u053f\u21dc\3\2\2\2\u0541"+
"\u21e7\3\2\2\2\u0543\u21f0\3\2\2\2\u0545\u21f8\3\2\2\2\u0547\u2200\3\2"+
"\2\2\u0549\u220a\3\2\2\2\u054b\u2213\3\2\2\2\u054d\u2226\3\2\2\2\u054f"+
"\u222f\3\2\2\2\u0551\u2236\3\2\2\2\u0553\u224a\3\2\2\2\u0555\u2251\3\2"+
"\2\2\u0557\u225c\3\2\2\2\u0559\u2267\3\2\2\2\u055b\u226f\3\2\2\2\u055d"+
"\u2288\3\2\2\2\u055f\u22a9\3\2\2\2\u0561\u22ca\3\2\2\2\u0563\u22f6\3\2"+
"\2\2\u0565\u2309\3\2\2\2\u0567\u2312\3\2\2\2\u0569\u232c\3\2\2\2\u056b"+
"\u233c\3\2\2\2\u056d\u2346\3\2\2\2\u056f\u234d\3\2\2\2\u0571\u2352\3\2"+
"\2\2\u0573\u2358\3\2\2\2\u0575\u235c\3\2\2\2\u0577\u2367\3\2\2\2\u0579"+
"\u236f\3\2\2\2\u057b\u2374\3\2\2\2\u057d\u237b\3\2\2\2\u057f\u2389\3\2"+
"\2\2\u0581\u2390\3\2\2\2\u0583\u2397\3\2\2\2\u0585\u23a4\3\2\2\2\u0587"+
"\u23ab\3\2\2\2\u0589\u23b5\3\2\2\2\u058b\u23c4\3\2\2\2\u058d\u23d3\3\2"+
"\2\2\u058f\u23db\3\2\2\2\u0591\u23e2\3\2\2\2\u0593\u23ef\3\2\2\2\u0595"+
"\u23fc\3\2\2\2\u0597\u2401\3\2\2\2\u0599\u2410\3\2\2\2\u059b\u2415\3\2"+
"\2\2\u059d\u241a\3\2\2\2\u059f\u2427\3\2\2\2\u05a1\u2437\3\2\2\2\u05a3"+
"\u2440\3\2\2\2\u05a5\u2446\3\2\2\2\u05a7\u244f\3\2\2\2\u05a9\u2459\3\2"+
"\2\2\u05ab\u2460\3\2\2\2\u05ad\u246c\3\2\2\2\u05af\u2471\3\2\2\2\u05b1"+
"\u247a\3\2\2\2\u05b3\u2483\3\2\2\2\u05b5\u249c\3\2\2\2\u05b7\u24a4\3\2"+
"\2\2\u05b9\u24af\3\2\2\2\u05bb\u24b6\3\2\2\2\u05bd\u24c3\3\2\2\2\u05bf"+
"\u24ca\3\2\2\2\u05c1\u24d0\3\2\2\2\u05c3\u24d7\3\2\2\2\u05c5\u24e0\3\2"+
"\2\2\u05c7\u24e6\3\2\2\2\u05c9\u24ee\3\2\2\2\u05cb\u24f2\3\2\2\2\u05cd"+
"\u24fa\3\2\2\2\u05cf\u2504\3\2\2\2\u05d1\u2517\3\2\2\2\u05d3\u251f\3\2"+
"\2\2\u05d5\u2524\3\2\2\2\u05d7\u2539\3\2\2\2\u05d9\u253c\3\2\2\2\u05db"+
"\u2549\3\2\2\2\u05dd\u254f\3\2\2\2\u05df\u2554\3\2\2\2\u05e1\u2559\3\2"+
"\2\2\u05e3\u2561\3\2\2\2\u05e5\u2567\3\2\2\2\u05e7\u256f\3\2\2\2\u05e9"+
"\u2583\3\2\2\2\u05eb\u2599\3\2\2\2\u05ed\u25a4\3\2\2\2\u05ef\u25b4\3\2"+
"\2\2\u05f1\u25c0\3\2\2\2\u05f3\u25c4\3\2\2\2\u05f5\u25c9\3\2\2\2\u05f7"+
"\u25df\3\2\2\2\u05f9\u25e4\3\2\2\2\u05fb\u25f1\3\2\2\2\u05fd\u25fb\3\2"+
"\2\2\u05ff\u2607\3\2\2\2\u0601\u260f\3\2\2\2\u0603\u2619\3\2\2\2\u0605"+
"\u261f\3\2\2\2\u0607\u2629\3\2\2\2\u0609\u2634\3\2\2\2\u060b\u263a\3\2"+
"\2\2\u060d\u263e\3\2\2\2\u060f\u2643\3\2\2\2\u0611\u2651\3\2\2\2\u0613"+
"\u2657\3\2\2\2\u0615\u265c\3\2\2\2\u0617\u266c\3\2\2\2\u0619\u2682\3\2"+
"\2\2\u061b\u2687\3\2\2\2\u061d\u2690\3\2\2\2\u061f\u2694\3\2\2\2\u0621"+
"\u269c\3\2\2\2\u0623\u26aa\3\2\2\2\u0625\u26b4\3\2\2\2\u0627\u26bb\3\2"+
"\2\2\u0629\u26c4\3\2\2\2\u062b\u26ca\3\2\2\2\u062d\u26d9\3\2\2\2\u062f"+
"\u26e4\3\2\2\2\u0631\u26ec\3\2\2\2\u0633\u26ee\3\2\2\2\u0635\u26f6\3\2"+
"\2\2\u0637\u26fe\3\2\2\2\u0639\u2704\3\2\2\2\u063b\u270d\3\2\2\2\u063d"+
"\u272d\3\2\2\2\u063f\u2744\3\2\2\2\u0641\u2751\3\2\2\2\u0643\u2759\3\2"+
"\2\2\u0645\u275d\3\2\2\2\u0647\u2768\3\2\2\2\u0649\u276a\3\2\2\2\u064b"+
"\u276c\3\2\2\2\u064d\u276e\3\2\2\2\u064f\u2770\3\2\2\2\u0651\u2773\3\2"+
"\2\2\u0653\u2776\3\2\2\2\u0655\u2779\3\2\2\2\u0657\u277c\3\2\2\2\u0659"+
"\u277f\3\2\2\2\u065b\u2782\3\2\2\2\u065d\u2785\3\2\2\2\u065f\u2788\3\2"+
"\2\2\u0661\u278b\3\2\2\2\u0663\u278d\3\2\2\2\u0665\u278f\3\2\2\2\u0667"+
"\u2791\3\2\2\2\u0669\u2793\3\2\2\2\u066b\u2795\3\2\2\2\u066d\u2797\3\2"+
"\2\2\u066f\u2799\3\2\2\2\u0671\u279b\3\2\2\2\u0673\u279d\3\2\2\2\u0675"+
"\u279f\3\2\2\2\u0677\u27a1\3\2\2\2\u0679\u27a3\3\2\2\2\u067b\u27a5\3\2"+
"\2\2\u067d\u27a7\3\2\2\2\u067f\u27a9\3\2\2\2\u0681\u27ab\3\2\2\2\u0683"+
"\u27ad\3\2\2\2\u0685\u27af\3\2\2\2\u0687\u27b1\3\2\2\2\u0689\u27b3\3\2"+
"\2\2\u068b\u27b9\3\2\2\2\u068d\u27d8\3\2\2\2\u068f\u27da\3\2\2\2\u0691"+
"\u27dc\3\2\2\2\u0693\u27de\3\2\2\2\u0695\u0696\7C\2\2\u0696\u0697\7D\2"+
"\2\u0697\u0698\7U\2\2\u0698\u0699\7G\2\2\u0699\u069a\7P\2\2\u069a\u069b"+
"\7V\2\2\u069b\4\3\2\2\2\u069c\u069d\7C\2\2\u069d\u069e\7F\2\2\u069e\u069f"+
"\7F\2\2\u069f\6\3\2\2\2\u06a0\u06a1\7C\2\2\u06a1\u06a2\7G\2\2\u06a2\u06a3"+
"\7U\2\2\u06a3\b\3\2\2\2\u06a4\u06a5\7C\2\2\u06a5\u06a6\7N\2\2\u06a6\u06a7"+
"\7N\2\2\u06a7\n\3\2\2\2\u06a8\u06a9\7C\2\2\u06a9\u06aa\7N\2\2\u06aa\u06ab"+
"\7N\2\2\u06ab\u06ac\7Q\2\2\u06ac\u06ad\7Y\2\2\u06ad\u06ae\7a\2\2\u06ae"+
"\u06af\7E\2\2\u06af\u06b0\7Q\2\2\u06b0\u06b1\7P\2\2\u06b1\u06b2\7P\2\2"+
"\u06b2\u06b3\7G\2\2\u06b3\u06b4\7E\2\2\u06b4\u06b5\7V\2\2\u06b5\u06b6"+
"\7K\2\2\u06b6\u06b7\7Q\2\2\u06b7\u06b8\7P\2\2\u06b8\u06b9\7U\2\2\u06b9"+
"\f\3\2\2\2\u06ba\u06bb\7C\2\2\u06bb\u06bc\7N\2\2\u06bc\u06bd\7N\2\2\u06bd"+
"\u06be\7Q\2\2\u06be\u06bf\7Y\2\2\u06bf\u06c0\7a\2\2\u06c0\u06c1\7O\2\2"+
"\u06c1\u06c2\7W\2\2\u06c2\u06c3\7N\2\2\u06c3\u06c4\7V\2\2\u06c4\u06c5"+
"\7K\2\2\u06c5\u06c6\7R\2\2\u06c6\u06c7\7N\2\2\u06c7\u06c8\7G\2\2\u06c8"+
"\u06c9\7a\2\2\u06c9\u06ca\7G\2\2\u06ca\u06cb\7X\2\2\u06cb\u06cc\7G\2\2"+
"\u06cc\u06cd\7P\2\2\u06cd\u06ce\7V\2\2\u06ce\u06cf\7a\2\2\u06cf\u06d0"+
"\7N\2\2\u06d0\u06d1\7Q\2\2\u06d1\u06d2\7U\2\2\u06d2\u06d3\7U\2\2\u06d3"+
"\16\3\2\2\2\u06d4\u06d5\7C\2\2\u06d5\u06d6\7N\2\2\u06d6\u06d7\7N\2\2\u06d7"+
"\u06d8\7Q\2\2\u06d8\u06d9\7Y\2\2\u06d9\u06da\7a\2\2\u06da\u06db\7U\2\2"+
"\u06db\u06dc\7K\2\2\u06dc\u06dd\7P\2\2\u06dd\u06de\7I\2\2\u06de\u06df"+
"\7N\2\2\u06df\u06e0\7G\2\2\u06e0\u06e1\7a\2\2\u06e1\u06e2\7G\2\2\u06e2"+
"\u06e3\7X\2\2\u06e3\u06e4\7G\2\2\u06e4\u06e5\7P\2\2\u06e5\u06e6\7V\2\2"+
"\u06e6\u06e7\7a\2\2\u06e7\u06e8\7N\2\2\u06e8\u06e9\7Q\2\2\u06e9\u06ea"+
"\7U\2\2\u06ea\u06eb\7U\2\2\u06eb\20\3\2\2\2\u06ec\u06ed\7C\2\2\u06ed\u06ee"+
"\7N\2\2\u06ee\u06ef\7V\2\2\u06ef\u06f0\7G\2\2\u06f0\u06f1\7T\2\2\u06f1"+
"\22\3\2\2\2\u06f2\u06f3\7C\2\2\u06f3\u06f4\7P\2\2\u06f4\u06fc\7F\2\2\u06f5"+
"\u06f6\7c\2\2\u06f6\u06f7\7p\2\2\u06f7\u06fc\7f\2\2\u06f8\u06f9\7C\2\2"+
"\u06f9\u06fa\7p\2\2\u06fa\u06fc\7f\2\2\u06fb\u06f2\3\2\2\2\u06fb\u06f5"+
"\3\2\2\2\u06fb\u06f8\3\2\2\2\u06fc\24\3\2\2\2\u06fd\u06fe\7C\2\2\u06fe"+
"\u06ff\7P\2\2\u06ff\u0700\7Q\2\2\u0700\u0701\7P\2\2\u0701\u0702\7[\2\2"+
"\u0702\u0703\7O\2\2\u0703\u0704\7Q\2\2\u0704\u0705\7W\2\2\u0705\u0706"+
"\7U\2\2\u0706\26\3\2\2\2\u0707\u0708\7C\2\2\u0708\u0709\7P\2\2\u0709\u070a"+
"\7[\2\2\u070a\30\3\2\2\2\u070b\u070c\7C\2\2\u070c\u070d\7R\2\2\u070d\u070e"+
"\7R\2\2\u070e\u070f\7G\2\2\u070f\u0710\7P\2\2\u0710\u0711\7F\2\2\u0711"+
"\32\3\2\2\2\u0712\u0713\7C\2\2\u0713\u0714\7R\2\2\u0714\u0715\7R\2\2\u0715"+
"\u0716\7N\2\2\u0716\u0717\7K\2\2\u0717\u0718\7E\2\2\u0718\u0719\7C\2\2"+
"\u0719\u071a\7V\2\2\u071a\u071b\7K\2\2\u071b\u071c\7Q\2\2\u071c\u071d"+
"\7P\2\2\u071d\34\3\2\2\2\u071e\u071f\7C\2\2\u071f\u0725\7U\2\2\u0720\u0721"+
"\7c\2\2\u0721\u0725\7u\2\2\u0722\u0723\7C\2\2\u0723\u0725\7u\2\2\u0724"+
"\u071e\3\2\2\2\u0724\u0720\3\2\2\2\u0724\u0722\3\2\2\2\u0725\36\3\2\2"+
"\2\u0726\u0727\7C\2\2\u0727\u0728\7U\2\2\u0728\u0730\7E\2\2\u0729\u072a"+
"\7c\2\2\u072a\u072b\7u\2\2\u072b\u0730\7e\2\2\u072c\u072d\7C\2\2\u072d"+
"\u072e\7u\2\2\u072e\u0730\7e\2\2\u072f\u0726\3\2\2\2\u072f\u0729\3\2\2"+
"\2\u072f\u072c\3\2\2\2\u0730 \3\2\2\2\u0731\u0732\7C\2\2\u0732\u0733\7"+
"U\2\2\u0733\u0734\7[\2\2\u0734\u0735\7O\2\2\u0735\u0736\7O\2\2\u0736\u0737"+
"\7G\2\2\u0737\u0738\7V\2\2\u0738\u0739\7T\2\2\u0739\u073a\7K\2\2\u073a"+
"\u073b\7E\2\2\u073b\"\3\2\2\2\u073c\u073d\7C\2\2\u073d\u073e\7U\2\2\u073e"+
"\u073f\7[\2\2\u073f\u0740\7P\2\2\u0740\u0741\7E\2\2\u0741\u0742\7J\2\2"+
"\u0742\u0743\7T\2\2\u0743\u0744\7Q\2\2\u0744\u0745\7P\2\2\u0745\u0746"+
"\7Q\2\2\u0746\u0747\7W\2\2\u0747\u0748\7U\2\2\u0748\u0749\7a\2\2\u0749"+
"\u074a\7E\2\2\u074a\u074b\7Q\2\2\u074b\u074c\7O\2\2\u074c\u074d\7O\2\2"+
"\u074d\u074e\7K\2\2\u074e\u074f\7V\2\2\u074f$\3\2\2\2\u0750\u0751\7C\2"+
"\2\u0751\u0752\7W\2\2\u0752\u0753\7V\2\2\u0753\u0754\7J\2\2\u0754\u0755"+
"\7Q\2\2\u0755\u0756\7T\2\2\u0756\u0757\7K\2\2\u0757\u0758\7\\\2\2\u0758"+
"\u0759\7C\2\2\u0759\u075a\7V\2\2\u075a\u075b\7K\2\2\u075b\u075c\7Q\2\2"+
"\u075c\u075d\7P\2\2\u075d&\3\2\2\2\u075e\u075f\7C\2\2\u075f\u0760\7W\2"+
"\2\u0760\u0761\7V\2\2\u0761\u0762\7J\2\2\u0762\u0763\7G\2\2\u0763\u0764"+
"\7P\2\2\u0764\u0765\7V\2\2\u0765\u0766\7K\2\2\u0766\u0767\7E\2\2\u0767"+
"\u0768\7C\2\2\u0768\u0769\7V\2\2\u0769\u076a\7K\2\2\u076a\u076b\7Q\2\2"+
"\u076b\u076c\7P\2\2\u076c(\3\2\2\2\u076d\u076e\7C\2\2\u076e\u076f\7W\2"+
"\2\u076f\u0770\7V\2\2\u0770\u0771\7Q\2\2\u0771\u0772\7O\2\2\u0772\u0773"+
"\7C\2\2\u0773\u0774\7V\2\2\u0774\u0775\7G\2\2\u0775\u0776\7F\2\2\u0776"+
"\u0777\7a\2\2\u0777\u0778\7D\2\2\u0778\u0779\7C\2\2\u0779\u077a\7E\2\2"+
"\u077a\u077b\7M\2\2\u077b\u077c\7W\2\2\u077c\u077d\7R\2\2\u077d\u077e"+
"\7a\2\2\u077e\u077f\7R\2\2\u077f\u0780\7T\2\2\u0780\u0781\7G\2\2\u0781"+
"\u0782\7H\2\2\u0782\u0783\7G\2\2\u0783\u0784\7T\2\2\u0784\u0785\7G\2\2"+
"\u0785\u0786\7P\2\2\u0786\u0787\7E\2\2\u0787\u0788\7G\2\2\u0788*\3\2\2"+
"\2\u0789\u078a\7C\2\2\u078a\u078b\7W\2\2\u078b\u078c\7V\2\2\u078c\u078d"+
"\7Q\2\2\u078d\u078e\7O\2\2\u078e\u078f\7C\2\2\u078f\u0790\7V\2\2\u0790"+
"\u0791\7K\2\2\u0791\u0792\7E\2\2\u0792,\3\2\2\2\u0793\u0794\7C\2\2\u0794"+
"\u0795\7X\2\2\u0795\u0796\7C\2\2\u0796\u0797\7K\2\2\u0797\u0798\7N\2\2"+
"\u0798\u0799\7C\2\2\u0799\u079a\7D\2\2\u079a\u079b\7K\2\2\u079b\u079c"+
"\7N\2\2\u079c\u079d\7K\2\2\u079d\u079e\7V\2\2\u079e\u079f\7[\2\2\u079f"+
"\u07a0\7a\2\2\u07a0\u07a1\7O\2\2\u07a1\u07a2\7Q\2\2\u07a2\u07a3\7F\2\2"+
"\u07a3\u07a4\7G\2\2\u07a4.\3\2\2\2\u07a5\u07a6\7^\2\2\u07a6\60\3\2\2\2"+
"\u07a7\u07a8\7D\2\2\u07a8\u07a9\7C\2\2\u07a9\u07aa\7E\2\2\u07aa\u07ab"+
"\7M\2\2\u07ab\u07ac\7W\2\2\u07ac\u07ad\7R\2\2\u07ad\62\3\2\2\2\u07ae\u07af"+
"\7D\2\2\u07af\u07b0\7G\2\2\u07b0\u07b1\7H\2\2\u07b1\u07b2\7Q\2\2\u07b2"+
"\u07b3\7T\2\2\u07b3\u07b4\7G\2\2\u07b4\64\3\2\2\2\u07b5\u07b6\7D\2\2\u07b6"+
"\u07b7\7G\2\2\u07b7\u07b8\7I\2\2\u07b8\u07b9\7K\2\2\u07b9\u07ba\7P\2\2"+
"\u07ba\66\3\2\2\2\u07bb\u07bc\7D\2\2\u07bc\u07bd\7G\2\2\u07bd\u07be\7"+
"V\2\2\u07be\u07bf\7Y\2\2\u07bf\u07c0\7G\2\2\u07c0\u07c1\7G\2\2\u07c1\u07c2"+
"\7P\2\2\u07c28\3\2\2\2\u07c3\u07c4\7D\2\2\u07c4\u07c5\7N\2\2\u07c5\u07c6"+
"\7Q\2\2\u07c6\u07c7\7E\2\2\u07c7\u07c8\7M\2\2\u07c8:\3\2\2\2\u07c9\u07ca"+
"\7D\2\2\u07ca\u07cb\7N\2\2\u07cb\u07cc\7Q\2\2\u07cc\u07cd\7E\2\2\u07cd"+
"\u07ce\7M\2\2\u07ce\u07cf\7U\2\2\u07cf\u07d0\7K\2\2\u07d0\u07d1\7\\\2"+
"\2\u07d1\u07d2\7G\2\2\u07d2<\3\2\2\2\u07d3\u07d4\7D\2\2\u07d4\u07d5\7"+
"N\2\2\u07d5\u07d6\7Q\2\2\u07d6\u07d7\7E\2\2\u07d7\u07d8\7M\2\2\u07d8\u07d9"+
"\7K\2\2\u07d9\u07da\7P\2\2\u07da\u07db\7I\2\2\u07db\u07dc\7a\2\2\u07dc"+
"\u07dd\7J\2\2\u07dd\u07de\7K\2\2\u07de\u07df\7G\2\2\u07df\u07e0\7T\2\2"+
"\u07e0\u07e1\7C\2\2\u07e1\u07e2\7T\2\2\u07e2\u07e3\7E\2\2\u07e3\u07e4"+
"\7J\2\2\u07e4\u07e5\7[\2\2\u07e5>\3\2\2\2\u07e6\u07e7\7D\2\2\u07e7\u07e8"+
"\7T\2\2\u07e8\u07e9\7G\2\2\u07e9\u07ea\7C\2\2\u07ea\u07eb\7M\2\2\u07eb"+
"@\3\2\2\2\u07ec\u07ed\7D\2\2\u07ed\u07ee\7T\2\2\u07ee\u07ef\7Q\2\2\u07ef"+
"\u07f0\7Y\2\2\u07f0\u07f1\7U\2\2\u07f1\u07f2\7G\2\2\u07f2B\3\2\2\2\u07f3"+
"\u07f4\7D\2\2\u07f4\u07f5\7W\2\2\u07f5\u07f6\7H\2\2\u07f6\u07f7\7H\2\2"+
"\u07f7\u07f8\7G\2\2\u07f8\u07f9\7T\2\2\u07f9D\3\2\2\2\u07fa\u07fb\7D\2"+
"\2\u07fb\u07fc\7W\2\2\u07fc\u07fd\7H\2\2\u07fd\u07fe\7H\2\2\u07fe\u07ff"+
"\7G\2\2\u07ff\u0800\7T\2\2\u0800\u0801\7E\2\2\u0801\u0802\7Q\2\2\u0802"+
"\u0803\7W\2\2\u0803\u0804\7P\2\2\u0804\u0805\7V\2\2\u0805F\3\2\2\2\u0806"+
"\u0807\7D\2\2\u0807\u0808\7W\2\2\u0808\u0809\7N\2\2\u0809\u080a\7M\2\2"+
"\u080aH\3\2\2\2\u080b\u080c\7D\2\2\u080c\u0812\7[\2\2\u080d\u080e\7d\2"+
"\2\u080e\u0812\7{\2\2\u080f\u0810\7D\2\2\u0810\u0812\7{\2\2\u0811\u080b"+
"\3\2\2\2\u0811\u080d\3\2\2\2\u0811\u080f\3\2\2\2\u0812J\3\2\2\2\u0813"+
"\u0814\7E\2\2\u0814\u0815\7C\2\2\u0815\u0816\7E\2\2\u0816\u0817\7J\2\2"+
"\u0817\u0818\7G\2\2\u0818L\3\2\2\2\u0819\u081a\7E\2\2\u081a\u081b\7C\2"+
"\2\u081b\u081c\7N\2\2\u081c\u081d\7N\2\2\u081d\u081e\7G\2\2\u081e\u081f"+
"\7F\2\2\u081fN\3\2\2\2\u0820\u0821\7E\2\2\u0821\u0822\7C\2\2\u0822\u0823"+
"\7U\2\2\u0823\u0824\7E\2\2\u0824\u0825\7C\2\2\u0825\u0826\7F\2\2\u0826"+
"\u0827\7G\2\2\u0827P\3\2\2\2\u0828\u0829\7E\2\2\u0829\u082a\7C\2\2\u082a"+
"\u082b\7U\2\2\u082b\u082c\7G\2\2\u082cR\3\2\2\2\u082d\u082e\7E\2\2\u082e"+
"\u082f\7G\2\2\u082f\u0830\7T\2\2\u0830\u0831\7V\2\2\u0831\u0832\7K\2\2"+
"\u0832\u0833\7H\2\2\u0833\u0834\7K\2\2\u0834\u0835\7E\2\2\u0835\u0836"+
"\7C\2\2\u0836\u0837\7V\2\2\u0837\u0838\7G\2\2\u0838T\3\2\2\2\u0839\u083a"+
"\7E\2\2\u083a\u083b\7J\2\2\u083b\u083c\7C\2\2\u083c\u083d\7P\2\2\u083d"+
"\u083e\7I\2\2\u083e\u083f\7G\2\2\u083f\u0840\7V\2\2\u0840\u0841\7C\2\2"+
"\u0841\u0842\7D\2\2\u0842\u0843\7N\2\2\u0843\u0844\7G\2\2\u0844V\3\2\2"+
"\2\u0845\u0846\7E\2\2\u0846\u0847\7J\2\2\u0847\u0848\7C\2\2\u0848\u0849"+
"\7P\2\2\u0849\u084a\7I\2\2\u084a\u084b\7G\2\2\u084b\u084c\7U\2\2\u084c"+
"X\3\2\2\2\u084d\u084e\7E\2\2\u084e\u084f\7J\2\2\u084f\u0850\7G\2\2\u0850"+
"\u0851\7E\2\2\u0851\u0852\7M\2\2\u0852Z\3\2\2\2\u0853\u0854\7E\2\2\u0854"+
"\u0855\7J\2\2\u0855\u0856\7G\2\2\u0856\u0857\7E\2\2\u0857\u0858\7M\2\2"+
"\u0858\u0859\7R\2\2\u0859\u085a\7Q\2\2\u085a\u085b\7K\2\2\u085b\u085c"+
"\7P\2\2\u085c\u085d\7V\2\2\u085d\\\3\2\2\2\u085e\u085f\7E\2\2\u085f\u0860"+
"\7J\2\2\u0860\u0861\7G\2\2\u0861\u0862\7E\2\2\u0862\u0863\7M\2\2\u0863"+
"\u0864\7a\2\2\u0864\u0865\7R\2\2\u0865\u0866\7Q\2\2\u0866\u0867\7N\2\2"+
"\u0867\u0868\7K\2\2\u0868\u0869\7E\2\2\u0869\u086a\7[\2\2\u086a^\3\2\2"+
"\2\u086b\u086c\7E\2\2\u086c\u086d\7J\2\2\u086d\u086e\7G\2\2\u086e\u086f"+
"\7E\2\2\u086f\u0870\7M\2\2\u0870\u0871\7a\2\2\u0871\u0872\7G\2\2\u0872"+
"\u0873\7Z\2\2\u0873\u0874\7R\2\2\u0874\u0875\7K\2\2\u0875\u0876\7T\2\2"+
"\u0876\u0877\7C\2\2\u0877\u0878\7V\2\2\u0878\u0879\7K\2\2\u0879\u087a"+
"\7Q\2\2\u087a\u087b\7P\2\2\u087b`\3\2\2\2\u087c\u087d\7E\2\2\u087d\u087e"+
"\7N\2\2\u087e\u087f\7C\2\2\u087f\u0880\7U\2\2\u0880\u0881\7U\2\2\u0881"+
"\u0882\7K\2\2\u0882\u0883\7H\2\2\u0883\u0884\7K\2\2\u0884\u0885\7G\2\2"+
"\u0885\u0886\7T\2\2\u0886\u0887\7a\2\2\u0887\u0888\7H\2\2\u0888\u0889"+
"\7W\2\2\u0889\u088a\7P\2\2\u088a\u088b\7E\2\2\u088b\u088c\7V\2\2\u088c"+
"\u088d\7K\2\2\u088d\u088e\7Q\2\2\u088e\u088f\7P\2\2\u088fb\3\2\2\2\u0890"+
"\u0891\7E\2\2\u0891\u0892\7N\2\2\u0892\u0893\7Q\2\2\u0893\u0894\7U\2\2"+
"\u0894\u0895\7G\2\2\u0895d\3\2\2\2\u0896\u0897\7E\2\2\u0897\u0898\7N\2"+
"\2\u0898\u0899\7W\2\2\u0899\u089a\7U\2\2\u089a\u089b\7V\2\2\u089b\u089c"+
"\7G\2\2\u089c\u089d\7T\2\2\u089df\3\2\2\2\u089e\u089f\7E\2\2\u089f\u08a0"+
"\7N\2\2\u08a0\u08a1\7W\2\2\u08a1\u08a2\7U\2\2\u08a2\u08a3\7V\2\2\u08a3"+
"\u08a4\7G\2\2\u08a4\u08a5\7T\2\2\u08a5\u08a6\7G\2\2\u08a6\u08a7\7F\2\2"+
"\u08a7h\3\2\2\2\u08a8\u08a9\7E\2\2\u08a9\u08aa\7Q\2\2\u08aa\u08ab\7C\2"+
"\2\u08ab\u08ac\7N\2\2\u08ac\u08ad\7G\2\2\u08ad\u08ae\7U\2\2\u08ae\u08af"+
"\7E\2\2\u08af\u08b0\7G\2\2\u08b0j\3\2\2\2\u08b1\u08b2\7E\2\2\u08b2\u08b3"+
"\7Q\2\2\u08b3\u08b4\7N\2\2\u08b4\u08b5\7N\2\2\u08b5\u08b6\7C\2\2\u08b6"+
"\u08b7\7V\2\2\u08b7\u08b8\7G\2\2\u08b8l\3\2\2\2\u08b9\u08ba\7E\2\2\u08ba"+
"\u08bb\7Q\2\2\u08bb\u08bc\7N\2\2\u08bc\u08bd\7W\2\2\u08bd\u08be\7O\2\2"+
"\u08be\u08bf\7P\2\2\u08bfn\3\2\2\2\u08c0\u08c1\7E\2\2\u08c1\u08c2\7Q\2"+
"\2\u08c2\u08c3\7O\2\2\u08c3\u08c4\7R\2\2\u08c4\u08c5\7T\2\2\u08c5\u08c6"+
"\7G\2\2\u08c6\u08c7\7U\2\2\u08c7\u08c8\7U\2\2\u08c8\u08c9\7K\2\2\u08c9"+
"\u08ca\7Q\2\2\u08ca\u08cb\7P\2\2\u08cbp\3\2\2\2\u08cc\u08cd\7E\2\2\u08cd"+
"\u08ce\7Q\2\2\u08ce\u08cf\7O\2\2\u08cf\u08d0\7O\2\2\u08d0\u08d1\7K\2\2"+
"\u08d1\u08d2\7V\2\2\u08d2r\3\2\2\2\u08d3\u08d4\7E\2\2\u08d4\u08d5\7Q\2"+
"\2\u08d5\u08d6\7O\2\2\u08d6\u08d7\7R\2\2\u08d7\u08d8\7W\2\2\u08d8\u08d9"+
"\7V\2\2\u08d9\u08da\7G\2\2\u08dat\3\2\2\2\u08db\u08dc\7E\2\2\u08dc\u08dd"+
"\7Q\2\2\u08dd\u08de\7P\2\2\u08de\u08df\7H\2\2\u08df\u08e0\7K\2\2\u08e0"+
"\u08e1\7I\2\2\u08e1\u08e2\7W\2\2\u08e2\u08e3\7T\2\2\u08e3\u08e4\7C\2\2"+
"\u08e4\u08e5\7V\2\2\u08e5\u08e6\7K\2\2\u08e6\u08e7\7Q\2\2\u08e7\u08e8"+
"\7P\2\2\u08e8v\3\2\2\2\u08e9\u08ea\7E\2\2\u08ea\u08eb\7Q\2\2\u08eb\u08ec"+
"\7P\2\2\u08ec\u08ed\7U\2\2\u08ed\u08ee\7V\2\2\u08ee\u08ef\7T\2\2\u08ef"+
"\u08f0\7C\2\2\u08f0\u08f1\7K\2\2\u08f1\u08f2\7P\2\2\u08f2\u08f3\7V\2\2"+
"\u08f3x\3\2\2\2\u08f4\u08f5\7E\2\2\u08f5\u08f6\7Q\2\2\u08f6\u08f7\7P\2"+
"\2\u08f7\u08f8\7V\2\2\u08f8\u08f9\7C\2\2\u08f9\u08fa\7K\2\2\u08fa\u08fb"+
"\7P\2\2\u08fb\u08fc\7O\2\2\u08fc\u08fd\7G\2\2\u08fd\u08fe\7P\2\2\u08fe"+
"\u08ff\7V\2\2\u08ffz\3\2\2\2\u0900\u0901\7E\2\2\u0901\u0902\7Q\2\2\u0902"+
"\u0903\7P\2\2\u0903\u0904\7V\2\2\u0904\u0905\7C\2\2\u0905\u0906\7K\2\2"+
"\u0906\u0907\7P\2\2\u0907\u0908\7U\2\2\u0908|\3\2\2\2\u0909\u090a\7E\2"+
"\2\u090a\u090b\7Q\2\2\u090b\u090c\7P\2\2\u090c\u090d\7V\2\2\u090d\u090e"+
"\7C\2\2\u090e\u090f\7K\2\2\u090f\u0910\7P\2\2\u0910\u0911\7U\2\2\u0911"+
"\u0912\7V\2\2\u0912\u0913\7C\2\2\u0913\u0914\7D\2\2\u0914\u0915\7N\2\2"+
"\u0915\u0916\7G\2\2\u0916~\3\2\2\2\u0917\u0918\7E\2\2\u0918\u0919\7Q\2"+
"\2\u0919\u091a\7P\2\2\u091a\u091b\7V\2\2\u091b\u091c\7G\2\2\u091c\u091d"+
"\7Z\2\2\u091d\u091e\7V\2\2\u091e\u0080\3\2\2\2\u091f\u0920\7E\2\2\u0920"+
"\u0921\7Q\2\2\u0921\u0922\7P\2\2\u0922\u0923\7V\2\2\u0923\u0924\7K\2\2"+
"\u0924\u0925\7P\2\2\u0925\u0926\7W\2\2\u0926\u0927\7G\2\2\u0927\u0082"+
"\3\2\2\2\u0928\u0929\7E\2\2\u0929\u092a\7Q\2\2\u092a\u092b\7P\2\2\u092b"+
"\u092c\7V\2\2\u092c\u092d\7K\2\2\u092d\u092e\7P\2\2\u092e\u092f\7W\2\2"+
"\u092f\u0930\7G\2\2\u0930\u0931\7a\2\2\u0931\u0932\7C\2\2\u0932\u0933"+
"\7H\2\2\u0933\u0934\7V\2\2\u0934\u0935\7G\2\2\u0935\u0936\7T\2\2\u0936"+
"\u0937\7a\2\2\u0937\u0938\7G\2\2\u0938\u0939\7T\2\2\u0939\u093a\7T\2\2"+
"\u093a\u093b\7Q\2\2\u093b\u093c\7T\2\2\u093c\u0084\3\2\2\2\u093d\u093e"+
"\7E\2\2\u093e\u093f\7Q\2\2\u093f\u0940\7P\2\2\u0940\u0941\7V\2\2\u0941"+
"\u0942\7T\2\2\u0942\u0943\7C\2\2\u0943\u0944\7E\2\2\u0944\u0945\7V\2\2"+
"\u0945\u0086\3\2\2\2\u0946\u0947\7E\2\2\u0947\u0948\7Q\2\2\u0948\u0949"+
"\7P\2\2\u0949\u094a\7V\2\2\u094a\u094b\7T\2\2\u094b\u094c\7C\2\2\u094c"+
"\u094d\7E\2\2\u094d\u094e\7V\2\2\u094e\u094f\7a\2\2\u094f\u0950\7P\2\2"+
"\u0950\u0951\7C\2\2\u0951\u0952\7O\2\2\u0952\u0953\7G\2\2\u0953\u0088"+
"\3\2\2\2\u0954\u0955\7E\2\2\u0955\u0956\7Q\2\2\u0956\u0957\7P\2\2\u0957"+
"\u0958\7X\2\2\u0958\u0959\7G\2\2\u0959\u095a\7T\2\2\u095a\u095b\7U\2\2"+
"\u095b\u095c\7C\2\2\u095c\u095d\7V\2\2\u095d\u095e\7K\2\2\u095e\u095f"+
"\7Q\2\2\u095f\u0960\7P\2\2\u0960\u008a\3\2\2\2\u0961\u0962\7V\2\2\u0962"+
"\u0963\7T\2\2\u0963\u0964\7[\2\2\u0964\u0966\7a\2\2\u0965\u0961\3\2\2"+
"\2\u0965\u0966\3\2\2\2\u0966\u0967\3\2\2\2\u0967\u0968\7E\2\2\u0968\u0969"+
"\7Q\2\2\u0969\u096a\7P\2\2\u096a\u096b\7X\2\2\u096b\u096c\7G\2\2\u096c"+
"\u096d\7T\2\2\u096d\u096e\7V\2\2\u096e\u008c\3\2\2\2\u096f\u0970\7E\2"+
"\2\u0970\u0971\7Q\2\2\u0971\u0972\7R\2\2\u0972\u0973\7[\2\2\u0973\u0974"+
"\7a\2\2\u0974\u0975\7Q\2\2\u0975\u0976\7P\2\2\u0976\u0977\7N\2\2\u0977"+
"\u0978\7[\2\2\u0978\u008e\3\2\2\2\u0979\u097a\7E\2\2\u097a\u097b\7T\2"+
"\2\u097b\u097c\7G\2\2\u097c\u097d\7C\2\2\u097d\u097e\7V\2\2\u097e\u097f"+
"\7G\2\2\u097f\u0090\3\2\2\2\u0980\u0981\7E\2\2\u0981\u0982\7T\2\2\u0982"+
"\u0983\7Q\2\2\u0983\u0984\7U\2\2\u0984\u0985\7U\2\2\u0985\u0092\3\2\2"+
"\2\u0986\u0987\7E\2\2\u0987\u0988\7W\2\2\u0988\u0989\7T\2\2\u0989\u098a"+
"\7T\2\2\u098a\u098b\7G\2\2\u098b\u098c\7P\2\2\u098c\u098d\7V\2\2\u098d"+
"\u0094\3\2\2\2\u098e\u098f\7E\2\2\u098f\u0990\7W\2\2\u0990\u0991\7T\2"+
"\2\u0991\u0992\7T\2\2\u0992\u0993\7G\2\2\u0993\u0994\7P\2\2\u0994\u0995"+
"\7V\2\2\u0995\u0996\7a\2\2\u0996\u0997\7F\2\2\u0997\u0998\7C\2\2\u0998"+
"\u0999\7V\2\2\u0999\u099a\7G\2\2\u099a\u0096\3\2\2\2\u099b\u099c\7E\2"+
"\2\u099c\u099d\7W\2\2\u099d\u099e\7T\2\2\u099e\u099f\7T\2\2\u099f\u09a0"+
"\7G\2\2\u09a0\u09a1\7P\2\2\u09a1\u09a2\7V\2\2\u09a2\u09a3\7a\2\2\u09a3"+
"\u09a4\7V\2\2\u09a4\u09a5\7K\2\2\u09a5\u09a6\7O\2\2\u09a6\u09a7\7G\2\2"+
"\u09a7\u0098\3\2\2\2\u09a8\u09a9\7E\2\2\u09a9\u09aa\7W\2\2\u09aa\u09ab"+
"\7T\2\2\u09ab\u09ac\7T\2\2\u09ac\u09ad\7G\2\2\u09ad\u09ae\7P\2\2\u09ae"+
"\u09af\7V\2\2\u09af\u09b0\7a\2\2\u09b0\u09b1\7V\2\2\u09b1\u09b2\7K\2\2"+
"\u09b2\u09b3\7O\2\2\u09b3\u09b4\7G\2\2\u09b4\u09b5\7U\2\2\u09b5\u09b6"+
"\7V\2\2\u09b6\u09b7\7C\2\2\u09b7\u09b8\7O\2\2\u09b8\u09b9\7R\2\2\u09b9"+
"\u009a\3\2\2\2\u09ba\u09bb\7E\2\2\u09bb\u09bc\7W\2\2\u09bc\u09bd\7T\2"+
"\2\u09bd\u09be\7T\2\2\u09be\u09bf\7G\2\2\u09bf\u09c0\7P\2\2\u09c0\u09c1"+
"\7V\2\2\u09c1\u09c2\7a\2\2\u09c2\u09c3\7W\2\2\u09c3\u09c4\7U\2\2\u09c4"+
"\u09c5\7G\2\2\u09c5\u09c6\7T\2\2\u09c6\u009c\3\2\2\2\u09c7\u09c8\7E\2"+
"\2\u09c8\u09c9\7W\2\2\u09c9\u09ca\7T\2\2\u09ca\u09cb\7U\2\2\u09cb\u09cc"+
"\7Q\2\2\u09cc\u09cd\7T\2\2\u09cd\u009e\3\2\2\2\u09ce\u09cf\7E\2\2\u09cf"+
"\u09d0\7[\2\2\u09d0\u09d1\7E\2\2\u09d1\u09d2\7N\2\2\u09d2\u09d3\7G\2\2"+
"\u09d3\u00a0\3\2\2\2\u09d4\u09d5\7F\2\2\u09d5\u09d6\7C\2\2\u09d6\u09d7"+
"\7V\2\2\u09d7\u09d8\7C\2\2\u09d8\u00a2\3\2\2\2\u09d9\u09da\7F\2\2\u09da"+
"\u09db\7C\2\2\u09db\u09dc\7V\2\2\u09dc\u09dd\7C\2\2\u09dd\u09de\7a\2\2"+
"\u09de\u09df\7E\2\2\u09df\u09e0\7Q\2\2\u09e0\u09e1\7O\2\2\u09e1\u09e2"+
"\7R\2\2\u09e2\u09e3\7T\2\2\u09e3\u09e4\7G\2\2\u09e4\u09e5\7U\2\2\u09e5"+
"\u09e6\7U\2\2\u09e6\u09e7\7K\2\2\u09e7\u09e8\7Q\2\2\u09e8\u09e9\7P\2\2"+
"\u09e9\u00a4\3\2\2\2\u09ea\u09eb\7F\2\2\u09eb\u09ec\7C\2\2\u09ec\u09ed"+
"\7V\2\2\u09ed\u09ee\7C\2\2\u09ee\u09ef\7a\2\2\u09ef\u09f0\7U\2\2\u09f0"+
"\u09f1\7Q\2\2\u09f1\u09f2\7W\2\2\u09f2\u09f3\7T\2\2\u09f3\u09f4\7E\2\2"+
"\u09f4\u09f5\7G\2\2\u09f5\u00a6\3\2\2\2\u09f6\u09f7\7F\2\2\u09f7\u09f8"+
"\7C\2\2\u09f8\u09f9\7V\2\2\u09f9\u09fa\7C\2\2\u09fa\u09fb\7D\2\2\u09fb"+
"\u09fc\7C\2\2\u09fc\u09fd\7U\2\2\u09fd\u09fe\7G\2\2\u09fe\u00a8\3\2\2"+
"\2\u09ff\u0a00\7F\2\2\u0a00\u0a01\7C\2\2\u0a01\u0a02\7V\2\2\u0a02\u0a03"+
"\7C\2\2\u0a03\u0a04\7D\2\2\u0a04\u0a05\7C\2\2\u0a05\u0a06\7U\2\2\u0a06"+
"\u0a07\7G\2\2\u0a07\u0a08\7a\2\2\u0a08\u0a09\7O\2\2\u0a09\u0a0a\7K\2\2"+
"\u0a0a\u0a0b\7T\2\2\u0a0b\u0a0c\7T\2\2\u0a0c\u0a0d\7Q\2\2\u0a0d\u0a0e"+
"\7T\2\2\u0a0e\u0a0f\7K\2\2\u0a0f\u0a10\7P\2\2\u0a10\u0a11\7I\2\2\u0a11"+
"\u00aa\3\2\2\2\u0a12\u0a13\7F\2\2\u0a13\u0a14\7D\2\2\u0a14\u0a15\7E\2"+
"\2\u0a15\u0a16\7E\2\2\u0a16\u00ac\3\2\2\2\u0a17\u0a18\7F\2\2\u0a18\u0a19"+
"\7G\2\2\u0a19\u0a1a\7C\2\2\u0a1a\u0a1b\7N\2\2\u0a1b\u0a1c\7N\2\2\u0a1c"+
"\u0a1d\7Q\2\2\u0a1d\u0a1e\7E\2\2\u0a1e\u0a1f\7C\2\2\u0a1f\u0a20\7V\2\2"+
"\u0a20\u0a21\7G\2\2\u0a21\u00ae\3\2\2\2\u0a22\u0a23\7F\2\2\u0a23\u0a24"+
"\7G\2\2\u0a24\u0a25\7E\2\2\u0a25\u0a26\7N\2\2\u0a26\u0a27\7C\2\2\u0a27"+
"\u0a28\7T\2\2\u0a28\u0a29\7G\2\2\u0a29\u00b0\3\2\2\2\u0a2a\u0a2b\7F\2"+
"\2\u0a2b\u0a2c\7G\2\2\u0a2c\u0a2d\7H\2\2\u0a2d\u0a2e\7C\2\2\u0a2e\u0a2f"+
"\7W\2\2\u0a2f\u0a30\7N\2\2\u0a30\u0a31\7V\2\2\u0a31\u00b2\3\2\2\2\u0a32"+
"\u0a33\7F\2\2\u0a33\u0a34\7G\2\2\u0a34\u0a35\7H\2\2\u0a35\u0a36\7C\2\2"+
"\u0a36\u0a37\7W\2\2\u0a37\u0a38\7N\2\2\u0a38\u0a39\7V\2\2\u0a39\u0a3a"+
"\7a\2\2\u0a3a\u0a3b\7F\2\2\u0a3b\u0a3c\7C\2\2\u0a3c\u0a3d\7V\2\2\u0a3d"+
"\u0a3e\7C\2\2\u0a3e\u0a3f\7D\2\2\u0a3f\u0a40\7C\2\2\u0a40\u0a41\7U\2\2"+
"\u0a41\u0a42\7G\2\2\u0a42\u00b4\3\2\2\2\u0a43\u0a44\7F\2\2\u0a44\u0a45"+
"\7G\2\2\u0a45\u0a46\7H\2\2\u0a46\u0a47\7C\2\2\u0a47\u0a48\7W\2\2\u0a48"+
"\u0a49\7N\2\2\u0a49\u0a4a\7V\2\2\u0a4a\u0a4b\7a\2\2\u0a4b\u0a4c\7U\2\2"+
"\u0a4c\u0a4d\7E\2\2\u0a4d\u0a4e\7J\2\2\u0a4e\u0a4f\7G\2\2\u0a4f\u0a50"+
"\7O\2\2\u0a50\u0a51\7C\2\2\u0a51\u00b6\3\2\2\2\u0a52\u0a53\7F\2\2\u0a53"+
"\u0a54\7G\2\2\u0a54\u0a55\7N\2\2\u0a55\u0a56\7G\2\2\u0a56\u0a57\7V\2\2"+
"\u0a57\u0a58\7G\2\2\u0a58\u00b8\3\2\2\2\u0a59\u0a5a\7F\2\2\u0a5a\u0a5b"+
"\7G\2\2\u0a5b\u0a5c\7P\2\2\u0a5c\u0a5d\7[\2\2\u0a5d\u00ba\3\2\2\2\u0a5e"+
"\u0a5f\7F\2\2\u0a5f\u0a60\7G\2\2\u0a60\u0a61\7U\2\2\u0a61\u0a62\7E\2\2"+
"\u0a62\u00bc\3\2\2\2\u0a63\u0a64\7F\2\2\u0a64\u0a65\7K\2\2\u0a65\u0a66"+
"\7C\2\2\u0a66\u0a67\7I\2\2\u0a67\u0a68\7P\2\2\u0a68\u0a69\7Q\2\2\u0a69"+
"\u0a6a\7U\2\2\u0a6a\u0a6b\7V\2\2\u0a6b\u0a6c\7K\2\2\u0a6c\u0a6d\7E\2\2"+
"\u0a6d\u0a6e\7U\2\2\u0a6e\u00be\3\2\2\2\u0a6f\u0a70\7F\2\2\u0a70\u0a71"+
"\7K\2\2\u0a71\u0a72\7H\2\2\u0a72\u0a73\7H\2\2\u0a73\u0a74\7G\2\2\u0a74"+
"\u0a75\7T\2\2\u0a75\u0a76\7G\2\2\u0a76\u0a77\7P\2\2\u0a77\u0a78\7V\2\2"+
"\u0a78\u0a79\7K\2\2\u0a79\u0a7a\7C\2\2\u0a7a\u0a7b\7N\2\2\u0a7b\u00c0"+
"\3\2\2\2\u0a7c\u0a7d\7F\2\2\u0a7d\u0a7e\7K\2\2\u0a7e\u0a7f\7U\2\2\u0a7f"+
"\u0a80\7M\2\2\u0a80\u00c2\3\2\2\2\u0a81\u0a82\7F\2\2\u0a82\u0a83\7K\2"+
"\2\u0a83\u0a84\7U\2\2\u0a84\u0a85\7V\2\2\u0a85\u0a86\7K\2\2\u0a86\u0a87"+
"\7P\2\2\u0a87\u0a88\7E\2\2\u0a88\u0a89\7V\2\2\u0a89\u00c4\3\2\2\2\u0a8a"+
"\u0a8b\7F\2\2\u0a8b\u0a8c\7K\2\2\u0a8c\u0a8d\7U\2\2\u0a8d\u0a8e\7V\2\2"+
"\u0a8e\u0a8f\7T\2\2\u0a8f\u0a90\7K\2\2\u0a90\u0a91\7D\2\2\u0a91\u0a92"+
"\7W\2\2\u0a92\u0a93\7V\2\2\u0a93\u0a94\7G\2\2\u0a94\u0a95\7F\2\2\u0a95"+
"\u00c6\3\2\2\2\u0a96\u0a97\7F\2\2\u0a97\u0a98\7Q\2\2\u0a98\u0a99\7W\2"+
"\2\u0a99\u0a9a\7D\2\2\u0a9a\u0a9b\7N\2\2\u0a9b\u0a9c\7G\2\2\u0a9c\u00c8"+
"\3\2\2\2\u0a9d\u0a9e\7^\2\2\u0a9e\u0a9f\7^\2\2\u0a9f\u00ca\3\2\2\2\u0aa0"+
"\u0aa1\7\61\2\2\u0aa1\u0aa2\7\61\2\2\u0aa2\u00cc\3\2\2\2\u0aa3\u0aa4\7"+
"F\2\2\u0aa4\u0aa5\7T\2\2\u0aa5\u0aa6\7Q\2\2\u0aa6\u0aa7\7R\2\2\u0aa7\u00ce"+
"\3\2\2\2\u0aa8\u0aa9\7F\2\2\u0aa9\u0aaa\7V\2\2\u0aaa\u0aab\7E\2\2\u0aab"+
"\u0aac\7a\2\2\u0aac\u0aad\7U\2\2\u0aad\u0aae\7W\2\2\u0aae\u0aaf\7R\2\2"+
"\u0aaf\u0ab0\7R\2\2\u0ab0\u0ab1\7Q\2\2\u0ab1\u0ab2\7T\2\2\u0ab2\u0ab3"+
"\7V\2\2\u0ab3\u00d0\3\2\2\2\u0ab4\u0ab5\7F\2\2\u0ab5\u0ab6\7W\2\2\u0ab6"+
"\u0ab7\7O\2\2\u0ab7\u0ab8\7R\2\2\u0ab8\u00d2\3\2\2\2\u0ab9\u0aba\7G\2"+
"\2\u0aba\u0abb\7N\2\2\u0abb\u0abc\7U\2\2\u0abc\u0abd\7G\2\2\u0abd\u00d4"+
"\3\2\2\2\u0abe\u0abf\7G\2\2\u0abf\u0ac0\7P\2\2\u0ac0\u0ac1\7C\2\2\u0ac1"+
"\u0ac2\7D\2\2\u0ac2\u0ac3\7N\2\2\u0ac3\u0ac4\7G\2\2\u0ac4\u0ac5\7F\2\2"+
"\u0ac5\u00d6\3\2\2\2\u0ac6\u0ac7\7G\2\2\u0ac7\u0ac8\7P\2\2\u0ac8\u0ac9"+
"\7F\2\2\u0ac9\u00d8\3\2\2\2\u0aca\u0acb\7G\2\2\u0acb\u0acc\7P\2\2\u0acc"+
"\u0acd\7F\2\2\u0acd\u0ace\7R\2\2\u0ace\u0acf\7Q\2\2\u0acf\u0ad0\7K\2\2"+
"\u0ad0\u0ad1\7P\2\2\u0ad1\u0ad2\7V\2\2\u0ad2\u00da\3\2\2\2\u0ad3\u0ad4"+
"\7G\2\2\u0ad4\u0ad5\7T\2\2\u0ad5\u0ad6\7T\2\2\u0ad6\u0ad7\7N\2\2\u0ad7"+
"\u0ad8\7X\2\2\u0ad8\u0ad9\7N\2\2\u0ad9\u00dc\3\2\2\2\u0ada\u0adb\7G\2"+
"\2\u0adb\u0adc\7U\2\2\u0adc\u0add\7E\2\2\u0add\u0ade\7C\2\2\u0ade\u0adf"+
"\7R\2\2\u0adf\u0ae0\7G\2\2\u0ae0\u00de\3\2\2\2\u0ae1\u0ae2\7G\2\2\u0ae2"+
"\u0ae3\7T\2\2\u0ae3\u0ae4\7T\2\2\u0ae4\u0ae5\7Q\2\2\u0ae5\u0ae6\7T\2\2"+
"\u0ae6\u00e0\3\2\2\2\u0ae7\u0ae8\7G\2\2\u0ae8\u0ae9\7X\2\2\u0ae9\u0aea"+
"\7G\2\2\u0aea\u0aeb\7P\2\2\u0aeb\u0aec\7V\2\2\u0aec\u00e2\3\2\2\2\u0aed"+
"\u0aee\7G\2\2\u0aee\u0aef\7X\2\2\u0aef\u0af0\7G\2\2\u0af0\u0af1\7P\2\2"+
"\u0af1\u0af2\7V\2\2\u0af2\u0af3\7F\2\2\u0af3\u0af4\7C\2\2\u0af4\u0af5"+
"\7V\2\2\u0af5\u0af6\7C\2\2\u0af6\u0af7\3\2\2\2\u0af7\u0af8\7*\2\2\u0af8"+
"\u0af9\7+\2\2\u0af9\u00e4\3\2\2\2\u0afa\u0afb\7G\2\2\u0afb\u0afc\7X\2"+
"\2\u0afc\u0afd\7G\2\2\u0afd\u0afe\7P\2\2\u0afe\u0aff\7V\2\2\u0aff\u0b00"+
"\7a\2\2\u0b00\u0b01\7T\2\2\u0b01\u0b02\7G\2\2\u0b02\u0b03\7V\2\2\u0b03"+
"\u0b04\7G\2\2\u0b04\u0b05\7P\2\2\u0b05\u0b06\7V\2\2\u0b06\u0b07\7K\2\2"+
"\u0b07\u0b08\7Q\2\2\u0b08\u0b09\7P\2\2\u0b09\u0b0a\7a\2\2\u0b0a\u0b0b"+
"\7O\2\2\u0b0b\u0b0c\7Q\2\2\u0b0c\u0b0d\7F\2\2\u0b0d\u0b0e\7G\2\2\u0b0e"+
"\u00e6\3\2\2\2\u0b0f\u0b10\7G\2\2\u0b10\u0b11\7Z\2\2\u0b11\u0b12\7E\2"+
"\2\u0b12\u0b13\7G\2\2\u0b13\u0b14\7R\2\2\u0b14\u0b15\7V\2\2\u0b15\u00e8"+
"\3\2\2\2\u0b16\u0b17\7G\2\2\u0b17\u0b18\7Z\2\2\u0b18\u0b19\7G\2\2\u0b19"+
"\u0b1a\7E\2\2\u0b1a\u0b1b\7W\2\2\u0b1b\u0b1c\7V\2\2\u0b1c\u0b1d\7C\2\2"+
"\u0b1d\u0b1e\7D\2\2\u0b1e\u0b1f\7N\2\2\u0b1f\u0b20\7G\2\2\u0b20\u0b21"+
"\7a\2\2\u0b21\u0b22\7H\2\2\u0b22\u0b23\7K\2\2\u0b23\u0b24\7N\2\2\u0b24"+
"\u0b25\7G\2\2\u0b25\u00ea\3\2\2\2\u0b26\u0b27\7G\2\2\u0b27\u0b28\7Z\2"+
"\2\u0b28\u0b29\7G\2\2\u0b29\u0b2a\7E\2\2\u0b2a\u0b2e\3\2\2\2\u0b2b\u0b2c"+
"\7W\2\2\u0b2c\u0b2d\7V\2\2\u0b2d\u0b2f\7G\2\2\u0b2e\u0b2b\3\2\2\2\u0b2e"+
"\u0b2f\3\2\2\2\u0b2f\u00ec\3\2\2\2\u0b30\u0b31\7G\2\2\u0b31\u0b32\7Z\2"+
"\2\u0b32\u0b33\7K\2\2\u0b33\u0b34\7U\2\2\u0b34\u0b35\7V\2\2\u0b35\u0b36"+
"\7U\2\2\u0b36\u00ee\3\2\2\2\u0b37\u0b38\7G\2\2\u0b38\u0b39\7Z\2\2\u0b39"+
"\u0b3a\7R\2\2\u0b3a\u0b3b\7K\2\2\u0b3b\u0b3c\7T\2\2\u0b3c\u0b3d\7G\2\2"+
"\u0b3d\u0b3e\7F\2\2\u0b3e\u0b3f\7C\2\2\u0b3f\u0b40\7V\2\2\u0b40\u0b41"+
"\7G\2\2\u0b41\u00f0\3\2\2\2\u0b42\u0b43\7G\2\2\u0b43\u0b44\7Z\2\2\u0b44"+
"\u0b45\7K\2\2\u0b45\u0b46\7V\2\2\u0b46\u00f2\3\2\2\2\u0b47\u0b48\7G\2"+
"\2\u0b48\u0b49\7Z\2\2\u0b49\u0b4a\7V\2\2\u0b4a\u0b4b\7G\2\2\u0b4b\u0b4c"+
"\7P\2\2\u0b4c\u0b4d\7U\2\2\u0b4d\u0b4e\7K\2\2\u0b4e\u0b4f\7Q\2\2\u0b4f"+
"\u0b50\7P\2\2\u0b50\u00f4\3\2\2\2\u0b51\u0b52\7G\2\2\u0b52\u0b53\7Z\2"+
"\2\u0b53\u0b54\7V\2\2\u0b54\u0b55\7G\2\2\u0b55\u0b56\7T\2\2\u0b56\u0b57"+
"\7P\2\2\u0b57\u0b58\7C\2\2\u0b58\u0b59\7N\2\2\u0b59\u00f6\3\2\2\2\u0b5a"+
"\u0b5b\7G\2\2\u0b5b\u0b5c\7Z\2\2\u0b5c\u0b5d\7V\2\2\u0b5d\u0b5e\7G\2\2"+
"\u0b5e\u0b5f\7T\2\2\u0b5f\u0b60\7P\2\2\u0b60\u0b61\7C\2\2\u0b61\u0b62"+
"\7N\2\2\u0b62\u0b63\7a\2\2\u0b63\u0b64\7C\2\2\u0b64\u0b65\7E\2\2\u0b65"+
"\u0b66\7E\2\2\u0b66\u0b67\7G\2\2\u0b67\u0b68\7U\2\2\u0b68\u0b69\7U\2\2"+
"\u0b69\u00f8\3\2\2\2\u0b6a\u0b6b\7H\2\2\u0b6b\u0b6c\7C\2\2\u0b6c\u0b6d"+
"\7K\2\2\u0b6d\u0b6e\7N\2\2\u0b6e\u0b6f\7Q\2\2\u0b6f\u0b70\7X\2\2\u0b70"+
"\u0b71\7G\2\2\u0b71\u0b72\7T\2\2\u0b72\u00fa\3\2\2\2\u0b73\u0b74\7H\2"+
"\2\u0b74\u0b75\7C\2\2\u0b75\u0b76\7K\2\2\u0b76\u0b77\7N\2\2\u0b77\u0b78"+
"\7W\2\2\u0b78\u0b79\7T\2\2\u0b79\u0b7a\7G\2\2\u0b7a\u0b7b\7E\2\2\u0b7b"+
"\u0b7c\7Q\2\2\u0b7c\u0b7d\7P\2\2\u0b7d\u0b7e\7F\2\2\u0b7e\u0b7f\7K\2\2"+
"\u0b7f\u0b80\7V\2\2\u0b80\u0b81\7K\2\2\u0b81\u0b82\7Q\2\2\u0b82\u0b83"+
"\7P\2\2\u0b83\u0b84\7N\2\2\u0b84\u0b85\7G\2\2\u0b85\u0b86\7X\2\2\u0b86"+
"\u0b87\7G\2\2\u0b87\u0b88\7N\2\2\u0b88\u00fc\3\2\2\2\u0b89\u0b8a\7H\2"+
"\2\u0b8a\u0b8b\7C\2\2\u0b8b\u0b8c\7P\2\2\u0b8c\u0b8d\7a\2\2\u0b8d\u0b8e"+
"\7K\2\2\u0b8e\u0b8f\7P\2\2\u0b8f\u00fe\3\2\2\2\u0b90\u0b91\7H\2\2\u0b91"+
"\u0b92\7G\2\2\u0b92\u0b93\7V\2\2\u0b93\u0b94\7E\2\2\u0b94\u0b95\7J\2\2"+
"\u0b95\u0100\3\2\2\2\u0b96\u0b97\7H\2\2\u0b97\u0b98\7K\2\2\u0b98\u0b99"+
"\7N\2\2\u0b99\u0b9a\7G\2\2\u0b9a\u0102\3\2\2\2\u0b9b\u0b9c\7H\2\2\u0b9c"+
"\u0b9d\7K\2\2\u0b9d\u0b9e\7N\2\2\u0b9e\u0b9f\7G\2\2\u0b9f\u0ba0\7P\2\2"+
"\u0ba0\u0ba1\7C\2\2\u0ba1\u0ba2\7O\2\2\u0ba2\u0ba3\7G\2\2\u0ba3\u0104"+
"\3\2\2\2\u0ba4\u0ba5\7H\2\2\u0ba5\u0ba6\7K\2\2\u0ba6\u0ba7\7N\2\2\u0ba7"+
"\u0ba8\7N\2\2\u0ba8\u0ba9\7H\2\2\u0ba9\u0baa\7C\2\2\u0baa\u0bab\7E\2\2"+
"\u0bab\u0bac\7V\2\2\u0bac\u0bad\7Q\2\2\u0bad\u0bae\7T\2\2\u0bae\u0106"+
"\3\2\2\2\u0baf\u0bb0\7H\2\2\u0bb0\u0bb1\7K\2\2\u0bb1\u0bb2\7N\2\2\u0bb2"+
"\u0bb3\7G\2\2\u0bb3\u0bb4\7a\2\2\u0bb4\u0bb5\7U\2\2\u0bb5\u0bb6\7P\2\2"+
"\u0bb6\u0bb7\7C\2\2\u0bb7\u0bb8\7R\2\2\u0bb8\u0bb9\7U\2\2\u0bb9\u0bba"+
"\7J\2\2\u0bba\u0bbb\7Q\2\2\u0bbb\u0bbc\7V\2\2\u0bbc\u0108\3\2\2\2\u0bbd"+
"\u0bbe\7H\2\2\u0bbe\u0bbf\7Q\2\2\u0bbf\u0bc0\7T\2\2\u0bc0\u010a\3\2\2"+
"\2\u0bc1\u0bc2\7H\2\2\u0bc2\u0bc3\7Q\2\2\u0bc3\u0bc4\7T\2\2\u0bc4\u0bc5"+
"\7E\2\2\u0bc5\u0bc6\7G\2\2\u0bc6\u0bc7\7U\2\2\u0bc7\u0bc8\7G\2\2\u0bc8"+
"\u0bc9\7G\2\2\u0bc9\u0bca\7M\2\2\u0bca\u010c\3\2\2\2\u0bcb\u0bcc\7H\2"+
"\2\u0bcc\u0bcd\7Q\2\2\u0bcd\u0bce\7T\2\2\u0bce\u0bcf\7E\2\2\u0bcf\u0bd0"+
"\7G\2\2\u0bd0\u0bd1\7a\2\2\u0bd1\u0bd2\7U\2\2\u0bd2\u0bd3\7G\2\2\u0bd3"+
"\u0bd4\7T\2\2\u0bd4\u0bd5\7X\2\2\u0bd5\u0bd6\7K\2\2\u0bd6\u0bd7\7E\2\2"+
"\u0bd7\u0bd8\7G\2\2\u0bd8\u0bd9\7a\2\2\u0bd9\u0bda\7C\2\2\u0bda\u0bdb"+
"\7N\2\2\u0bdb\u0bdc\7N\2\2\u0bdc\u0bdd\7Q\2\2\u0bdd\u0bde\7Y\2\2\u0bde"+
"\u0bdf\7a\2\2\u0bdf\u0be0\7F\2\2\u0be0\u0be1\7C\2\2\u0be1\u0be2\7V\2\2"+
"\u0be2\u0be3\7C\2\2\u0be3\u0be4\7a\2\2\u0be4\u0be5\7N\2\2\u0be5\u0be6"+
"\7Q\2\2\u0be6\u0be7\7U\2\2\u0be7\u0be8\7U\2\2\u0be8\u010e\3\2\2\2\u0be9"+
"\u0bea\7H\2\2\u0bea\u0beb\7Q\2\2\u0beb\u0bec\7T\2\2\u0bec\u0bed\7G\2\2"+
"\u0bed\u0bee\7K\2\2\u0bee\u0bef\7I\2\2\u0bef\u0bf0\7P\2\2\u0bf0\u0110"+
"\3\2\2\2\u0bf1\u0bf2\7H\2\2\u0bf2\u0bf3\7T\2\2\u0bf3\u0bf4\7G\2\2\u0bf4"+
"\u0bf5\7G\2\2\u0bf5\u0bf6\7V\2\2\u0bf6\u0bf7\7G\2\2\u0bf7\u0bf8\7Z\2\2"+
"\u0bf8\u0bf9\7V\2\2\u0bf9\u0112\3\2\2\2\u0bfa\u0bfb\7H\2\2\u0bfb\u0bfc"+
"\7T\2\2\u0bfc\u0bfd\7G\2\2\u0bfd\u0bfe\7G\2\2\u0bfe\u0bff\7V\2\2\u0bff"+
"\u0c00\7G\2\2\u0c00\u0c01\7Z\2\2\u0c01\u0c02\7V\2\2\u0c02\u0c03\7V\2\2"+
"\u0c03\u0c04\7C\2\2\u0c04\u0c05\7D\2\2\u0c05\u0c06\7N\2\2\u0c06\u0c07"+
"\7G\2\2\u0c07\u0114\3\2\2\2\u0c08\u0c09\7H\2\2\u0c09\u0c0a\7T\2\2\u0c0a"+
"\u0c0b\7Q\2\2\u0c0b\u0c0c\7O\2\2\u0c0c\u0116\3\2\2\2\u0c0d\u0c0e\7H\2"+
"\2\u0c0e\u0c0f\7W\2\2\u0c0f\u0c10\7N\2\2\u0c10\u0c11\7N\2\2\u0c11\u0118"+
"\3\2\2\2\u0c12\u0c13\7H\2\2\u0c13\u0c14\7W\2\2\u0c14\u0c15\7P\2\2\u0c15"+
"\u0c16\7E\2\2\u0c16\u0c17\7V\2\2\u0c17\u0c18\7K\2\2\u0c18\u0c19\7Q\2\2"+
"\u0c19\u0c1a\7P\2\2\u0c1a\u011a\3\2\2\2\u0c1b\u0c1c\7I\2\2\u0c1c\u0c1d"+
"\7G\2\2\u0c1d\u0c1e\7V\2\2\u0c1e\u011c\3\2\2\2\u0c1f\u0c20\7I\2\2\u0c20"+
"\u0c21\7Q\2\2\u0c21\u0c22\7V\2\2\u0c22\u0c23\7Q\2\2\u0c23\u011e\3\2\2"+
"\2\u0c24\u0c25\7I\2\2\u0c25\u0c26\7Q\2\2\u0c26\u0c27\7X\2\2\u0c27\u0c28"+
"\7G\2\2\u0c28\u0c29\7T\2\2\u0c29\u0c2a\7P\2\2\u0c2a\u0c2b\7Q\2\2\u0c2b"+
"\u0c2c\7T\2\2\u0c2c\u0120\3\2\2\2\u0c2d\u0c2e\7I\2\2\u0c2e\u0c2f\7T\2"+
"\2\u0c2f\u0c30\7C\2\2\u0c30\u0c31\7P\2\2\u0c31\u0c32\7V\2\2\u0c32\u0122"+
"\3\2\2\2\u0c33\u0c34\7I\2\2\u0c34\u0c35\7T\2\2\u0c35\u0c36\7Q\2\2\u0c36"+
"\u0c37\7W\2\2\u0c37\u0c38\7R\2\2\u0c38\u0124\3\2\2\2\u0c39\u0c3a\7J\2"+
"\2\u0c3a\u0c3b\7C\2\2\u0c3b\u0c3c\7X\2\2\u0c3c\u0c3d\7K\2\2\u0c3d\u0c3e"+
"\7P\2\2\u0c3e\u0c3f\7I\2\2\u0c3f\u0126\3\2\2\2\u0c40\u0c41\7J\2\2\u0c41"+
"\u0c42\7C\2\2\u0c42\u0c43\7U\2\2\u0c43\u0c44\7J\2\2\u0c44\u0c45\7G\2\2"+
"\u0c45\u0c46\7F\2\2\u0c46\u0128\3\2\2\2\u0c47\u0c48\7J\2\2\u0c48\u0c49"+
"\7G\2\2\u0c49\u0c4a\7C\2\2\u0c4a\u0c4b\7N\2\2\u0c4b\u0c4c\7V\2\2\u0c4c"+
"\u0c4d\7J\2\2\u0c4d\u0c4e\7E\2\2\u0c4e\u0c4f\7J\2\2\u0c4f\u0c50\7G\2\2"+
"\u0c50\u0c51\7E\2\2\u0c51\u0c52\7M\2\2\u0c52\u0c53\7V\2\2\u0c53\u0c54"+
"\7K\2\2\u0c54\u0c55\7O\2\2\u0c55\u0c56\7G\2\2\u0c56\u0c57\7Q\2\2\u0c57"+
"\u0c58\7W\2\2\u0c58\u0c59\7V\2\2\u0c59\u012a\3\2\2\2\u0c5a\u0c5b\7K\2"+
"\2\u0c5b\u0c5c\7F\2\2\u0c5c\u0c5d\7G\2\2\u0c5d\u0c5e\7P\2\2\u0c5e\u0c5f"+
"\7V\2\2\u0c5f\u0c60\7K\2\2\u0c60\u0c61\7V\2\2\u0c61\u0c62\7[\2\2\u0c62"+
"\u012c\3\2\2\2\u0c63\u0c64\7K\2\2\u0c64\u0c65\7F\2\2\u0c65\u0c66\7G\2"+
"\2\u0c66\u0c67\7P\2\2\u0c67\u0c68\7V\2\2\u0c68\u0c69\7K\2\2\u0c69\u0c6a"+
"\7V\2\2\u0c6a\u0c6b\7[\2\2\u0c6b\u0c6c\7E\2\2\u0c6c\u0c6d\7Q\2\2\u0c6d"+
"\u0c6e\7N\2\2\u0c6e\u012e\3\2\2\2\u0c6f\u0c70\7K\2\2\u0c70\u0c71\7F\2"+
"\2\u0c71\u0c72\7G\2\2\u0c72\u0c73\7P\2\2\u0c73\u0c74\7V\2\2\u0c74\u0c75"+
"\7K\2\2\u0c75\u0c76\7V\2\2\u0c76\u0c77\7[\2\2\u0c77\u0c78\7a\2\2\u0c78"+
"\u0c79\7K\2\2\u0c79\u0c7a\7P\2\2\u0c7a\u0c7b\7U\2\2\u0c7b\u0c7c\7G\2\2"+
"\u0c7c\u0c7d\7T\2\2\u0c7d\u0c7e\7V\2\2\u0c7e\u0130\3\2\2\2\u0c7f\u0c80"+
"\7K\2\2\u0c80\u0c81\7H\2\2\u0c81\u0132\3\2\2\2\u0c82\u0c83\7K\2\2\u0c83"+
"\u0c89\7P\2\2\u0c84\u0c85\7k\2\2\u0c85\u0c89\7p\2\2\u0c86\u0c87\7K\2\2"+
"\u0c87\u0c89\7p\2\2\u0c88\u0c82\3\2\2\2\u0c88\u0c84\3\2\2\2\u0c88\u0c86"+
"\3\2\2\2\u0c89\u0134\3\2\2\2\u0c8a\u0c8b\7K\2\2\u0c8b\u0c8c\7P\2\2\u0c8c"+
"\u0c8d\7E\2\2\u0c8d\u0c8e\7N\2\2\u0c8e\u0c8f\7W\2\2\u0c8f\u0c90\7F\2\2"+
"\u0c90\u0c91\7G\2\2\u0c91\u0136\3\2\2\2\u0c92\u0c93\7K\2\2\u0c93\u0c94"+
"\7P\2\2\u0c94\u0c95\7E\2\2\u0c95\u0c96\7T\2\2\u0c96\u0c97\7G\2\2\u0c97"+
"\u0c98\7O\2\2\u0c98\u0c99\7G\2\2\u0c99\u0c9a\7P\2\2\u0c9a\u0c9b\7V\2\2"+
"\u0c9b\u0138\3\2\2\2\u0c9c\u0c9d\7K\2\2\u0c9d\u0c9e\7P\2\2\u0c9e\u0c9f"+
"\7F\2\2\u0c9f\u0ca0\7G\2\2\u0ca0\u0ca1\7Z\2\2\u0ca1\u013a\3\2\2\2\u0ca2"+
"\u0ca3\7K\2\2\u0ca3\u0ca4\7P\2\2\u0ca4\u0ca5\7H\2\2\u0ca5\u0ca6\7K\2\2"+
"\u0ca6\u0ca7\7P\2\2\u0ca7\u0ca8\7K\2\2\u0ca8\u0ca9\7V\2\2\u0ca9\u0caa"+
"\7G\2\2\u0caa\u013c\3\2\2\2\u0cab\u0cac\7K\2\2\u0cac\u0cad\7P\2\2\u0cad"+
"\u0cae\7K\2\2\u0cae\u0caf\7V\2\2\u0caf\u013e\3\2\2\2\u0cb0\u0cb1\7K\2"+
"\2\u0cb1\u0cb2\7P\2\2\u0cb2\u0cb3\7P\2\2\u0cb3\u0cb4\7G\2\2\u0cb4\u0cb5"+
"\7T\2\2\u0cb5\u0140\3\2\2\2\u0cb6\u0cb7\7K\2\2\u0cb7\u0cb8\7P\2\2\u0cb8"+
"\u0cb9\7U\2\2\u0cb9\u0cba\7G\2\2\u0cba\u0cbb\7T\2\2\u0cbb\u0cbc\7V\2\2"+
"\u0cbc\u0142\3\2\2\2\u0cbd\u0cbe\7K\2\2\u0cbe\u0cbf\7P\2\2\u0cbf\u0cc0"+
"\7U\2\2\u0cc0\u0cc1\7V\2\2\u0cc1\u0cc2\7G\2\2\u0cc2\u0cc3\7C\2\2\u0cc3"+
"\u0cc4\7F\2\2\u0cc4\u0144\3\2\2\2\u0cc5\u0cc6\7K\2\2\u0cc6\u0cc7\7P\2"+
"\2\u0cc7\u0cc8\7V\2\2\u0cc8\u0cc9\7G\2\2\u0cc9\u0cca\7T\2\2\u0cca\u0ccb"+
"\7U\2\2\u0ccb\u0ccc\7G\2\2\u0ccc\u0ccd\7E\2\2\u0ccd\u0cce\7V\2\2\u0cce"+
"\u0146\3\2\2\2\u0ccf\u0cd0\7K\2\2\u0cd0\u0cd1\7P\2\2\u0cd1\u0cd2\7V\2"+
"\2\u0cd2\u0cd3\7Q\2\2\u0cd3\u0148\3\2\2\2\u0cd4\u0cd6\t\2\2\2\u0cd5\u0cd4"+
"\3\2\2\2\u0cd5\u0cd6\3\2\2\2\u0cd6\u0cd7\3\2\2\2\u0cd7\u0cd8\5\u068b\u0346"+
"\2\u0cd8\u0cd9\5\u0661\u0331\2\u0cd9\u0cda\5\u068b\u0346\2\u0cda\u0cdb"+
"\5\u0661\u0331\2\u0cdb\u0cdc\5\u068b\u0346\2\u0cdc\u0cdd\5\u0661\u0331"+
"\2\u0cdd\u0cdf\5\u068b\u0346\2\u0cde\u0ce0\t\2\2\2\u0cdf\u0cde\3\2\2\2"+
"\u0cdf\u0ce0\3\2\2\2\u0ce0\u014a\3\2\2\2\u0ce1\u0ce3\t\2\2\2\u0ce2\u0ce1"+
"\3\2\2\2\u0ce2\u0ce3\3\2\2\2\u0ce3\u0ce5\3\2\2\2\u0ce4\u0ce6\t\3\2\2\u0ce5"+
"\u0ce4\3\2\2\2\u0ce5\u0ce6\3\2\2\2\u0ce6\u0ce8\3\2\2\2\u0ce7\u0ce9\t\3"+
"\2\2\u0ce8\u0ce7\3\2\2\2\u0ce8\u0ce9\3\2\2\2\u0ce9\u0ceb\3\2\2\2\u0cea"+
"\u0cec\t\3\2\2\u0ceb\u0cea\3\2\2\2\u0ceb\u0cec\3\2\2\2\u0cec\u0cee\3\2"+
"\2\2\u0ced\u0cef\t\3\2\2\u0cee\u0ced\3\2\2\2\u0cee\u0cef\3\2\2\2\u0cef"+
"\u0cf0\3\2\2\2\u0cf0\u0cf2\t\4\2\2\u0cf1\u0cf3\t\3\2\2\u0cf2\u0cf1\3\2"+
"\2\2\u0cf2\u0cf3\3\2\2\2\u0cf3\u0cf5\3\2\2\2\u0cf4\u0cf6\t\3\2\2\u0cf5"+
"\u0cf4\3\2\2\2\u0cf5\u0cf6\3\2\2\2\u0cf6\u0cf8\3\2\2\2\u0cf7\u0cf9\t\3"+
"\2\2\u0cf8\u0cf7\3\2\2\2\u0cf8\u0cf9\3\2\2\2\u0cf9\u0cfb\3\2\2\2\u0cfa"+
"\u0cfc\t\3\2\2\u0cfb\u0cfa\3\2\2\2\u0cfb\u0cfc\3\2\2\2\u0cfc\u0cfd\3\2"+
"\2\2\u0cfd\u0cff\t\4\2\2\u0cfe\u0d00\t\3\2\2\u0cff\u0cfe\3\2\2\2\u0cff"+
"\u0d00\3\2\2\2\u0d00\u0d02\3\2\2\2\u0d01\u0d03\t\3\2\2\u0d02\u0d01\3\2"+
"\2\2\u0d02\u0d03\3\2\2\2\u0d03\u0d05\3\2\2\2\u0d04\u0d06\t\3\2\2\u0d05"+
"\u0d04\3\2\2\2\u0d05\u0d06\3\2\2\2\u0d06\u0d08\3\2\2\2\u0d07\u0d09\t\3"+
"\2\2\u0d08\u0d07\3\2\2\2\u0d08\u0d09\3\2\2\2\u0d09\u0d0a\3\2\2\2\u0d0a"+
"\u0d0c\t\4\2\2\u0d0b\u0d0d\t\3\2\2\u0d0c\u0d0b\3\2\2\2\u0d0c\u0d0d\3\2"+
"\2\2\u0d0d\u0d0f\3\2\2\2\u0d0e\u0d10\t\3\2\2\u0d0f\u0d0e\3\2\2\2\u0d0f"+
"\u0d10\3\2\2\2\u0d10\u0d12\3\2\2\2\u0d11\u0d13\t\3\2\2\u0d12\u0d11\3\2"+
"\2\2\u0d12\u0d13\3\2\2\2\u0d13\u0d15\3\2\2\2\u0d14\u0d16\t\3\2\2\u0d15"+
"\u0d14\3\2\2\2\u0d15\u0d16\3\2\2\2\u0d16\u0d17\3\2\2\2\u0d17\u0d19\t\4"+
"\2\2\u0d18\u0d1a\t\3\2\2\u0d19\u0d18\3\2\2\2\u0d19\u0d1a\3\2\2\2\u0d1a"+
"\u0d1c\3\2\2\2\u0d1b\u0d1d\t\3\2\2\u0d1c\u0d1b\3\2\2\2\u0d1c\u0d1d\3\2"+
"\2\2\u0d1d\u0d1f\3\2\2\2\u0d1e\u0d20\t\3\2\2\u0d1f\u0d1e\3\2\2\2\u0d1f"+
"\u0d20\3\2\2\2\u0d20\u0d22\3\2\2\2\u0d21\u0d23\t\3\2\2\u0d22\u0d21\3\2"+
"\2\2\u0d22\u0d23\3\2\2\2\u0d23\u0d24\3\2\2\2\u0d24\u0d26\t\4\2\2\u0d25"+
"\u0d27\t\3\2\2\u0d26\u0d25\3\2\2\2\u0d26\u0d27\3\2\2\2\u0d27\u0d29\3\2"+
"\2\2\u0d28\u0d2a\t\3\2\2\u0d29\u0d28\3\2\2\2\u0d29\u0d2a\3\2\2\2\u0d2a"+
"\u0d2c\3\2\2\2\u0d2b\u0d2d\t\3\2\2\u0d2c\u0d2b\3\2\2\2\u0d2c\u0d2d\3\2"+
"\2\2\u0d2d\u0d2f\3\2\2\2\u0d2e\u0d30\t\3\2\2\u0d2f\u0d2e\3\2\2\2\u0d2f"+
"\u0d30\3\2\2\2\u0d30\u0d31\3\2\2\2\u0d31\u0d33\t\4\2\2\u0d32\u0d34\t\3"+
"\2\2\u0d33\u0d32\3\2\2\2\u0d33\u0d34\3\2\2\2\u0d34\u0d36\3\2\2\2\u0d35"+
"\u0d37\t\3\2\2\u0d36\u0d35\3\2\2\2\u0d36\u0d37\3\2\2\2\u0d37\u0d39\3\2"+
"\2\2\u0d38\u0d3a\t\3\2\2\u0d39\u0d38\3\2\2\2\u0d39\u0d3a\3\2\2\2\u0d3a"+
"\u0d3c\3\2\2\2\u0d3b\u0d3d\t\3\2\2\u0d3c\u0d3b\3\2\2\2\u0d3c\u0d3d\3\2"+
"\2\2\u0d3d\u0d3e\3\2\2\2\u0d3e\u0d40\t\4\2\2\u0d3f\u0d41\t\3\2\2\u0d40"+
"\u0d3f\3\2\2\2\u0d40\u0d41\3\2\2\2\u0d41\u0d43\3\2\2\2\u0d42\u0d44\t\3"+
"\2\2\u0d43\u0d42\3\2\2\2\u0d43\u0d44\3\2\2\2\u0d44\u0d46\3\2\2\2\u0d45"+
"\u0d47\t\3\2\2\u0d46\u0d45\3\2\2\2\u0d46\u0d47\3\2\2\2\u0d47\u0d49\3\2"+
"\2\2\u0d48\u0d4a\t\3\2\2\u0d49\u0d48\3\2\2\2\u0d49\u0d4a\3\2\2\2\u0d4a"+
"\u0d4c\3\2\2\2\u0d4b\u0d4d\t\2\2\2\u0d4c\u0d4b\3\2\2\2\u0d4c\u0d4d\3\2"+
"\2\2\u0d4d\u014c\3\2\2\2\u0d4e\u0d4f\7K\2\2\u0d4f\u0d53\7U\2\2\u0d50\u0d51"+
"\7k\2\2\u0d51\u0d53\7u\2\2\u0d52\u0d4e\3\2\2\2\u0d52\u0d50\3\2\2\2\u0d53"+
"\u014e\3\2\2\2\u0d54\u0d55\7K\2\2\u0d55\u0d56\7U\2\2\u0d56\u0d57\7P\2"+
"\2\u0d57\u0d58\7W\2\2\u0d58\u0d59\7N\2\2\u0d59\u0d61\7N\2\2\u0d5a\u0d5b"+
"\7k\2\2\u0d5b\u0d5c\7u\2\2\u0d5c\u0d5d\7p\2\2\u0d5d\u0d5e\7w\2\2\u0d5e"+
"\u0d5f\7n\2\2\u0d5f\u0d61\7n\2\2\u0d60\u0d54\3\2\2\2\u0d60\u0d5a\3\2\2"+
"\2\u0d61\u0150\3\2\2\2\u0d62\u0d63\7L\2\2\u0d63\u0d64\7Q\2\2\u0d64\u0d65"+
"\7K\2\2\u0d65\u0d66\7P\2\2\u0d66\u0152\3\2\2\2\u0d67\u0d68\7M\2\2\u0d68"+
"\u0d69\7G\2\2\u0d69\u0d6a\7T\2\2\u0d6a\u0d6b\7D\2\2\u0d6b\u0d6c\7G\2\2"+
"\u0d6c\u0d6d\7T\2\2\u0d6d\u0d6e\7Q\2\2\u0d6e\u0d6f\7U\2\2\u0d6f\u0154"+
"\3\2\2\2\u0d70\u0d71\7M\2\2\u0d71\u0d72\7G\2\2\u0d72\u0d73\7[\2\2\u0d73"+
"\u0156\3\2\2\2\u0d74\u0d75\7M\2\2\u0d75\u0d76\7G\2\2\u0d76\u0d77\7[\2"+
"\2\u0d77\u0d78\7a\2\2\u0d78\u0d79\7R\2\2\u0d79\u0d7a\7C\2\2\u0d7a\u0d7b"+
"\7V\2\2\u0d7b\u0d7c\7J\2\2\u0d7c\u0158\3\2\2\2\u0d7d\u0d7e\7M\2\2\u0d7e"+
"\u0d7f\7G\2\2\u0d7f\u0d80\7[\2\2\u0d80\u0d81\7a\2\2\u0d81\u0d82\7U\2\2"+
"\u0d82\u0d83\7V\2\2\u0d83\u0d84\7Q\2\2\u0d84\u0d85\7T\2\2\u0d85\u0d86"+
"\7G\2\2\u0d86\u0d87\7a\2\2\u0d87\u0d88\7R\2\2\u0d88\u0d89\7T\2\2\u0d89"+
"\u0d8a\7Q\2\2\u0d8a\u0d8b\7X\2\2\u0d8b\u0d8c\7K\2\2\u0d8c\u0d8d\7F\2\2"+
"\u0d8d\u0d8e\7G\2\2\u0d8e\u0d8f\7T\2\2\u0d8f\u0d90\7a\2\2\u0d90\u0d91"+
"\7P\2\2\u0d91\u0d92\7C\2\2\u0d92\u0d93\7O\2\2\u0d93\u0d94\7G\2\2\u0d94"+
"\u015a\3\2\2\2\u0d95\u0d96\7M\2\2\u0d96\u0d97\7K\2\2\u0d97\u0d98\7N\2"+
"\2\u0d98\u0d99\7N\2\2\u0d99\u015c\3\2\2\2\u0d9a\u0d9b\7N\2\2\u0d9b\u0d9c"+
"\7C\2\2\u0d9c\u0d9d\7P\2\2\u0d9d\u0d9e\7I\2\2\u0d9e\u0d9f\7W\2\2\u0d9f"+
"\u0da0\7C\2\2\u0da0\u0da1\7I\2\2\u0da1\u0da2\7G\2\2\u0da2\u015e\3\2\2"+
"\2\u0da3\u0da4\7N\2\2\u0da4\u0da5\7G\2\2\u0da5\u0da6\7H\2\2\u0da6\u0da7"+
"\7V\2\2\u0da7\u0160\3\2\2\2\u0da8\u0da9\7N\2\2\u0da9\u0daa\7K\2\2\u0daa"+
"\u0dab\7D\2\2\u0dab\u0dac\7T\2\2\u0dac\u0dad\7C\2\2\u0dad\u0dae\7T\2\2"+
"\u0dae\u0daf\7[\2\2\u0daf\u0162\3\2\2\2\u0db0\u0db1\7N\2\2\u0db1\u0db2"+
"\7K\2\2\u0db2\u0db3\7H\2\2\u0db3\u0db4\7G\2\2\u0db4\u0db5\7V\2\2\u0db5"+
"\u0db6\7K\2\2\u0db6\u0db7\7O\2\2\u0db7\u0db8\7G\2\2\u0db8\u0164\3\2\2"+
"\2\u0db9\u0dba\7N\2\2\u0dba\u0dbb\7K\2\2\u0dbb\u0dbc\7M\2\2\u0dbc\u0dc6"+
"\7G\2\2";
private static final String _serializedATNSegment2 =
"\u0dbd\u0dbe\7n\2\2\u0dbe\u0dbf\7k\2\2\u0dbf\u0dc0\7m\2\2\u0dc0\u0dc6"+
"\7g\2\2\u0dc1\u0dc2\7N\2\2\u0dc2\u0dc3\7k\2\2\u0dc3\u0dc4\7m\2\2\u0dc4"+
"\u0dc6\7g\2\2\u0dc5\u0db9\3\2\2\2\u0dc5\u0dbd\3\2\2\2\u0dc5\u0dc1\3\2"+
"\2\2\u0dc6\u0166\3\2\2\2\u0dc7\u0dc8\7T\2\2\u0dc8\u0dc9\7N\2\2\u0dc9\u0dca"+
"\7K\2\2\u0dca\u0dcb\7M\2\2\u0dcb\u0ddc\7G\2\2\u0dcc\u0dcd\7t\2\2\u0dcd"+
"\u0dce\7n\2\2\u0dce\u0dcf\7k\2\2\u0dcf\u0dd0\7m\2\2\u0dd0\u0ddc\7g\2\2"+
"\u0dd1\u0dd2\7T\2\2\u0dd2\u0dd3\7N\2\2\u0dd3\u0dd4\7k\2\2\u0dd4\u0dd5"+
"\7m\2\2\u0dd5\u0ddc\7g\2\2\u0dd6\u0dd7\7T\2\2\u0dd7\u0dd8\7n\2\2\u0dd8"+
"\u0dd9\7k\2\2\u0dd9\u0dda\7m\2\2\u0dda\u0ddc\7g\2\2\u0ddb\u0dc7\3\2\2"+
"\2\u0ddb\u0dcc\3\2\2\2\u0ddb\u0dd1\3\2\2\2\u0ddb\u0dd6\3\2\2\2\u0ddc\u0168"+
"\3\2\2\2\u0ddd\u0dde\7N\2\2\u0dde\u0ddf\7N\2\2\u0ddf\u0de0\7K\2\2\u0de0"+
"\u0de1\7M\2\2\u0de1\u0df2\7G\2\2\u0de2\u0de3\7n\2\2\u0de3\u0de4\7n\2\2"+
"\u0de4\u0de5\7k\2\2\u0de5\u0de6\7m\2\2\u0de6\u0df2\7g\2\2\u0de7\u0de8"+
"\7N\2\2\u0de8\u0de9\7N\2\2\u0de9\u0dea\7k\2\2\u0dea\u0deb\7m\2\2\u0deb"+
"\u0df2\7g\2\2\u0dec\u0ded\7N\2\2\u0ded\u0dee\7n\2\2\u0dee\u0def\7k\2\2"+
"\u0def\u0df0\7m\2\2\u0df0\u0df2\7g\2\2\u0df1\u0ddd\3\2\2\2\u0df1\u0de2"+
"\3\2\2\2\u0df1\u0de7\3\2\2\2\u0df1\u0dec\3\2\2\2\u0df2\u016a\3\2\2\2\u0df3"+
"\u0df4\7N\2\2\u0df4\u0df5\7K\2\2\u0df5\u0df6\7P\2\2\u0df6\u0df7\7G\2\2"+
"\u0df7\u0df8\7P\2\2\u0df8\u0df9\7Q\2\2\u0df9\u016c\3\2\2\2\u0dfa\u0dfb"+
"\7N\2\2\u0dfb\u0dfc\7K\2\2\u0dfc\u0dfd\7P\2\2\u0dfd\u0dfe\7W\2\2\u0dfe"+
"\u0dff\7Z\2\2\u0dff\u016e\3\2\2\2\u0e00\u0e01\7N\2\2\u0e01\u0e02\7K\2"+
"\2\u0e02\u0e03\7U\2\2\u0e03\u0e04\7V\2\2\u0e04\u0e05\7G\2\2\u0e05\u0e06"+
"\7P\2\2\u0e06\u0e07\7G\2\2\u0e07\u0e08\7T\2\2\u0e08\u0e09\7a\2\2\u0e09"+
"\u0e0a\7K\2\2\u0e0a\u0e0b\7R\2\2\u0e0b\u0170\3\2\2\2\u0e0c\u0e0d\7N\2"+
"\2\u0e0d\u0e0e\7K\2\2\u0e0e\u0e0f\7U\2\2\u0e0f\u0e10\7V\2\2\u0e10\u0e11"+
"\7G\2\2\u0e11\u0e12\7P\2\2\u0e12\u0e13\7G\2\2\u0e13\u0e14\7T\2\2\u0e14"+
"\u0e15\7a\2\2\u0e15\u0e16\7R\2\2\u0e16\u0e17\7Q\2\2\u0e17\u0e18\7T\2\2"+
"\u0e18\u0e19\7V\2\2\u0e19\u0172\3\2\2\2\u0e1a\u0e1b\7N\2\2\u0e1b\u0e1c"+
"\7Q\2\2\u0e1c\u0e1d\7C\2\2\u0e1d\u0e1e\7F\2\2\u0e1e\u0174\3\2\2\2\u0e1f"+
"\u0e20\7N\2\2\u0e20\u0e21\7Q\2\2\u0e21\u0e22\7E\2\2\u0e22\u0e23\7C\2\2"+
"\u0e23\u0e24\7N\2\2\u0e24\u0e25\7a\2\2\u0e25\u0e26\7U\2\2\u0e26\u0e27"+
"\7G\2\2\u0e27\u0e28\7T\2\2\u0e28\u0e29\7X\2\2\u0e29\u0e2a\7K\2\2\u0e2a"+
"\u0e2b\7E\2\2\u0e2b\u0e2c\7G\2\2\u0e2c\u0e2d\7a\2\2\u0e2d\u0e2e\7P\2\2"+
"\u0e2e\u0e2f\7C\2\2\u0e2f\u0e30\7O\2\2\u0e30\u0e31\7G\2\2\u0e31\u0176"+
"\3\2\2\2\u0e32\u0e33\7N\2\2\u0e33\u0e34\7Q\2\2\u0e34\u0e35\7I\2\2\u0e35"+
"\u0178\3\2\2\2\u0e36\u0e37\7O\2\2\u0e37\u0e38\7C\2\2\u0e38\u0e39\7V\2"+
"\2\u0e39\u0e3a\7E\2\2\u0e3a\u0e3b\7J\2\2\u0e3b\u0e3c\7G\2\2\u0e3c\u0e3d"+
"\7F\2\2\u0e3d\u017a\3\2\2\2\u0e3e\u0e3f\7O\2\2\u0e3f\u0e40\7C\2\2\u0e40"+
"\u0e41\7U\2\2\u0e41\u0e42\7V\2\2\u0e42\u0e43\7G\2\2\u0e43\u0e44\7T\2\2"+
"\u0e44\u017c\3\2\2\2\u0e45\u0e46\7O\2\2\u0e46\u0e47\7C\2\2\u0e47\u0e48"+
"\7Z\2\2\u0e48\u0e49\7a\2\2\u0e49\u0e4a\7O\2\2\u0e4a\u0e4b\7G\2\2\u0e4b"+
"\u0e4c\7O\2\2\u0e4c\u0e4d\7Q\2\2\u0e4d\u0e4e\7T\2\2\u0e4e\u0e4f\7[\2\2"+
"\u0e4f\u017e\3\2\2\2\u0e50\u0e51\7O\2\2\u0e51\u0e52\7C\2\2\u0e52\u0e53"+
"\7Z\2\2\u0e53\u0e54\7V\2\2\u0e54\u0e55\7T\2\2\u0e55\u0e56\7C\2\2\u0e56"+
"\u0e57\7P\2\2\u0e57\u0e58\7U\2\2\u0e58\u0e59\7H\2\2\u0e59\u0e5a\7G\2\2"+
"\u0e5a\u0e5b\7T\2\2\u0e5b\u0180\3\2\2\2\u0e5c\u0e5d\7O\2\2\u0e5d\u0e5e"+
"\7C\2\2\u0e5e\u0e5f\7Z\2\2\u0e5f\u0e60\7X\2\2\u0e60\u0e61\7C\2\2\u0e61"+
"\u0e62\7N\2\2\u0e62\u0e63\7W\2\2\u0e63\u0e64\7G\2\2\u0e64\u0182\3\2\2"+
"\2\u0e65\u0e66\7O\2\2\u0e66\u0e67\7C\2\2\u0e67\u0e68\7Z\2\2\u0e68\u0e69"+
"\7a\2\2\u0e69\u0e6a\7F\2\2\u0e6a\u0e6b\7K\2\2\u0e6b\u0e6c\7U\2\2\u0e6c"+
"\u0e6d\7R\2\2\u0e6d\u0e6e\7C\2\2\u0e6e\u0e6f\7V\2\2\u0e6f\u0e70\7E\2\2"+
"\u0e70\u0e71\7J\2\2\u0e71\u0e72\7a\2\2\u0e72\u0e73\7N\2\2\u0e73\u0e74"+
"\7C\2\2\u0e74\u0e75\7V\2\2\u0e75\u0e76\7G\2\2\u0e76\u0e77\7P\2\2\u0e77"+
"\u0e78\7E\2\2\u0e78\u0e79\7[\2\2\u0e79\u0184\3\2\2\2\u0e7a\u0e7b\7O\2"+
"\2\u0e7b\u0e7c\7C\2\2\u0e7c\u0e7d\7Z\2\2\u0e7d\u0e7e\7a\2\2\u0e7e\u0e7f"+
"\7G\2\2\u0e7f\u0e80\7X\2\2\u0e80\u0e81\7G\2\2\u0e81\u0e82\7P\2\2\u0e82"+
"\u0e83\7V\2\2\u0e83\u0e84\7a\2\2\u0e84\u0e85\7U\2\2\u0e85\u0e86\7K\2\2"+
"\u0e86\u0e87\7\\\2\2\u0e87\u0e88\7G\2\2\u0e88\u0186\3\2\2\2\u0e89\u0e8a"+
"\7O\2\2\u0e8a\u0e8b\7C\2\2\u0e8b\u0e8c\7Z\2\2\u0e8c\u0e8d\7a\2\2\u0e8d"+
"\u0e8e\7U\2\2\u0e8e\u0e8f\7K\2\2\u0e8f\u0e90\7\\\2\2\u0e90\u0e91\7G\2"+
"\2\u0e91\u0188\3\2\2\2\u0e92\u0e93\7O\2\2\u0e93\u0e94\7C\2\2\u0e94\u0e95"+
"\7Z\2\2\u0e95\u0e96\7a\2\2\u0e96\u0e97\7Q\2\2\u0e97\u0e98\7W\2\2\u0e98"+
"\u0e99\7V\2\2\u0e99\u0e9a\7U\2\2\u0e9a\u0e9b\7V\2\2\u0e9b\u0e9c\7C\2\2"+
"\u0e9c\u0e9d\7P\2\2\u0e9d\u0e9e\7F\2\2\u0e9e\u0e9f\7K\2\2\u0e9f\u0ea0"+
"\7P\2\2\u0ea0\u0ea1\7I\2\2\u0ea1\u0ea2\7a\2\2\u0ea2\u0ea3\7K\2\2\u0ea3"+
"\u0ea4\7Q\2\2\u0ea4\u0ea5\7a\2\2\u0ea5\u0ea6\7R\2\2\u0ea6\u0ea7\7G\2\2"+
"\u0ea7\u0ea8\7T\2\2\u0ea8\u0ea9\7a\2\2\u0ea9\u0eaa\7X\2\2\u0eaa\u0eab"+
"\7Q\2\2\u0eab\u0eac\7N\2\2\u0eac\u0ead\7W\2\2\u0ead\u0eae\7O\2\2\u0eae"+
"\u0eaf\7G\2\2\u0eaf\u018a\3\2\2\2\u0eb0\u0eb1\7O\2\2\u0eb1\u0eb2\7G\2"+
"\2\u0eb2\u0eb3\7F\2\2\u0eb3\u0eb4\7K\2\2\u0eb4\u0eb5\7C\2\2\u0eb5\u0eb6"+
"\7F\2\2\u0eb6\u0eb7\7G\2\2\u0eb7\u0eb8\7U\2\2\u0eb8\u0eb9\7E\2\2\u0eb9"+
"\u0eba\7T\2\2\u0eba\u0ebb\7K\2\2\u0ebb\u0ebc\7R\2\2\u0ebc\u0ebd\7V\2\2"+
"\u0ebd\u0ebe\7K\2\2\u0ebe\u0ebf\7Q\2\2\u0ebf\u0ec0\7P\2\2\u0ec0\u018c"+
"\3\2\2\2\u0ec1\u0ec2\7O\2\2\u0ec2\u0ec3\7G\2\2\u0ec3\u0ec4\7F\2\2\u0ec4"+
"\u0ec5\7K\2\2\u0ec5\u0ec6\7C\2\2\u0ec6\u0ec7\7P\2\2\u0ec7\u0ec8\7C\2\2"+
"\u0ec8\u0ec9\7O\2\2\u0ec9\u0eca\7G\2\2\u0eca\u018e\3\2\2\2\u0ecb\u0ecc"+
"\7O\2\2\u0ecc\u0ecd\7G\2\2\u0ecd\u0ece\7O\2\2\u0ece\u0ecf\7D\2\2\u0ecf"+
"\u0ed0\7G\2\2\u0ed0\u0ed1\7T\2\2\u0ed1\u0190\3\2\2\2\u0ed2\u0ed3\7O\2"+
"\2\u0ed3\u0ed4\7G\2\2\u0ed4\u0ed5\7O\2\2\u0ed5\u0ed6\7Q\2\2\u0ed6\u0ed7"+
"\7T\2\2\u0ed7\u0ed8\7[\2\2\u0ed8\u0ed9\7a\2\2\u0ed9\u0eda\7R\2\2\u0eda"+
"\u0edb\7C\2\2\u0edb\u0edc\7T\2\2\u0edc\u0edd\7V\2\2\u0edd\u0ede\7K\2\2"+
"\u0ede\u0edf\7V\2\2\u0edf\u0ee0\7K\2\2\u0ee0\u0ee1\7Q\2\2\u0ee1\u0ee2"+
"\7P\2\2\u0ee2\u0ee3\7a\2\2\u0ee3\u0ee4\7O\2\2\u0ee4\u0ee5\7Q\2\2\u0ee5"+
"\u0ee6\7F\2\2\u0ee6\u0ee7\7G\2\2\u0ee7\u0192\3\2\2\2\u0ee8\u0ee9\7O\2"+
"\2\u0ee9\u0eea\7G\2\2\u0eea\u0eeb\7T\2\2\u0eeb\u0eec\7I\2\2\u0eec\u0eed"+
"\7G\2\2\u0eed\u0194\3\2\2\2\u0eee\u0eef\7O\2\2\u0eef\u0ef0\7G\2\2\u0ef0"+
"\u0ef1\7U\2\2\u0ef1\u0ef2\7U\2\2\u0ef2\u0ef3\7C\2\2\u0ef3\u0ef4\7I\2\2"+
"\u0ef4\u0ef5\7G\2\2\u0ef5\u0ef6\7a\2\2\u0ef6\u0ef7\7H\2\2\u0ef7\u0ef8"+
"\7Q\2\2\u0ef8\u0ef9\7T\2\2\u0ef9\u0efa\7Y\2\2\u0efa\u0efb\7C\2\2\u0efb"+
"\u0efc\7T\2\2\u0efc\u0efd\7F\2\2\u0efd\u0efe\7K\2\2\u0efe\u0eff\7P\2\2"+
"\u0eff\u0f00\7I\2\2\u0f00\u0196\3\2\2\2\u0f01\u0f02\7O\2\2\u0f02\u0f03"+
"\7G\2\2\u0f03\u0f04\7U\2\2\u0f04\u0f05\7U\2\2\u0f05\u0f06\7C\2\2\u0f06"+
"\u0f07\7I\2\2\u0f07\u0f08\7G\2\2\u0f08\u0f09\7a\2\2\u0f09\u0f0a\7H\2\2"+
"\u0f0a\u0f0b\7Q\2\2\u0f0b\u0f0c\7T\2\2\u0f0c\u0f0d\7Y\2\2\u0f0d\u0f0e"+
"\7C\2\2\u0f0e\u0f0f\7T\2\2\u0f0f\u0f10\7F\2\2\u0f10\u0f11\7a\2\2\u0f11"+
"\u0f12\7U\2\2\u0f12\u0f13\7K\2\2\u0f13\u0f14\7\\\2\2\u0f14\u0f15\7G\2"+
"\2\u0f15\u0198\3\2\2\2\u0f16\u0f17\7O\2\2\u0f17\u0f18\7K\2\2\u0f18\u0f19"+
"\7P\2\2\u0f19\u0f1a\7X\2\2\u0f1a\u0f1b\7C\2\2\u0f1b\u0f1c\7N\2\2\u0f1c"+
"\u0f1d\7W\2\2\u0f1d\u0f1e\7G\2\2\u0f1e\u019a\3\2\2\2\u0f1f\u0f20\7O\2"+
"\2\u0f20\u0f21\7K\2\2\u0f21\u0f22\7T\2\2\u0f22\u0f23\7T\2\2\u0f23\u0f24"+
"\7Q\2\2\u0f24\u0f25\7T\2\2\u0f25\u019c\3\2\2\2\u0f26\u0f27\7O\2\2\u0f27"+
"\u0f28\7W\2\2\u0f28\u0f29\7U\2\2\u0f29\u0f2a\7V\2\2\u0f2a\u0f2b\7a\2\2"+
"\u0f2b\u0f2c\7E\2\2\u0f2c\u0f2d\7J\2\2\u0f2d\u0f2e\7C\2\2\u0f2e\u0f2f"+
"\7P\2\2\u0f2f\u0f30\7I\2\2\u0f30\u0f31\7G\2\2\u0f31\u019e\3\2\2\2\u0f32"+
"\u0f33\7P\2\2\u0f33\u0f34\7C\2\2\u0f34\u0f35\7V\2\2\u0f35\u0f36\7K\2\2"+
"\u0f36\u0f37\7Q\2\2\u0f37\u0f38\7P\2\2\u0f38\u0f39\7C\2\2\u0f39\u0f3a"+
"\7N\2\2\u0f3a\u01a0\3\2\2\2\u0f3b\u0f3c\7P\2\2\u0f3c\u0f3d\7G\2\2\u0f3d"+
"\u0f3e\7I\2\2\u0f3e\u0f3f\7Q\2\2\u0f3f\u0f40\7V\2\2\u0f40\u0f41\7K\2\2"+
"\u0f41\u0f42\7C\2\2\u0f42\u0f43\7V\2\2\u0f43\u0f44\7G\2\2\u0f44\u01a2"+
"\3\2\2\2\u0f45\u0f46\7P\2\2\u0f46\u0f47\7Q\2\2\u0f47\u0f48\7E\2\2\u0f48"+
"\u0f49\7J\2\2\u0f49\u0f4a\7G\2\2\u0f4a\u0f4b\7E\2\2\u0f4b\u0f4c\7M\2\2"+
"\u0f4c\u01a4\3\2\2\2\u0f4d\u0f4e\7P\2\2\u0f4e\u0f4f\7Q\2\2\u0f4f\u0f50"+
"\7H\2\2\u0f50\u0f51\7Q\2\2\u0f51\u0f52\7T\2\2\u0f52\u0f53\7O\2\2\u0f53"+
"\u0f54\7C\2\2\u0f54\u0f55\7V\2\2\u0f55\u01a6\3\2\2\2\u0f56\u0f57\7P\2"+
"\2\u0f57\u0f58\7Q\2\2\u0f58\u0f59\7K\2\2\u0f59\u0f5a\7P\2\2\u0f5a\u0f5b"+
"\7K\2\2\u0f5b\u0f5c\7V\2\2\u0f5c\u01a8\3\2\2\2\u0f5d\u0f5e\7P\2\2\u0f5e"+
"\u0f5f\7Q\2\2\u0f5f\u0f60\7P\2\2\u0f60\u0f61\7E\2\2\u0f61\u0f62\7N\2\2"+
"\u0f62\u0f63\7W\2\2\u0f63\u0f64\7U\2\2\u0f64\u0f65\7V\2\2\u0f65\u0f66"+
"\7G\2\2\u0f66\u0f67\7T\2\2\u0f67\u0f68\7G\2\2\u0f68\u0f69\7F\2\2\u0f69"+
"\u01aa\3\2\2\2\u0f6a\u0f6b\7P\2\2\u0f6b\u0f6c\7Q\2\2\u0f6c\u0f6d\7P\2"+
"\2\u0f6d\u0f6e\7G\2\2\u0f6e\u01ac\3\2\2\2\u0f6f\u0f70\7P\2\2\u0f70\u0f71"+
"\7Q\2\2\u0f71\u0f72\7T\2\2\u0f72\u0f73\7G\2\2\u0f73\u0f74\7Y\2\2\u0f74"+
"\u0f75\7K\2\2\u0f75\u0f76\7P\2\2\u0f76\u0f77\7F\2\2\u0f77\u01ae\3\2\2"+
"\2\u0f78\u0f79\7P\2\2\u0f79\u0f7a\7Q\2\2\u0f7a\u0f7b\7U\2\2\u0f7b\u0f7c"+
"\7M\2\2\u0f7c\u0f7d\7K\2\2\u0f7d\u0f7e\7R\2\2\u0f7e\u01b0\3\2\2\2\u0f7f"+
"\u0f80\7P\2\2\u0f80\u0f81\7Q\2\2\u0f81\u0f82\7W\2\2\u0f82\u0f83\7P\2\2"+
"\u0f83\u0f84\7N\2\2\u0f84\u0f85\7Q\2\2\u0f85\u0f86\7C\2\2\u0f86\u0f87"+
"\7F\2\2\u0f87\u01b2\3\2\2\2\u0f88\u0f89\7P\2\2\u0f89\u0f8a\7Q\2\2\u0f8a"+
"\u0f8b\7a\2\2\u0f8b\u0f8c\7E\2\2\u0f8c\u0f8d\7J\2\2\u0f8d\u0f8e\7G\2\2"+
"\u0f8e\u0f8f\7E\2\2\u0f8f\u0f90\7M\2\2\u0f90\u0f91\7U\2\2\u0f91\u0f92"+
"\7W\2\2\u0f92\u0f93\7O\2\2\u0f93\u01b4\3\2\2\2\u0f94\u0f95\7P\2\2\u0f95"+
"\u0f96\7Q\2\2\u0f96\u0f97\7a\2\2\u0f97\u0f98\7E\2\2\u0f98\u0f99\7Q\2\2"+
"\u0f99\u0f9a\7O\2\2\u0f9a\u0f9b\7R\2\2\u0f9b\u0f9c\7T\2\2\u0f9c\u0f9d"+
"\7G\2\2\u0f9d\u0f9e\7U\2\2\u0f9e\u0f9f\7U\2\2\u0f9f\u0fa0\7K\2\2\u0fa0"+
"\u0fa1\7Q\2\2\u0fa1\u0fa2\7P\2\2\u0fa2\u01b6\3\2\2\2\u0fa3\u0fa4\7P\2"+
"\2\u0fa4\u0fa5\7Q\2\2\u0fa5\u0fa6\7a\2\2\u0fa6\u0fa7\7G\2\2\u0fa7\u0fa8"+
"\7X\2\2\u0fa8\u0fa9\7G\2\2\u0fa9\u0faa\7P\2\2\u0faa\u0fab\7V\2\2\u0fab"+
"\u0fac\7a\2\2\u0fac\u0fad\7N\2\2\u0fad\u0fae\7Q\2\2\u0fae\u0faf\7U\2\2"+
"\u0faf\u0fb0\7U\2\2\u0fb0\u01b8\3\2\2\2\u0fb1\u0fb2\7P\2\2\u0fb2\u0fb3"+
"\7Q\2\2\u0fb3\u0fbb\7V\2\2\u0fb4\u0fb5\7p\2\2\u0fb5\u0fb6\7q\2\2\u0fb6"+
"\u0fbb\7v\2\2\u0fb7\u0fb8\7P\2\2\u0fb8\u0fb9\7q\2\2\u0fb9\u0fbb\7v\2\2"+
"\u0fba\u0fb1\3\2\2\2\u0fba\u0fb4\3\2\2\2\u0fba\u0fb7\3\2\2\2\u0fbb\u01ba"+
"\3\2\2\2\u0fbc\u0fbd\7P\2\2\u0fbd\u0fbe\7Q\2\2\u0fbe\u0fbf\7V\2\2\u0fbf"+
"\u0fc0\7K\2\2\u0fc0\u0fc1\7H\2\2\u0fc1\u0fc2\7K\2\2\u0fc2\u0fc3\7E\2\2"+
"\u0fc3\u0fc4\7C\2\2\u0fc4\u0fc5\7V\2\2\u0fc5\u0fc6\7K\2\2\u0fc6\u0fc7"+
"\7Q\2\2\u0fc7\u0fc8\7P\2\2\u0fc8\u01bc\3\2\2\2\u0fc9\u0fca\7P\2\2\u0fca"+
"\u0fcb\7V\2\2\u0fcb\u0fcc\7N\2\2\u0fcc\u0fcd\7O\2\2\u0fcd\u01be\3\2\2"+
"\2\u0fce\u0fcf\7P\2\2\u0fcf\u0fd0\7W\2\2\u0fd0\u0fd1\7N\2\2\u0fd1\u0fdb"+
"\7N\2\2\u0fd2\u0fd3\7p\2\2\u0fd3\u0fd4\7w\2\2\u0fd4\u0fd5\7n\2\2\u0fd5"+
"\u0fdb\7n\2\2\u0fd6\u0fd7\7P\2\2\u0fd7\u0fd8\7w\2\2\u0fd8\u0fd9\7n\2\2"+
"\u0fd9\u0fdb\7n\2\2\u0fda\u0fce\3\2\2\2\u0fda\u0fd2\3\2\2\2\u0fda\u0fd6"+
"\3\2\2\2\u0fdb\u01c0\3\2\2\2\u0fdc\u0fdd\7P\2\2\u0fdd\u0fde\7W\2\2\u0fde"+
"\u0fdf\7N\2\2\u0fdf\u0fe0\7N\2\2\u0fe0\u0fe1\7K\2\2\u0fe1\u0fe2\7H\2\2"+
"\u0fe2\u01c2\3\2\2\2\u0fe3\u0fe4\7Q\2\2\u0fe4\u0fe5\7H\2\2\u0fe5\u01c4"+
"\3\2\2\2\u0fe6\u0fe7\7Q\2\2\u0fe7\u0fe8\7H\2\2\u0fe8\u0fe9\7H\2\2\u0fe9"+
"\u01c6\3\2\2\2\u0fea\u0feb\7Q\2\2\u0feb\u0fec\7H\2\2\u0fec\u0fed\7H\2"+
"\2\u0fed\u0fee\7U\2\2\u0fee\u0fef\7G\2\2\u0fef\u0ff0\7V\2\2\u0ff0\u0ff1"+
"\7U\2\2\u0ff1\u01c8\3\2\2\2\u0ff2\u0ff3\7Q\2\2\u0ff3\u0ff4\7N\2\2\u0ff4"+
"\u0ff5\7F\2\2\u0ff5\u0ff6\7a\2\2\u0ff6\u0ff7\7R\2\2\u0ff7\u0ff8\7C\2\2"+
"\u0ff8\u0ff9\7U\2\2\u0ff9\u0ffa\7U\2\2\u0ffa\u0ffb\7Y\2\2\u0ffb\u0ffc"+
"\7Q\2\2\u0ffc\u0ffd\7T\2\2\u0ffd\u0ffe\7F\2\2\u0ffe\u01ca\3\2\2\2\u0fff"+
"\u1000\7Q\2\2\u1000\u1006\7P\2\2\u1001\u1002\7q\2\2\u1002\u1006\7p\2\2"+
"\u1003\u1004\7Q\2\2\u1004\u1006\7p\2\2\u1005\u0fff\3\2\2\2\u1005\u1001"+
"\3\2\2\2\u1005\u1003\3\2\2\2\u1006\u01cc\3\2\2\2\u1007\u1008\7Q\2\2\u1008"+
"\u1009\7P\2\2\u1009\u100a\7a\2\2\u100a\u100b\7H\2\2\u100b\u100c\7C\2\2"+
"\u100c\u100d\7K\2\2\u100d\u100e\7N\2\2\u100e\u100f\7W\2\2\u100f\u1010"+
"\7T\2\2\u1010\u1011\7G\2\2\u1011\u01ce\3\2\2\2\u1012\u1013\7Q\2\2\u1013"+
"\u1014\7R\2\2\u1014\u1015\7G\2\2\u1015\u1016\7P\2\2\u1016\u01d0\3\2\2"+
"\2\u1017\u1018\7Q\2\2\u1018\u1019\7R\2\2\u1019\u101a\7G\2\2\u101a\u101b"+
"\7P\2\2\u101b\u101c\7F\2\2\u101c\u101d\7C\2\2\u101d\u101e\7V\2\2\u101e"+
"\u101f\7C\2\2\u101f\u1020\7U\2\2\u1020\u1021\7Q\2\2\u1021\u1022\7W\2\2"+
"\u1022\u1023\7T\2\2\u1023\u1024\7E\2\2\u1024\u1025\7G\2\2\u1025\u01d2"+
"\3\2\2\2\u1026\u1027\7Q\2\2\u1027\u1028\7R\2\2\u1028\u1029\7G\2\2\u1029"+
"\u102a\7P\2\2\u102a\u102b\7S\2\2\u102b\u102c\7W\2\2\u102c\u102d\7G\2\2"+
"\u102d\u102e\7T\2\2\u102e\u102f\7[\2\2\u102f\u01d4\3\2\2\2\u1030\u1031"+
"\7Q\2\2\u1031\u1032\7R\2\2\u1032\u1033\7G\2\2\u1033\u1034\7P\2\2\u1034"+
"\u1035\7T\2\2\u1035\u1036\7Q\2\2\u1036\u1037\7Y\2\2\u1037\u1038\7U\2\2"+
"\u1038\u1039\7G\2\2\u1039\u103a\7V\2\2\u103a\u01d6\3\2\2\2\u103b\u103c"+
"\7Q\2\2\u103c\u103d\7R\2\2\u103d\u103e\7G\2\2\u103e\u103f\7P\2\2\u103f"+
"\u1040\7Z\2\2\u1040\u1041\7O\2\2\u1041\u1042\7N\2\2\u1042\u01d8\3\2\2"+
"\2\u1043\u1044\7Q\2\2\u1044\u1045\7R\2\2\u1045\u1046\7V\2\2\u1046\u1047"+
"\7K\2\2\u1047\u1048\7Q\2\2\u1048\u1049\7P\2\2\u1049\u01da\3\2\2\2\u104a"+
"\u104b\7Q\2\2\u104b\u1051\7T\2\2\u104c\u104d\7q\2\2\u104d\u1051\7t\2\2"+
"\u104e\u104f\7Q\2\2\u104f\u1051\7t\2\2\u1050\u104a\3\2\2\2\u1050\u104c"+
"\3\2\2\2\u1050\u104e\3\2\2\2\u1051\u01dc\3\2\2\2\u1052\u1053\7Q\2\2\u1053"+
"\u1054\7T\2\2\u1054\u1055\7F\2\2\u1055\u1056\7G\2\2\u1056\u1062\7T\2\2"+
"\u1057\u1058\7q\2\2\u1058\u1059\7t\2\2\u1059\u105a\7f\2\2\u105a\u105b"+
"\7g\2\2\u105b\u1062\7t\2\2\u105c\u105d\7Q\2\2\u105d\u105e\7t\2\2\u105e"+
"\u105f\7f\2\2\u105f\u1060\7g\2\2\u1060\u1062\7t\2\2\u1061\u1052\3\2\2"+
"\2\u1061\u1057\3\2\2\2\u1061\u105c\3\2\2\2\u1062\u01de\3\2\2\2\u1063\u1064"+
"\7Q\2\2\u1064\u1065\7W\2\2\u1065\u1066\7V\2\2\u1066\u1067\7G\2\2\u1067"+
"\u1073\7T\2\2\u1068\u1069\7q\2\2\u1069\u106a\7w\2\2\u106a\u106b\7v\2\2"+
"\u106b\u106c\7g\2\2\u106c\u1073\7t\2\2\u106d\u106e\7Q\2\2\u106e\u106f"+
"\7w\2\2\u106f\u1070\7v\2\2\u1070\u1071\7g\2\2\u1071\u1073\7t\2\2\u1072"+
"\u1063\3\2\2\2\u1072\u1068\3\2\2\2\u1072\u106d\3\2\2\2\u1073\u01e0\3\2"+
"\2\2\u1074\u1075\7Q\2\2\u1075\u1076\7X\2\2\u1076\u1077\7G\2\2\u1077\u1078"+
"\7T\2\2\u1078\u01e2\3\2\2\2\u1079\u107a\7R\2\2\u107a\u107b\7C\2\2\u107b"+
"\u107c\7I\2\2\u107c\u107d\7G\2\2\u107d\u01e4\3\2\2\2\u107e\u107f\7R\2"+
"\2\u107f\u1080\7C\2\2\u1080\u1081\7T\2\2\u1081\u1082\7C\2\2\u1082\u1083"+
"\7O\2\2\u1083\u1084\7a\2\2\u1084\u1085\7P\2\2\u1085\u1086\7Q\2\2\u1086"+
"\u1087\7F\2\2\u1087\u1088\7G\2\2\u1088\u01e6\3\2\2\2\u1089\u108a\7R\2"+
"\2\u108a\u108b\7C\2\2\u108b\u108c\7T\2\2\u108c\u108d\7V\2\2\u108d\u108e"+
"\7K\2\2\u108e\u108f\7C\2\2\u108f\u1090\7N\2\2\u1090\u01e8\3\2\2\2\u1091"+
"\u1092\7R\2\2\u1092\u1093\7C\2\2\u1093\u1094\7U\2\2\u1094\u1095\7U\2\2"+
"\u1095\u1096\7Y\2\2\u1096\u1097\7Q\2\2\u1097\u1098\7T\2\2\u1098\u1099"+
"\7F\2\2\u1099\u01ea\3\2\2\2\u109a\u109b\7R\2\2\u109b\u109c\7G\2\2\u109c"+
"\u109d\7T\2\2\u109d\u109e\7E\2\2\u109e\u109f\7G\2\2\u109f\u10a0\7P\2\2"+
"\u10a0\u10a1\7V\2\2\u10a1\u01ec\3\2\2\2\u10a2\u10a3\7R\2\2\u10a3\u10a4"+
"\7G\2\2\u10a4\u10a5\7T\2\2\u10a5\u10a6\7O\2\2\u10a6\u10a7\7K\2\2\u10a7"+
"\u10a8\7U\2\2\u10a8\u10a9\7U\2\2\u10a9\u10aa\7K\2\2\u10aa\u10ab\7Q\2\2"+
"\u10ab\u10ac\7P\2\2\u10ac\u10ad\7a\2\2\u10ad\u10ae\7U\2\2\u10ae\u10af"+
"\7G\2\2\u10af\u10b0\7V\2\2\u10b0\u01ee\3\2\2\2\u10b1\u10b2\7R\2\2\u10b2"+
"\u10b3\7G\2\2\u10b3\u10b4\7T\2\2\u10b4\u10b5\7a\2\2\u10b5\u10b6\7E\2\2"+
"\u10b6\u10b7\7R\2\2\u10b7\u10b8\7W\2\2\u10b8\u01f0\3\2\2\2\u10b9\u10ba"+
"\7R\2\2\u10ba\u10bb\7G\2\2\u10bb\u10bc\7T\2\2\u10bc\u10bd\7a\2\2\u10bd"+
"\u10be\7F\2\2\u10be\u10bf\7D\2\2\u10bf\u01f2\3\2\2\2\u10c0\u10c1\7R\2"+
"\2\u10c1\u10c2\7G\2\2\u10c2\u10c3\7T\2\2\u10c3\u10c4\7a\2\2\u10c4\u10c5"+
"\7P\2\2\u10c5\u10c6\7Q\2\2\u10c6\u10c7\7F\2\2\u10c7\u10c8\7G\2\2\u10c8"+
"\u01f4\3\2\2\2\u10c9\u10ca\7R\2\2\u10ca\u10cb\7K\2\2\u10cb\u10cc\7X\2"+
"\2\u10cc\u10cd\7Q\2\2\u10cd\u10ce\7V\2\2\u10ce\u01f6\3\2\2\2\u10cf\u10d0"+
"\7R\2\2\u10d0\u10d1\7N\2\2\u10d1\u10d2\7C\2\2\u10d2\u10d3\7P\2\2\u10d3"+
"\u01f8\3\2\2\2\u10d4\u10d5\7R\2\2\u10d5\u10d6\7N\2\2\u10d6\u10d7\7C\2"+
"\2\u10d7\u10d8\7V\2\2\u10d8\u10d9\7H\2\2\u10d9\u10da\7Q\2\2\u10da\u10db"+
"\7T\2\2\u10db\u10dc\7O\2\2\u10dc\u01fa\3\2\2\2\u10dd\u10de\7R\2\2\u10de"+
"\u10df\7Q\2\2\u10df\u10e0\7N\2\2\u10e0\u10e1\7K\2\2\u10e1\u10e2\7E\2\2"+
"\u10e2\u10e3\7[\2\2\u10e3\u01fc\3\2\2\2\u10e4\u10e5\7R\2\2\u10e5\u10e6"+
"\7T\2\2\u10e6\u10e7\7G\2\2\u10e7\u10e8\7E\2\2\u10e8\u10e9\7K\2\2\u10e9"+
"\u10ea\7U\2\2\u10ea\u10eb\7K\2\2\u10eb\u10ec\7Q\2\2\u10ec\u10ed\7P\2\2"+
"\u10ed\u01fe\3\2\2\2\u10ee\u10ef\7R\2\2\u10ef\u10f0\7T\2\2\u10f0\u10f1"+
"\7G\2\2\u10f1\u10f2\7F\2\2\u10f2\u10f3\7K\2\2\u10f3\u10f4\7E\2\2\u10f4"+
"\u10f5\7C\2\2\u10f5\u10f6\7V\2\2\u10f6\u10f7\7G\2\2\u10f7\u0200\3\2\2"+
"\2\u10f8\u10f9\7R\2\2\u10f9\u10fa\7T\2\2\u10fa\u10fb\7K\2\2\u10fb\u10fc"+
"\7O\2\2\u10fc\u10fd\7C\2\2\u10fd\u10fe\7T\2\2\u10fe\u10ff\7[\2\2\u10ff"+
"\u0202\3\2\2\2\u1100\u1101\7R\2\2\u1101\u1102\7T\2\2\u1102\u1103\7K\2"+
"\2\u1103\u1104\7P\2\2\u1104\u1105\7V\2\2\u1105\u0204\3\2\2\2\u1106\u1107"+
"\7R\2\2\u1107\u1108\7T\2\2\u1108\u1109\7Q\2\2\u1109\u110a\7E\2\2\u110a"+
"\u0206\3\2\2\2\u110b\u110c\7R\2\2\u110c\u110d\7T\2\2\u110d\u110e\7Q\2"+
"\2\u110e\u110f\7E\2\2\u110f\u1110\7G\2\2\u1110\u1111\7F\2\2\u1111\u1112"+
"\7W\2\2\u1112\u1113\7T\2\2\u1113\u1114\7G\2\2\u1114\u0208\3\2\2\2\u1115"+
"\u1116\7R\2\2\u1116\u1117\7T\2\2\u1117\u1118\7Q\2\2\u1118\u1119\7E\2\2"+
"\u1119\u111a\7G\2\2\u111a\u111b\7U\2\2\u111b\u111c\7U\2\2\u111c\u020a"+
"\3\2\2\2\u111d\u111e\7R\2\2\u111e\u111f\7W\2\2\u111f\u1120\7D\2\2\u1120"+
"\u1121\7N\2\2\u1121\u1122\7K\2\2\u1122\u1123\7E\2\2\u1123\u020c\3\2\2"+
"\2\u1124\u1125\7R\2\2\u1125\u1126\7[\2\2\u1126\u1127\7V\2\2\u1127\u1128"+
"\7J\2\2\u1128\u1129\7Q\2\2\u1129\u112a\7P\2\2\u112a\u020e\3\2\2\2\u112b"+
"\u112c\7T\2\2\u112c\u0210\3\2\2\2\u112d\u112e\7T\2\2\u112e\u112f\7C\2"+
"\2\u112f\u1130\7K\2\2\u1130\u1131\7U\2\2\u1131\u1132\7G\2\2\u1132\u1133"+
"\7T\2\2\u1133\u1134\7T\2\2\u1134\u1135\7Q\2\2\u1135\u1136\7T\2\2\u1136"+
"\u0212\3\2\2\2\u1137\u1138\7T\2\2\u1138\u1139\7C\2\2\u1139\u113a\7Y\2"+
"\2\u113a\u0214\3\2\2\2\u113b\u113c\7T\2\2\u113c\u113d\7G\2\2\u113d\u113e"+
"\7C\2\2\u113e\u113f\7F\2\2\u113f\u0216\3\2\2\2\u1140\u1141\7T\2\2\u1141"+
"\u1142\7G\2\2\u1142\u1143\7C\2\2\u1143\u1144\7F\2\2\u1144\u1145\7V\2\2"+
"\u1145\u1146\7G\2\2\u1146\u1147\7Z\2\2\u1147\u1148\7V\2\2\u1148\u0218"+
"\3\2\2\2\u1149\u114a\7T\2\2\u114a\u114b\7G\2\2\u114b\u114c\7C\2\2\u114c"+
"\u114d\7F\2\2\u114d\u114e\7a\2\2\u114e\u114f\7Y\2\2\u114f\u1150\7T\2\2"+
"\u1150\u1151\7K\2\2\u1151\u1152\7V\2\2\u1152\u1153\7G\2\2\u1153\u1154"+
"\7a\2\2\u1154\u1155\7H\2\2\u1155\u1156\7K\2\2\u1156\u1157\7N\2\2\u1157"+
"\u1158\7G\2\2\u1158\u1159\7I\2\2\u1159\u115a\7T\2\2\u115a\u115b\7Q\2\2"+
"\u115b\u115c\7W\2\2\u115c\u115d\7R\2\2\u115d\u115e\7U\2\2\u115e\u021a"+
"\3\2\2\2\u115f\u1160\7T\2\2\u1160\u1161\7G\2\2\u1161\u1162\7E\2\2\u1162"+
"\u1163\7Q\2\2\u1163\u1164\7P\2\2\u1164\u1165\7H\2\2\u1165\u1166\7K\2\2"+
"\u1166\u1167\7I\2\2\u1167\u1168\7W\2\2\u1168\u1169\7T\2\2\u1169\u116a"+
"\7G\2\2\u116a\u021c\3\2\2\2\u116b\u116c\7T\2\2\u116c\u116d\7G\2\2\u116d"+
"\u116e\7H\2\2\u116e\u116f\7G\2\2\u116f\u1170\7T\2\2\u1170\u1171\7G\2\2"+
"\u1171\u1172\7P\2\2\u1172\u1173\7E\2\2\u1173\u1174\7G\2\2\u1174\u1175"+
"\7U\2\2\u1175\u021e\3\2\2\2\u1176\u1177\7T\2\2\u1177\u1178\7G\2\2\u1178"+
"\u1179\7I\2\2\u1179\u117a\7G\2\2\u117a\u117b\7P\2\2\u117b\u117c\7G\2\2"+
"\u117c\u117d\7T\2\2\u117d\u117e\7C\2\2\u117e\u117f\7V\2\2\u117f\u1180"+
"\7G\2\2\u1180\u0220\3\2\2\2\u1181\u1182\7T\2\2\u1182\u1183\7G\2\2\u1183"+
"\u1184\7N\2\2\u1184\u1185\7C\2\2\u1185\u1186\7V\2\2\u1186\u1187\7G\2\2"+
"\u1187\u1188\7F\2\2\u1188\u1189\7a\2\2\u1189\u118a\7E\2\2\u118a\u118b"+
"\7Q\2\2\u118b\u118c\7P\2\2\u118c\u118d\7X\2\2\u118d\u118e\7G\2\2\u118e"+
"\u118f\7T\2\2\u118f\u1190\7U\2\2\u1190\u1191\7C\2\2\u1191\u1192\7V\2\2"+
"\u1192\u1193\7K\2\2\u1193\u1194\7Q\2\2\u1194\u1195\7P\2\2\u1195\u0222"+
"\3\2\2\2\u1196\u1197\7T\2\2\u1197\u1198\7G\2\2\u1198\u1199\7N\2\2\u1199"+
"\u119a\7C\2\2\u119a\u119b\7V\2\2\u119b\u119c\7G\2\2\u119c\u119d\7F\2\2"+
"\u119d\u119e\7a\2\2\u119e\u119f\7E\2\2\u119f\u11a0\7Q\2\2\u11a0\u11a1"+
"\7P\2\2\u11a1\u11a2\7X\2\2\u11a2\u11a3\7G\2\2\u11a3\u11a4\7T\2\2\u11a4"+
"\u11a5\7U\2\2\u11a5\u11a6\7C\2\2\u11a6\u11a7\7V\2\2\u11a7\u11a8\7K\2\2"+
"\u11a8\u11a9\7Q\2\2\u11a9\u11aa\7P\2\2\u11aa\u11ab\7a\2\2\u11ab\u11ac"+
"\7I\2\2\u11ac\u11ad\7T\2\2\u11ad\u11ae\7Q\2\2\u11ae\u11af\7W\2\2\u11af"+
"\u11b0\7R\2\2\u11b0\u0224\3\2\2\2\u11b1\u11b2\7T\2\2\u11b2\u11b3\7G\2"+
"\2\u11b3\u11b4\7R\2\2\u11b4\u11b5\7N\2\2\u11b5\u11b6\7K\2\2\u11b6\u11b7"+
"\7E\2\2\u11b7\u11b8\7C\2\2\u11b8\u11b9\7V\2\2\u11b9\u11ba\7K\2\2\u11ba"+
"\u11bb\7Q\2\2\u11bb\u11bc\7P\2\2\u11bc\u0226\3\2\2\2\u11bd\u11be\7T\2"+
"\2\u11be\u11bf\7G\2\2\u11bf\u11c0\7S\2\2\u11c0\u11c1\7W\2\2\u11c1\u11c2"+
"\7K\2\2\u11c2\u11c3\7T\2\2\u11c3\u11c4\7G\2\2\u11c4\u11c5\7F\2\2\u11c5"+
"\u0228\3\2\2\2\u11c6\u11c7\7T\2\2\u11c7\u11c8\7G\2\2\u11c8\u11c9\7U\2"+
"\2\u11c9\u11ca\7G\2\2\u11ca\u11cb\7V\2\2\u11cb\u022a\3\2\2\2\u11cc\u11cd"+
"\7T\2\2\u11cd\u11ce\7G\2\2\u11ce\u11cf\7U\2\2\u11cf\u11d0\7V\2\2\u11d0"+
"\u11d1\7C\2\2\u11d1\u11d2\7T\2\2\u11d2\u11d3\7V\2\2\u11d3\u022c\3\2\2"+
"\2\u11d4\u11d5\7T\2\2\u11d5\u11d6\7G\2\2\u11d6\u11d7\7U\2\2\u11d7\u11d8"+
"\7V\2\2\u11d8\u11d9\7Q\2\2\u11d9\u11da\7T\2\2\u11da\u11db\7G\2\2\u11db"+
"\u022e\3\2\2\2\u11dc\u11dd\7T\2\2\u11dd\u11de\7G\2\2\u11de\u11df\7U\2"+
"\2\u11df\u11e0\7V\2\2\u11e0\u11e1\7T\2\2\u11e1\u11e2\7K\2\2\u11e2\u11e3"+
"\7E\2\2\u11e3\u11e4\7V\2\2\u11e4\u0230\3\2\2\2\u11e5\u11e6\7T\2\2\u11e6"+
"\u11e7\7G\2\2\u11e7\u11e8\7U\2\2\u11e8\u11e9\7W\2\2\u11e9\u11ea\7O\2\2"+
"\u11ea\u11eb\7G\2\2\u11eb\u0232\3\2\2\2\u11ec\u11ed\7T\2\2\u11ed\u11ee"+
"\7G\2\2\u11ee\u11ef\7V\2\2\u11ef\u11f0\7C\2\2\u11f0\u11f1\7K\2\2\u11f1"+
"\u11f2\7P\2\2\u11f2\u11f3\7F\2\2\u11f3\u11f4\7C\2\2\u11f4\u11f5\7[\2\2"+
"\u11f5\u11f6\7U\2\2\u11f6\u0234\3\2\2\2\u11f7\u11f8\7T\2\2\u11f8\u11f9"+
"\7G\2\2\u11f9\u11fa\7V\2\2\u11fa\u11fb\7W\2\2\u11fb\u11fc\7T\2\2\u11fc"+
"\u11fd\7P\2\2\u11fd\u0236\3\2\2\2\u11fe\u11ff\7T\2\2\u11ff\u1200\7G\2"+
"\2\u1200\u1201\7V\2\2\u1201\u1202\7W\2\2\u1202\u1203\7T\2\2\u1203\u1204"+
"\7P\2\2\u1204\u1205\7U\2\2\u1205\u0238\3\2\2\2\u1206\u1207\7T\2\2\u1207"+
"\u1208\7G\2\2\u1208\u1209\7X\2\2\u1209\u120a\7G\2\2\u120a\u120b\7T\2\2"+
"\u120b\u120c\7V\2\2\u120c\u023a\3\2\2\2\u120d\u120e\7T\2\2\u120e\u120f"+
"\7G\2\2\u120f\u1210\7X\2\2\u1210\u1211\7Q\2\2\u1211\u1212\7M\2\2\u1212"+
"\u1213\7G\2\2\u1213\u023c\3\2\2\2\u1214\u1215\7T\2\2\u1215\u1216\7G\2"+
"\2\u1216\u1217\7Y\2\2\u1217\u1218\7K\2\2\u1218\u1219\7P\2\2\u1219\u121a"+
"\7F\2\2\u121a\u023e\3\2\2\2\u121b\u121c\7T\2\2\u121c\u121d\7K\2\2\u121d"+
"\u121e\7I\2\2\u121e\u121f\7J\2\2\u121f\u1220\7V\2\2\u1220\u0240\3\2\2"+
"\2\u1221\u1222\7T\2\2\u1222\u1223\7Q\2\2\u1223\u1224\7N\2\2\u1224\u1225"+
"\7N\2\2\u1225\u1226\7D\2\2\u1226\u1227\7C\2\2\u1227\u1228\7E\2\2\u1228"+
"\u1229\7M\2\2\u1229\u0242\3\2\2\2\u122a\u122b\7T\2\2\u122b\u122c\7Q\2"+
"\2\u122c\u122d\7N\2\2\u122d\u122e\7G\2\2\u122e\u0244\3\2\2\2\u122f\u1230"+
"\7T\2\2\u1230\u1231\7Q\2\2\u1231\u1232\7Y\2\2\u1232\u1233\7E\2\2\u1233"+
"\u1234\7Q\2\2\u1234\u1235\7W\2\2\u1235\u1236\7P\2\2\u1236\u1237\7V\2\2"+
"\u1237\u0246\3\2\2\2\u1238\u1239\7T\2\2\u1239\u123a\7Q\2\2\u123a\u123b"+
"\7Y\2\2\u123b\u123c\7I\2\2\u123c\u123d\7W\2\2\u123d\u123e\7K\2\2\u123e"+
"\u123f\7F\2\2\u123f\u1240\7E\2\2\u1240\u1241\7Q\2\2\u1241\u1242\7N\2\2"+
"\u1242\u0248\3\2\2\2\u1243\u1244\7T\2\2\u1244\u1245\7U\2\2\u1245\u1246"+
"\7C\2\2\u1246\u1247\7a\2\2\u1247\u1248\7\67\2\2\u1248\u1249\7\63\2\2\u1249"+
"\u124a\7\64\2\2\u124a\u024a\3\2\2\2\u124b\u124c\7T\2\2\u124c\u124d\7U"+
"\2\2\u124d\u124e\7C\2\2\u124e\u124f\7a\2\2\u124f\u1250\7\63\2\2\u1250"+
"\u1251\7\62\2\2\u1251\u1252\7\64\2\2\u1252\u1253\7\66\2\2\u1253\u024c"+
"\3\2\2\2\u1254\u1255\7T\2\2\u1255\u1256\7U\2\2\u1256\u1257\7C\2\2\u1257"+
"\u1258\7a\2\2\u1258\u1259\7\64\2\2\u1259\u125a\7\62\2\2\u125a\u125b\7"+
"\66\2\2\u125b\u125c\7:\2\2\u125c\u024e\3\2\2\2\u125d\u125e\7T\2\2\u125e"+
"\u125f\7U\2\2\u125f\u1260\7C\2\2\u1260\u1261\7a\2\2\u1261\u1262\7\65\2"+
"\2\u1262\u1263\7\62\2\2\u1263\u1264\79\2\2\u1264\u1265\7\64\2\2\u1265"+
"\u0250\3\2\2\2\u1266\u1267\7T\2\2\u1267\u1268\7U\2\2\u1268\u1269\7C\2"+
"\2\u1269\u126a\7a\2\2\u126a\u126b\7\66\2\2\u126b\u126c\7\62\2\2\u126c"+
"\u126d\7;\2\2\u126d\u126e\78\2\2\u126e\u0252\3\2\2\2\u126f\u1270\7U\2"+
"\2\u1270\u1271\7C\2\2\u1271\u1272\7H\2\2\u1272\u1273\7G\2\2\u1273\u1274"+
"\7V\2\2\u1274\u1275\7[\2\2\u1275\u0254\3\2\2\2\u1276\u1277\7T\2\2\u1277"+
"\u1278\7W\2\2\u1278\u1279\7N\2\2\u1279\u127a\7G\2\2\u127a\u0256\3\2\2"+
"\2\u127b\u127c\7U\2\2\u127c\u127d\7C\2\2\u127d\u127e\7H\2\2\u127e\u127f"+
"\7G\2\2\u127f\u0258\3\2\2\2\u1280\u1281\7U\2\2\u1281\u1282\7C\2\2\u1282"+
"\u1283\7X\2\2\u1283\u1284\7G\2\2\u1284\u025a\3\2\2\2\u1285\u1286\7U\2"+
"\2\u1286\u1287\7E\2\2\u1287\u1288\7J\2\2\u1288\u1289\7G\2\2\u1289\u128a"+
"\7F\2\2\u128a\u128b\7W\2\2\u128b\u128c\7N\2\2\u128c\u128d\7G\2\2\u128d"+
"\u128e\7T\2\2\u128e\u025c\3\2\2\2\u128f\u1290\7U\2\2\u1290\u1291\7E\2"+
"\2\u1291\u1292\7J\2\2\u1292\u1293\7G\2\2\u1293\u1294\7O\2\2\u1294\u1295"+
"\7C\2\2\u1295\u025e\3\2\2\2\u1296\u1297\7U\2\2\u1297\u1298\7E\2\2\u1298"+
"\u1299\7J\2\2\u1299\u129a\7G\2\2\u129a\u129b\7O\2\2\u129b\u129c\7G\2\2"+
"\u129c\u0260\3\2\2\2\u129d\u129e\7U\2\2\u129e\u129f\7G\2\2\u129f\u12a0"+
"\7E\2\2\u12a0\u12a1\7W\2\2\u12a1\u12a2\7T\2\2\u12a2\u12a3\7K\2\2\u12a3"+
"\u12a4\7V\2\2\u12a4\u12a5\7[\2\2\u12a5\u0262\3\2\2\2\u12a6\u12a7\7U\2"+
"\2\u12a7\u12a8\7G\2\2\u12a8\u12a9\7E\2\2\u12a9\u12aa\7W\2\2\u12aa\u12ab"+
"\7T\2\2\u12ab\u12ac\7K\2\2\u12ac\u12ad\7V\2\2\u12ad\u12ae\7[\2\2\u12ae"+
"\u12af\7C\2\2\u12af\u12b0\7W\2\2\u12b0\u12b1\7F\2\2\u12b1\u12b2\7K\2\2"+
"\u12b2\u12b3\7V\2\2\u12b3\u0264\3\2\2\2\u12b4\u12b5\7U\2\2\u12b5\u12b6"+
"\7G\2\2\u12b6\u12b7\7N\2\2\u12b7\u12b8\7G\2\2\u12b8\u12b9\7E\2\2\u12b9"+
"\u12ba\7V\2\2\u12ba\u0266\3\2\2\2\u12bb\u12bc\7U\2\2\u12bc\u12bd\7G\2"+
"\2\u12bd\u12be\7O\2\2\u12be\u12bf\7C\2\2\u12bf\u12c0\7P\2\2\u12c0\u12c1"+
"\7V\2\2\u12c1\u12c2\7K\2\2\u12c2\u12c3\7E\2\2\u12c3\u12c4\7M\2\2\u12c4"+
"\u12c5\7G\2\2\u12c5\u12c6\7[\2\2\u12c6\u12c7\7R\2\2\u12c7\u12c8\7J\2\2"+
"\u12c8\u12c9\7T\2\2\u12c9\u12ca\7C\2\2\u12ca\u12cb\7U\2\2\u12cb\u12cc"+
"\7G\2\2\u12cc\u12cd\7V\2\2\u12cd\u12ce\7C\2\2\u12ce\u12cf\7D\2\2\u12cf"+
"\u12d0\7N\2\2\u12d0\u12d1\7G\2\2\u12d1\u0268\3\2\2\2\u12d2\u12d3\7U\2"+
"\2\u12d3\u12d4\7G\2\2\u12d4\u12d5\7O\2\2\u12d5\u12d6\7C\2\2\u12d6\u12d7"+
"\7P\2\2\u12d7\u12d8\7V\2\2\u12d8\u12d9\7K\2\2\u12d9\u12da\7E\2\2\u12da"+
"\u12db\7U\2\2\u12db\u12dc\7K\2\2\u12dc\u12dd\7O\2\2\u12dd\u12de\7K\2\2"+
"\u12de\u12df\7N\2\2\u12df\u12e0\7C\2\2\u12e0\u12e1\7T\2\2\u12e1\u12e2"+
"\7K\2\2\u12e2\u12e3\7V\2\2\u12e3\u12e4\7[\2\2\u12e4\u12e5\7F\2\2\u12e5"+
"\u12e6\7G\2\2\u12e6\u12e7\7V\2\2\u12e7\u12e8\7C\2\2\u12e8\u12e9\7K\2\2"+
"\u12e9\u12ea\7N\2\2\u12ea\u12eb\7U\2\2\u12eb\u12ec\7V\2\2\u12ec\u12ed"+
"\7C\2\2\u12ed\u12ee\7D\2\2\u12ee\u12ef\7N\2\2\u12ef\u12f0\7G\2\2\u12f0"+
"\u026a\3\2\2\2\u12f1\u12f2\7U\2\2\u12f2\u12f3\7G\2\2\u12f3\u12f4\7O\2"+
"\2\u12f4\u12f5\7C\2\2\u12f5\u12f6\7P\2\2\u12f6\u12f7\7V\2\2\u12f7\u12f8"+
"\7K\2\2\u12f8\u12f9\7E\2\2\u12f9\u12fa\7U\2\2\u12fa\u12fb\7K\2\2\u12fb"+
"\u12fc\7O\2\2\u12fc\u12fd\7K\2\2\u12fd\u12fe\7N\2\2\u12fe\u12ff\7C\2\2"+
"\u12ff\u1300\7T\2\2\u1300\u1301\7K\2\2\u1301\u1302\7V\2\2\u1302\u1303"+
"\7[\2\2\u1303\u1304\7V\2\2\u1304\u1305\7C\2\2\u1305\u1306\7D\2\2\u1306"+
"\u1307\7N\2\2\u1307\u1308\7G\2\2\u1308\u026c\3\2\2\2\u1309\u130a\7U\2"+
"\2\u130a\u130b\7G\2\2\u130b\u130c\7S\2\2\u130c\u130d\7W\2\2\u130d\u130e"+
"\7G\2\2\u130e\u130f\7P\2\2\u130f\u1310\7E\2\2\u1310\u1311\7G\2\2\u1311"+
"\u026e\3\2\2\2\u1312\u1313\7U\2\2\u1313\u1314\7G\2\2\u1314\u1315\7T\2"+
"\2\u1315\u1316\7X\2\2\u1316\u1317\7G\2\2\u1317\u1318\7T\2\2\u1318\u0270"+
"\3\2\2\2\u1319\u131a\7U\2\2\u131a\u131b\7G\2\2\u131b\u131c\7T\2\2\u131c"+
"\u131d\7X\2\2\u131d\u131e\7K\2\2\u131e\u131f\7E\2\2\u131f\u1320\7G\2\2"+
"\u1320\u0272\3\2\2\2\u1321\u1322\7U\2\2\u1322\u1323\7G\2\2\u1323\u1324"+
"\7T\2\2\u1324\u1325\7X\2\2\u1325\u1326\7K\2\2\u1326\u1327\7E\2\2\u1327"+
"\u1328\7G\2\2\u1328\u1329\7a\2\2\u1329\u132a\7D\2\2\u132a\u132b\7T\2\2"+
"\u132b\u132c\7Q\2\2\u132c\u132d\7M\2\2\u132d\u132e\7G\2\2\u132e\u132f"+
"\7T\2\2\u132f\u0274\3\2\2\2\u1330\u1331\7U\2\2\u1331\u1332\7G\2\2\u1332"+
"\u1333\7T\2\2\u1333\u1334\7X\2\2\u1334\u1335\7K\2\2\u1335\u1336\7E\2\2"+
"\u1336\u1337\7G\2\2\u1337\u1338\7a\2\2\u1338\u1339\7P\2\2\u1339\u133a"+
"\7C\2\2\u133a\u133b\7O\2\2\u133b\u133c\7G\2\2\u133c\u0276\3\2\2\2\u133d"+
"\u133e\7U\2\2\u133e\u133f\7G\2\2\u133f\u1340\7U\2\2\u1340\u1341\7U\2\2"+
"\u1341\u1342\7K\2\2\u1342\u1343\7Q\2\2\u1343\u1344\7P\2\2\u1344\u0278"+
"\3\2\2\2\u1345\u1346\7U\2\2\u1346\u1347\7G\2\2\u1347\u1348\7U\2\2\u1348"+
"\u1349\7U\2\2\u1349\u134a\7K\2\2\u134a\u134b\7Q\2\2\u134b\u134c\7P\2\2"+
"\u134c\u134d\7a\2\2\u134d\u134e\7W\2\2\u134e\u134f\7U\2\2\u134f\u1350"+
"\7G\2\2\u1350\u1351\7T\2\2\u1351\u027a\3\2\2\2\u1352\u1353\7U\2\2\u1353"+
"\u1354\7G\2\2\u1354\u1355\7V\2\2\u1355\u027c\3\2\2\2\u1356\u1357\7U\2"+
"\2\u1357\u1358\7G\2\2\u1358\u1359\7V\2\2\u1359\u135a\7W\2\2\u135a\u135b"+
"\7U\2\2\u135b\u135c\7G\2\2\u135c\u135d\7T\2\2\u135d\u027e\3\2\2\2\u135e"+
"\u135f\7U\2\2\u135f\u1360\7J\2\2\u1360\u1361\7W\2\2\u1361\u1362\7V\2\2"+
"\u1362\u1363\7F\2\2\u1363\u1364\7Q\2\2\u1364\u1365\7Y\2\2\u1365\u1366"+
"\7P\2\2\u1366\u0280\3\2\2\2\u1367\u1368\7U\2\2\u1368\u1369\7K\2\2\u1369"+
"\u136a\7F\2\2\u136a\u0282\3\2\2\2\u136b\u136c\7U\2\2\u136c\u136d\7M\2"+
"\2\u136d\u136e\7K\2\2\u136e\u136f\7R\2\2\u136f\u0284\3\2\2\2\u1370\u1371"+
"\7U\2\2\u1371\u1372\7Q\2\2\u1372\u1373\7H\2\2\u1373\u1374\7V\2\2\u1374"+
"\u1375\7P\2\2\u1375\u1376\7W\2\2\u1376\u1377\7O\2\2\u1377\u1378\7C\2\2"+
"\u1378\u0286\3\2\2\2\u1379\u137a\7U\2\2\u137a\u137b\7Q\2\2\u137b\u137c"+
"\7O\2\2\u137c\u137d\7G\2\2\u137d\u0288\3\2\2\2\u137e\u137f\7U\2\2\u137f"+
"\u1380\7Q\2\2\u1380\u1381\7W\2\2\u1381\u1382\7T\2\2\u1382\u1383\7E\2\2"+
"\u1383\u1384\7G\2\2\u1384\u028a\3\2\2\2\u1385\u1386\7U\2\2\u1386\u1387"+
"\7R\2\2\u1387\u1388\7G\2\2\u1388\u1389\7E\2\2\u1389\u138a\7K\2\2\u138a"+
"\u138b\7H\2\2\u138b\u138c\7K\2\2\u138c\u138d\7E\2\2\u138d\u138e\7C\2\2"+
"\u138e\u138f\7V\2\2\u138f\u1390\7K\2\2\u1390\u1391\7Q\2\2\u1391\u1392"+
"\7P\2\2\u1392\u028c\3\2\2\2\u1393\u1394\7U\2\2\u1394\u1395\7R\2\2\u1395"+
"\u1396\7N\2\2\u1396\u1397\7K\2\2\u1397\u1398\7V\2\2\u1398\u028e\3\2\2"+
"\2\u1399\u139a\7U\2\2\u139a\u139b\7S\2\2\u139b\u139c\7N\2\2\u139c\u139d"+
"\7F\2\2\u139d\u139e\7W\2\2\u139e\u139f\7O\2\2\u139f\u13a0\7R\2\2\u13a0"+
"\u13a1\7G\2\2\u13a1\u13a2\7T\2\2\u13a2\u13a3\7H\2\2\u13a3\u13a4\7N\2\2"+
"\u13a4\u13a5\7C\2\2\u13a5\u13a6\7I\2\2\u13a6\u13a7\7U\2\2\u13a7\u0290"+
"\3\2\2\2\u13a8\u13a9\7U\2\2\u13a9\u13aa\7S\2\2\u13aa\u13ab\7N\2\2\u13ab"+
"\u13ac\7F\2\2\u13ac\u13ad\7W\2\2\u13ad\u13ae\7O\2\2\u13ae\u13af\7R\2\2"+
"\u13af\u13b0\7G\2\2\u13b0\u13b1\7T\2\2\u13b1\u13b2\7R\2\2\u13b2\u13b3"+
"\7C\2\2\u13b3\u13b4\7V\2\2\u13b4\u13b5\7J\2\2\u13b5\u0292\3\2\2\2\u13b6"+
"\u13b7\7U\2\2\u13b7\u13b8\7S\2\2\u13b8\u13b9\7N\2\2\u13b9\u13ba\7F\2\2"+
"\u13ba\u13bb\7W\2\2\u13bb\u13bc\7O\2\2\u13bc\u13bd\7R\2\2\u13bd\u13be"+
"\7G\2\2\u13be\u13bf\7T\2\2\u13bf\u13c0\7V\2\2\u13c0\u13c1\7K\2\2\u13c1"+
"\u13c2\7O\2\2\u13c2\u13c3\7G\2\2\u13c3\u13c4\7Q\2\2\u13c4\u13c5\7W\2\2"+
"\u13c5\u13c6\7V\2\2\u13c6\u13c7\7U\2\2\u13c7\u0294\3\2\2\2\u13c8\u13c9"+
"\7U\2\2\u13c9\u13ca\7V\2\2\u13ca\u13cb\7C\2\2\u13cb\u13cc\7V\2\2\u13cc"+
"\u13cd\7K\2\2\u13cd\u13ce\7U\2\2\u13ce\u13cf\7V\2\2\u13cf\u13d0\7K\2\2"+
"\u13d0\u13d1\7E\2\2\u13d1\u13d2\7U\2\2\u13d2\u0296\3\2\2\2\u13d3\u13d4"+
"\7U\2\2\u13d4\u13d5\7V\2\2\u13d5\u13d6\7C\2\2\u13d6\u13d7\7V\2\2\u13d7"+
"\u13d8\7G\2\2\u13d8\u0298\3\2\2\2\u13d9\u13da\7U\2\2\u13da\u13db\7V\2"+
"\2\u13db\u13dc\7C\2\2\u13dc\u13dd\7V\2\2\u13dd\u13de\7U\2\2\u13de\u029a"+
"\3\2\2\2\u13df\u13e0\7U\2\2\u13e0\u13e1\7V\2\2\u13e1\u13e2\7C\2\2\u13e2"+
"\u13e3\7T\2\2\u13e3\u13e4\7V\2\2\u13e4\u029c\3\2\2\2\u13e5\u13e6\7U\2"+
"\2\u13e6\u13e7\7V\2\2\u13e7\u13e8\7C\2\2\u13e8\u13e9\7T\2\2\u13e9\u13ea"+
"\7V\2\2\u13ea\u13eb\7G\2\2\u13eb\u13ec\7F\2\2\u13ec\u029e\3\2\2\2\u13ed"+
"\u13ee\7U\2\2\u13ee\u13ef\7V\2\2\u13ef\u13f0\7C\2\2\u13f0\u13f1\7T\2\2"+
"\u13f1\u13f2\7V\2\2\u13f2\u13f3\7W\2\2\u13f3\u13f4\7R\2\2\u13f4\u13f5"+
"\7a\2\2\u13f5\u13f6\7U\2\2\u13f6\u13f7\7V\2\2\u13f7\u13f8\7C\2\2\u13f8"+
"\u13f9\7V\2\2\u13f9\u13fa\7G\2\2\u13fa\u02a0\3\2\2\2\u13fb\u13fc\7U\2"+
"\2\u13fc\u13fd\7V\2\2\u13fd\u13fe\7Q\2\2\u13fe\u13ff\7R\2\2\u13ff\u02a2"+
"\3\2\2\2\u1400\u1401\7U\2\2\u1401\u1402\7V\2\2\u1402\u1403\7Q\2\2\u1403"+
"\u1404\7R\2\2\u1404\u1405\7R\2\2\u1405\u1406\7G\2\2\u1406\u1407\7F\2\2"+
"\u1407\u02a4\3\2\2\2\u1408\u1409\7U\2\2\u1409\u140a\7V\2\2\u140a\u140b"+
"\7Q\2\2\u140b\u140c\7R\2\2\u140c\u140d\7a\2\2\u140d\u140e\7Q\2\2\u140e"+
"\u140f\7P\2\2\u140f\u1410\7a\2\2\u1410\u1411\7G\2\2\u1411\u1412\7T\2\2"+
"\u1412\u1413\7T\2\2\u1413\u1414\7Q\2\2\u1414\u1415\7T\2\2\u1415\u02a6"+
"\3\2\2\2\u1416\u1417\7U\2\2\u1417\u1418\7W\2\2\u1418\u1419\7R\2\2\u1419"+
"\u141a\7R\2\2\u141a\u141b\7Q\2\2\u141b\u141c\7T\2\2\u141c\u141d\7V\2\2"+
"\u141d\u141e\7G\2\2\u141e\u141f\7F\2\2\u141f\u02a8\3\2\2\2\u1420\u1421"+
"\7U\2\2\u1421\u1422\7[\2\2\u1422\u1423\7U\2\2\u1423\u1424\7V\2\2\u1424"+
"\u1425\7G\2\2\u1425\u1426\7O\2\2\u1426\u02aa\3\2\2\2\u1427\u1428\7U\2"+
"\2\u1428\u1429\7[\2\2\u1429\u142a\7U\2\2\u142a\u142b\7V\2\2\u142b\u142c"+
"\7G\2\2\u142c\u142d\7O\2\2\u142d\u142e\7a\2\2\u142e\u142f\7W\2\2\u142f"+
"\u1430\7U\2\2\u1430\u1431\7G\2\2\u1431\u1432\7T\2\2\u1432\u02ac\3\2\2"+
"\2\u1433\u1434\7V\2\2\u1434\u1435\7C\2\2\u1435\u1436\7D\2\2\u1436\u1437"+
"\7N\2\2\u1437\u1438\7G\2\2\u1438\u02ae\3\2\2\2\u1439\u143a\7V\2\2\u143a"+
"\u143b\7C\2\2\u143b\u143c\7D\2\2\u143c\u143d\7N\2\2\u143d\u143e\7G\2\2"+
"\u143e\u143f\7U\2\2\u143f\u1440\7C\2\2\u1440\u1441\7O\2\2\u1441\u1442"+
"\7R\2\2\u1442\u1443\7N\2\2\u1443\u1444\7G\2\2\u1444\u02b0\3\2\2\2\u1445"+
"\u1446\7V\2\2\u1446\u1447\7C\2\2\u1447\u1448\7R\2\2\u1448\u1449\7G\2\2"+
"\u1449\u02b2\3\2\2\2\u144a\u144b\7V\2\2\u144b\u144c\7C\2\2\u144c\u144d"+
"\7T\2\2\u144d\u144e\7I\2\2\u144e\u144f\7G\2\2\u144f\u1450\7V\2\2\u1450"+
"\u02b4\3\2\2\2\u1451\u1452\7V\2\2\u1452\u1453\7E\2\2\u1453\u1454\7R\2"+
"\2\u1454\u02b6\3\2\2\2\u1455\u1456\7V\2\2\u1456\u1457\7G\2\2\u1457\u1458"+
"\7Z\2\2\u1458\u1459\7V\2\2\u1459\u145a\7U\2\2\u145a\u145b\7K\2\2\u145b"+
"\u145c\7\\\2\2\u145c\u145d\7G\2\2\u145d\u02b8\3\2\2\2\u145e\u145f\7V\2"+
"\2\u145f\u1460\7J\2\2\u1460\u1461\7G\2\2\u1461\u1462\7P\2\2\u1462\u02ba"+
"\3\2\2\2\u1463\u1464\7V\2\2\u1464\u1465\7Q\2\2\u1465\u02bc\3\2\2\2\u1466"+
"\u1467\7V\2\2\u1467\u1468\7Q\2\2\u1468\u1470\7R\2\2\u1469\u146a\7v\2\2"+
"\u146a\u146b\7q\2\2\u146b\u1470\7r\2\2\u146c\u146d\7V\2\2\u146d\u146e"+
"\7q\2\2\u146e\u1470\7r\2\2\u146f\u1466\3\2\2\2\u146f\u1469\3\2\2\2\u146f"+
"\u146c\3\2\2\2\u1470\u02be\3\2\2\2\u1471\u1472\7V\2\2\u1472\u1473\7T\2"+
"\2\u1473\u1474\7C\2\2\u1474\u1475\7E\2\2\u1475\u1476\7M\2\2\u1476\u1477"+
"\7a\2\2\u1477\u1478\7E\2\2\u1478\u1479\7C\2\2\u1479\u147a\7W\2\2\u147a"+
"\u147b\7U\2\2\u147b\u147c\7C\2\2\u147c\u147d\7N\2\2\u147d\u147e\7K\2\2"+
"\u147e\u147f\7V\2\2\u147f\u1480\7[\2\2\u1480\u02c0\3\2\2\2\u1481\u1482"+
"\7V\2\2\u1482\u1483\7T\2\2\u1483\u1484\7C\2\2\u1484\u1485\7P\2\2\u1485"+
"\u02c2\3\2\2\2\u1486\u1487\7V\2\2\u1487\u1488\7T\2\2\u1488\u1489\7C\2"+
"\2\u1489\u148a\7P\2\2\u148a\u148b\7U\2\2\u148b\u148c\7C\2\2\u148c\u148d"+
"\7E\2\2\u148d\u148e\7V\2\2\u148e\u148f\7K\2\2\u148f\u1490\7Q\2\2\u1490"+
"\u1491\7P\2\2\u1491\u02c4\3\2\2\2\u1492\u1493\7V\2\2\u1493\u1494\7T\2"+
"\2\u1494\u1495\7C\2\2\u1495\u1496\7P\2\2\u1496\u1497\7U\2\2\u1497\u1498"+
"\7H\2\2\u1498\u1499\7G\2\2\u1499\u149a\7T\2\2\u149a\u02c6\3\2\2\2\u149b"+
"\u149c\7V\2\2\u149c\u149d\7T\2\2\u149d\u149e\7K\2\2\u149e\u149f\7I\2\2"+
"\u149f\u14a0\7I\2\2\u14a0\u14a1\7G\2\2\u14a1\u14a2\7T\2\2\u14a2\u02c8"+
"\3\2\2\2\u14a3\u14a4\7V\2\2\u14a4\u14a5\7T\2\2\u14a5\u14a6\7W\2\2\u14a6"+
"\u14a7\7P\2\2\u14a7\u14a8\7E\2\2\u14a8\u14a9\7C\2\2\u14a9\u14aa\7V\2\2"+
"\u14aa\u14ab\7G\2\2\u14ab\u02ca\3\2\2\2\u14ac\u14ad\7V\2\2\u14ad\u14ae"+
"\7U\2\2\u14ae\u14af\7G\2\2\u14af\u14b0\7S\2\2\u14b0\u14b1\7W\2\2\u14b1"+
"\u14b2\7C\2\2\u14b2\u14b3\7N\2\2\u14b3\u02cc\3\2\2\2\u14b4\u14b5\7W\2"+
"\2\u14b5\u14b6\7P\2\2\u14b6\u14b7\7E\2\2\u14b7\u14b8\7J\2\2\u14b8\u14b9"+
"\7G\2\2\u14b9\u14ba\7E\2\2\u14ba\u14bb\7M\2\2\u14bb\u14bc\7G\2\2\u14bc"+
"\u14bd\7F\2\2\u14bd\u02ce\3\2\2\2\u14be\u14bf\7W\2\2\u14bf\u14c0\7P\2"+
"\2\u14c0\u14c1\7K\2\2\u14c1\u14c2\7Q\2\2\u14c2\u14c3\7P\2\2\u14c3\u02d0"+
"\3\2\2\2\u14c4\u14c5\7W\2\2\u14c5\u14c6\7P\2\2\u14c6\u14c7\7K\2\2\u14c7"+
"\u14c8\7S\2\2\u14c8\u14c9\7W\2\2\u14c9\u14ca\7G\2\2\u14ca\u02d2\3\2\2"+
"\2\u14cb\u14cc\7W\2\2\u14cc\u14cd\7P\2\2\u14cd\u14ce\7N\2\2\u14ce\u14cf"+
"\7Q\2\2\u14cf\u14d0\7E\2\2\u14d0\u14d1\7M\2\2\u14d1\u02d4\3\2\2\2\u14d2"+
"\u14d3\7W\2\2\u14d3\u14d4\7P\2\2\u14d4\u14d5\7R\2\2\u14d5\u14d6\7K\2\2"+
"\u14d6\u14d7\7X\2\2\u14d7\u14d8\7Q\2\2\u14d8\u14d9\7V\2\2\u14d9\u02d6"+
"\3\2\2\2\u14da\u14db\7W\2\2\u14db\u14dc\7P\2\2\u14dc\u14dd\7U\2\2\u14dd"+
"\u14de\7C\2\2\u14de\u14df\7H\2\2\u14df\u14e0\7G\2\2\u14e0\u02d8\3\2\2"+
"\2\u14e1\u14e2\7W\2\2\u14e2\u14e3\7R\2\2\u14e3\u14e4\7F\2\2\u14e4\u14e5"+
"\7C\2\2\u14e5\u14e6\7V\2\2\u14e6\u14e7\7G\2\2\u14e7\u02da\3\2\2\2\u14e8"+
"\u14e9\7W\2\2\u14e9\u14ea\7R\2\2\u14ea\u14eb\7F\2\2\u14eb\u14ec\7C\2\2"+
"\u14ec\u14ed\7V\2\2\u14ed\u14ee\7G\2\2\u14ee\u14ef\7V\2\2\u14ef\u14f0"+
"\7G\2\2\u14f0\u14f1\7Z\2\2\u14f1\u14f2\7V\2\2\u14f2\u02dc\3\2\2\2\u14f3"+
"\u14f4\7W\2\2\u14f4\u14f5\7T\2\2\u14f5\u14f6\7N\2\2\u14f6\u02de\3\2\2"+
"\2\u14f7\u14f8\7W\2\2\u14f8\u14f9\7U\2\2\u14f9\u14fa\7G\2\2\u14fa\u02e0"+
"\3\2\2\2\u14fb\u14fc\7W\2\2\u14fc\u14fd\7U\2\2\u14fd\u14fe\7G\2\2\u14fe"+
"\u14ff\7F\2\2\u14ff\u02e2\3\2\2\2\u1500\u1501\7W\2\2\u1501\u1502\7U\2"+
"\2\u1502\u1503\7G\2\2\u1503\u1504\7T\2\2\u1504\u02e4\3\2\2\2\u1505\u1506"+
"\7X\2\2\u1506\u1507\7C\2\2\u1507\u1508\7N\2\2\u1508\u1509\7W\2\2\u1509"+
"\u150a\7G\2\2\u150a\u150b\7U\2\2\u150b\u02e6\3\2\2\2\u150c\u150d\7X\2"+
"\2\u150d\u150e\7C\2\2\u150e\u150f\7T\2\2\u150f\u1510\7[\2\2\u1510\u1511"+
"\7K\2\2\u1511\u1512\7P\2\2\u1512\u1513\7I\2\2\u1513\u02e8\3\2\2\2\u1514"+
"\u1515\7X\2\2\u1515\u1516\7G\2\2\u1516\u1517\7T\2\2\u1517\u1518\7D\2\2"+
"\u1518\u1519\7Q\2\2\u1519\u151a\7U\2\2\u151a\u151b\7G\2\2\u151b\u151c"+
"\7N\2\2\u151c\u151d\7Q\2\2\u151d\u151e\7I\2\2\u151e\u151f\7I\2\2\u151f"+
"\u1520\7K\2\2\u1520\u1521\7P\2\2\u1521\u1522\7I\2\2\u1522\u02ea\3\2\2"+
"\2\u1523\u1524\7X\2\2\u1524\u1525\7K\2\2\u1525\u1526\7G\2\2\u1526\u1527"+
"\7Y\2\2\u1527\u02ec\3\2\2\2\u1528\u1529\7X\2\2\u1529\u152a\7K\2\2\u152a"+
"\u152b\7U\2\2\u152b\u152c\7K\2\2\u152c\u152d\7D\2\2\u152d\u152e\7K\2\2"+
"\u152e\u152f\7N\2\2\u152f\u1530\7K\2\2\u1530\u1531\7V\2\2\u1531\u1532"+
"\7[\2\2\u1532\u02ee\3\2\2\2\u1533\u1534\7Y\2\2\u1534\u1535\7C\2\2\u1535"+
"\u1536\7K\2\2\u1536\u1537\7V\2\2\u1537\u1538\7H\2\2\u1538\u1539\7Q\2\2"+
"\u1539\u153a\7T\2\2\u153a\u02f0\3\2\2\2\u153b\u153c\7Y\2\2\u153c\u153d"+
"\7J\2\2\u153d\u153e\7G\2\2\u153e\u153f\7P\2\2\u153f\u02f2\3\2\2\2\u1540"+
"\u1541\7Y\2\2\u1541\u1542\7J\2\2\u1542\u1543\7G\2\2\u1543\u1544\7T\2\2"+
"\u1544\u1545\7G\2\2\u1545\u02f4\3\2\2\2\u1546\u1547\7Y\2\2\u1547\u1548"+
"\7J\2\2\u1548\u1549\7K\2\2\u1549\u154a\7N\2\2\u154a\u154b\7G\2\2\u154b"+
"\u02f6\3\2\2\2\u154c\u154d\7Y\2\2\u154d\u154e\7K\2\2\u154e\u154f\7P\2"+
"\2\u154f\u1550\7F\2\2\u1550\u1551\7Q\2\2\u1551\u1552\7Y\2\2\u1552\u1553"+
"\7U\2\2\u1553\u02f8\3\2\2\2\u1554\u1555\7Y\2\2\u1555\u1556\7K\2\2\u1556"+
"\u1557\7V\2\2\u1557\u1558\7J\2\2\u1558\u02fa\3\2\2\2\u1559\u155a\7Y\2"+
"\2\u155a\u155b\7K\2\2\u155b\u155c\7V\2\2\u155c\u155d\7J\2\2\u155d\u155e"+
"\7K\2\2\u155e\u155f\7P\2\2\u155f\u02fc\3\2\2\2\u1560\u1561\7Y\2\2\u1561"+
"\u1562\7K\2\2\u1562\u1563\7V\2\2\u1563\u1564\7J\2\2\u1564\u1565\7Q\2\2"+
"\u1565\u1566\7W\2\2\u1566\u1567\7V\2\2\u1567\u02fe\3\2\2\2\u1568\u1569"+
"\7Y\2\2\u1569\u156a\7K\2\2\u156a\u156b\7V\2\2\u156b\u156c\7P\2\2\u156c"+
"\u156d\7G\2\2\u156d\u156e\7U\2\2\u156e\u156f\7U\2\2\u156f\u0300\3\2\2"+
"\2\u1570\u1571\7Y\2\2\u1571\u1572\7T\2\2\u1572\u1573\7K\2\2\u1573\u1574"+
"\7V\2\2\u1574\u1575\7G\2\2\u1575\u1576\7V\2\2\u1576\u1577\7G\2\2\u1577"+
"\u1578\7Z\2\2\u1578\u1579\7V\2\2\u1579\u0302\3\2\2\2\u157a\u157b\7C\2"+
"\2\u157b\u157c\7D\2\2\u157c\u157d\7U\2\2\u157d\u157e\7Q\2\2\u157e\u157f"+
"\7N\2\2\u157f\u1580\7W\2\2\u1580\u1581\7V\2\2\u1581\u1582\7G\2\2\u1582"+
"\u0304\3\2\2\2\u1583\u1584\7C\2\2\u1584\u1585\7E\2\2\u1585\u1586\7E\2"+
"\2\u1586\u1587\7G\2\2\u1587\u1588\7P\2\2\u1588\u1589\7V\2\2\u1589\u158a"+
"\7a\2\2\u158a\u158b\7U\2\2\u158b\u158c\7G\2\2\u158c\u158d\7P\2\2\u158d"+
"\u158e\7U\2\2\u158e\u158f\7K\2\2\u158f\u1590\7V\2\2\u1590\u1591\7K\2\2"+
"\u1591\u1592\7X\2\2\u1592\u1593\7K\2\2\u1593\u1594\7V\2\2\u1594\u1595"+
"\7[\2\2\u1595\u0306\3\2\2\2\u1596\u1597\7C\2\2\u1597\u1598\7E\2\2\u1598"+
"\u1599\7V\2\2\u1599\u159a\7K\2\2\u159a\u159b\7Q\2\2\u159b\u159c\7P\2\2"+
"\u159c\u0308\3\2\2\2\u159d\u159e\7C\2\2\u159e\u159f\7E\2\2\u159f\u15a0"+
"\7V\2\2\u15a0\u15a1\7K\2\2\u15a1\u15a2\7X\2\2\u15a2\u15a3\7C\2\2\u15a3"+
"\u15a4\7V\2\2\u15a4\u15a5\7K\2\2\u15a5\u15a6\7Q\2\2\u15a6\u15a7\7P\2\2"+
"\u15a7\u030a\3\2\2\2\u15a8\u15a9\7C\2\2\u15a9\u15aa\7E\2\2\u15aa\u15ab"+
"\7V\2\2\u15ab\u15ac\7K\2\2\u15ac\u15ad\7X\2\2\u15ad\u15ae\7G\2\2\u15ae"+
"\u030c\3\2\2\2\u15af\u15b0\7C\2\2\u15b0\u15b1\7F\2\2\u15b1\u15b2\7F\2"+
"\2\u15b2\u15b3\7T\2\2\u15b3\u15b4\7G\2\2\u15b4\u15b5\7U\2\2\u15b5\u15b6"+
"\7U\2\2\u15b6\u030e\3\2\2\2\u15b7\u15b8\7C\2\2\u15b8\u15b9\7G\2\2\u15b9"+
"\u15ba\7U\2\2\u15ba\u15bb\7a\2\2\u15bb\u15bc\7\63\2\2\u15bc\u15bd\7\64"+
"\2\2\u15bd\u15be\7:\2\2\u15be\u0310\3\2\2\2\u15bf\u15c0\7C\2\2\u15c0\u15c1"+
"\7G\2\2\u15c1\u15c2\7U\2\2\u15c2\u15c3\7a\2\2\u15c3\u15c4\7\63\2\2\u15c4"+
"\u15c5\7;\2\2\u15c5\u15c6\7\64\2\2\u15c6\u0312\3\2\2\2\u15c7\u15c8\7C"+
"\2\2\u15c8\u15c9\7G\2\2\u15c9\u15ca\7U\2\2\u15ca\u15cb\7a\2\2\u15cb\u15cc"+
"\7\64\2\2\u15cc\u15cd\7\67\2\2\u15cd\u15ce\78\2\2\u15ce\u0314\3\2\2\2"+
"\u15cf\u15d0\7C\2\2\u15d0\u15d1\7H\2\2\u15d1\u15d2\7H\2\2\u15d2\u15d3"+
"\7K\2\2\u15d3\u15d4\7P\2\2\u15d4\u15d5\7K\2\2\u15d5\u15d6\7V\2\2\u15d6"+
"\u15d7\7[\2\2\u15d7\u0316\3\2\2\2\u15d8\u15d9\7C\2\2\u15d9\u15da\7H\2"+
"\2\u15da\u15db\7V\2\2\u15db\u15dc\7G\2\2\u15dc\u15dd\7T\2\2\u15dd\u0318"+
"\3\2\2\2\u15de\u15df\7C\2\2\u15df\u15e0\7I\2\2\u15e0\u15e1\7I\2\2\u15e1"+
"\u15e2\7T\2\2\u15e2\u15e3\7G\2\2\u15e3\u15e4\7I\2\2\u15e4\u15e5\7C\2\2"+
"\u15e5\u15e6\7V\2\2\u15e6\u15e7\7G\2\2\u15e7\u031a\3\2\2\2\u15e8\u15e9"+
"\7C\2\2\u15e9\u15ea\7N\2\2\u15ea\u15eb\7I\2\2\u15eb\u15ec\7Q\2\2\u15ec"+
"\u15ed\7T\2\2\u15ed\u15ee\7K\2\2\u15ee\u15ef\7V\2\2\u15ef\u15f0\7J\2\2"+
"\u15f0\u15f1\7O\2\2\u15f1\u031c\3\2\2\2\u15f2\u15f3\7C\2\2\u15f3\u15f4"+
"\7N\2\2\u15f4\u15f5\7N\2\2\u15f5\u15f6\7Q\2\2\u15f6\u15f7\7Y\2\2\u15f7"+
"\u15f8\7a\2\2\u15f8\u15f9\7G\2\2\u15f9\u15fa\7P\2\2\u15fa\u15fb\7E\2\2"+
"\u15fb\u15fc\7T\2\2\u15fc\u15fd\7[\2\2\u15fd\u15fe\7R\2\2\u15fe\u15ff"+
"\7V\2\2\u15ff\u1600\7G\2\2\u1600\u1601\7F\2\2\u1601\u1602\7a\2\2\u1602"+
"\u1603\7X\2\2\u1603\u1604\7C\2\2\u1604\u1605\7N\2\2\u1605\u1606\7W\2\2"+
"\u1606\u1607\7G\2\2\u1607\u1608\7a\2\2\u1608\u1609\7O\2\2\u1609\u160a"+
"\7Q\2\2\u160a\u160b\7F\2\2\u160b\u160c\7K\2\2\u160c\u160d\7H\2\2\u160d"+
"\u160e\7K\2\2\u160e\u160f\7E\2\2\u160f\u1610\7C\2\2\u1610\u1611\7V\2\2"+
"\u1611\u1612\7K\2\2\u1612\u1613\7Q\2\2\u1613\u1614\7P\2\2\u1614\u1615"+
"\7U\2\2\u1615\u031e\3\2\2\2\u1616\u1617\7C\2\2\u1617\u1618\7N\2\2\u1618"+
"\u1619\7N\2\2\u1619\u161a\7Q\2\2\u161a\u161b\7Y\2\2\u161b\u161c\7a\2\2"+
"\u161c\u161d\7U\2\2\u161d\u161e\7P\2\2\u161e\u161f\7C\2\2\u161f\u1620"+
"\7R\2\2\u1620\u1621\7U\2\2\u1621\u1622\7J\2\2\u1622\u1623\7Q\2\2\u1623"+
"\u1624\7V\2\2\u1624\u1625\7a\2\2\u1625\u1626\7K\2\2\u1626\u1627\7U\2\2"+
"\u1627\u1628\7Q\2\2\u1628\u1629\7N\2\2\u1629\u162a\7C\2\2\u162a\u162b"+
"\7V\2\2\u162b\u162c\7K\2\2\u162c\u162d\7Q\2\2\u162d\u162e\7P\2\2\u162e"+
"\u0320\3\2\2\2\u162f\u1630\7C\2\2\u1630\u1631\7N\2\2\u1631\u1632\7N\2"+
"\2\u1632\u1633\7Q\2\2\u1633\u1634\7Y\2\2\u1634\u1635\7G\2\2\u1635\u1636"+
"\7F\2\2\u1636\u0322\3\2\2\2\u1637\u1638\7C\2\2\u1638\u1639\7P\2\2\u1639"+
"\u163a\7U\2\2\u163a\u163b\7K\2\2\u163b\u163c\7a\2\2\u163c\u163d\7P\2\2"+
"\u163d\u163e\7W\2\2\u163e\u163f\7N\2\2\u163f\u1640\7N\2\2\u1640\u1641"+
"\7a\2\2\u1641\u1642\7F\2\2\u1642\u1643\7G\2\2\u1643\u1644\7H\2\2\u1644"+
"\u1645\7C\2\2\u1645\u1646\7W\2\2\u1646\u1647\7N\2\2\u1647\u1648\7V\2\2"+
"\u1648\u0324\3\2\2\2\u1649\u164a\7C\2\2\u164a\u164b\7P\2\2\u164b\u164c"+
"\7U\2\2\u164c\u164d\7K\2\2\u164d\u164e\7a\2\2\u164e\u164f\7P\2\2\u164f"+
"\u1650\7W\2\2\u1650\u1651\7N\2\2\u1651\u1652\7N\2\2\u1652\u1653\7U\2\2"+
"\u1653\u0326\3\2\2\2\u1654\u1655\7C\2\2\u1655\u1656\7P\2\2\u1656\u1657"+
"\7U\2\2\u1657\u1658\7K\2\2\u1658\u1659\7a\2\2\u1659\u165a\7R\2\2\u165a"+
"\u165b\7C\2\2\u165b\u165c\7F\2\2\u165c\u165d\7F\2\2\u165d\u165e\7K\2\2"+
"\u165e\u165f\7P\2\2\u165f\u1660\7I\2\2\u1660\u0328\3\2\2\2\u1661\u1662"+
"\7C\2\2\u1662\u1663\7P\2\2\u1663\u1664\7U\2\2\u1664\u1665\7K\2\2\u1665"+
"\u1666\7a\2\2\u1666\u1667\7Y\2\2\u1667\u1668\7C\2\2\u1668\u1669\7T\2\2"+
"\u1669\u166a\7P\2\2\u166a\u166b\7K\2\2\u166b\u166c\7P\2\2\u166c\u166d"+
"\7I\2\2\u166d\u166e\7U\2\2\u166e\u032a\3\2\2\2\u166f\u1670\7C\2\2\u1670"+
"\u1671\7R\2\2\u1671\u1672\7R\2\2\u1672\u1673\7N\2\2\u1673\u1674\7K\2\2"+
"\u1674\u1675\7E\2\2\u1675\u1676\7C\2\2\u1676\u1677\7V\2\2\u1677\u1678"+
"\7K\2\2\u1678\u1679\7Q\2\2\u1679\u167a\7P\2\2\u167a\u167b\7a\2\2\u167b"+
"\u167c\7N\2\2\u167c\u167d\7Q\2\2\u167d\u167e\7I\2\2\u167e\u032c\3\2\2"+
"\2\u167f\u1680\7C\2\2\u1680\u1681\7R\2\2\u1681\u1682\7R\2\2\u1682\u1683"+
"\7N\2\2\u1683\u1684\7[\2\2\u1684\u032e\3\2\2\2\u1685\u1686\7C\2\2\u1686"+
"\u1687\7T\2\2\u1687\u1688\7K\2\2\u1688\u1689\7V\2\2\u1689\u168a\7J\2\2"+
"\u168a\u168b\7C\2\2\u168b\u168c\7D\2\2\u168c\u168d\7Q\2\2\u168d\u168e"+
"\7T\2\2\u168e\u168f\7V\2\2\u168f\u0330\3\2\2\2\u1690\u1691\7C\2\2\u1691"+
"\u1692\7U\2\2\u1692\u1693\7U\2\2\u1693\u1694\7G\2\2\u1694\u1695\7O\2\2"+
"\u1695\u1696\7D\2\2\u1696\u1697\7N\2\2\u1697\u1698\7[\2\2\u1698\u0332"+
"\3\2\2\2\u1699\u169a\7C\2\2\u169a\u169b\7W\2\2\u169b\u169c\7F\2\2\u169c"+
"\u169d\7K\2\2\u169d\u169e\7V\2\2\u169e\u0334\3\2\2\2\u169f\u16a0\7C\2"+
"\2\u16a0\u16a1\7W\2\2\u16a1\u16a2\7F\2\2\u16a2\u16a3\7K\2\2\u16a3\u16a4"+
"\7V\2\2\u16a4\u16a5\7a\2\2\u16a5\u16a6\7I\2\2\u16a6\u16a7\7W\2\2\u16a7"+
"\u16a8\7K\2\2\u16a8\u16a9\7F\2\2\u16a9\u0336\3\2\2\2\u16aa\u16ab\7C\2"+
"\2\u16ab\u16ac\7W\2\2\u16ac\u16ad\7V\2\2\u16ad\u16ae\7Q\2\2\u16ae\u0338"+
"\3\2\2\2\u16af\u16b0\7C\2\2\u16b0\u16b1\7W\2\2\u16b1\u16b2\7V\2\2\u16b2"+
"\u16b3\7Q\2\2\u16b3\u16b4\7a\2\2\u16b4\u16b5\7E\2\2\u16b5\u16b6\7N\2\2"+
"\u16b6\u16b7\7G\2\2\u16b7\u16b8\7C\2\2\u16b8\u16b9\7P\2\2\u16b9\u16ba"+
"\7W\2\2\u16ba\u16bb\7R\2\2\u16bb\u033a\3\2\2\2\u16bc\u16bd\7C\2\2\u16bd"+
"\u16be\7W\2\2\u16be\u16bf\7V\2\2\u16bf\u16c0\7Q\2\2\u16c0\u16c1\7a\2\2"+
"\u16c1\u16c2\7E\2\2\u16c2\u16c3\7N\2\2\u16c3\u16c4\7Q\2\2\u16c4\u16c5"+
"\7U\2\2\u16c5\u16c6\7G\2\2\u16c6\u033c\3\2\2\2\u16c7\u16c8\7C\2\2\u16c8"+
"\u16c9\7W\2\2\u16c9\u16ca\7V\2\2\u16ca\u16cb\7Q\2\2\u16cb\u16cc\7a\2\2"+
"\u16cc\u16cd\7E\2\2\u16cd\u16ce\7T\2\2\u16ce\u16cf\7G\2\2\u16cf\u16d0"+
"\7C\2\2\u16d0\u16d1\7V\2\2\u16d1\u16d2\7G\2\2\u16d2\u16d3\7a\2\2\u16d3"+
"\u16d4\7U\2\2\u16d4\u16d5\7V\2\2\u16d5\u16d6\7C\2\2\u16d6\u16d7\7V\2\2"+
"\u16d7\u16d8\7K\2\2\u16d8\u16d9\7U\2\2\u16d9\u16da\7V\2\2\u16da\u16db"+
"\7K\2\2\u16db\u16dc\7E\2\2\u16dc\u16dd\7U\2\2\u16dd\u033e\3\2\2\2\u16de"+
"\u16df\7C\2\2\u16df\u16e0\7W\2\2\u16e0\u16e1\7V\2\2\u16e1\u16e2\7Q\2\2"+
"\u16e2\u16e3\7a\2\2\u16e3\u16e4\7U\2\2\u16e4\u16e5\7J\2\2\u16e5\u16e6"+
"\7T\2\2\u16e6\u16e7\7K\2\2\u16e7\u16e8\7P\2\2\u16e8\u16e9\7M\2\2\u16e9"+
"\u0340\3\2\2\2\u16ea\u16eb\7C\2\2\u16eb\u16ec\7W\2\2\u16ec\u16ed\7V\2"+
"\2\u16ed\u16ee\7Q\2\2\u16ee\u16ef\7a\2\2\u16ef\u16f0\7W\2\2\u16f0\u16f1"+
"\7R\2\2\u16f1\u16f2\7F\2\2\u16f2\u16f3\7C\2\2\u16f3\u16f4\7V\2\2\u16f4"+
"\u16f5\7G\2\2\u16f5\u16f6\7a\2\2\u16f6\u16f7\7U\2\2\u16f7\u16f8\7V\2\2"+
"\u16f8\u16f9\7C\2\2\u16f9\u16fa\7V\2\2\u16fa\u16fb\7K\2\2\u16fb\u16fc"+
"\7U\2\2\u16fc\u16fd\7V\2\2\u16fd\u16fe\7K\2\2\u16fe\u16ff\7E\2\2\u16ff"+
"\u1700\7U\2\2\u1700\u0342\3\2\2\2\u1701\u1702\7C\2\2\u1702\u1703\7W\2"+
"\2\u1703\u1704\7V\2\2\u1704\u1705\7Q\2\2\u1705\u1706\7a\2\2\u1706\u1707"+
"\7W\2\2\u1707\u1708\7R\2\2\u1708\u1709\7F\2\2\u1709\u170a\7C\2\2\u170a"+
"\u170b\7V\2\2\u170b\u170c\7G\2\2\u170c\u170d\7a\2\2\u170d\u170e\7U\2\2"+
"\u170e\u170f\7V\2\2\u170f\u1710\7C\2\2\u1710\u1711\7V\2\2\u1711\u1712"+
"\7K\2\2\u1712\u1713\7U\2\2\u1713\u1714\7V\2\2\u1714\u1715\7K\2\2\u1715"+
"\u1716\7E\2\2\u1716\u1717\7U\2\2\u1717\u1718\7a\2\2\u1718\u1719\7C\2\2"+
"\u1719\u171a\7U\2\2\u171a\u171b\7[\2\2\u171b\u171c\7P\2\2\u171c\u171d"+
"\7E\2\2\u171d\u0344\3\2\2\2\u171e\u171f\7C\2\2\u171f\u1720\7X\2\2\u1720"+
"\u1721\7C\2\2\u1721\u1722\7K\2\2\u1722\u1723\7N\2\2\u1723\u1724\7C\2\2"+
"\u1724\u1725\7D\2\2\u1725\u1726\7K\2\2\u1726\u1727\7N\2\2\u1727\u1728"+
"\7K\2\2\u1728\u1729\7V\2\2\u1729\u172a\7[\2\2\u172a\u0346\3\2\2\2\u172b"+
"\u172c\7C\2\2\u172c\u172d\7X\2\2\u172d\u172e\7I\2\2\u172e\u0348\3\2\2"+
"\2\u172f\u1730\7D\2\2\u1730\u1731\7C\2\2\u1731\u1732\7E\2\2\u1732\u1733"+
"\7M\2\2\u1733\u1734\7W\2\2\u1734\u1735\7R\2\2\u1735\u1736\7a\2\2\u1736"+
"\u1737\7R\2\2\u1737\u1738\7T\2\2\u1738\u1739\7K\2\2\u1739\u173a\7Q\2\2"+
"\u173a\u173b\7T\2\2\u173b\u173c\7K\2\2\u173c\u173d\7V\2\2\u173d\u173e"+
"\7[\2\2\u173e\u034a\3\2\2\2\u173f\u1740\7D\2\2\u1740\u1741\7G\2\2\u1741"+
"\u1742\7I\2\2\u1742\u1743\7K\2\2\u1743\u1744\7P\2\2\u1744\u1745\7a\2\2"+
"\u1745\u1746\7F\2\2\u1746\u1747\7K\2\2\u1747\u1748\7C\2\2\u1748\u1749"+
"\7N\2\2\u1749\u174a\7Q\2\2\u174a\u174b\7I\2\2\u174b\u034c\3\2\2\2\u174c"+
"\u174d\7D\2\2\u174d\u174e\7K\2\2\u174e\u174f\7I\2\2\u174f\u1750\7K\2\2"+
"\u1750\u1751\7P\2\2\u1751\u1752\7V\2\2\u1752\u034e\3\2\2\2\u1753\u1754"+
"\7D\2\2\u1754\u1755\7K\2\2\u1755\u1756\7P\2\2\u1756\u1757\7C\2\2\u1757"+
"\u1758\7T\2\2\u1758\u1759\7[\2\2\u1759\u175a\7\"\2\2\u175a\u175b\7D\2"+
"\2\u175b\u175c\7C\2\2\u175c\u175d\7U\2\2\u175d\u175e\7G\2\2\u175e\u175f"+
"\78\2\2\u175f\u1760\7\66\2\2\u1760\u0350\3\2\2\2\u1761\u1762\7D\2\2\u1762"+
"\u1763\7K\2\2\u1763\u1764\7P\2\2\u1764\u1765\7C\2\2\u1765\u1766\7T\2\2"+
"\u1766\u1767\7[\2\2\u1767\u1768\7a\2\2\u1768\u1769\7E\2\2\u1769\u176a"+
"\7J\2\2\u176a\u176b\7G\2\2\u176b\u176c\7E\2\2\u176c\u176d\7M\2\2\u176d"+
"\u176e\7U\2\2\u176e\u176f\7W\2\2\u176f\u1770\7O\2\2\u1770\u0352\3\2\2"+
"\2\u1771\u1772\7D\2\2\u1772\u1773\7K\2\2\u1773\u1774\7P\2\2\u1774\u1775"+
"\7F\2\2\u1775\u1776\7K\2\2\u1776\u1777\7P\2\2\u1777\u1778\7I\2\2\u1778"+
"\u0354\3\2\2\2\u1779\u177a\7D\2\2\u177a\u177b\7N\2\2\u177b\u177c\7Q\2"+
"\2\u177c\u177d\7D\2\2\u177d\u177e\7a\2\2\u177e\u177f\7U\2\2\u177f\u1780"+
"\7V\2\2\u1780\u1781\7Q\2\2\u1781\u1782\7T\2\2\u1782\u1783\7C\2\2\u1783"+
"\u1784\7I\2\2\u1784\u1785\7G\2\2\u1785\u0356\3\2\2\2\u1786\u1787\7D\2"+
"\2\u1787\u1788\7T\2\2\u1788\u1789\7Q\2\2\u1789\u178a\7M\2\2\u178a\u178b"+
"\7G\2\2\u178b\u178c\7T\2\2\u178c\u0358\3\2\2\2\u178d\u178e\7D\2\2\u178e"+
"\u178f\7T\2\2\u178f\u1790\7Q\2\2\u1790\u1791\7M\2\2\u1791\u1792\7G\2\2"+
"\u1792\u1793\7T\2\2\u1793\u1794\7a\2\2\u1794\u1795\7K\2\2\u1795\u1796"+
"\7P\2\2\u1796\u1797\7U\2\2\u1797\u1798\7V\2\2\u1798\u1799\7C\2\2\u1799"+
"\u179a\7P\2\2\u179a\u179b\7E\2\2\u179b\u179c\7G\2\2\u179c\u035a\3\2\2"+
"\2\u179d\u179e\7D\2\2\u179e\u179f\7W\2\2\u179f\u17a0\7N\2\2\u17a0\u17a1"+
"\7M\2\2\u17a1\u17a2\7a\2\2\u17a2\u17a3\7N\2\2\u17a3\u17a4\7Q\2\2\u17a4"+
"\u17a5\7I\2\2\u17a5\u17a6\7I\2\2\u17a6\u17a7\7G\2\2\u17a7\u17a8\7F\2\2"+
"\u17a8\u035c\3\2\2\2\u17a9\u17aa\7E\2\2\u17aa\u17ab\7C\2\2\u17ab\u17ac"+
"\7N\2\2\u17ac\u17ad\7N\2\2\u17ad\u17ae\7G\2\2\u17ae\u17af\7T\2\2\u17af"+
"\u035e\3\2\2\2\u17b0\u17b1\7E\2\2\u17b1\u17b2\7C\2\2\u17b2\u17b3\7R\2"+
"\2\u17b3\u17b4\7a\2\2\u17b4\u17b5\7E\2\2\u17b5\u17b6\7R\2\2\u17b6\u17b7"+
"\7W\2\2\u17b7\u17b8\7a\2\2\u17b8\u17b9\7R\2\2\u17b9\u17ba\7G\2\2\u17ba"+
"\u17bb\7T\2\2\u17bb\u17bc\7E\2\2\u17bc\u17bd\7G\2\2\u17bd\u17be\7P\2\2"+
"\u17be\u17bf\7V\2\2\u17bf\u0360\3\2\2\2\u17c0\u17c1\7V\2\2\u17c1\u17c2"+
"\7T\2\2\u17c2\u17c3\7[\2\2\u17c3\u17c5\7a\2\2\u17c4\u17c0\3\2\2\2\u17c4"+
"\u17c5\3\2\2\2\u17c5\u17c6\3\2\2\2\u17c6\u17c7\7E\2\2\u17c7\u17c8\7C\2"+
"\2\u17c8\u17c9\7U\2\2\u17c9\u17ca\7V\2\2\u17ca\u0362\3\2\2\2\u17cb\u17cc"+
"\7E\2\2\u17cc\u17cd\7C\2\2\u17cd\u17ce\7V\2\2\u17ce\u17cf\7C\2\2\u17cf"+
"\u17d0\7N\2\2\u17d0\u17d1\7Q\2\2\u17d1\u17d2\7I\2\2\u17d2\u0364\3\2\2"+
"\2\u17d3\u17d4\7E\2\2\u17d4\u17d5\7C\2\2\u17d5\u17d6\7V\2\2\u17d6\u17d7"+
"\7E\2\2\u17d7\u17d8\7J\2\2\u17d8\u0366\3\2\2\2\u17d9\u17da\7E\2\2\u17da"+
"\u17db\7J\2\2\u17db\u17dc\7C\2\2\u17dc\u17dd\7P\2\2\u17dd\u17de\7I\2\2"+
"\u17de\u17df\7G\2\2\u17df\u17e0\7a\2\2\u17e0\u17e1\7T\2\2\u17e1\u17e2"+
"\7G\2\2\u17e2\u17e3\7V\2\2\u17e3\u17e4\7G\2\2\u17e4\u17e5\7P\2\2\u17e5"+
"\u17e6\7V\2\2\u17e6\u17e7\7K\2\2\u17e7\u17e8\7Q\2\2\u17e8\u17e9\7P\2\2"+
"\u17e9\u0368\3\2\2\2\u17ea\u17eb\7E\2\2\u17eb\u17ec\7J\2\2\u17ec\u17ed"+
"\7C\2\2\u17ed\u17ee\7P\2\2\u17ee\u17ef\7I\2\2\u17ef\u17f0\7G\2\2\u17f0"+
"\u17f1\7a\2\2\u17f1\u17f2\7V\2\2\u17f2\u17f3\7T\2\2\u17f3\u17f4\7C\2\2"+
"\u17f4\u17f5\7E\2\2\u17f5\u17f6\7M\2\2\u17f6\u17f7\7K\2\2\u17f7\u17f8"+
"\7P\2\2\u17f8\u17f9\7I\2\2\u17f9\u036a\3\2\2\2\u17fa\u17fb\7E\2\2\u17fb"+
"\u17fc\7J\2\2\u17fc\u17fd\7G\2\2\u17fd\u17fe\7E\2\2\u17fe\u17ff\7M\2\2"+
"\u17ff\u1800\7U\2\2\u1800\u1801\7W\2\2\u1801\u1802\7O\2\2\u1802\u036c"+
"\3\2\2\2\u1803\u1804\7E\2\2\u1804\u1805\7J\2\2\u1805\u1806\7G\2\2\u1806"+
"\u1807\7E\2\2\u1807\u1808\7M\2\2\u1808\u1809\7U\2\2\u1809\u180a\7W\2\2"+
"\u180a\u180b\7O\2\2\u180b\u180c\7a\2\2\u180c\u180d\7C\2\2\u180d\u180e"+
"\7I\2\2\u180e\u180f\7I\2\2\u180f\u036e\3\2\2\2\u1810\u1811\7E\2\2\u1811"+
"\u1812\7N\2\2\u1812\u1813\7G\2\2\u1813\u1814\7C\2\2\u1814\u1815\7P\2\2"+
"\u1815\u1816\7W\2\2\u1816\u1817\7R\2\2\u1817\u0370\3\2\2\2\u1818\u1819"+
"\7E\2\2\u1819\u181a\7Q\2\2\u181a\u181b\7N\2\2\u181b\u181c\7N\2\2\u181c"+
"\u181d\7G\2\2\u181d\u181e\7E\2\2\u181e\u181f\7V\2\2\u181f\u1820\7K\2\2"+
"\u1820\u1821\7Q\2\2\u1821\u1822\7P\2\2\u1822\u0372\3\2\2\2\u1823\u1824"+
"\7E\2\2\u1824\u1825\7Q\2\2\u1825\u1826\7N\2\2\u1826\u1827\7W\2\2\u1827"+
"\u1828\7O\2\2\u1828\u1829\7P\2\2\u1829\u182a\7a\2\2\u182a\u182b\7O\2\2"+
"\u182b\u182c\7C\2\2\u182c\u182d\7U\2\2\u182d\u182e\7V\2\2\u182e\u182f"+
"\7G\2\2\u182f\u1830\7T\2\2\u1830\u1831\7a\2\2\u1831\u1832\7M\2\2\u1832"+
"\u1833\7G\2\2\u1833\u1834\7[\2\2\u1834\u0374\3\2\2\2\u1835\u1836\7E\2"+
"\2\u1836\u1837\7Q\2\2\u1837\u1838\7O\2\2\u1838\u1839\7O\2\2\u1839\u183a"+
"\7K\2\2\u183a\u183b\7V\2\2\u183b\u183c\7V\2\2\u183c\u183d\7G\2\2\u183d"+
"\u183e\7F\2\2\u183e\u0376\3\2\2\2\u183f\u1840\7E\2\2\u1840\u1841\7Q\2"+
"\2\u1841\u1842\7O\2\2\u1842\u1843\7R\2\2\u1843\u1844\7C\2\2\u1844\u1845"+
"\7V\2\2\u1845\u1846\7K\2\2\u1846\u1847\7D\2\2\u1847\u1848\7K\2\2\u1848"+
"\u1849\7N\2\2\u1849\u184a\7K\2\2\u184a\u184b\7V\2\2\u184b\u184c\7[\2\2"+
"\u184c\u184d\7a\2\2\u184d\u184e\7N\2\2\u184e\u184f\7G\2\2\u184f\u1850"+
"\7X\2\2\u1850\u1851\7G\2\2\u1851\u1852\7N\2\2\u1852\u0378\3\2\2\2\u1853"+
"\u1854\7E\2\2\u1854\u1855\7Q\2\2\u1855\u1856\7P\2\2\u1856\u1857\7E\2\2"+
"\u1857\u1858\7C\2\2\u1858\u1859\7V\2\2\u1859\u037a\3\2\2\2\u185a\u185b"+
"\7E\2\2\u185b\u185c\7Q\2\2\u185c\u185d\7P\2\2\u185d\u185e\7E\2\2\u185e"+
"\u185f\7C\2\2\u185f\u1860\7V\2\2\u1860\u1861\7a\2\2\u1861\u1862\7P\2\2"+
"\u1862\u1863\7W\2\2\u1863\u1864\7N\2\2\u1864\u1865\7N\2\2\u1865\u1866"+
"\7a\2\2\u1866\u1867\7[\2\2\u1867\u1868\7K\2\2\u1868\u1869\7G\2\2\u1869"+
"\u186a\7N\2\2\u186a\u186b\7F\2\2\u186b\u186c\7U\2\2\u186c\u186d\7a\2\2"+
"\u186d\u186e\7P\2\2\u186e\u186f\7W\2\2\u186f\u1870\7N\2\2\u1870\u1871"+
"\7N\2\2\u1871\u037c\3\2\2\2\u1872\u1873\7E\2\2\u1873\u1874\7Q\2\2\u1874"+
"\u1875\7P\2\2\u1875\u1876\7V\2\2\u1876\u1877\7G\2\2\u1877\u1878\7P\2\2"+
"\u1878\u1879\7V\2\2\u1879\u037e\3\2\2\2\u187a\u187b\7E\2\2\u187b\u187c"+
"\7Q\2\2\u187c\u187d\7P\2\2\u187d\u187e\7V\2\2\u187e\u187f\7T\2\2\u187f"+
"\u1880\7Q\2\2\u1880\u1881\7N\2\2\u1881\u0380\3\2\2\2\u1882\u1883\7E\2"+
"\2\u1883\u1884\7Q\2\2\u1884\u1885\7Q\2\2\u1885\u1886\7M\2\2\u1886\u1887"+
"\7K\2\2\u1887\u1888\7G\2\2\u1888\u0382\3\2\2\2\u1889\u188a\7E\2\2\u188a"+
"\u188b\7Q\2\2\u188b\u188c\7W\2\2\u188c\u188d\7P\2\2\u188d\u1899\7V\2\2"+
"\u188e\u188f\7e\2\2\u188f\u1890\7q\2\2\u1890\u1891\7w\2\2\u1891\u1892"+
"\7p\2\2\u1892\u1899\7v\2\2\u1893\u1894\7E\2\2\u1894\u1895\7q\2\2\u1895"+
"\u1896\7w\2\2\u1896\u1897\7p\2\2\u1897\u1899\7v\2\2\u1898\u1889\3\2\2"+
"\2\u1898\u188e\3\2\2\2\u1898\u1893\3\2\2\2\u1899\u0384\3\2\2\2\u189a\u189b"+
"\7E\2\2\u189b\u189c\7Q\2\2\u189c\u189d\7W\2\2\u189d\u189e\7P\2\2\u189e"+
"\u189f\7V\2\2\u189f\u18a0\7a\2\2\u18a0\u18a1\7D\2\2\u18a1\u18a2\7K\2\2"+
"\u18a2\u18a3\7I\2\2\u18a3\u0386\3\2\2\2\u18a4\u18a5\7E\2\2\u18a5\u18a6"+
"\7Q\2\2\u18a6\u18a7\7W\2\2\u18a7\u18a8\7P\2\2\u18a8\u18a9\7V\2\2\u18a9"+
"\u18aa\7G\2\2\u18aa\u18ab\7T\2\2\u18ab\u0388\3\2\2\2\u18ac\u18ad\7E\2"+
"\2\u18ad\u18ae\7R\2\2\u18ae\u18af\7W\2\2\u18af\u038a\3\2\2\2\u18b0\u18b1"+
"\7E\2\2\u18b1\u18b2\7T\2\2\u18b2\u18b3\7G\2\2\u18b3\u18b4\7C\2\2\u18b4"+
"\u18b5\7V\2\2\u18b5\u18b6\7G\2\2\u18b6\u18b7\7a\2\2\u18b7\u18b8\7P\2\2"+
"\u18b8\u18b9\7G\2\2\u18b9\u18ba\7Y\2\2\u18ba\u038c\3\2\2\2\u18bb\u18bc"+
"\7E\2\2\u18bc\u18bd\7T\2\2\u18bd\u18be\7G\2\2\u18be\u18bf\7C\2\2\u18bf"+
"\u18c0\7V\2\2\u18c0\u18c1\7K\2\2\u18c1\u18c2\7Q\2\2\u18c2\u18c3\7P\2\2"+
"\u18c3\u18c4\7a\2\2\u18c4\u18c5\7F\2\2\u18c5\u18c6\7K\2\2\u18c6\u18c7"+
"\7U\2\2\u18c7\u18c8\7R\2\2\u18c8\u18c9\7Q\2\2\u18c9\u18ca\7U\2\2\u18ca"+
"\u18cb\7K\2\2\u18cb\u18cc\7V\2\2\u18cc\u18cd\7K\2\2\u18cd\u18ce\7Q\2\2"+
"\u18ce\u18cf\7P\2\2\u18cf\u038e\3\2\2\2\u18d0\u18d1\7E\2\2\u18d1\u18d2"+
"\7T\2\2\u18d2\u18d3\7G\2\2\u18d3\u18d4\7F\2\2\u18d4\u18d5\7G\2\2\u18d5"+
"\u18d6\7P\2\2\u18d6\u18d7\7V\2\2\u18d7\u18d8\7K\2\2\u18d8\u18d9\7C\2\2"+
"\u18d9\u18da\7N\2\2\u18da\u0390\3\2\2\2\u18db\u18dc\7E\2\2\u18dc\u18dd"+
"\7T\2\2\u18dd\u18de\7[\2\2\u18de\u18df\7R\2\2\u18df\u18e0\7V\2\2\u18e0"+
"\u18e1\7Q\2\2\u18e1\u18e2\7I\2\2\u18e2\u18e3\7T\2\2\u18e3\u18e4\7C\2\2"+
"\u18e4\u18e5\7R\2\2\u18e5\u18e6\7J\2\2\u18e6\u18e7\7K\2\2\u18e7\u18e8"+
"\7E\2\2\u18e8\u0392\3\2\2\2\u18e9\u18ea\7E\2\2\u18ea\u18eb\7W\2\2\u18eb"+
"\u18ec\7T\2\2\u18ec\u18ed\7U\2\2\u18ed\u18ee\7Q\2\2\u18ee\u18ef\7T\2\2"+
"\u18ef\u18f0\7a\2\2\u18f0\u18f1\7E\2\2\u18f1\u18f2\7N\2\2\u18f2\u18f3"+
"\7Q\2\2\u18f3\u18f4\7U\2\2\u18f4\u18f5\7G\2\2\u18f5\u18f6\7a\2\2\u18f6"+
"\u18f7\7Q\2\2\u18f7\u18f8\7P\2\2\u18f8\u18f9\7a\2\2\u18f9\u18fa\7E\2\2"+
"\u18fa\u18fb\7Q\2\2\u18fb\u18fc\7O\2\2\u18fc\u18fd\7O\2\2\u18fd\u18fe"+
"\7K\2\2\u18fe\u18ff\7V\2\2\u18ff\u0394\3\2\2\2\u1900\u1901\7E\2\2\u1901"+
"\u1902\7W\2\2\u1902\u1903\7T\2\2\u1903\u1904\7U\2\2\u1904\u1905\7Q\2\2"+
"\u1905\u1906\7T\2\2\u1906\u1907\7a\2\2\u1907\u1908\7F\2\2\u1908\u1909"+
"\7G\2\2\u1909\u190a\7H\2\2\u190a\u190b\7C\2\2\u190b\u190c\7W\2\2\u190c"+
"\u190d\7N\2\2\u190d\u190e\7V\2\2\u190e\u0396\3\2\2\2\u190f\u1910\7F\2"+
"\2\u1910\u1911\7C\2\2\u1911\u1912\7V\2\2\u1912\u1913\7G\2\2\u1913\u1914"+
"\7a\2\2\u1914\u1915\7E\2\2\u1915\u1916\7Q\2\2\u1916\u1917\7T\2\2\u1917"+
"\u1918\7T\2\2\u1918\u1919\7G\2\2\u1919\u191a\7N\2\2\u191a\u191b\7C\2\2"+
"\u191b\u191c\7V\2\2\u191c\u191d\7K\2\2\u191d\u191e\7Q\2\2\u191e\u191f"+
"\7P\2\2\u191f\u1920\7a\2\2\u1920\u1921\7Q\2\2\u1921\u1922\7R\2\2\u1922"+
"\u1923\7V\2\2\u1923\u1924\7K\2\2\u1924\u1925\7O\2\2\u1925\u1926\7K\2\2"+
"\u1926\u1927\7\\\2\2\u1927\u1928\7C\2\2\u1928\u1929\7V\2\2\u1929\u192a"+
"\7K\2\2\u192a\u192b\7Q\2\2\u192b\u192c\7P\2\2\u192c\u0398\3\2\2\2\u192d"+
"\u192e\7F\2\2\u192e\u192f\7C\2\2\u192f\u1930\7V\2\2\u1930\u1931\7G\2\2"+
"\u1931\u1932\7C\2\2\u1932\u1933\7F\2\2\u1933\u1934\7F\2\2\u1934\u039a"+
"\3\2\2\2\u1935\u1936\7F\2\2\u1936\u1937\7C\2\2\u1937\u1938\7V\2\2\u1938"+
"\u1939\7G\2\2\u1939\u193a\7F\2\2\u193a\u193b\7K\2\2\u193b\u193c\7H\2\2"+
"\u193c\u193d\7H\2\2\u193d\u039c\3\2\2\2\u193e\u193f\7F\2\2\u193f\u1940"+
"\7C\2\2\u1940\u1941\7V\2\2\u1941\u1942\7G\2\2\u1942\u1943\7P\2\2\u1943"+
"\u1944\7C\2\2\u1944\u1945\7O\2\2\u1945\u1946\7G\2\2\u1946\u039e\3\2\2"+
"\2\u1947\u1948\7F\2\2\u1948\u1949\7C\2\2\u1949\u194a\7V\2\2\u194a\u194b"+
"\7G\2\2\u194b\u194c\7R\2\2\u194c\u194d\7C\2\2\u194d\u194e\7T\2\2\u194e"+
"\u194f\7V\2\2\u194f\u03a0\3\2\2\2\u1950\u1951\7F\2\2\u1951\u1952\7C\2"+
"\2\u1952\u1953\7[\2\2\u1953\u1954\7U\2\2\u1954\u03a2\3\2\2\2\u1955\u1956"+
"\7F\2\2\u1956\u1957\7D\2\2\u1957\u1958\7a\2\2\u1958\u1959\7E\2\2\u1959"+
"\u195a\7J\2\2\u195a\u195b\7C\2\2\u195b\u195c\7K\2\2\u195c\u195d\7P\2\2"+
"\u195d\u195e\7K\2\2\u195e\u195f\7P\2\2\u195f\u1960\7I\2\2\u1960\u03a4"+
"\3\2\2\2\u1961\u1962\7F\2\2\u1962\u1963\7D\2\2\u1963\u1964\7a\2\2\u1964"+
"\u1965\7H\2\2\u1965\u1966\7C\2\2\u1966\u1967\7K\2\2\u1967\u1968\7N\2\2"+
"\u1968\u1969\7Q\2\2\u1969\u196a\7X\2\2\u196a\u196b\7G\2\2\u196b\u196c"+
"\7T\2\2\u196c\u03a6\3\2\2\2\u196d\u196e\7F\2\2\u196e\u196f\7G\2\2\u196f"+
"\u1970\7E\2\2\u1970\u1971\7T\2\2\u1971\u1972\7[\2\2\u1972\u1973\7R\2\2"+
"\u1973\u1974\7V\2\2\u1974\u1975\7K\2\2\u1975\u1976\7Q\2\2\u1976\u1977"+
"\7P\2\2\u1977\u03a8\3\2\2\2\u1978\u1979\t\5\2\2\u1979\u197a\7F\2\2\u197a"+
"\u197b\7G\2\2\u197b\u197c\7H\2\2\u197c\u197d\7C\2\2\u197d\u197e\7W\2\2"+
"\u197e\u197f\7N\2\2\u197f\u1980\7V\2\2\u1980\u1981\3\2\2\2\u1981\u1982"+
"\t\5\2\2\u1982\u03aa\3\2\2\2\u1983\u1984\7F\2\2\u1984\u1985\7G\2\2\u1985"+
"\u1986\7H\2\2\u1986\u1987\7C\2\2\u1987\u1988\7W\2\2\u1988\u1989\7N\2\2"+
"\u1989\u198a\7V\2\2\u198a\u198b\7a\2\2\u198b\u198c\7H\2\2\u198c\u198d"+
"\7W\2\2\u198d\u198e\7N\2\2\u198e\u198f\7N\2\2\u198f\u1990\7V\2\2\u1990"+
"\u1991\7G\2\2\u1991\u1992\7Z\2\2\u1992\u1993\7V\2\2\u1993\u1994\7a\2\2"+
"\u1994\u1995\7N\2\2\u1995\u1996\7C\2\2\u1996\u1997\7P\2\2\u1997\u1998"+
"\7I\2\2\u1998\u1999\7W\2\2\u1999\u199a\7C\2\2\u199a\u199b\7I\2\2\u199b"+
"\u199c\7G\2\2\u199c\u03ac\3\2\2\2\u199d\u199e\7F\2\2\u199e\u199f\7G\2"+
"\2\u199f\u19a0\7H\2\2\u19a0\u19a1\7C\2\2\u19a1\u19a2\7W\2\2\u19a2\u19a3"+
"\7N\2\2\u19a3\u19a4\7V\2\2\u19a4\u19a5\7a\2\2\u19a5\u19a6\7N\2\2\u19a6"+
"\u19a7\7C\2\2\u19a7\u19a8\7P\2\2\u19a8\u19a9\7I\2\2\u19a9\u19aa\7W\2\2"+
"\u19aa\u19ab\7C\2\2\u19ab\u19ac\7I\2\2\u19ac\u19ad\7G\2\2\u19ad\u03ae"+
"\3\2\2\2\u19ae\u19af\7F\2\2\u19af\u19b0\7G\2\2\u19b0\u19b1\7N\2\2\u19b1"+
"\u19b2\7C\2\2\u19b2\u19b3\7[\2\2\u19b3\u03b0\3\2\2\2\u19b4\u19b5\7F\2"+
"\2\u19b5\u19b6\7G\2\2\u19b6\u19b7\7N\2\2\u19b7\u19b8\7C\2\2\u19b8\u19b9"+
"\7[\2\2\u19b9\u19ba\7G\2\2\u19ba\u19bb\7F\2\2\u19bb\u19bc\7a\2\2\u19bc"+
"\u19bd\7F\2\2\u19bd\u19be\7W\2\2\u19be\u19bf\7T\2\2\u19bf\u19c0\7C\2\2"+
"\u19c0\u19c1\7D\2\2\u19c1\u19c2\7K\2\2\u19c2\u19c3\7N\2\2\u19c3\u19c4"+
"\7K\2\2\u19c4\u19c5\7V\2\2\u19c5\u19c6\7[\2\2\u19c6\u03b2\3\2\2\2\u19c7"+
"\u19c8\7F\2\2\u19c8\u19c9\7G\2\2\u19c9\u19ca\7N\2\2\u19ca\u19cb\7G\2\2"+
"\u19cb\u19cc\7V\2\2\u19cc\u19cd\7G\2\2\u19cd\u19ce\7F\2\2\u19ce\u03b4"+
"\3\2\2\2\u19cf\u19d0\7F\2\2\u19d0\u19d1\7G\2\2\u19d1\u19d2\7P\2\2\u19d2"+
"\u19d3\7U\2\2\u19d3\u19d4\7G\2\2\u19d4\u19d5\7a\2\2\u19d5\u19d6\7T\2\2"+
"\u19d6\u19d7\7C\2\2\u19d7\u19d8\7P\2\2\u19d8\u19d9\7M\2\2\u19d9\u03b6"+
"\3\2\2\2\u19da\u19db\7F\2\2\u19db\u19dc\7G\2\2\u19dc\u19dd\7R\2\2\u19dd"+
"\u19de\7G\2\2\u19de\u19df\7P\2\2\u19df\u19e0\7F\2\2\u19e0\u19e1\7G\2\2"+
"\u19e1\u19e2\7P\2\2\u19e2\u19e3\7V\2\2\u19e3\u19e4\7U\2\2\u19e4\u03b8"+
"\3\2\2\2\u19e5\u19e6\7F\2\2\u19e6\u19e7\7G\2\2\u19e7\u19e8\7U\2\2\u19e8"+
"\u03ba\3\2\2\2\u19e9\u19ea\7F\2\2\u19ea\u19eb\7G\2\2\u19eb\u19ec\7U\2"+
"\2\u19ec\u19ed\7E\2\2\u19ed\u19ee\7T\2\2\u19ee\u19ef\7K\2\2\u19ef\u19f0"+
"\7R\2\2\u19f0\u19f1\7V\2\2\u19f1\u19f2\7K\2\2\u19f2\u19f3\7Q\2\2\u19f3"+
"\u19f4\7P\2\2\u19f4\u03bc\3\2\2\2\u19f5\u19f6\7F\2\2\u19f6\u19f7\7G\2"+
"\2\u19f7\u19f8\7U\2\2\u19f8\u19f9\7Z\2\2\u19f9\u03be\3\2\2\2\u19fa\u19fb"+
"\7F\2\2\u19fb\u19fc\7J\2\2\u19fc\u19fd\7E\2\2\u19fd\u19fe\7R\2\2\u19fe"+
"\u03c0\3\2\2\2\u19ff\u1a00\7F\2\2\u1a00\u1a01\7K\2\2\u1a01\u1a02\7C\2"+
"\2\u1a02\u1a03\7N\2\2\u1a03\u1a04\7Q\2\2\u1a04\u1a05\7I\2\2\u1a05\u03c2"+
"\3\2\2\2\u1a06\u1a07\7F\2\2\u1a07\u1a08\7K\2\2\u1a08\u1a09\7T\2\2\u1a09"+
"\u1a0a\7G\2\2\u1a0a\u1a0b\7E\2\2\u1a0b\u1a0c\7V\2\2\u1a0c\u1a0d\7Q\2\2"+
"\u1a0d\u1a0e\7T\2\2\u1a0e\u1a0f\7[\2\2\u1a0f\u1a10\7a\2\2\u1a10\u1a11"+
"\7P\2\2\u1a11\u1a12\7C\2\2\u1a12\u1a13\7O\2\2\u1a13\u1a14\7G\2\2\u1a14"+
"\u03c4\3\2\2\2\u1a15\u1a16\7F\2\2\u1a16\u1a17\7K\2\2\u1a17\u1a18\7U\2"+
"\2\u1a18\u1a19\7C\2\2\u1a19\u1a1a\7D\2\2\u1a1a\u1a1b\7N\2\2\u1a1b\u1a1c"+
"\7G\2\2\u1a1c\u03c6\3\2\2\2\u1a1d\u1a1e\7F\2\2\u1a1e\u1a1f\7K\2\2\u1a1f"+
"\u1a20\7U\2\2\u1a20\u1a21\7C\2\2\u1a21\u1a22\7D\2\2\u1a22\u1a23\7N\2\2"+
"\u1a23\u1a24\7G\2\2\u1a24\u1a25\7a\2\2\u1a25\u1a26\7D\2\2\u1a26\u1a27"+
"\7T\2\2\u1a27\u1a28\7Q\2\2\u1a28\u1a29\7M\2\2\u1a29\u1a2a\7G\2\2\u1a2a"+
"\u1a2b\7T\2\2\u1a2b\u03c8\3\2\2\2\u1a2c\u1a2d\7F\2\2\u1a2d\u1a2e\7K\2"+
"\2\u1a2e\u1a2f\7U\2\2\u1a2f\u1a30\7C\2\2\u1a30\u1a31\7D\2\2\u1a31\u1a32"+
"\7N\2\2\u1a32\u1a33\7G\2\2\u1a33\u1a34\7F\2\2\u1a34\u03ca\3\2\2\2\u1a35"+
"\u1a36\t\6\2\2\u1a36\u1a37\t\4\2\2\u1a37\u03cc\3\2\2\2\u1a38\u1a39\7F"+
"\2\2\u1a39\u1a3a\7Q\2\2\u1a3a\u1a3b\7E\2\2\u1a3b\u1a3c\7W\2\2\u1a3c\u1a3d"+
"\7O\2\2\u1a3d\u1a3e\7G\2\2\u1a3e\u1a3f\7P\2\2\u1a3f\u1a40\7V\2\2\u1a40"+
"\u03ce\3\2\2\2\u1a41\u1a42\7F\2\2\u1a42\u1a43\7[\2\2\u1a43\u1a44\7P\2"+
"\2\u1a44\u1a45\7C\2\2\u1a45\u1a46\7O\2\2\u1a46\u1a47\7K\2\2\u1a47\u1a48"+
"\7E\2\2\u1a48\u03d0\3\2\2\2\u1a49\u1a4a\7G\2\2\u1a4a\u1a4b\7N\2\2\u1a4b"+
"\u1a4c\7G\2\2\u1a4c\u1a4d\7O\2\2\u1a4d\u1a4e\7G\2\2\u1a4e\u1a4f\7P\2\2"+
"\u1a4f\u1a50\7V\2\2\u1a50\u1a51\7U\2\2\u1a51\u03d2\3\2\2\2\u1a52\u1a53"+
"\7G\2\2\u1a53\u1a54\7O\2\2\u1a54\u1a55\7G\2\2\u1a55\u1a56\7T\2\2\u1a56"+
"\u1a57\7I\2\2\u1a57\u1a58\7G\2\2\u1a58\u1a59\7P\2\2\u1a59\u1a5a\7E\2\2"+
"\u1a5a\u1a5b\7[\2\2\u1a5b\u03d4\3\2\2\2\u1a5c\u1a5d\7G\2\2\u1a5d\u1a5e"+
"\7O\2\2\u1a5e\u1a5f\7R\2\2\u1a5f\u1a60\7V\2\2\u1a60\u1a61\7[\2\2\u1a61"+
"\u03d6\3\2\2\2\u1a62\u1a63\7G\2\2\u1a63\u1a64\7P\2\2\u1a64\u1a65\7C\2"+
"\2\u1a65\u1a66\7D\2\2\u1a66\u1a67\7N\2\2\u1a67\u1a68\7G\2\2\u1a68\u03d8"+
"\3\2\2\2\u1a69\u1a6a\7G\2\2\u1a6a\u1a6b\7P\2\2\u1a6b\u1a6c\7C\2\2\u1a6c"+
"\u1a6d\7D\2\2\u1a6d\u1a6e\7N\2\2\u1a6e\u1a6f\7G\2\2\u1a6f\u1a70\7a\2\2"+
"\u1a70\u1a71\7D\2\2\u1a71\u1a72\7T\2\2\u1a72\u1a73\7Q\2\2\u1a73\u1a74"+
"\7M\2\2\u1a74\u1a75\7G\2\2\u1a75\u1a76\7T\2\2\u1a76\u03da\3\2\2\2\u1a77"+
"\u1a78\7G\2\2\u1a78\u1a79\7P\2\2\u1a79\u1a7a\7E\2\2\u1a7a\u1a7b\7T\2\2"+
"\u1a7b\u1a7c\7[\2\2\u1a7c\u1a7d\7R\2\2\u1a7d\u1a7e\7V\2\2\u1a7e\u1a7f"+
"\7G\2\2\u1a7f\u1a80\7F\2\2\u1a80\u1a81\7a\2\2\u1a81\u1a82\7X\2\2\u1a82"+
"\u1a83\7C\2\2\u1a83\u1a84\7N\2\2\u1a84\u1a85\7W\2\2\u1a85\u1a86\7G\2\2"+
"\u1a86\u03dc\3\2\2\2\u1a87\u1a88\7G\2\2\u1a88\u1a89\7P\2\2\u1a89\u1a8a"+
"\7E\2\2\u1a8a\u1a8b\7T\2\2\u1a8b\u1a8c\7[\2\2\u1a8c\u1a8d\7R\2\2\u1a8d"+
"\u1a8e\7V\2\2\u1a8e\u1a8f\7K\2\2\u1a8f\u1a90\7Q\2\2\u1a90\u1a91\7P\2\2"+
"\u1a91\u03de\3\2\2\2\u1a92\u1a93\7G\2\2\u1a93\u1a94\7P\2\2\u1a94\u1a95"+
"\7F\2\2\u1a95\u1a96\7R\2\2\u1a96\u1a97\7Q\2\2\u1a97\u1a98\7K\2\2\u1a98"+
"\u1a99\7P\2\2\u1a99\u1a9a\7V\2\2\u1a9a\u1a9b\7a\2\2\u1a9b\u1a9c\7W\2\2"+
"\u1a9c\u1a9d\7T\2\2\u1a9d\u1a9e\7N\2\2\u1a9e\u03e0\3\2\2\2\u1a9f\u1aa0"+
"\7G\2\2\u1aa0\u1aa1\7T\2\2\u1aa1\u1aa2\7T\2\2\u1aa2\u1aa3\7Q\2\2\u1aa3"+
"\u1aa4\7T\2\2\u1aa4\u1aa5\7a\2\2\u1aa5\u1aa6\7D\2\2\u1aa6\u1aa7\7T\2\2"+
"\u1aa7\u1aa8\7Q\2\2\u1aa8\u1aa9\7M\2\2\u1aa9\u1aaa\7G\2\2\u1aaa\u1aab"+
"\7T\2\2\u1aab\u1aac\7a\2\2\u1aac\u1aad\7E\2\2\u1aad\u1aae\7Q\2\2\u1aae"+
"\u1aaf\7P\2\2\u1aaf\u1ab0\7X\2\2\u1ab0\u1ab1\7G\2\2\u1ab1\u1ab2\7T\2\2"+
"\u1ab2\u1ab3\7U\2\2\u1ab3\u1ab4\7C\2\2\u1ab4\u1ab5\7V\2\2\u1ab5\u1ab6"+
"\7K\2\2\u1ab6\u1ab7\7Q\2\2\u1ab7\u1ab8\7P\2\2\u1ab8\u1ab9\7U\2\2\u1ab9"+
"\u03e2\3\2\2\2\u1aba\u1abb\7G\2\2\u1abb\u1abc\7Z\2\2\u1abc\u1abd\7E\2"+
"\2\u1abd\u1abe\7N\2\2\u1abe\u1abf\7W\2\2\u1abf\u1ac0\7U\2\2\u1ac0\u1ac1"+
"\7K\2\2\u1ac1\u1ac2\7X\2\2\u1ac2\u1ac3\7G\2\2\u1ac3\u03e4\3\2\2\2\u1ac4"+
"\u1ac5\7G\2\2\u1ac5\u1ac6\7Z\2\2\u1ac6\u1ac7\7G\2\2\u1ac7\u1ac8\7E\2\2"+
"\u1ac8\u1ac9\7W\2\2\u1ac9\u1aca\7V\2\2\u1aca\u1acb\7C\2\2\u1acb\u1acc"+
"\7D\2\2\u1acc\u1acd\7N\2\2\u1acd\u1ace\7G\2\2\u1ace\u03e6\3\2\2\2\u1acf"+
"\u1ad0\7G\2\2\u1ad0\u1ad1\7Z\2\2\u1ad1\u1ad2\7K\2\2\u1ad2\u1ad3\7U\2\2"+
"\u1ad3\u1ad4\7V\2\2\u1ad4\u03e8\3\2\2\2\u1ad5\u1ad6\7G\2\2\u1ad6\u1ad7"+
"\7Z\2\2\u1ad7\u1ad8\7R\2\2\u1ad8\u1ad9\7C\2\2\u1ad9\u1ada\7P\2\2\u1ada"+
"\u1adb\7F\2\2\u1adb\u03ea\3\2\2\2\u1adc\u1add\7G\2\2\u1add\u1ade\7Z\2"+
"\2\u1ade\u1adf\7R\2\2\u1adf\u1ae0\7K\2\2\u1ae0\u1ae1\7T\2\2\u1ae1\u1ae2"+
"\7[\2\2\u1ae2\u1ae3\7a\2\2\u1ae3\u1ae4\7F\2\2\u1ae4\u1ae5\7C\2\2\u1ae5"+
"\u1ae6\7V\2\2\u1ae6\u1ae7\7G\2\2\u1ae7\u03ec\3\2\2\2\u1ae8\u1ae9\7G\2"+
"\2\u1ae9\u1aea\7Z\2\2\u1aea\u1aeb\7R\2\2\u1aeb\u1aec\7N\2\2\u1aec\u1aed"+
"\7K\2\2\u1aed\u1aee\7E\2\2\u1aee\u1aef\7K\2\2\u1aef\u1af0\7V\2\2\u1af0"+
"\u03ee\3\2\2\2\u1af1\u1af2\7H\2\2\u1af2\u1af3\7C\2\2\u1af3\u1af4\7K\2"+
"\2\u1af4\u1af5\7N\2\2\u1af5\u1af6\7a\2\2\u1af6\u1af7\7Q\2\2\u1af7\u1af8"+
"\7R\2\2\u1af8\u1af9\7G\2\2\u1af9\u1afa\7T\2\2\u1afa\u1afb\7C\2\2\u1afb"+
"\u1afc\7V\2\2\u1afc\u1afd\7K\2\2\u1afd\u1afe\7Q\2\2\u1afe\u1aff\7P\2\2"+
"\u1aff\u03f0\3\2\2\2\u1b00\u1b01\7H\2\2\u1b01\u1b02\7C\2\2\u1b02\u1b03"+
"\7K\2\2\u1b03\u1b04\7N\2\2\u1b04\u1b05\7Q\2\2\u1b05\u1b06\7X\2\2\u1b06"+
"\u1b07\7G\2\2\u1b07\u1b08\7T\2\2\u1b08\u1b09\7a\2\2\u1b09\u1b0a\7O\2\2"+
"\u1b0a\u1b0b\7Q\2\2\u1b0b\u1b0c\7F\2\2\u1b0c\u1b0d\7G\2\2\u1b0d\u03f2"+
"\3\2\2\2\u1b0e\u1b0f\7H\2\2\u1b0f\u1b10\7C\2\2\u1b10\u1b11\7K\2\2\u1b11"+
"\u1b12\7N\2\2\u1b12\u1b13\7W\2\2\u1b13\u1b14\7T\2\2\u1b14\u1b15\7G\2\2"+
"\u1b15\u03f4\3\2\2\2\u1b16\u1b17\7H\2\2\u1b17\u1b18\7C\2\2\u1b18\u1b19"+
"\7K\2\2\u1b19\u1b1a\7N\2\2\u1b1a\u1b1b\7W\2\2\u1b1b\u1b1c\7T\2\2\u1b1c"+
"\u1b1d\7G\2\2\u1b1d\u1b1e\7a\2\2\u1b1e\u1b1f\7E\2\2\u1b1f\u1b20\7Q\2\2"+
"\u1b20\u1b21\7P\2\2\u1b21\u1b22\7F\2\2\u1b22\u1b23\7K\2\2\u1b23\u1b24"+
"\7V\2\2\u1b24\u1b25\7K\2\2\u1b25\u1b26\7Q\2\2\u1b26\u1b27\7P\2\2\u1b27"+
"\u1b28\7a\2\2\u1b28\u1b29\7N\2\2\u1b29\u1b2a\7G\2\2\u1b2a\u1b2b\7X\2\2"+
"\u1b2b\u1b2c\7G\2\2\u1b2c\u1b2d\7N\2\2\u1b2d\u03f6\3\2\2\2\u1b2e\u1b2f"+
"\7H\2\2\u1b2f\u1b30\7C\2\2\u1b30\u1b31\7U\2\2\u1b31\u1b32\7V\2\2\u1b32"+
"\u03f8\3\2\2\2\u1b33\u1b34\7H\2\2\u1b34\u1b35\7C\2\2\u1b35\u1b36\7U\2"+
"\2\u1b36\u1b37\7V\2\2\u1b37\u1b38\7a\2\2\u1b38\u1b39\7H\2\2\u1b39\u1b3a"+
"\7Q\2\2\u1b3a\u1b3b\7T\2\2\u1b3b\u1b3c\7Y\2\2\u1b3c\u1b3d\7C\2\2\u1b3d"+
"\u1b3e\7T\2\2\u1b3e\u1b3f\7F\2\2\u1b3f\u03fa\3\2\2\2\u1b40\u1b41\7H\2"+
"\2\u1b41\u1b42\7K\2\2\u1b42\u1b43\7N\2\2\u1b43\u1b44\7G\2\2\u1b44\u1b45"+
"\7I\2\2\u1b45\u1b46\7T\2\2\u1b46\u1b47\7Q\2\2\u1b47\u1b48\7W\2\2\u1b48"+
"\u1b49\7R\2\2\u1b49\u03fc\3\2\2\2\u1b4a\u1b4b\7H\2\2\u1b4b\u1b4c\7K\2"+
"\2\u1b4c\u1b4d\7N\2\2\u1b4d\u1b4e\7G\2\2\u1b4e\u1b4f\7I\2\2\u1b4f\u1b50"+
"\7T\2\2\u1b50\u1b51\7Q\2\2\u1b51\u1b52\7Y\2\2\u1b52\u1b53\7V\2\2\u1b53"+
"\u1b54\7J\2\2\u1b54\u03fe\3\2\2\2\u1b55\u1b56\7H\2\2\u1b56\u1b57\7K\2"+
"\2\u1b57\u1b58\7N\2\2\u1b58\u1b59\7G\2\2\u1b59\u1b5a\7R\2\2\u1b5a\u1b5b"+
"\7C\2\2\u1b5b\u1b5c\7V\2\2\u1b5c\u1b5d\7J\2\2\u1b5d\u0400\3\2\2\2\u1b5e"+
"\u1b5f\7H\2\2\u1b5f\u1b60\7K\2\2\u1b60\u1b61\7N\2\2\u1b61\u1b62\7G\2\2"+
"\u1b62\u1b63\7U\2\2\u1b63\u1b64\7V\2\2\u1b64\u1b65\7T\2\2\u1b65\u1b66"+
"\7G\2\2\u1b66\u1b67\7C\2\2\u1b67\u1b68\7O\2\2\u1b68\u0402\3\2\2\2\u1b69"+
"\u1b6a\7H\2\2\u1b6a\u1b6b\7K\2\2\u1b6b\u1b6c\7N\2\2\u1b6c\u1b6d\7V\2\2"+
"\u1b6d\u1b6e\7G\2\2\u1b6e\u1b6f\7T\2\2\u1b6f\u0404\3\2\2\2\u1b70\u1b71"+
"\7H\2\2\u1b71\u1b72\7K\2\2\u1b72\u1b73\7T\2\2\u1b73\u1b74\7U\2\2\u1b74"+
"\u1b80\7V\2\2\u1b75\u1b76\7H\2\2\u1b76\u1b77\7k\2\2\u1b77\u1b78\7t\2\2"+
"\u1b78\u1b79\7u\2\2\u1b79\u1b80\7v\2\2\u1b7a\u1b7b\7h\2\2\u1b7b\u1b7c"+
"\7k\2\2\u1b7c\u1b7d\7t\2\2\u1b7d\u1b7e\7u\2\2\u1b7e\u1b80\7v\2\2\u1b7f"+
"\u1b70\3\2\2\2\u1b7f\u1b75\3\2\2\2\u1b7f\u1b7a\3\2\2\2\u1b80\u0406\3\2"+
"\2\2\u1b81\u1b82\7H\2\2\u1b82\u1b83\7K\2\2\u1b83\u1b84\7T\2\2\u1b84\u1b85"+
"\7U\2\2\u1b85\u1b86\7V\2\2\u1b86\u1b87\7a\2\2\u1b87\u1b88\7X\2\2\u1b88"+
"\u1b89\7C\2\2\u1b89\u1b8a\7N\2\2\u1b8a\u1b8b\7W\2\2\u1b8b\u1b8c\7G\2\2"+
"\u1b8c\u0408\3\2\2\2\u1b8d\u1b8e\7H\2\2\u1b8e\u1b8f\7Q\2\2\u1b8f\u1b90"+
"\7N\2\2\u1b90\u1b91\7N\2\2\u1b91\u1b92\7Q\2\2\u1b92\u1b93\7Y\2\2\u1b93"+
"\u1b94\7K\2\2\u1b94\u1b95\7P\2\2\u1b95\u1b96\7I\2\2\u1b96\u040a\3\2\2"+
"\2\u1b97\u1b98\7H\2\2\u1b98\u1b99\7Q\2\2\u1b99\u1b9a\7T\2\2\u1b9a\u1b9b"+
"\7E\2\2\u1b9b\u1b9c\7G\2\2\u1b9c\u040c\3\2\2\2\u1b9d\u1b9e\7H\2\2\u1b9e"+
"\u1b9f\7Q\2\2\u1b9f\u1ba0\7T\2\2\u1ba0\u1ba1\7E\2\2\u1ba1\u1ba2\7G\2\2"+
"\u1ba2\u1ba3\7a\2\2\u1ba3\u1ba4\7H\2\2\u1ba4\u1ba5\7C\2\2\u1ba5\u1ba6"+
"\7K\2\2\u1ba6\u1ba7\7N\2\2\u1ba7\u1ba8\7Q\2\2\u1ba8\u1ba9\7X\2\2\u1ba9"+
"\u1baa\7G\2\2\u1baa\u1bab\7T\2\2\u1bab\u1bac\7a\2\2\u1bac\u1bad\7C\2\2"+
"\u1bad\u1bae\7N\2\2\u1bae\u1baf\7N\2\2\u1baf\u1bb0\7Q\2\2\u1bb0\u1bb1"+
"\7Y\2\2\u1bb1\u1bb2\7a\2\2\u1bb2\u1bb3\7F\2\2\u1bb3\u1bb4\7C\2\2\u1bb4"+
"\u1bb5\7V\2\2\u1bb5\u1bb6\7C\2\2\u1bb6\u1bb7\7a\2\2\u1bb7\u1bb8\7N\2\2"+
"\u1bb8\u1bb9\7Q\2\2\u1bb9\u1bba\7U\2\2\u1bba\u1bbb\7U\2\2\u1bbb\u040e"+
"\3\2\2\2\u1bbc\u1bbd\7H\2\2\u1bbd\u1bbe\7Q\2\2\u1bbe\u1bbf\7T\2\2\u1bbf"+
"\u1bc0\7E\2\2\u1bc0\u1bc1\7G\2\2\u1bc1\u1bc2\7F\2\2\u1bc2\u0410\3\2\2"+
"\2\u1bc3\u1bc4\7H\2\2\u1bc4\u1bc5\7Q\2\2\u1bc5\u1bc6\7T\2\2\u1bc6\u1bc7"+
"\7O\2\2\u1bc7\u1bc8\7C\2\2\u1bc8\u1bc9\7V\2\2\u1bc9\u0412\3\2\2\2\u1bca"+
"\u1bcb\7H\2\2\u1bcb\u1bcc\7Q\2\2\u1bcc\u1bcd\7T\2\2\u1bcd\u1bce\7Y\2\2"+
"\u1bce\u1bcf\7C\2\2\u1bcf\u1bd0\7T\2\2\u1bd0\u1bd1\7F\2\2\u1bd1\u1bd2"+
"\7a\2\2\u1bd2\u1bd3\7Q\2\2\u1bd3\u1bd4\7P\2\2\u1bd4\u1bd5\7N\2\2\u1bd5"+
"\u1bd6\7[\2\2\u1bd6\u0414\3\2\2\2\u1bd7\u1bd8\7H\2\2\u1bd8\u1bd9\7W\2"+
"\2\u1bd9\u1bda\7N\2\2\u1bda\u1bdb\7N\2";
private static final String _serializedATNSegment3 =
"\2\u1bdb\u1bdc\7U\2\2\u1bdc\u1bdd\7E\2\2\u1bdd\u1bde\7C\2\2\u1bde\u1bdf"+
"\7P\2\2\u1bdf\u0416\3\2\2\2\u1be0\u1be1\7H\2\2\u1be1\u1be2\7W\2\2\u1be2"+
"\u1be3\7N\2\2\u1be3\u1be4\7N\2\2\u1be4\u1be5\7V\2\2\u1be5\u1be6\7G\2\2"+
"\u1be6\u1be7\7Z\2\2\u1be7\u1be8\7V\2\2\u1be8\u0418\3\2\2\2\u1be9\u1bea"+
"\7I\2\2\u1bea\u1beb\7D\2\2\u1beb\u041a\3\2\2\2\u1bec\u1bed\7I\2\2\u1bed"+
"\u1bee\7G\2\2\u1bee\u1bef\7V\2\2\u1bef\u1bf0\7F\2\2\u1bf0\u1bf1\7C\2\2"+
"\u1bf1\u1bf2\7V\2\2\u1bf2\u1bf3\7G\2\2\u1bf3\u041c\3\2\2\2\u1bf4\u1bf5"+
"\7I\2\2\u1bf5\u1bf6\7G\2\2\u1bf6\u1bf7\7V\2\2\u1bf7\u1bf8\7W\2\2\u1bf8"+
"\u1bf9\7V\2\2\u1bf9\u1bfa\7E\2\2\u1bfa\u1bfb\7F\2\2\u1bfb\u1bfc\7C\2\2"+
"\u1bfc\u1bfd\7V\2\2\u1bfd\u1bfe\7G\2\2\u1bfe\u041e\3\2\2\2\u1bff\u1c00"+
"\7I\2\2\u1c00\u1c01\7N\2\2\u1c01\u1c02\7Q\2\2\u1c02\u1c03\7D\2\2\u1c03"+
"\u1c04\7C\2\2\u1c04\u1c05\7N\2\2\u1c05\u0420\3\2\2\2\u1c06\u1c07\7I\2"+
"\2\u1c07\u1c08\7Q\2\2\u1c08\u0422\3\2\2\2\u1c09\u1c0a\7I\2\2\u1c0a\u1c0b"+
"\7T\2\2\u1c0b\u1c0c\7Q\2\2\u1c0c\u1c0d\7W\2\2\u1c0d\u1c0e\7R\2\2\u1c0e"+
"\u1c0f\7a\2\2\u1c0f\u1c10\7O\2\2\u1c10\u1c11\7C\2\2\u1c11\u1c12\7Z\2\2"+
"\u1c12\u1c13\7a\2\2\u1c13\u1c14\7T\2\2\u1c14\u1c15\7G\2\2\u1c15\u1c16"+
"\7S\2\2\u1c16\u1c17\7W\2\2\u1c17\u1c18\7G\2\2\u1c18\u1c19\7U\2\2\u1c19"+
"\u1c1a\7V\2\2\u1c1a\u1c1b\7U\2\2\u1c1b\u0424\3\2\2\2\u1c1c\u1c1d\7I\2"+
"\2\u1c1d\u1c1e\7T\2\2\u1c1e\u1c1f\7Q\2\2\u1c1f\u1c20\7W\2\2\u1c20\u1c21"+
"\7R\2\2\u1c21\u1c22\7K\2\2\u1c22\u1c23\7P\2\2\u1c23\u1c24\7I\2\2\u1c24"+
"\u0426\3\2\2\2\u1c25\u1c26\7I\2\2\u1c26\u1c27\7T\2\2\u1c27\u1c28\7Q\2"+
"\2\u1c28\u1c29\7W\2\2\u1c29\u1c2a\7R\2\2\u1c2a\u1c2b\7K\2\2\u1c2b\u1c2c"+
"\7P\2\2\u1c2c\u1c2d\7I\2\2\u1c2d\u1c2e\7a\2\2\u1c2e\u1c2f\7K\2\2\u1c2f"+
"\u1c30\7F\2\2\u1c30\u0428\3\2\2\2\u1c31\u1c32\7J\2\2\u1c32\u1c33\7C\2"+
"\2\u1c33\u1c34\7F\2\2\u1c34\u1c35\7T\2\2\u1c35\u042a\3\2\2\2\u1c36\u1c37"+
"\7J\2\2\u1c37\u1c38\7C\2\2\u1c38\u1c39\7U\2\2\u1c39\u1c3a\7J\2\2\u1c3a"+
"\u042c\3\2\2\2\u1c3b\u1c3c\7J\2\2\u1c3c\u1c3d\7G\2\2\u1c3d\u1c3e\7C\2"+
"\2\u1c3e\u1c3f\7N\2\2\u1c3f\u1c40\7V\2\2\u1c40\u1c41\7J\2\2\u1c41\u1c42"+
"\7a\2\2\u1c42\u1c43\7E\2\2\u1c43\u1c44\7J\2\2\u1c44\u1c45\7G\2\2\u1c45"+
"\u1c46\7E\2\2\u1c46\u1c47\7M\2\2\u1c47\u1c48\7a\2\2\u1c48\u1c49\7V\2\2"+
"\u1c49\u1c4a\7K\2\2\u1c4a\u1c4b\7O\2\2\u1c4b\u1c4c\7G\2\2\u1c4c\u1c4d"+
"\7Q\2\2\u1c4d\u1c4e\7W\2\2\u1c4e\u1c4f\7V\2\2\u1c4f\u042e\3\2\2\2\u1c50"+
"\u1c51\7J\2\2\u1c51\u1c52\7K\2\2\u1c52\u1c53\7I\2\2\u1c53\u1c54\7J\2\2"+
"\u1c54\u0430\3\2\2\2\u1c55\u1c56\7J\2\2\u1c56\u1c57\7Q\2\2\u1c57\u1c58"+
"\7P\2\2\u1c58\u1c59\7Q\2\2\u1c59\u1c5a\7T\2\2\u1c5a\u1c5b\7a\2\2\u1c5b"+
"\u1c5c\7D\2\2\u1c5c\u1c5d\7T\2\2\u1c5d\u1c5e\7Q\2\2\u1c5e\u1c5f\7M\2\2"+
"\u1c5f\u1c60\7G\2\2\u1c60\u1c61\7T\2\2\u1c61\u1c62\7a\2\2\u1c62\u1c63"+
"\7R\2\2\u1c63\u1c64\7T\2\2\u1c64\u1c65\7K\2\2\u1c65\u1c66\7Q\2\2\u1c66"+
"\u1c67\7T\2\2\u1c67\u1c68\7K\2\2\u1c68\u1c69\7V\2\2\u1c69\u1c6a\7[\2\2"+
"\u1c6a\u0432\3\2\2\2\u1c6b\u1c6c\7J\2\2\u1c6c\u1c6d\7Q\2\2\u1c6d\u1c6e"+
"\7W\2\2\u1c6e\u1c6f\7T\2\2\u1c6f\u1c70\7U\2\2\u1c70\u0434\3\2\2\2\u1c71"+
"\u1c72\7K\2\2\u1c72\u1c73\7F\2\2\u1c73\u1c74\7G\2\2\u1c74\u1c75\7P\2\2"+
"\u1c75\u1c76\7V\2\2\u1c76\u1c77\7K\2\2\u1c77\u1c78\7V\2\2\u1c78\u1c79"+
"\7[\2\2\u1c79\u1c7a\7a\2\2\u1c7a\u1c7b\7X\2\2\u1c7b\u1c7c\7C\2\2\u1c7c"+
"\u1c7d\7N\2\2\u1c7d\u1c7e\7W\2\2\u1c7e\u1c7f\7G\2\2\u1c7f\u0436\3\2\2"+
"\2\u1c80\u1c81\7K\2\2\u1c81\u1c82\7I\2\2\u1c82\u1c83\7P\2\2\u1c83\u1c84"+
"\7Q\2\2\u1c84\u1c85\7T\2\2\u1c85\u1c86\7G\2\2\u1c86\u1c87\7a\2\2\u1c87"+
"\u1c88\7P\2\2\u1c88\u1c89\7Q\2\2\u1c89\u1c8a\7P\2\2\u1c8a\u1c8b\7E\2\2"+
"\u1c8b\u1c8c\7N\2\2\u1c8c\u1c8d\7W\2\2\u1c8d\u1c8e\7U\2\2\u1c8e\u1c8f"+
"\7V\2\2\u1c8f\u1c90\7G\2\2\u1c90\u1c91\7T\2\2\u1c91\u1c92\7G\2\2\u1c92"+
"\u1c93\7F\2\2\u1c93\u1c94\7a\2\2\u1c94\u1c95\7E\2\2\u1c95\u1c96\7Q\2\2"+
"\u1c96\u1c97\7N\2\2\u1c97\u1c98\7W\2\2\u1c98\u1c99\7O\2\2\u1c99\u1c9a"+
"\7P\2\2\u1c9a\u1c9b\7U\2\2\u1c9b\u1c9c\7V\2\2\u1c9c\u1c9d\7Q\2\2\u1c9d"+
"\u1c9e\7T\2\2\u1c9e\u1c9f\7G\2\2\u1c9f\u1ca0\7a\2\2\u1ca0\u1ca1\7K\2\2"+
"\u1ca1\u1ca2\7P\2\2\u1ca2\u1ca3\7F\2\2\u1ca3\u1ca4\7G\2\2\u1ca4\u1ca5"+
"\7Z\2\2\u1ca5\u0438\3\2\2\2\u1ca6\u1ca7\7K\2\2\u1ca7\u1ca8\7O\2\2\u1ca8"+
"\u1ca9\7O\2\2\u1ca9\u1caa\7G\2\2\u1caa\u1cab\7F\2\2\u1cab\u1cac\7K\2\2"+
"\u1cac\u1cad\7C\2\2\u1cad\u1cae\7V\2\2\u1cae\u1caf\7G\2\2\u1caf\u043a"+
"\3\2\2\2\u1cb0\u1cb1\7K\2\2\u1cb1\u1cb2\7O\2\2\u1cb2\u1cb3\7R\2\2\u1cb3"+
"\u1cb4\7G\2\2\u1cb4\u1cb5\7T\2\2\u1cb5\u1cb6\7U\2\2\u1cb6\u1cb7\7Q\2\2"+
"\u1cb7\u1cb8\7P\2\2\u1cb8\u1cb9\7C\2\2\u1cb9\u1cba\7V\2\2\u1cba\u1cbb"+
"\7G\2\2\u1cbb\u043c\3\2\2\2\u1cbc\u1cbd\7K\2\2\u1cbd\u1cbe\7O\2\2\u1cbe"+
"\u1cbf\7R\2\2\u1cbf\u1cc0\7Q\2\2\u1cc0\u1cc1\7T\2\2\u1cc1\u1cc2\7V\2\2"+
"\u1cc2\u1cc3\7C\2\2\u1cc3\u1cc4\7P\2\2\u1cc4\u1cc5\7E\2\2\u1cc5\u1cc6"+
"\7G\2\2\u1cc6\u043e\3\2\2\2\u1cc7\u1cc8\7K\2\2\u1cc8\u1cc9\7P\2\2\u1cc9"+
"\u1cca\7E\2\2\u1cca\u1ccb\7N\2\2\u1ccb\u1ccc\7W\2\2\u1ccc\u1ccd\7F\2\2"+
"\u1ccd\u1cce\7G\2\2\u1cce\u1ccf\7a\2\2\u1ccf\u1cd0\7P\2\2\u1cd0\u1cd1"+
"\7W\2\2\u1cd1\u1cd2\7N\2\2\u1cd2\u1cd3\7N\2\2\u1cd3\u1cd4\7a\2\2\u1cd4"+
"\u1cd5\7X\2\2\u1cd5\u1cd6\7C\2\2\u1cd6\u1cd7\7N\2\2\u1cd7\u1cd8\7W\2\2"+
"\u1cd8\u1cd9\7G\2\2\u1cd9\u1cda\7U\2\2\u1cda\u0440\3\2\2\2\u1cdb\u1cdc"+
"\7K\2\2\u1cdc\u1cdd\7P\2\2\u1cdd\u1cde\7E\2\2\u1cde\u1cdf\7T\2\2\u1cdf"+
"\u1ce0\7G\2\2\u1ce0\u1ce1\7O\2\2\u1ce1\u1ce2\7G\2\2\u1ce2\u1ce3\7P\2\2"+
"\u1ce3\u1ce4\7V\2\2\u1ce4\u1ce5\7C\2\2\u1ce5\u1ce6\7N\2\2\u1ce6\u0442"+
"\3\2\2\2\u1ce7\u1ce8\7K\2\2\u1ce8\u1ce9\7P\2\2\u1ce9\u1cea\7K\2\2\u1cea"+
"\u1ceb\7V\2\2\u1ceb\u1cec\7K\2\2\u1cec\u1ced\7C\2\2\u1ced\u1cee\7V\2\2"+
"\u1cee\u1cef\7Q\2\2\u1cef\u1cf0\7T\2\2\u1cf0\u0444\3\2\2\2\u1cf1\u1cf2"+
"\7K\2\2\u1cf2\u1cf3\7P\2\2\u1cf3\u1cf4\7R\2\2\u1cf4\u1cf5\7W\2\2\u1cf5"+
"\u1cf6\7V\2\2\u1cf6\u0446\3\2\2\2\u1cf7\u1cf8\7K\2\2\u1cf8\u1cf9\7P\2"+
"\2\u1cf9\u1cfa\7U\2\2\u1cfa\u1cfb\7G\2\2\u1cfb\u1cfc\7P\2\2\u1cfc\u1cfd"+
"\7U\2\2\u1cfd\u1cfe\7K\2\2\u1cfe\u1cff\7V\2\2\u1cff\u1d00\7K\2\2\u1d00"+
"\u1d01\7X\2\2\u1d01\u1d02\7G\2\2\u1d02\u0448\3\2\2\2\u1d03\u1d04\7K\2"+
"\2\u1d04\u1d05\7P\2\2\u1d05\u1d06\7U\2\2\u1d06\u1d07\7G\2\2\u1d07\u1d08"+
"\7T\2\2\u1d08\u1d09\7V\2\2\u1d09\u1d0a\7G\2\2\u1d0a\u1d0b\7F\2\2\u1d0b"+
"\u044a\3\2\2\2\u1d0c\u1d0d\7K\2\2\u1d0d\u1d0e\7P\2\2\u1d0e\u1d0f\7V\2"+
"\2\u1d0f\u044c\3\2\2\2\u1d10\u1d11\7K\2\2\u1d11\u1d12\7R\2\2\u1d12\u044e"+
"\3\2\2\2\u1d13\u1d14\7K\2\2\u1d14\u1d15\7U\2\2\u1d15\u1d16\7Q\2\2\u1d16"+
"\u1d17\7N\2\2\u1d17\u1d18\7C\2\2\u1d18\u1d19\7V\2\2\u1d19\u1d1a\7K\2\2"+
"\u1d1a\u1d1b\7Q\2\2\u1d1b\u1d1c\7P\2\2\u1d1c\u0450\3\2\2\2\u1d1d\u1d1e"+
"\7L\2\2\u1d1e\u1d1f\7U\2\2\u1d1f\u1d20\7Q\2\2\u1d20\u1d21\7P\2\2\u1d21"+
"\u0452\3\2\2\2\u1d22\u1d23\7M\2\2\u1d23\u1d24\7D\2\2\u1d24\u0454\3\2\2"+
"\2\u1d25\u1d26\7M\2\2\u1d26\u1d27\7G\2\2\u1d27\u1d28\7G\2\2\u1d28\u1d29"+
"\7R\2\2\u1d29\u0456\3\2\2\2\u1d2a\u1d2b\7M\2\2\u1d2b\u1d2c\7G\2\2\u1d2c"+
"\u1d2d\7G\2\2\u1d2d\u1d2e\7R\2\2\u1d2e\u1d2f\7H\2\2\u1d2f\u1d30\7K\2\2"+
"\u1d30\u1d31\7Z\2\2\u1d31\u1d32\7G\2\2\u1d32\u1d33\7F\2\2\u1d33\u0458"+
"\3\2\2\2\u1d34\u1d35\7M\2\2\u1d35\u1d36\7G\2\2\u1d36\u1d37\7[\2\2\u1d37"+
"\u1d38\7a\2\2\u1d38\u1d39\7U\2\2\u1d39\u1d3a\7Q\2\2\u1d3a\u1d3b\7W\2\2"+
"\u1d3b\u1d3c\7T\2\2\u1d3c\u1d3d\7E\2\2\u1d3d\u1d3e\7G\2\2\u1d3e\u045a"+
"\3\2\2\2\u1d3f\u1d40\7M\2\2\u1d40\u1d41\7G\2\2\u1d41\u1d42\7[\2\2\u1d42"+
"\u1d43\7U\2\2\u1d43\u045c\3\2\2\2\u1d44\u1d45\7M\2\2\u1d45\u1d46\7G\2"+
"\2\u1d46\u1d47\7[\2\2\u1d47\u1d48\7U\2\2\u1d48\u1d49\7G\2\2\u1d49\u1d4a"+
"\7V\2\2\u1d4a\u045e\3\2\2\2\u1d4b\u1d4c\7N\2\2\u1d4c\u1d4d\7C\2\2\u1d4d"+
"\u1d4e\7I\2\2\u1d4e\u0460\3\2\2\2\u1d4f\u1d50\7N\2\2\u1d50\u1d51\7C\2"+
"\2\u1d51\u1d52\7U\2\2\u1d52\u1d53\7V\2\2\u1d53\u0462\3\2\2\2\u1d54\u1d55"+
"\7N\2\2\u1d55\u1d56\7C\2\2\u1d56\u1d57\7U\2\2\u1d57\u1d58\7V\2\2\u1d58"+
"\u1d59\7a\2\2\u1d59\u1d5a\7X\2\2\u1d5a\u1d5b\7C\2\2\u1d5b\u1d5c\7N\2\2"+
"\u1d5c\u1d5d\7W\2\2\u1d5d\u1d5e\7G\2\2\u1d5e\u0464\3\2\2\2\u1d5f\u1d60"+
"\7N\2\2\u1d60\u1d61\7G\2\2\u1d61\u1d62\7C\2\2\u1d62\u1d63\7F\2\2\u1d63"+
"\u0466\3\2\2\2\u1d64\u1d65\7N\2\2\u1d65\u1d66\7G\2\2\u1d66\u1d67\7X\2"+
"\2\u1d67\u1d68\7G\2\2\u1d68\u1d69\7N\2\2\u1d69\u0468\3\2\2\2\u1d6a\u1d6b"+
"\7N\2\2\u1d6b\u1d6c\7K\2\2\u1d6c\u1d6d\7U\2\2\u1d6d\u1d6e\7V\2\2\u1d6e"+
"\u046a\3\2\2\2\u1d6f\u1d70\7N\2\2\u1d70\u1d71\7K\2\2\u1d71\u1d72\7U\2"+
"\2\u1d72\u1d73\7V\2\2\u1d73\u1d74\7G\2\2\u1d74\u1d75\7P\2\2\u1d75\u1d76"+
"\7G\2\2\u1d76\u1d77\7T\2\2\u1d77\u046c\3\2\2\2\u1d78\u1d79\7N\2\2\u1d79"+
"\u1d7a\7K\2\2\u1d7a\u1d7b\7U\2\2\u1d7b\u1d7c\7V\2\2\u1d7c\u1d7d\7G\2\2"+
"\u1d7d\u1d7e\7P\2\2\u1d7e\u1d7f\7G\2\2\u1d7f\u1d80\7T\2\2\u1d80\u1d81"+
"\7a\2\2\u1d81\u1d82\7W\2\2\u1d82\u1d83\7T\2\2\u1d83\u1d84\7N\2\2\u1d84"+
"\u046e\3\2\2\2\u1d85\u1d86\7N\2\2\u1d86\u1d87\7Q\2\2\u1d87\u1d88\7D\2"+
"\2\u1d88\u1d89\7a\2\2\u1d89\u1d8a\7E\2\2\u1d8a\u1d8b\7Q\2\2\u1d8b\u1d8c"+
"\7O\2\2\u1d8c\u1d8d\7R\2\2\u1d8d\u1d8e\7C\2\2\u1d8e\u1d8f\7E\2\2\u1d8f"+
"\u1d90\7V\2\2\u1d90\u1d91\7K\2\2\u1d91\u1d92\7Q\2\2\u1d92\u1d93\7P\2\2"+
"\u1d93\u0470\3\2\2\2\u1d94\u1d95\7N\2\2\u1d95\u1d96\7Q\2\2\u1d96\u1d97"+
"\7E\2\2\u1d97\u1d98\7C\2\2\u1d98\u1d99\7N\2\2\u1d99\u0472\3\2\2\2\u1d9a"+
"\u1d9b\7N\2\2\u1d9b\u1d9c\7Q\2\2\u1d9c\u1d9d\7E\2\2\u1d9d\u1d9e\7C\2\2"+
"\u1d9e\u1d9f\7V\2\2\u1d9f\u1da0\7K\2\2\u1da0\u1da1\7Q\2\2\u1da1\u1da2"+
"\7P\2\2\u1da2\u0474\3\2\2\2\u1da3\u1da4\7N\2\2\u1da4\u1da5\7Q\2\2\u1da5"+
"\u1da6\7E\2\2\u1da6\u1da7\7M\2\2\u1da7\u0476\3\2\2\2\u1da8\u1da9\7N\2"+
"\2\u1da9\u1daa\7Q\2\2\u1daa\u1dab\7E\2\2\u1dab\u1dac\7M\2\2\u1dac\u1dad"+
"\7a\2\2\u1dad\u1dae\7G\2\2\u1dae\u1daf\7U\2\2\u1daf\u1db0\7E\2\2\u1db0"+
"\u1db1\7C\2\2\u1db1\u1db2\7N\2\2\u1db2\u1db3\7C\2\2\u1db3\u1db4\7V\2\2"+
"\u1db4\u1db5\7K\2\2\u1db5\u1db6\7Q\2\2\u1db6\u1db7\7P\2\2\u1db7\u0478"+
"\3\2\2\2\u1db8\u1db9\7N\2\2\u1db9\u1dba\7Q\2\2\u1dba\u1dbb\7I\2\2\u1dbb"+
"\u1dbc\7K\2\2\u1dbc\u1dbd\7P\2\2\u1dbd\u047a\3\2\2\2\u1dbe\u1dbf\7N\2"+
"\2\u1dbf\u1dc0\7Q\2\2\u1dc0\u1dc1\7Q\2\2\u1dc1\u1dc2\7R\2\2\u1dc2\u047c"+
"\3\2\2\2\u1dc3\u1dc4\7N\2\2\u1dc4\u1dc5\7Q\2\2\u1dc5\u1dc6\7Y\2\2\u1dc6"+
"\u047e\3\2\2\2\u1dc7\u1dc8\7O\2\2\u1dc8\u1dc9\7C\2\2\u1dc9\u1dca\7P\2"+
"\2\u1dca\u1dcb\7W\2\2\u1dcb\u1dcc\7C\2\2\u1dcc\u1dcd\7N\2\2\u1dcd\u0480"+
"\3\2\2\2\u1dce\u1dcf\7O\2\2\u1dcf\u1dd0\7C\2\2\u1dd0\u1dd1\7T\2\2\u1dd1"+
"\u1dd2\7M\2\2\u1dd2\u0482\3\2\2\2\u1dd3\u1dd4\7O\2\2\u1dd4\u1dd5\7C\2"+
"\2\u1dd5\u1dd6\7V\2\2\u1dd6\u1dd7\7G\2\2\u1dd7\u1dd8\7T\2\2\u1dd8\u1dd9"+
"\7K\2\2\u1dd9\u1dda\7C\2\2\u1dda\u1ddb\7N\2\2\u1ddb\u1ddc\7K\2\2\u1ddc"+
"\u1ddd\7\\\2\2\u1ddd\u1dde\7G\2\2\u1dde\u1ddf\7F\2\2\u1ddf\u0484\3\2\2"+
"\2\u1de0\u1de1\7O\2\2\u1de1\u1de2\7C\2\2\u1de2\u1dea\7Z\2\2\u1de3\u1de4"+
"\7o\2\2\u1de4\u1de5\7c\2\2\u1de5\u1dea\7z\2\2\u1de6\u1de7\7O\2\2\u1de7"+
"\u1de8\7c\2\2\u1de8\u1dea\7z\2\2\u1de9\u1de0\3\2\2\2\u1de9\u1de3\3\2\2"+
"\2\u1de9\u1de6\3\2\2\2\u1dea\u0486\3\2\2\2\u1deb\u1dec\7O\2\2\u1dec\u1ded"+
"\7C\2\2\u1ded\u1dee\7Z\2\2\u1dee\u1def\7a\2\2\u1def\u1df0\7E\2\2\u1df0"+
"\u1df1\7R\2\2\u1df1\u1df2\7W\2\2\u1df2\u1df3\7a\2\2\u1df3\u1df4\7R\2\2"+
"\u1df4\u1df5\7G\2\2\u1df5\u1df6\7T\2\2\u1df6\u1df7\7E\2\2\u1df7\u1df8"+
"\7G\2\2\u1df8\u1df9\7P\2\2\u1df9\u1dfa\7V\2\2\u1dfa\u0488\3\2\2\2\u1dfb"+
"\u1dfc\7O\2\2\u1dfc\u1dfd\7C\2\2\u1dfd\u1dfe\7Z\2\2\u1dfe\u1dff\7a\2\2"+
"\u1dff\u1e00\7F\2\2\u1e00\u1e01\7Q\2\2\u1e01\u1e02\7R\2\2\u1e02\u048a"+
"\3\2\2\2\u1e03\u1e04\7O\2\2\u1e04\u1e05\7C\2\2\u1e05\u1e06\7Z\2\2\u1e06"+
"\u1e07\7a\2\2\u1e07\u1e08\7H\2\2\u1e08\u1e09\7K\2\2\u1e09\u1e0a\7N\2\2"+
"\u1e0a\u1e0b\7G\2\2\u1e0b\u1e0c\7U\2\2\u1e0c\u048c\3\2\2\2\u1e0d\u1e0e"+
"\7O\2\2\u1e0e\u1e0f\7C\2\2\u1e0f\u1e10\7Z\2\2\u1e10\u1e11\7a\2\2\u1e11"+
"\u1e12\7K\2\2\u1e12\u1e13\7Q\2\2\u1e13\u1e14\7R\2\2\u1e14\u1e15\7U\2\2"+
"\u1e15\u1e16\7a\2\2\u1e16\u1e17\7R\2\2\u1e17\u1e18\7G\2\2\u1e18\u1e19"+
"\7T\2\2\u1e19\u1e1a\7a\2\2\u1e1a\u1e1b\7X\2\2\u1e1b\u1e1c\7Q\2\2\u1e1c"+
"\u1e1d\7N\2\2\u1e1d\u1e1e\7W\2\2\u1e1e\u1e1f\7O\2\2\u1e1f\u1e20\7G\2\2"+
"\u1e20\u048e\3\2\2\2\u1e21\u1e22\7O\2\2\u1e22\u1e23\7C\2\2\u1e23\u1e24"+
"\7Z\2\2\u1e24\u1e25\7a\2\2\u1e25\u1e26\7O\2\2\u1e26\u1e27\7G\2\2\u1e27"+
"\u1e28\7O\2\2\u1e28\u1e29\7Q\2\2\u1e29\u1e2a\7T\2\2\u1e2a\u1e2b\7[\2\2"+
"\u1e2b\u1e2c\7a\2\2\u1e2c\u1e2d\7R\2\2\u1e2d\u1e2e\7G\2\2\u1e2e\u1e2f"+
"\7T\2\2\u1e2f\u1e30\7E\2\2\u1e30\u1e31\7G\2\2\u1e31\u1e32\7P\2\2\u1e32"+
"\u1e33\7V\2\2\u1e33\u0490\3\2\2\2\u1e34\u1e35\7O\2\2\u1e35\u1e36\7C\2"+
"\2\u1e36\u1e37\7Z\2\2\u1e37\u1e38\7a\2\2\u1e38\u1e39\7R\2\2\u1e39\u1e3a"+
"\7T\2\2\u1e3a\u1e3b\7Q\2\2\u1e3b\u1e3c\7E\2\2\u1e3c\u1e3d\7G\2\2\u1e3d"+
"\u1e3e\7U\2\2\u1e3e\u1e3f\7U\2\2\u1e3f\u1e40\7G\2\2\u1e40\u1e41\7U\2\2"+
"\u1e41\u0492\3\2\2\2\u1e42\u1e43\7O\2\2\u1e43\u1e44\7C\2\2\u1e44\u1e45"+
"\7Z\2\2\u1e45\u1e46\7a\2\2\u1e46\u1e47\7S\2\2\u1e47\u1e48\7W\2\2\u1e48"+
"\u1e49\7G\2\2\u1e49\u1e4a\7W\2\2\u1e4a\u1e4b\7G\2\2\u1e4b\u1e4c\7a\2\2"+
"\u1e4c\u1e4d\7T\2\2\u1e4d\u1e4e\7G\2\2\u1e4e\u1e4f\7C\2\2\u1e4f\u1e50"+
"\7F\2\2\u1e50\u1e51\7G\2\2\u1e51\u1e52\7T\2\2\u1e52\u1e53\7U\2\2\u1e53"+
"\u0494\3\2\2\2\u1e54\u1e55\7O\2\2\u1e55\u1e56\7C\2\2\u1e56\u1e57\7Z\2"+
"\2\u1e57\u1e58\7a\2\2\u1e58\u1e59\7T\2\2\u1e59\u1e5a\7Q\2\2\u1e5a\u1e5b"+
"\7N\2\2\u1e5b\u1e5c\7N\2\2\u1e5c\u1e5d\7Q\2\2\u1e5d\u1e5e\7X\2\2\u1e5e"+
"\u1e5f\7G\2\2\u1e5f\u1e60\7T\2\2\u1e60\u1e61\7a\2\2\u1e61\u1e62\7H\2\2"+
"\u1e62\u1e63\7K\2\2\u1e63\u1e64\7N\2\2\u1e64\u1e65\7G\2\2\u1e65\u1e66"+
"\7U\2\2\u1e66\u0496\3\2\2\2\u1e67\u1e68\7O\2\2\u1e68\u1e69\7C\2\2\u1e69"+
"\u1e6a\7Z\2\2\u1e6a\u1e6b\7F\2\2\u1e6b\u1e6c\7Q\2\2\u1e6c\u1e6d\7R\2\2"+
"\u1e6d\u0498\3\2\2\2\u1e6e\u1e6f\7O\2\2\u1e6f\u1e70\7C\2\2\u1e70\u1e71"+
"\7Z\2\2\u1e71\u1e72\7T\2\2\u1e72\u1e73\7G\2\2\u1e73\u1e74\7E\2\2\u1e74"+
"\u1e75\7W\2\2\u1e75\u1e76\7T\2\2\u1e76\u1e77\7U\2\2\u1e77\u1e78\7K\2\2"+
"\u1e78\u1e79\7Q\2\2\u1e79\u1e7a\7P\2\2\u1e7a\u049a\3\2\2\2\u1e7b\u1e7c"+
"\7O\2\2\u1e7c\u1e7d\7C\2\2\u1e7d\u1e7e\7Z\2\2\u1e7e\u1e7f\7U\2\2\u1e7f"+
"\u1e80\7K\2\2\u1e80\u1e81\7\\\2\2\u1e81\u1e82\7G\2\2\u1e82\u049c\3\2\2"+
"\2\u1e83\u1e84\7O\2\2\u1e84\u1e85\7D\2\2\u1e85\u049e\3\2\2\2\u1e86\u1e87"+
"\7O\2\2\u1e87\u1e88\7G\2\2\u1e88\u1e89\7F\2\2\u1e89\u1e8a\7K\2\2\u1e8a"+
"\u1e8b\7W\2\2\u1e8b\u1e8c\7O\2\2\u1e8c\u04a0\3\2\2\2\u1e8d\u1e8e\7O\2"+
"\2\u1e8e\u1e8f\7G\2\2\u1e8f\u1e90\7O\2\2\u1e90\u1e91\7Q\2\2\u1e91\u1e92"+
"\7T\2\2\u1e92\u1e93\7[\2\2\u1e93\u1e94\7a\2\2\u1e94\u1e95\7Q\2\2\u1e95"+
"\u1e96\7R\2\2\u1e96\u1e97\7V\2\2\u1e97\u1e98\7K\2\2\u1e98\u1e99\7O\2\2"+
"\u1e99\u1e9a\7K\2\2\u1e9a\u1e9b\7\\\2\2\u1e9b\u1e9c\7G\2\2\u1e9c\u1e9d"+
"\7F\2\2\u1e9d\u1e9e\7a\2\2\u1e9e\u1e9f\7F\2\2\u1e9f\u1ea0\7C\2\2\u1ea0"+
"\u1ea1\7V\2\2\u1ea1\u1ea2\7C\2\2\u1ea2\u04a2\3\2\2\2\u1ea3\u1ea4\7O\2"+
"\2\u1ea4\u1ea5\7G\2\2\u1ea5\u1ea6\7U\2\2\u1ea6\u1ea7\7U\2\2\u1ea7\u1ea8"+
"\7C\2\2\u1ea8\u1ea9\7I\2\2\u1ea9\u1eaa\7G\2\2\u1eaa\u04a4\3\2\2\2\u1eab"+
"\u1eac\7O\2\2\u1eac\u1ead\7K\2\2\u1ead\u1eb5\7P\2\2\u1eae\u1eaf\7o\2\2"+
"\u1eaf\u1eb0\7k\2\2\u1eb0\u1eb5\7p\2\2\u1eb1\u1eb2\7O\2\2\u1eb2\u1eb3"+
"\7k\2\2\u1eb3\u1eb5\7p\2\2\u1eb4\u1eab\3\2\2\2\u1eb4\u1eae\3\2\2\2\u1eb4"+
"\u1eb1\3\2\2\2\u1eb5\u04a6\3\2\2\2\u1eb6\u1eb7\7O\2\2\u1eb7\u1eb8\7K\2"+
"\2\u1eb8\u1eb9\7P\2\2\u1eb9\u1eba\7a\2\2\u1eba\u1ebb\7C\2\2\u1ebb\u1ebc"+
"\7E\2\2\u1ebc\u1ebd\7V\2\2\u1ebd\u1ebe\7K\2\2\u1ebe\u1ebf\7X\2\2\u1ebf"+
"\u1ec0\7G\2\2\u1ec0\u1ec1\7a\2\2\u1ec1\u1ec2\7T\2\2\u1ec2\u1ec3\7Q\2\2"+
"\u1ec3\u1ec4\7Y\2\2\u1ec4\u1ec5\7X\2\2\u1ec5\u1ec6\7G\2\2\u1ec6\u1ec7"+
"\7T\2\2\u1ec7\u1ec8\7U\2\2\u1ec8\u1ec9\7K\2\2\u1ec9\u1eca\7Q\2\2\u1eca"+
"\u1ecb\7P\2\2\u1ecb\u04a8\3\2\2\2\u1ecc\u1ecd\7O\2\2\u1ecd\u1ece\7K\2"+
"\2\u1ece\u1ecf\7P\2\2\u1ecf\u1ed0\7a\2\2\u1ed0\u1ed1\7E\2\2\u1ed1\u1ed2"+
"\7R\2\2\u1ed2\u1ed3\7W\2\2\u1ed3\u1ed4\7a\2\2\u1ed4\u1ed5\7R\2\2\u1ed5"+
"\u1ed6\7G\2\2\u1ed6\u1ed7\7T\2\2\u1ed7\u1ed8\7E\2\2\u1ed8\u1ed9\7G\2\2"+
"\u1ed9\u1eda\7P\2\2\u1eda\u1edb\7V\2\2\u1edb\u04aa\3\2\2\2\u1edc\u1edd"+
"\7O\2\2\u1edd\u1ede\7K\2\2\u1ede\u1edf\7P\2\2\u1edf\u1ee0\7a\2\2\u1ee0"+
"\u1ee1\7K\2\2\u1ee1\u1ee2\7Q\2\2\u1ee2\u1ee3\7R\2\2\u1ee3\u1ee4\7U\2\2"+
"\u1ee4\u1ee5\7a\2\2\u1ee5\u1ee6\7R\2\2\u1ee6\u1ee7\7G\2\2\u1ee7\u1ee8"+
"\7T\2\2\u1ee8\u1ee9\7a\2\2\u1ee9\u1eea\7X\2\2\u1eea\u1eeb\7Q\2\2\u1eeb"+
"\u1eec\7N\2\2\u1eec\u1eed\7W\2\2\u1eed\u1eee\7O\2\2\u1eee\u1eef\7G\2\2"+
"\u1eef\u04ac\3\2\2\2\u1ef0\u1ef1\7O\2\2\u1ef1\u1ef2\7K\2\2\u1ef2\u1ef3"+
"\7P\2\2\u1ef3\u1ef4\7a\2\2\u1ef4\u1ef5\7O\2\2\u1ef5\u1ef6\7G\2\2\u1ef6"+
"\u1ef7\7O\2\2\u1ef7\u1ef8\7Q\2\2\u1ef8\u1ef9\7T\2\2\u1ef9\u1efa\7[\2\2"+
"\u1efa\u1efb\7a\2\2\u1efb\u1efc\7R\2\2\u1efc\u1efd\7G\2\2\u1efd\u1efe"+
"\7T\2\2\u1efe\u1eff\7E\2\2\u1eff\u1f00\7G\2\2\u1f00\u1f01\7P\2\2\u1f01"+
"\u1f02\7V\2\2\u1f02\u04ae\3\2\2\2\u1f03\u1f04\7O\2\2\u1f04\u1f05\7K\2"+
"\2\u1f05\u1f06\7P\2\2\u1f06\u1f07\7W\2\2\u1f07\u1f08\7V\2\2\u1f08\u1f09"+
"\7G\2\2\u1f09\u1f0a\7U\2\2\u1f0a\u04b0\3\2\2\2\u1f0b\u1f0c\7O\2\2\u1f0c"+
"\u1f0d\7K\2\2\u1f0d\u1f0e\7T\2\2\u1f0e\u1f0f\7T\2\2\u1f0f\u1f10\7Q\2\2"+
"\u1f10\u1f11\7T\2\2\u1f11\u1f12\7a\2\2\u1f12\u1f13\7C\2\2\u1f13\u1f14"+
"\7F\2\2\u1f14\u1f15\7F\2\2\u1f15\u1f16\7T\2\2\u1f16\u1f17\7G\2\2\u1f17"+
"\u1f18\7U\2\2\u1f18\u1f19\7U\2\2\u1f19\u04b2\3\2\2\2\u1f1a\u1f1b\7O\2"+
"\2\u1f1b\u1f1c\7K\2\2\u1f1c\u1f1d\7Z\2\2\u1f1d\u1f1e\7G\2\2\u1f1e\u1f1f"+
"\7F\2\2\u1f1f\u1f20\7a\2\2\u1f20\u1f21\7R\2\2\u1f21\u1f22\7C\2\2\u1f22"+
"\u1f23\7I\2\2\u1f23\u1f24\7G\2\2\u1f24\u1f25\7a\2\2\u1f25\u1f26\7C\2\2"+
"\u1f26\u1f27\7N\2\2\u1f27\u1f28\7N\2\2\u1f28\u1f29\7Q\2\2\u1f29\u1f2a"+
"\7E\2\2\u1f2a\u1f2b\7C\2\2\u1f2b\u1f2c\7V\2\2\u1f2c\u1f2d\7K\2\2\u1f2d"+
"\u1f2e\7Q\2\2\u1f2e\u1f2f\7P\2\2\u1f2f\u04b4\3\2\2\2\u1f30\u1f31\7O\2"+
"\2\u1f31\u1f32\7Q\2\2\u1f32\u1f33\7F\2\2\u1f33\u1f34\7G\2\2\u1f34\u04b6"+
"\3\2\2\2\u1f35\u1f36\7O\2\2\u1f36\u1f37\7Q\2\2\u1f37\u1f38\7F\2\2\u1f38"+
"\u1f39\7K\2\2\u1f39\u1f3a\7H\2\2\u1f3a\u1f3b\7[\2\2\u1f3b\u04b8\3\2\2"+
"\2\u1f3c\u1f3d\7O\2\2\u1f3d\u1f3e\7Q\2\2\u1f3e\u1f3f\7X\2\2\u1f3f\u1f40"+
"\7G\2\2\u1f40\u04ba\3\2\2\2\u1f41\u1f42\7O\2\2\u1f42\u1f43\7W\2\2\u1f43"+
"\u1f44\7N\2\2\u1f44\u1f45\7V\2\2\u1f45\u1f46\7K\2\2\u1f46\u1f47\7a\2\2"+
"\u1f47\u1f48\7W\2\2\u1f48\u1f49\7U\2\2\u1f49\u1f4a\7G\2\2\u1f4a\u1f4b"+
"\7T\2\2\u1f4b\u04bc\3\2\2\2\u1f4c\u1f4d\7P\2\2\u1f4d\u1f4e\7C\2\2\u1f4e"+
"\u1f4f\7O\2\2\u1f4f\u1f50\7G\2\2\u1f50\u04be\3\2\2\2\u1f51\u1f52\7P\2"+
"\2\u1f52\u1f53\7G\2\2\u1f53\u1f54\7U\2\2\u1f54\u1f55\7V\2\2\u1f55\u1f56"+
"\7G\2\2\u1f56\u1f57\7F\2\2\u1f57\u1f58\7a\2\2\u1f58\u1f59\7V\2\2\u1f59"+
"\u1f5a\7T\2\2\u1f5a\u1f5b\7K\2\2\u1f5b\u1f5c\7I\2\2\u1f5c\u1f5d\7I\2\2"+
"\u1f5d\u1f5e\7G\2\2\u1f5e\u1f5f\7T\2\2\u1f5f\u1f60\7U\2\2\u1f60\u04c0"+
"\3\2\2\2\u1f61\u1f62\7P\2\2\u1f62\u1f63\7G\2\2\u1f63\u1f64\7Y\2\2\u1f64"+
"\u1f65\7a\2\2\u1f65\u1f66\7C\2\2\u1f66\u1f67\7E\2\2\u1f67\u1f68\7E\2\2"+
"\u1f68\u1f69\7Q\2\2\u1f69\u1f6a\7W\2\2\u1f6a\u1f6b\7P\2\2\u1f6b\u1f6c"+
"\7V\2\2\u1f6c\u04c2\3\2\2\2\u1f6d\u1f6e\7P\2\2\u1f6e\u1f6f\7G\2\2\u1f6f"+
"\u1f70\7Y\2\2\u1f70\u1f71\7a\2\2\u1f71\u1f72\7D\2\2\u1f72\u1f73\7T\2\2"+
"\u1f73\u1f74\7Q\2\2\u1f74\u1f75\7M\2\2\u1f75\u1f76\7G\2\2\u1f76\u1f77"+
"\7T\2\2\u1f77\u04c4\3\2\2\2\u1f78\u1f79\7P\2\2\u1f79\u1f7a\7G\2\2\u1f7a"+
"\u1f7b\7Y\2\2\u1f7b\u1f7c\7a\2\2\u1f7c\u1f7d\7R\2\2\u1f7d\u1f7e\7C\2\2"+
"\u1f7e\u1f7f\7U\2\2\u1f7f\u1f80\7U\2\2\u1f80\u1f81\7Y\2\2\u1f81\u1f82"+
"\7Q\2\2\u1f82\u1f83\7T\2\2\u1f83\u1f84\7F\2\2\u1f84\u04c6\3\2\2\2\u1f85"+
"\u1f86\7P\2\2\u1f86\u1f87\7G\2\2\u1f87\u1f88\7Z\2\2\u1f88\u1f89\7V\2\2"+
"\u1f89\u04c8\3\2\2\2\u1f8a\u1f8b\7P\2\2\u1f8b\u1f8c\7Q\2\2\u1f8c\u04ca"+
"\3\2\2\2\u1f8d\u1f8e\7P\2\2\u1f8e\u1f8f\7Q\2\2\u1f8f\u1f90\7a\2\2\u1f90"+
"\u1f91\7V\2\2\u1f91\u1f92\7T\2\2\u1f92\u1f93\7W\2\2\u1f93\u1f94\7P\2\2"+
"\u1f94\u1f95\7E\2\2\u1f95\u1f96\7C\2\2\u1f96\u1f97\7V\2\2\u1f97\u1f98"+
"\7G\2\2\u1f98\u04cc\3\2\2\2\u1f99\u1f9a\7P\2\2\u1f9a\u1f9b\7Q\2\2\u1f9b"+
"\u1f9c\7a\2\2\u1f9c\u1f9d\7Y\2\2\u1f9d\u1f9e\7C\2\2\u1f9e\u1f9f\7K\2\2"+
"\u1f9f\u1fa0\7V\2\2\u1fa0\u04ce\3\2\2\2\u1fa1\u1fa2\7P\2\2\u1fa2\u1fa3"+
"\7Q\2\2\u1fa3\u1fa4\7E\2\2\u1fa4\u1fa5\7Q\2\2\u1fa5\u1fa6\7W\2\2\u1fa6"+
"\u1fa7\7P\2\2\u1fa7\u1fa8\7V\2\2\u1fa8\u04d0\3\2\2\2\u1fa9\u1faa\7P\2"+
"\2\u1faa\u1fab\7Q\2\2\u1fab\u1fac\7F\2\2\u1fac\u1fad\7G\2\2\u1fad\u1fae"+
"\7U\2\2\u1fae\u04d2\3\2\2\2\u1faf\u1fb0\7P\2\2\u1fb0\u1fb1\7Q\2\2\u1fb1"+
"\u1fb2\7G\2\2\u1fb2\u1fb3\7Z\2\2\u1fb3\u1fb4\7R\2\2\u1fb4\u1fb5\7C\2\2"+
"\u1fb5\u1fb6\7P\2\2\u1fb6\u1fb7\7F\2\2\u1fb7\u04d4\3\2\2\2\u1fb8\u1fb9"+
"\7P\2\2\u1fb9\u1fba\7Q\2\2\u1fba\u1fbb\7P\2\2\u1fbb\u1fbc\7a\2\2\u1fbc"+
"\u1fbd\7V\2\2\u1fbd\u1fbe\7T\2\2\u1fbe\u1fbf\7C\2\2\u1fbf\u1fc0\7P\2\2"+
"\u1fc0\u1fc1\7U\2\2\u1fc1\u1fc2\7C\2\2\u1fc2\u1fc3\7E\2\2\u1fc3\u1fc4"+
"\7V\2\2\u1fc4\u1fc5\7G\2\2\u1fc5\u1fc6\7F\2\2\u1fc6\u1fc7\7a\2\2\u1fc7"+
"\u1fc8\7C\2\2\u1fc8\u1fc9\7E\2\2\u1fc9\u1fca\7E\2\2\u1fca\u1fcb\7G\2\2"+
"\u1fcb\u1fcc\7U\2\2\u1fcc\u1fcd\7U\2\2\u1fcd\u04d6\3\2\2\2\u1fce\u1fcf"+
"\7P\2\2\u1fcf\u1fd0\7Q\2\2\u1fd0\u1fd1\7T\2\2\u1fd1\u1fd2\7G\2\2\u1fd2"+
"\u1fd3\7E\2\2\u1fd3\u1fd4\7Q\2\2\u1fd4\u1fd5\7O\2\2\u1fd5\u1fd6\7R\2\2"+
"\u1fd6\u1fd7\7W\2\2\u1fd7\u1fd8\7V\2\2\u1fd8\u1fd9\7G\2\2\u1fd9\u04d8"+
"\3\2\2\2\u1fda\u1fdb\7P\2\2\u1fdb\u1fdc\7Q\2\2\u1fdc\u1fdd\7T\2\2\u1fdd"+
"\u1fde\7G\2\2\u1fde\u1fdf\7E\2\2\u1fdf\u1fe0\7Q\2\2\u1fe0\u1fe1\7X\2\2"+
"\u1fe1\u1fe2\7G\2\2\u1fe2\u1fe3\7T\2\2\u1fe3\u1fe4\7[\2\2\u1fe4\u04da"+
"\3\2\2\2\u1fe5\u1fe6\7P\2\2\u1fe6\u1fe7\7Q\2\2\u1fe7\u1fe8\7Y\2\2\u1fe8"+
"\u1fe9\7C\2\2\u1fe9\u1fea\7K\2\2\u1fea\u1feb\7V\2\2\u1feb\u04dc\3\2\2"+
"\2\u1fec\u1fed\7P\2\2\u1fed\u1fee\7V\2\2\u1fee\u1fef\7K\2\2\u1fef\u1ff0"+
"\7N\2\2\u1ff0\u1ff1\7G\2\2\u1ff1\u04de\3\2\2\2\u1ff2\u1ff3\7P\2\2\u1ff3"+
"\u1ff4\7W\2\2\u1ff4\u1ff5\7O\2\2\u1ff5\u1ff6\7C\2\2\u1ff6\u1ff7\7P\2\2"+
"\u1ff7\u1ff8\7Q\2\2\u1ff8\u1ff9\7F\2\2\u1ff9\u1ffa\7G\2\2\u1ffa\u04e0"+
"\3\2\2\2\u1ffb\u1ffc\7P\2\2\u1ffc\u1ffd\7W\2\2\u1ffd\u1ffe\7O\2\2\u1ffe"+
"\u1fff\7D\2\2\u1fff\u2000\7G\2\2\u2000\u2001\7T\2\2\u2001\u04e2\3\2\2"+
"\2\u2002\u2003\7P\2\2\u2003\u2004\7W\2\2\u2004\u2005\7O\2\2\u2005\u2006"+
"\7G\2\2\u2006\u2007\7T\2\2\u2007\u2008\7K\2\2\u2008\u2009\7E\2\2\u2009"+
"\u200a\7a\2\2\u200a\u200b\7T\2\2\u200b\u200c\7Q\2\2\u200c\u200d\7W\2\2"+
"\u200d\u200e\7P\2\2\u200e\u200f\7F\2\2\u200f\u2010\7C\2\2\u2010\u2011"+
"\7D\2\2\u2011\u2012\7Q\2\2\u2012\u2013\7T\2\2\u2013\u2014\7V\2\2\u2014"+
"\u04e4\3\2\2\2\u2015\u2016\7Q\2\2\u2016\u2017\7D\2\2\u2017\u2018\7L\2"+
"\2\u2018\u2019\7G\2\2\u2019\u201a\7E\2\2\u201a\u201b\7V\2\2\u201b\u04e6"+
"\3\2\2\2\u201c\u201d\7Q\2\2\u201d\u201e\7H\2\2\u201e\u201f\7H\2\2\u201f"+
"\u2020\7N\2\2\u2020\u2021\7K\2\2\u2021\u2022\7P\2\2\u2022\u2023\7G\2\2"+
"\u2023\u04e8\3\2\2\2\u2024\u2025\7Q\2\2\u2025\u2026\7H\2\2\u2026\u2027"+
"\7H\2\2\u2027\u2028\7U\2\2\u2028\u2029\7G\2\2\u2029\u202a\7V\2\2\u202a"+
"\u04ea\3\2\2\2\u202b\u202c\7Q\2\2\u202c\u202d\7N\2\2\u202d\u202e\7F\2"+
"\2\u202e\u202f\7a\2\2\u202f\u2030\7C\2\2\u2030\u2031\7E\2\2\u2031\u2032"+
"\7E\2\2\u2032\u2033\7Q\2\2\u2033\u2034\7W\2\2\u2034\u2035\7P\2\2\u2035"+
"\u2036\7V\2\2\u2036\u04ec\3\2\2\2\u2037\u2038\7Q\2\2\u2038\u2039\7P\2"+
"\2\u2039\u203a\7N\2\2\u203a\u203b\7K\2\2\u203b\u203c\7P\2\2\u203c\u203d"+
"\7G\2\2\u203d\u04ee\3\2\2\2\u203e\u203f\7Q\2\2\u203f\u2040\7P\2\2\u2040"+
"\u2041\7N\2\2\u2041\u2042\7[\2\2\u2042\u04f0\3\2\2\2\u2043\u2044\7Q\2"+
"\2\u2044\u2045\7R\2\2\u2045\u2046\7G\2\2\u2046\u2047\7P\2\2\u2047\u2048"+
"\7a\2\2\u2048\u2049\7G\2\2\u2049\u204a\7Z\2\2\u204a\u204b\7K\2\2\u204b"+
"\u204c\7U\2\2\u204c\u204d\7V\2\2\u204d\u204e\7K\2\2\u204e\u204f\7P\2\2"+
"\u204f\u2050\7I\2\2\u2050\u04f2\3\2\2\2\u2051\u2052\7Q\2\2\u2052\u2053"+
"\7R\2\2\u2053\u2054\7V\2\2\u2054\u2055\7K\2\2\u2055\u2056\7O\2\2\u2056"+
"\u2057\7K\2\2\u2057\u2058\7U\2\2\u2058\u2059\7V\2\2\u2059\u205a\7K\2\2"+
"\u205a\u205b\7E\2\2\u205b\u04f4\3\2\2\2\u205c\u205d\7Q\2\2\u205d\u205e"+
"\7R\2\2\u205e\u205f\7V\2\2\u205f\u2060\7K\2\2\u2060\u2061\7O\2\2\u2061"+
"\u2062\7K\2\2\u2062\u2063\7\\\2\2\u2063\u2064\7G\2\2\u2064\u04f6\3\2\2"+
"\2\u2065\u2066\7Q\2\2\u2066\u2067\7W\2\2\u2067\u2068\7V\2\2\u2068\u04f8"+
"\3\2\2\2\u2069\u206a\7Q\2\2\u206a\u206b\7W\2\2\u206b\u206c\7V\2\2\u206c"+
"\u206d\7R\2\2\u206d\u206e\7W\2\2\u206e\u206f\7V\2\2\u206f\u04fa\3\2\2"+
"\2\u2070\u2071\7Q\2\2\u2071\u2072\7Y\2\2\u2072\u2073\7P\2\2\u2073\u2074"+
"\7G\2\2\u2074\u2075\7T\2\2\u2075\u04fc\3\2\2\2\u2076\u2077\7R\2\2\u2077"+
"\u2078\7C\2\2\u2078\u2079\7I\2\2\u2079\u207a\7G\2\2\u207a\u207b\7a\2\2"+
"\u207b\u207c\7X\2\2\u207c\u207d\7G\2\2\u207d\u207e\7T\2\2\u207e\u207f"+
"\7K\2\2\u207f\u2080\7H\2\2\u2080\u2081\7[\2\2\u2081\u04fe\3\2\2\2\u2082"+
"\u2083\7R\2\2\u2083\u2084\7C\2\2\u2084\u2085\7T\2\2\u2085\u2086\7C\2\2"+
"\u2086\u2087\7O\2\2\u2087\u2088\7G\2\2\u2088\u2089\7V\2\2\u2089\u208a"+
"\7G\2\2\u208a\u208b\7T\2\2\u208b\u208c\7K\2\2\u208c\u208d\7\\\2\2\u208d"+
"\u208e\7C\2\2\u208e\u208f\7V\2\2\u208f\u2090\7K\2\2\u2090\u2091\7Q\2\2"+
"\u2091\u2092\7P\2\2\u2092\u0500\3\2\2\2\u2093\u2094\7R\2\2\u2094\u2095"+
"\7C\2\2\u2095\u2096\7T\2\2\u2096\u2097\7V\2\2\u2097\u2098\7K\2\2\u2098"+
"\u2099\7V\2\2\u2099\u209a\7K\2\2\u209a\u209b\7Q\2\2\u209b\u209c\7P\2\2"+
"\u209c\u0502\3\2\2\2\u209d\u209e\7R\2\2\u209e\u209f\7C\2\2\u209f\u20a0"+
"\7T\2\2\u20a0\u20a1\7V\2\2\u20a1\u20a2\7K\2\2\u20a2\u20a3\7V\2\2\u20a3"+
"\u20a4\7K\2\2\u20a4\u20a5\7Q\2\2\u20a5\u20a6\7P\2\2\u20a6\u20a7\7U\2\2"+
"\u20a7\u0504\3\2\2\2\u20a8\u20a9\7R\2\2\u20a9\u20aa\7C\2\2\u20aa\u20ab"+
"\7T\2\2\u20ab\u20ac\7V\2\2\u20ac\u20ad\7P\2\2\u20ad\u20ae\7G\2\2\u20ae"+
"\u20af\7T\2\2\u20af\u0506\3\2\2\2\u20b0\u20b1\7R\2\2\u20b1\u20b2\7C\2"+
"\2\u20b2\u20b3\7V\2\2\u20b3\u20b4\7J\2\2\u20b4\u0508\3\2\2\2\u20b5\u20b6"+
"\7R\2\2\u20b6\u20b7\7Q\2\2\u20b7\u20b8\7K\2\2\u20b8\u20b9\7U\2\2\u20b9"+
"\u20ba\7Q\2\2\u20ba\u20bb\7P\2\2\u20bb\u20bc\7a\2\2\u20bc\u20bd\7O\2\2"+
"\u20bd\u20be\7G\2\2\u20be\u20bf\7U\2\2\u20bf\u20c0\7U\2\2\u20c0\u20c1"+
"\7C\2\2\u20c1\u20c2\7I\2\2\u20c2\u20c3\7G\2\2\u20c3\u20c4\7a\2\2\u20c4"+
"\u20c5\7J\2\2\u20c5\u20c6\7C\2\2\u20c6\u20c7\7P\2\2\u20c7\u20c8\7F\2\2"+
"\u20c8\u20c9\7N\2\2\u20c9\u20ca\7K\2\2\u20ca\u20cb\7P\2\2\u20cb\u20cc"+
"\7I\2\2\u20cc\u050a\3\2\2\2\u20cd\u20ce\7R\2\2\u20ce\u20cf\7Q\2\2\u20cf"+
"\u20d0\7Q\2\2\u20d0\u20d1\7N\2\2\u20d1\u050c\3\2\2\2\u20d2\u20d3\7R\2"+
"\2\u20d3\u20d4\7Q\2\2\u20d4\u20d5\7T\2\2\u20d5\u20d6\7V\2\2\u20d6\u050e"+
"\3\2\2\2\u20d7\u20d8\7R\2\2\u20d8\u20d9\7T\2\2\u20d9\u20da\7G\2\2\u20da"+
"\u20db\7E\2\2\u20db\u20dc\7G\2\2\u20dc\u20dd\7F\2\2\u20dd\u20de\7K\2\2"+
"\u20de\u20df\7P\2\2\u20df\u20e0\7I\2\2\u20e0\u0510\3\2\2\2\u20e1\u20e2"+
"\7R\2\2\u20e2\u20e3\7T\2\2\u20e3\u20e4\7K\2\2\u20e4\u20e5\7O\2\2\u20e5"+
"\u20e6\7C\2\2\u20e6\u20e7\7T\2\2\u20e7\u20e8\7[\2\2\u20e8\u20e9\7a\2\2"+
"\u20e9\u20ea\7T\2\2\u20ea\u20eb\7Q\2\2\u20eb\u20ec\7N\2\2\u20ec\u20ed"+
"\7G\2\2\u20ed\u0512\3\2\2\2\u20ee\u20ef\7R\2\2\u20ef\u20f0\7T\2\2\u20f0"+
"\u20f1\7K\2\2\u20f1\u20f2\7Q\2\2\u20f2\u20f3\7T\2\2\u20f3\u0514\3\2\2"+
"\2\u20f4\u20f5\7R\2\2\u20f5\u20f6\7T\2\2\u20f6\u20f7\7K\2\2\u20f7\u20f8"+
"\7Q\2\2\u20f8\u20f9\7T\2\2\u20f9\u20fa\7K\2\2\u20fa\u20fb\7V\2\2\u20fb"+
"\u20fc\7[\2\2\u20fc\u0516\3\2\2\2\u20fd\u20fe\7R\2\2\u20fe\u20ff\7T\2"+
"\2\u20ff\u2100\7K\2\2\u2100\u2101\7Q\2\2\u2101\u2102\7T\2\2\u2102\u2103"+
"\7K\2\2\u2103\u2104\7V\2\2\u2104\u2105\7[\2\2\u2105\u2106\7a\2\2\u2106"+
"\u2107\7N\2\2\u2107\u2108\7G\2\2\u2108\u2109\7X\2\2\u2109\u210a\7G\2\2"+
"\u210a\u210b\7N\2\2\u210b\u0518\3\2\2\2\u210c\u210d\7R\2\2\u210d\u210e"+
"\7T\2\2\u210e\u210f\7K\2\2\u210f\u2110\7X\2\2\u2110\u2111\7C\2\2\u2111"+
"\u2112\7V\2\2\u2112\u2113\7G\2\2\u2113\u051a\3\2\2\2\u2114\u2115\7R\2"+
"\2\u2115\u2116\7T\2\2\u2116\u2117\7K\2\2\u2117\u2118\7X\2\2\u2118\u2119"+
"\7C\2\2\u2119\u211a\7V\2\2\u211a\u211b\7G\2\2\u211b\u211c\7a\2\2\u211c"+
"\u211d\7M\2\2\u211d\u211e\7G\2\2\u211e\u211f\7[\2\2\u211f\u051c\3\2\2"+
"\2\u2120\u2121\7R\2\2\u2121\u2122\7T\2\2\u2122\u2123\7K\2\2\u2123\u2124"+
"\7X\2\2\u2124\u2125\7K\2\2\u2125\u2126\7N\2\2\u2126\u2127\7G\2\2\u2127"+
"\u2128\7I\2\2\u2128\u2129\7G\2\2\u2129\u212a\7U\2\2\u212a\u051e\3\2\2"+
"\2\u212b\u212c\7R\2\2\u212c\u212d\7T\2\2\u212d\u212e\7Q\2\2\u212e\u212f"+
"\7E\2\2\u212f\u2130\7G\2\2\u2130\u2131\7F\2\2\u2131\u2132\7W\2\2\u2132"+
"\u2133\7T\2\2\u2133\u2134\7G\2\2\u2134\u2135\7a\2\2\u2135\u2136\7P\2\2"+
"\u2136\u2137\7C\2\2\u2137\u2138\7O\2\2\u2138\u2139\7G\2\2\u2139\u0520"+
"\3\2\2\2\u213a\u213b\7R\2\2\u213b\u213c\7T\2\2\u213c\u213d\7Q\2\2\u213d"+
"\u213e\7R\2\2\u213e\u213f\7G\2\2\u213f\u2140\7T\2\2\u2140\u2141\7V\2\2"+
"\u2141\u2142\7[\2\2\u2142\u0522\3\2\2\2\u2143\u2144\7R\2\2\u2144\u2145"+
"\7T\2\2\u2145\u2146\7Q\2\2\u2146\u2147\7X\2\2\u2147\u2148\7K\2\2\u2148"+
"\u2149\7F\2\2\u2149\u214a\7G\2\2\u214a\u214b\7T\2\2\u214b\u0524\3\2\2"+
"\2\u214c\u214d\7R\2\2\u214d\u214e\7T\2\2\u214e\u214f\7Q\2\2\u214f\u2150"+
"\7X\2\2\u2150\u2151\7K\2\2\u2151\u2152\7F\2\2\u2152\u2153\7G\2\2\u2153"+
"\u2154\7T\2\2\u2154\u2155\7a\2\2\u2155\u2156\7M\2\2\u2156\u2157\7G\2\2"+
"\u2157\u2158\7[\2\2\u2158\u2159\7a\2\2\u2159\u215a\7P\2\2\u215a\u215b"+
"\7C\2\2\u215b\u215c\7O\2\2\u215c\u215d\7G\2\2\u215d\u0526\3\2\2\2\u215e"+
"\u215f\7S\2\2\u215f\u2160\7W\2\2\u2160\u2161\7G\2\2\u2161\u2162\7T\2\2"+
"\u2162\u2163\7[\2\2\u2163\u0528\3\2\2\2\u2164\u2165\7S\2\2\u2165\u2166"+
"\7W\2\2\u2166\u2167\7G\2\2\u2167\u2168\7W\2\2\u2168\u2169\7G\2\2\u2169"+
"\u052a\3\2\2\2\u216a\u216b\7S\2\2\u216b\u216c\7W\2\2\u216c\u216d\7G\2"+
"\2\u216d\u216e\7W\2\2\u216e\u216f\7G\2\2\u216f\u2170\7a\2\2\u2170\u2171"+
"\7F\2\2\u2171\u2172\7G\2\2\u2172\u2173\7N\2\2\u2173\u2174\7C\2\2\u2174"+
"\u2175\7[\2\2\u2175\u052c\3\2\2\2\u2176\u2177\7S\2\2\u2177\u2178\7W\2"+
"\2\u2178\u2179\7Q\2\2\u2179\u217a\7V\2\2\u217a\u217b\7G\2\2\u217b\u217c"+
"\7F\2\2\u217c\u217d\7a\2\2\u217d\u217e\7K\2\2\u217e\u217f\7F\2\2\u217f"+
"\u2180\7G\2\2\u2180\u2181\7P\2\2\u2181\u2182\7V\2\2\u2182\u2183\7K\2\2"+
"\u2183\u2184\7H\2\2\u2184\u2185\7K\2\2\u2185\u2186\7G\2\2\u2186\u2187"+
"\7T\2\2\u2187\u052e\3\2\2\2\u2188\u2189\7T\2\2\u2189\u218a\7C\2\2\u218a"+
"\u218b\7P\2\2\u218b\u218c\7I\2\2\u218c\u218d\7G\2\2\u218d\u0530\3\2\2"+
"\2\u218e\u218f\7T\2\2\u218f\u2190\7C\2\2\u2190\u2191\7P\2\2\u2191\u2192"+
"\7M\2\2\u2192\u0532\3\2\2\2\u2193\u2194\7T\2\2\u2194\u2195\7E\2\2\u2195"+
"\u2196\7\64\2\2\u2196\u0534\3\2\2\2\u2197\u2198\7T\2\2\u2198\u2199\7E"+
"\2\2\u2199\u219a\7\66\2\2\u219a\u0536\3\2\2\2\u219b\u219c\7T\2\2\u219c"+
"\u219d\7E\2\2\u219d\u219e\7\66\2\2\u219e\u219f\7a\2\2\u219f\u21a0\7\63"+
"\2\2\u21a0\u21a1\7\64\2\2\u21a1\u21a2\7:\2\2\u21a2\u0538\3\2\2\2\u21a3"+
"\u21a4\7T\2\2\u21a4\u21a5\7G\2\2\u21a5\u21a6\7C\2\2\u21a6\u21a7\7F\2\2"+
"\u21a7\u21a8\7a\2\2\u21a8\u21a9\7E\2\2\u21a9\u21aa\7Q\2\2\u21aa\u21ab"+
"\7O\2\2\u21ab\u21ac\7O\2\2\u21ac\u21ad\7K\2\2\u21ad\u21ae\7V\2\2\u21ae"+
"\u21af\7V\2\2\u21af\u21b0\7G\2\2\u21b0\u21b1\7F\2\2\u21b1\u21b2\7a\2\2"+
"\u21b2\u21b3\7U\2\2\u21b3\u21b4\7P\2\2\u21b4\u21b5\7C\2\2\u21b5\u21b6"+
"\7R\2\2\u21b6\u21b7\7U\2\2\u21b7\u21b8\7J\2\2\u21b8\u21b9\7Q\2\2\u21b9"+
"\u21ba\7V\2\2\u21ba\u053a\3\2\2\2\u21bb\u21bc\7T\2\2\u21bc\u21bd\7G\2"+
"\2\u21bd\u21be\7C\2\2\u21be\u21bf\7F\2\2\u21bf\u21c0\7a\2\2\u21c0\u21c1"+
"\7Q\2\2\u21c1\u21c2\7P\2\2\u21c2\u21c3\7N\2\2\u21c3\u21c4\7[\2\2\u21c4"+
"\u053c\3\2\2\2\u21c5\u21c6\7T\2\2\u21c6\u21c7\7G\2\2\u21c7\u21c8\7C\2"+
"\2\u21c8\u21c9\7F\2\2\u21c9\u21ca\7a\2\2\u21ca\u21cb\7Q\2\2\u21cb\u21cc"+
"\7P\2\2\u21cc\u21cd\7N\2\2\u21cd\u21ce\7[\2\2\u21ce\u21cf\7a\2\2\u21cf"+
"\u21d0\7T\2\2\u21d0\u21d1\7Q\2\2\u21d1\u21d2\7W\2\2\u21d2\u21d3\7V\2\2"+
"\u21d3\u21d4\7K\2\2\u21d4\u21d5\7P\2\2\u21d5\u21d6\7I\2\2\u21d6\u21d7"+
"\7a\2\2\u21d7\u21d8\7N\2\2\u21d8\u21d9\7K\2\2\u21d9\u21da\7U\2\2\u21da"+
"\u21db\7V\2\2\u21db\u053e\3\2\2\2\u21dc\u21dd\7T\2\2\u21dd\u21de\7G\2"+
"\2\u21de\u21df\7C\2\2\u21df\u21e0\7F\2\2\u21e0\u21e1\7a\2\2\u21e1\u21e2"+
"\7Y\2\2\u21e2\u21e3\7T\2\2\u21e3\u21e4\7K\2\2\u21e4\u21e5\7V\2\2\u21e5"+
"\u21e6\7G\2\2\u21e6\u0540\3\2\2\2\u21e7\u21e8\7T\2\2\u21e8\u21e9\7G\2"+
"\2\u21e9\u21ea\7C\2\2\u21ea\u21eb\7F\2\2\u21eb\u21ec\7Q\2\2\u21ec\u21ed"+
"\7P\2\2\u21ed\u21ee\7N\2\2\u21ee\u21ef\7[\2\2\u21ef\u0542\3\2\2\2\u21f0"+
"\u21f1\7T\2\2\u21f1\u21f2\7G\2\2\u21f2\u21f3\7D\2\2\u21f3\u21f4\7W\2\2"+
"\u21f4\u21f5\7K\2\2\u21f5\u21f6\7N\2\2\u21f6\u21f7\7F\2\2\u21f7\u0544"+
"\3\2\2\2\u21f8\u21f9\7T\2\2\u21f9\u21fa\7G\2\2\u21fa\u21fb\7E\2\2\u21fb"+
"\u21fc\7G\2\2\u21fc\u21fd\7K\2\2\u21fd\u21fe\7X\2\2\u21fe\u21ff\7G\2\2"+
"\u21ff\u0546\3\2\2\2\u2200\u2201\7T\2\2\u2201\u2202\7G\2\2\u2202\u2203"+
"\7E\2\2\u2203\u2204\7Q\2\2\u2204\u2205\7O\2\2\u2205\u2206\7R\2\2\u2206"+
"\u2207\7K\2\2\u2207\u2208\7N\2\2\u2208\u2209\7G\2\2\u2209\u0548\3\2\2"+
"\2\u220a\u220b\7T\2\2\u220b\u220c\7G\2\2\u220c\u220d\7E\2\2\u220d\u220e"+
"\7Q\2\2\u220e\u220f\7X\2\2\u220f\u2210\7G\2\2\u2210\u2211\7T\2\2\u2211"+
"\u2212\7[\2\2\u2212\u054a\3\2\2\2\u2213\u2214\7T\2\2\u2214\u2215\7G\2"+
"\2\u2215\u2216\7E\2\2\u2216\u2217\7W\2\2\u2217\u2218\7T\2\2\u2218\u2219"+
"\7U\2\2\u2219\u221a\7K\2\2\u221a\u221b\7X\2\2\u221b\u221c\7G\2\2\u221c"+
"\u221d\7a\2\2\u221d\u221e\7V\2\2\u221e\u221f\7T\2\2\u221f\u2220\7K\2\2"+
"\u2220\u2221\7I\2\2\u2221\u2222\7I\2\2\u2222\u2223\7G\2\2\u2223\u2224"+
"\7T\2\2\u2224\u2225\7U\2\2\u2225\u054c\3\2\2\2\u2226\u2227\7T\2\2\u2227"+
"\u2228\7G\2\2\u2228\u2229\7N\2\2\u2229\u222a\7C\2\2\u222a\u222b\7V\2\2"+
"\u222b\u222c\7K\2\2\u222c\u222d\7X\2\2\u222d\u222e\7G\2\2\u222e\u054e"+
"\3\2\2\2\u222f\u2230\7T\2\2\u2230\u2231\7G\2\2\u2231\u2232\7O\2\2\u2232"+
"\u2233\7Q\2\2\u2233\u2234\7V\2\2\u2234\u2235\7G\2\2\u2235\u0550\3\2\2"+
"\2\u2236\u2237\7T\2\2\u2237\u2238\7G\2\2\u2238\u2239\7O\2\2\u2239\u223a"+
"\7Q\2\2\u223a\u223b\7V\2\2\u223b\u223c\7G\2\2\u223c\u223d\7a\2\2\u223d"+
"\u223e\7U\2\2\u223e\u223f\7G\2\2\u223f\u2240\7T\2\2\u2240\u2241\7X\2\2"+
"\u2241\u2242\7K\2\2\u2242\u2243\7E\2\2\u2243\u2244\7G\2\2\u2244\u2245"+
"\7a\2\2\u2245\u2246\7P\2\2\u2246\u2247\7C\2\2\u2247\u2248\7O\2\2\u2248"+
"\u2249\7G\2\2\u2249\u0552\3\2\2\2\u224a\u224b\7T\2\2\u224b\u224c\7G\2"+
"\2\u224c\u224d\7O\2\2\u224d\u224e\7Q\2\2\u224e\u224f\7X\2\2\u224f\u2250"+
"\7G\2\2\u2250\u0554\3\2\2\2\u2251\u2252\7T\2\2\u2252\u2253\7G\2\2\u2253"+
"\u2254\7Q\2\2\u2254\u2255\7T\2\2\u2255\u2256\7I\2\2\u2256\u2257\7C\2\2"+
"\u2257\u2258\7P\2\2\u2258\u2259\7K\2\2\u2259\u225a\7\\\2\2\u225a\u225b"+
"\7G\2\2\u225b\u0556\3\2\2\2\u225c\u225d\7T\2\2\u225d\u225e\7G\2\2\u225e"+
"\u225f\7R\2\2\u225f\u2260\7G\2\2\u2260\u2261\7C\2\2\u2261\u2262\7V\2\2"+
"\u2262\u2263\7C\2\2\u2263\u2264\7D\2\2\u2264\u2265\7N\2\2\u2265\u2266"+
"\7G\2\2\u2266\u0558\3\2\2\2\u2267\u2268\7T\2\2\u2268\u2269\7G\2\2\u2269"+
"\u226a\7R\2\2\u226a\u226b\7N\2\2\u226b\u226c\7K\2\2\u226c\u226d\7E\2\2"+
"\u226d\u226e\7C\2\2\u226e\u055a\3\2\2\2\u226f\u2270\7T\2\2\u2270\u2271"+
"\7G\2\2\u2271\u2272\7S\2\2\u2272\u2273\7W\2\2\u2273\u2274\7G\2\2\u2274"+
"\u2275\7U\2\2\u2275\u2276\7V\2\2\u2276\u2277\7a\2\2\u2277\u2278\7O\2\2"+
"\u2278\u2279\7C\2\2\u2279\u227a\7Z\2\2\u227a\u227b\7a\2\2\u227b\u227c"+
"\7E\2\2\u227c\u227d\7R\2\2\u227d\u227e\7W\2\2\u227e\u227f\7a\2\2\u227f"+
"\u2280\7V\2\2\u2280\u2281\7K\2\2\u2281\u2282\7O\2\2\u2282\u2283\7G\2\2"+
"\u2283\u2284\7a\2\2\u2284\u2285\7U\2\2\u2285\u2286\7G\2\2\u2286\u2287"+
"\7E\2\2\u2287\u055c\3\2\2\2\u2288\u2289\7T\2\2\u2289\u228a\7G\2\2\u228a"+
"\u228b\7S\2\2\u228b\u228c\7W\2\2\u228c\u228d\7G\2\2\u228d\u228e\7U\2\2"+
"\u228e\u228f\7V\2\2\u228f\u2290\7a\2\2\u2290\u2291\7O\2\2\u2291\u2292"+
"\7C\2\2\u2292\u2293\7Z\2\2\u2293\u2294\7a\2\2\u2294\u2295\7O\2\2\u2295"+
"\u2296\7G\2\2\u2296\u2297\7O\2\2\u2297\u2298\7Q\2\2\u2298\u2299\7T\2\2"+
"\u2299\u229a\7[\2\2\u229a\u229b\7a\2\2\u229b\u229c\7I\2\2\u229c\u229d"+
"\7T\2\2\u229d\u229e\7C\2\2\u229e\u229f\7P\2\2\u229f\u22a0\7V\2\2\u22a0"+
"\u22a1\7a\2\2\u22a1\u22a2\7R\2\2\u22a2\u22a3\7G\2\2\u22a3\u22a4\7T\2\2"+
"\u22a4\u22a5\7E\2\2\u22a5\u22a6\7G\2\2\u22a6\u22a7\7P\2\2\u22a7\u22a8"+
"\7V\2\2\u22a8\u055e\3\2\2\2\u22a9\u22aa\7T\2\2\u22aa\u22ab\7G\2\2\u22ab"+
"\u22ac\7S\2\2\u22ac\u22ad\7W\2\2\u22ad\u22ae\7G\2\2\u22ae\u22af\7U\2\2"+
"\u22af\u22b0\7V\2\2\u22b0\u22b1\7a\2\2\u22b1\u22b2\7O\2\2\u22b2\u22b3"+
"\7G\2\2\u22b3\u22b4\7O\2\2\u22b4\u22b5\7Q\2\2\u22b5\u22b6\7T\2\2\u22b6"+
"\u22b7\7[\2\2\u22b7\u22b8\7a\2\2\u22b8\u22b9\7I\2\2\u22b9\u22ba\7T\2\2"+
"\u22ba\u22bb\7C\2\2\u22bb\u22bc\7P\2\2\u22bc\u22bd\7V\2\2\u22bd\u22be"+
"\7a\2\2\u22be\u22bf\7V\2\2\u22bf\u22c0\7K\2\2\u22c0\u22c1\7O\2\2\u22c1"+
"\u22c2\7G\2\2\u22c2\u22c3\7Q\2\2\u22c3\u22c4\7W\2\2\u22c4\u22c5\7V\2\2"+
"\u22c5\u22c6\7a\2\2\u22c6\u22c7\7U\2\2\u22c7\u22c8\7G\2\2\u22c8\u22c9"+
"\7E\2\2\u22c9\u0560\3\2\2\2\u22ca\u22cb\7T\2\2\u22cb\u22cc\7G\2\2\u22cc"+
"\u22cd\7S\2\2\u22cd\u22ce\7W\2\2\u22ce\u22cf\7K\2\2\u22cf\u22d0\7T\2\2"+
"\u22d0\u22d1\7G\2\2\u22d1\u22d2\7F\2\2\u22d2\u22d3\7a\2\2\u22d3\u22d4"+
"\7U\2\2\u22d4\u22d5\7[\2\2\u22d5\u22d6\7P\2\2\u22d6\u22d7\7E\2\2\u22d7"+
"\u22d8\7J\2\2\u22d8\u22d9\7T\2\2\u22d9\u22da\7Q\2\2\u22da\u22db\7P\2\2"+
"\u22db\u22dc\7K\2\2\u22dc\u22dd\7\\\2\2\u22dd\u22de\7G\2\2\u22de\u22df"+
"\7F\2\2\u22df\u22e0\7a\2\2\u22e0\u22e1\7U\2\2\u22e1\u22e2\7G\2\2\u22e2"+
"\u22e3\7E\2\2\u22e3\u22e4\7Q\2\2\u22e4\u22e5\7P\2\2\u22e5\u22e6\7F\2\2"+
"\u22e6\u22e7\7C\2\2\u22e7\u22e8\7T\2\2\u22e8\u22e9\7K\2\2\u22e9\u22ea"+
"\7G\2\2\u22ea\u22eb\7U\2\2\u22eb\u22ec\7a\2\2\u22ec\u22ed\7V\2\2\u22ed"+
"\u22ee\7Q\2\2\u22ee\u22ef\7a\2\2\u22ef\u22f0\7E\2\2\u22f0\u22f1\7Q\2\2"+
"\u22f1\u22f2\7O\2\2\u22f2\u22f3\7O\2\2\u22f3\u22f4\7K\2\2\u22f4\u22f5"+
"\7V\2\2\u22f5\u0562\3\2\2\2\u22f6\u22f7\7T\2\2\u22f7\u22f8\7G\2\2\u22f8"+
"\u22f9\7U\2\2\u22f9\u22fa\7G\2\2\u22fa\u22fb\7T\2\2\u22fb\u22fc\7X\2\2"+
"\u22fc\u22fd\7G\2\2\u22fd\u22fe\7a\2\2\u22fe\u22ff\7F\2\2\u22ff\u2300"+
"\7K\2\2\u2300\u2301\7U\2\2\u2301\u2302\7M\2\2\u2302\u2303\7a\2\2\u2303"+
"\u2304\7U\2\2\u2304\u2305\7R\2\2\u2305\u2306\7C\2\2\u2306\u2307\7E\2\2"+
"\u2307\u2308\7G\2\2\u2308\u0564\3\2\2\2\u2309\u230a\7T\2\2\u230a\u230b"+
"\7G\2\2\u230b\u230c\7U\2\2\u230c\u230d\7Q\2\2\u230d\u230e\7W\2\2\u230e"+
"\u230f\7T\2\2\u230f\u2310\7E\2\2\u2310\u2311\7G\2\2\u2311\u0566\3\2\2"+
"\2\u2312\u2313\7T\2\2\u2313\u2314\7G\2\2\u2314\u2315\7U\2\2\u2315\u2316"+
"\7Q\2\2\u2316\u2317\7W\2\2\u2317\u2318\7T\2\2\u2318\u2319\7E\2\2\u2319"+
"\u231a\7G\2\2\u231a\u231b\7a\2\2\u231b\u231c\7O\2\2\u231c\u231d\7C\2\2"+
"\u231d\u231e\7P\2\2\u231e\u231f\7C\2\2\u231f\u2320\7I\2\2\u2320\u2321"+
"\7G\2\2\u2321\u2322\7T\2\2\u2322\u2323\7a\2\2\u2323\u2324\7N\2\2\u2324"+
"\u2325\7Q\2\2\u2325\u2326\7E\2\2\u2326\u2327\7C\2\2\u2327\u2328\7V\2\2"+
"\u2328\u2329\7K\2\2\u2329\u232a\7Q\2\2\u232a\u232b\7P\2\2\u232b\u0568"+
"\3\2\2\2\u232c\u232d\7T\2\2\u232d\u232e\7G\2\2\u232e\u232f\7U\2\2\u232f"+
"\u2330\7V\2\2\u2330\u2331\7T\2\2\u2331\u2332\7K\2\2\u2332\u2333\7E\2\2"+
"\u2333\u2334\7V\2\2\u2334\u2335\7G\2\2\u2335\u2336\7F\2\2\u2336\u2337"+
"\7a\2\2\u2337\u2338\7W\2\2\u2338\u2339\7U\2\2\u2339\u233a\7G\2\2\u233a"+
"\u233b\7T\2\2\u233b\u056a\3\2\2\2\u233c\u233d\7T\2\2\u233d\u233e\7G\2"+
"\2\u233e\u233f\7V\2\2\u233f\u2340\7G\2\2\u2340\u2341\7P\2\2\u2341\u2342"+
"\7V\2\2\u2342\u2343\7K\2\2\u2343\u2344\7Q\2\2\u2344\u2345\7P\2\2\u2345"+
"\u056c\3\2\2\2\u2346\u2347\7T\2\2\u2347\u2348\7Q\2\2\u2348\u2349\7D\2"+
"\2\u2349\u234a\7W\2\2\u234a\u234b\7U\2\2\u234b\u234c\7V\2\2\u234c\u056e"+
"\3\2\2\2\u234d\u234e\7T\2\2\u234e\u234f\7Q\2\2\u234f\u2350\7Q\2\2\u2350"+
"\u2351\7V\2\2\u2351\u0570\3\2\2\2\u2352\u2353\7T\2\2\u2353\u2354\7Q\2"+
"\2\u2354\u2355\7W\2\2\u2355\u2356\7V\2\2\u2356\u2357\7G\2\2\u2357\u0572"+
"\3\2\2\2\u2358\u2359\7T\2\2\u2359\u235a\7Q\2\2\u235a\u235b\7Y\2\2\u235b"+
"\u0574\3\2\2\2\u235c\u235d\7T\2\2\u235d\u235e\7Q\2\2\u235e\u235f\7Y\2"+
"\2\u235f\u2360\7a\2\2\u2360\u2361\7P\2\2\u2361\u2362\7W\2\2\u2362\u2363"+
"\7O\2\2\u2363\u2364\7D\2\2\u2364\u2365\7G\2\2\u2365\u2366\7T\2\2\u2366"+
"\u0576\3\2\2\2\u2367\u2368\7T\2\2\u2368\u2369\7Q\2\2\u2369\u236a\7Y\2"+
"\2\u236a\u236b\7I\2\2\u236b\u236c\7W\2\2\u236c\u236d\7K\2\2\u236d\u236e"+
"\7F\2\2\u236e\u0578\3\2\2\2\u236f\u2370\7T\2\2\u2370\u2371\7Q\2\2\u2371"+
"\u2372\7Y\2\2\u2372\u2373\7U\2\2\u2373\u057a\3\2\2\2\u2374\u2375\7U\2"+
"\2\u2375\u2376\7C\2\2\u2376\u2377\7O\2\2\u2377\u2378\7R\2\2\u2378\u2379"+
"\7N\2\2\u2379\u237a\7G\2\2\u237a\u057c\3\2\2\2\u237b\u237c\7U\2\2\u237c"+
"\u237d\7E\2\2\u237d\u237e\7J\2\2\u237e\u237f\7G\2\2\u237f\u2380\7O\2\2"+
"\u2380\u2381\7C\2\2\u2381\u2382\7D\2\2\u2382\u2383\7K\2\2\u2383\u2384"+
"\7P\2\2\u2384\u2385\7F\2\2\u2385\u2386\7K\2\2\u2386\u2387\7P\2\2\u2387"+
"\u2388\7I\2\2\u2388\u057e\3\2\2\2\u2389\u238a\7U\2\2\u238a\u238b\7E\2"+
"\2\u238b\u238c\7Q\2\2\u238c\u238d\7R\2\2\u238d\u238e\7G\2\2\u238e\u238f"+
"\7F\2\2\u238f\u0580\3\2\2\2\u2390\u2391\7U\2\2\u2391\u2392\7E\2\2\u2392"+
"\u2393\7T\2\2\u2393\u2394\7Q\2\2\u2394\u2395\7N\2\2\u2395\u2396\7N\2\2"+
"\u2396\u0582\3\2\2\2\u2397\u2398\7U\2\2\u2398\u2399\7E\2\2\u2399\u239a"+
"\7T\2\2\u239a\u239b\7Q\2\2\u239b\u239c\7N\2\2\u239c\u239d\7N\2\2\u239d"+
"\u239e\7a\2\2\u239e\u239f\7N\2\2\u239f\u23a0\7Q\2\2\u23a0\u23a1\7E\2\2"+
"\u23a1\u23a2\7M\2\2\u23a2\u23a3\7U\2\2\u23a3\u0584\3\2\2\2\u23a4\u23a5"+
"\7U\2\2\u23a5\u23a6\7G\2\2\u23a6\u23a7\7C\2\2\u23a7\u23a8\7T\2\2\u23a8"+
"\u23a9\7E\2\2\u23a9\u23aa\7J\2\2\u23aa\u0586\3\2\2\2\u23ab\u23ac\7U\2"+
"\2\u23ac\u23ad\7G\2\2\u23ad\u23ae\7E\2\2\u23ae\u23af\7Q\2\2\u23af\u23b0"+
"\7P\2\2\u23b0\u23b1\7F\2\2\u23b1\u23b2\7C\2\2\u23b2\u23b3\7T\2\2\u23b3"+
"\u23b4\7[\2\2\u23b4\u0588\3\2\2\2\u23b5\u23b6\7U\2\2\u23b6\u23b7\7G\2"+
"\2\u23b7\u23b8\7E\2\2\u23b8\u23b9\7Q\2\2\u23b9\u23ba\7P\2\2\u23ba\u23bb"+
"\7F\2\2\u23bb\u23bc\7C\2\2\u23bc\u23bd\7T\2\2\u23bd\u23be\7[\2\2\u23be"+
"\u23bf\7a\2\2\u23bf\u23c0\7Q\2\2\u23c0\u23c1\7P\2\2\u23c1\u23c2\7N\2\2"+
"\u23c2\u23c3\7[\2\2\u23c3\u058a\3\2\2\2\u23c4\u23c5\7U\2\2\u23c5\u23c6"+
"\7G\2\2\u23c6\u23c7\7E\2\2\u23c7\u23c8\7Q\2\2\u23c8\u23c9\7P\2\2\u23c9"+
"\u23ca\7F\2\2\u23ca\u23cb\7C\2\2\u23cb\u23cc\7T\2\2\u23cc\u23cd\7[\2\2"+
"\u23cd\u23ce\7a\2\2\u23ce\u23cf\7T\2\2\u23cf\u23d0\7Q\2\2\u23d0\u23d1"+
"\7N\2\2\u23d1\u23d2\7G\2\2\u23d2\u058c\3\2\2\2\u23d3\u23d4\7U\2\2\u23d4"+
"\u23d5\7G\2\2\u23d5\u23d6\7E\2\2\u23d6\u23d7\7Q\2\2\u23d7\u23d8\7P\2\2"+
"\u23d8\u23d9\7F\2\2\u23d9\u23da\7U\2\2\u23da\u058e\3\2\2\2\u23db\u23dc"+
"\7U\2\2\u23dc\u23dd\7G\2\2\u23dd\u23de\7E\2\2\u23de\u23df\7T\2\2\u23df"+
"\u23e0\7G\2\2\u23e0\u23e1\7V\2\2\u23e1\u0590\3\2\2\2\u23e2\u23e3\7U\2"+
"\2\u23e3\u23e4\7G\2\2\u23e4\u23e5\7E\2\2\u23e5\u23e6\7W\2\2\u23e6\u23e7"+
"\7T\2\2\u23e7\u23e8\7K\2\2\u23e8\u23e9\7V\2\2\u23e9\u23ea\7[\2\2\u23ea"+
"\u23eb\7a\2\2\u23eb\u23ec\7N\2\2\u23ec\u23ed\7Q\2\2\u23ed\u23ee\7I\2\2"+
"\u23ee\u0592\3\2\2\2\u23ef\u23f0\7U\2\2\u23f0\u23f1\7G\2\2\u23f1\u23f2"+
"\7G\2\2\u23f2\u23f3\7F\2\2\u23f3\u23f4\7K\2\2\u23f4\u23f5\7P\2\2\u23f5"+
"\u23f6\7I\2\2\u23f6\u23f7\7a\2\2\u23f7\u23f8\7O\2\2\u23f8\u23f9\7Q\2\2"+
"\u23f9\u23fa\7F\2\2\u23fa\u23fb\7G\2\2\u23fb\u0594\3\2\2\2\u23fc\u23fd"+
"\7U\2\2\u23fd\u23fe\7G\2\2\u23fe\u23ff\7N\2\2\u23ff\u2400\7H\2\2\u2400"+
"\u0596\3\2\2\2\u2401\u2402\7U\2\2\u2402\u2403\7G\2\2\u2403\u2404\7O\2"+
"\2\u2404\u2405\7K\2\2\u2405\u2406\7a\2\2\u2406\u2407\7U\2\2\u2407\u2408"+
"\7G\2\2\u2408\u2409\7P\2\2\u2409\u240a\7U\2\2\u240a\u240b\7K\2\2\u240b"+
"\u240c\7V\2\2\u240c\u240d\7K\2\2\u240d\u240e\7X\2\2\u240e\u240f\7G\2\2"+
"\u240f\u0598\3\2\2\2\u2410\u2411\7U\2\2\u2411\u2412\7G\2\2\u2412\u2413"+
"\7P\2\2\u2413\u2414\7F\2\2\u2414\u059a\3\2\2\2\u2415\u2416\7U\2\2\u2416"+
"\u2417\7G\2\2\u2417\u2418\7P\2\2\u2418\u2419\7V\2\2\u2419\u059c\3\2\2"+
"\2\u241a\u241b\7U\2\2\u241b\u241c\7G\2\2\u241c\u241d\7T\2\2\u241d\u241e"+
"\7K\2\2\u241e\u241f\7C\2\2\u241f\u2420\7N\2\2\u2420\u2421\7K\2\2\u2421"+
"\u2422\7\\\2\2\u2422\u2423\7C\2\2\u2423\u2424\7D\2\2\u2424\u2425\7N\2"+
"\2\u2425\u2426\7G\2\2\u2426\u059e\3\2\2\2\u2427\u2428\7U\2\2\u2428\u2429"+
"\7G\2\2\u2429\u242a\7U\2\2\u242a\u242b\7U\2\2\u242b\u242c\7K\2\2\u242c"+
"\u242d\7Q\2\2\u242d\u242e\7P\2\2\u242e\u242f\7a\2\2\u242f\u2430\7V\2\2"+
"\u2430\u2431\7K\2\2\u2431\u2432\7O\2\2\u2432\u2433\7G\2\2\u2433\u2434"+
"\7Q\2\2\u2434\u2435\7W\2\2\u2435\u2436\7V\2\2\u2436\u05a0\3\2\2\2\u2437"+
"\u2438\7U\2\2\u2438\u2439\7G\2\2\u2439\u243a\7V\2\2\u243a\u243b\7G\2\2"+
"\u243b\u243c\7T\2\2\u243c\u243d\7T\2\2\u243d\u243e\7Q\2\2\u243e\u243f"+
"\7T\2\2\u243f\u05a2\3\2\2\2\u2440\u2441\7U\2\2\u2441\u2442\7J\2\2\u2442"+
"\u2443\7C\2\2\u2443\u2444\7T\2\2\u2444\u2445\7G\2\2\u2445\u05a4\3\2\2"+
"\2\u2446\u2447\7U\2\2\u2447\u2448\7J\2\2\u2448\u2449\7Q\2\2\u2449\u244a"+
"\7Y\2\2\u244a\u244b\7R\2\2\u244b\u244c\7N\2\2\u244c\u244d\7C\2\2\u244d"+
"\u244e\7P\2\2\u244e\u05a6\3\2\2\2\u244f\u2450\7U\2\2\u2450\u2451\7K\2"+
"\2\u2451\u2452\7I\2\2\u2452\u2453\7P\2\2\u2453\u2454\7C\2\2\u2454\u2455"+
"\7V\2\2\u2455\u2456\7W\2\2\u2456\u2457\7T\2\2\u2457\u2458\7G\2\2\u2458"+
"\u05a8\3\2\2\2\u2459\u245a\7U\2\2\u245a\u245b\7K\2\2\u245b\u245c\7O\2"+
"\2\u245c\u245d\7R\2\2\u245d\u245e\7N\2\2\u245e\u245f\7G\2\2\u245f\u05aa"+
"\3\2\2\2\u2460\u2461\7U\2\2\u2461\u2462\7K\2\2\u2462\u2463\7P\2\2\u2463"+
"\u2464\7I\2\2\u2464\u2465\7N\2\2\u2465\u2466\7G\2\2\u2466\u2467\7a\2\2"+
"\u2467\u2468\7W\2\2\u2468\u2469\7U\2\2\u2469\u246a\7G\2\2\u246a\u246b"+
"\7T\2\2\u246b\u05ac\3\2\2\2\u246c\u246d\7U\2\2\u246d\u246e\7K\2\2\u246e"+
"\u246f\7\\\2\2\u246f\u2470\7G\2\2\u2470\u05ae\3\2\2\2\u2471\u2472\7U\2"+
"\2\u2472\u2473\7O\2\2\u2473\u2474\7C\2\2\u2474\u2475\7N\2\2\u2475\u2476"+
"\7N\2\2\u2476\u2477\7K\2\2\u2477\u2478\7P\2\2\u2478\u2479\7V\2\2\u2479"+
"\u05b0\3\2\2\2\u247a\u247b\7U\2\2\u247b\u247c\7P\2\2\u247c\u247d\7C\2"+
"\2\u247d\u247e\7R\2\2\u247e\u247f\7U\2\2\u247f\u2480\7J\2\2\u2480\u2481"+
"\7Q\2\2\u2481\u2482\7V\2\2\u2482\u05b2\3\2\2\2\u2483\u2484\7U\2\2\u2484"+
"\u2485\7R\2\2\u2485\u2486\7C\2\2\u2486\u2487\7V\2\2\u2487\u2488\7K\2\2"+
"\u2488\u2489\7C\2\2\u2489\u248a\7N\2\2\u248a\u248b\7a\2\2\u248b\u248c"+
"\7Y\2\2\u248c\u248d\7K\2\2\u248d\u248e\7P\2\2\u248e\u248f\7F\2\2\u248f"+
"\u2490\7Q\2\2\u2490\u2491\7Y\2\2\u2491\u2492\7a\2\2\u2492\u2493\7O\2\2"+
"\u2493\u2494\7C\2\2\u2494\u2495\7Z\2\2\u2495\u2496\7a\2\2\u2496\u2497"+
"\7E\2\2\u2497\u2498\7G\2\2\u2498\u2499\7N\2\2\u2499\u249a\7N\2\2\u249a"+
"\u249b\7U\2\2\u249b\u05b4\3\2\2\2\u249c\u249d\7U\2\2\u249d\u249e\7V\2"+
"\2\u249e\u249f\7C\2\2\u249f\u24a0\7P\2\2\u24a0\u24a1\7F\2\2\u24a1\u24a2"+
"\7D\2\2\u24a2\u24a3\7[\2\2\u24a3\u05b6\3\2\2\2\u24a4\u24a5\7U\2\2\u24a5"+
"\u24a6\7V\2\2\u24a6\u24a7\7C\2\2\u24a7\u24a8\7T\2\2\u24a8\u24a9\7V\2\2"+
"\u24a9\u24aa\7a\2\2\u24aa\u24ab\7F\2\2\u24ab\u24ac\7C\2\2\u24ac\u24ad"+
"\7V\2\2\u24ad\u24ae\7G\2\2\u24ae\u05b8\3\2\2\2\u24af\u24b0\7U\2\2\u24b0"+
"\u24b1\7V\2\2\u24b1\u24b2\7C\2\2\u24b2\u24b3\7V\2\2\u24b3\u24b4\7K\2\2"+
"\u24b4\u24b5\7E\2\2\u24b5\u05ba\3\2\2\2\u24b6\u24b7\7U\2\2\u24b7\u24b8"+
"\7V\2\2\u24b8\u24b9\7C\2\2\u24b9\u24ba\7V\2\2\u24ba\u24bb\7U\2\2\u24bb"+
"\u24bc\7a\2\2\u24bc\u24bd\7U\2\2\u24bd\u24be\7V\2\2\u24be\u24bf\7T\2\2"+
"\u24bf\u24c0\7G\2\2\u24c0\u24c1\7C\2\2\u24c1\u24c2\7O\2\2\u24c2\u05bc"+
"\3\2\2\2\u24c3\u24c4\7U\2\2\u24c4\u24c5\7V\2\2\u24c5\u24c6\7C\2\2\u24c6"+
"\u24c7\7V\2\2\u24c7\u24c8\7W\2\2\u24c8\u24c9\7U\2\2\u24c9\u05be\3\2\2"+
"\2\u24ca\u24cb\7U\2\2\u24cb\u24cc\7V\2\2\u24cc\u24cd\7F\2\2\u24cd\u24ce"+
"\7G\2\2\u24ce\u24cf\7X\2\2\u24cf\u05c0\3\2\2\2\u24d0\u24d1\7U\2\2\u24d1"+
"\u24d2\7V\2\2\u24d2\u24d3\7F\2\2\u24d3\u24d4\7G\2\2\u24d4\u24d5\7X\2\2"+
"\u24d5\u24d6\7R\2\2\u24d6\u05c2\3\2\2\2\u24d7\u24d8\7U\2\2\u24d8\u24d9"+
"\7V\2\2\u24d9\u24da\7Q\2\2\u24da\u24db\7R\2\2\u24db\u24dc\7N\2\2\u24dc"+
"\u24dd\7K\2\2\u24dd\u24de\7U\2\2\u24de\u24df\7V\2\2\u24df\u05c4\3\2\2"+
"\2\u24e0\u24e1\7U\2\2\u24e1\u24e2\7V\2\2\u24e2\u24e3\7W\2\2\u24e3\u24e4"+
"\7H\2\2\u24e4\u24e5\7H\2\2\u24e5\u05c6\3\2\2\2\u24e6\u24e7\7U\2\2\u24e7"+
"\u24e8\7W\2\2\u24e8\u24e9\7D\2\2\u24e9\u24ea\7L\2\2\u24ea\u24eb\7G\2\2"+
"\u24eb\u24ec\7E\2\2\u24ec\u24ed\7V\2\2\u24ed\u05c8\3\2\2\2\u24ee\u24ef"+
"\7U\2\2\u24ef\u24f0\7W\2\2\u24f0\u24f1\7O\2\2\u24f1\u05ca\3\2\2\2\u24f2"+
"\u24f3\7U\2\2\u24f3\u24f4\7W\2\2\u24f4\u24f5\7U\2\2\u24f5\u24f6\7R\2\2"+
"\u24f6\u24f7\7G\2\2\u24f7\u24f8\7P\2\2\u24f8\u24f9\7F\2\2\u24f9\u05cc"+
"\3\2\2\2\u24fa\u24fb\7U\2\2\u24fb\u24fc\7[\2\2\u24fc\u24fd\7O\2\2\u24fd"+
"\u24fe\7O\2\2\u24fe\u24ff\7G\2\2\u24ff\u2500\7V\2\2\u2500\u2501\7T\2\2"+
"\u2501\u2502\7K\2\2\u2502\u2503\7E\2\2\u2503\u05ce\3\2\2\2\u2504\u2505"+
"\7U\2\2\u2505\u2506\7[\2\2\u2506\u2507\7P\2\2\u2507\u2508\7E\2\2\u2508"+
"\u2509\7J\2\2\u2509\u250a\7T\2\2\u250a\u250b\7Q\2\2\u250b\u250c\7P\2\2"+
"\u250c\u250d\7Q\2\2\u250d\u250e\7W\2\2\u250e\u250f\7U\2\2\u250f\u2510"+
"\7a\2\2\u2510\u2511\7E\2\2\u2511\u2512\7Q\2\2\u2512\u2513\7O\2\2\u2513"+
"\u2514\7O\2\2\u2514\u2515\7K\2\2\u2515\u2516\7V\2\2\u2516\u05d0\3\2\2"+
"\2\u2517\u2518\7U\2\2\u2518\u2519\7[\2\2\u2519\u251a\7P\2\2\u251a\u251b"+
"\7Q\2\2\u251b\u251c\7P\2\2\u251c\u251d\7[\2\2\u251d\u251e\7O\2\2\u251e"+
"\u05d2\3\2\2\2\u251f\u2520\7V\2\2\u2520\u2521\7C\2\2\u2521\u2522\7M\2"+
"\2\u2522\u2523\7G\2\2\u2523\u05d4\3\2\2\2\u2524\u2525\7V\2\2\u2525\u2526"+
"\7C\2\2\u2526\u2527\7T\2\2\u2527\u2528\7I\2\2\u2528\u2529\7G\2\2\u2529"+
"\u252a\7V\2\2\u252a\u252b\7a\2\2\u252b\u252c\7T\2\2\u252c\u252d\7G\2\2"+
"\u252d\u252e\7E\2\2\u252e\u252f\7Q\2\2\u252f\u2530\7X\2\2\u2530\u2531"+
"\7G\2\2\u2531\u2532\7T\2\2\u2532\u2533\7[\2\2\u2533\u2534\7a\2\2\u2534"+
"\u2535\7V\2\2\u2535\u2536\7K\2\2\u2536\u2537\7O\2\2\u2537\u2538\7G\2\2"+
"\u2538\u05d6\3\2\2\2\u2539\u253a\7V\2\2\u253a\u253b\7D\2\2\u253b\u05d8"+
"\3\2\2\2\u253c\u253d\7V\2\2\u253d\u253e\7G\2\2\u253e\u253f\7Z\2\2\u253f"+
"\u2540\7V\2\2\u2540\u2541\7K\2\2\u2541\u2542\7O\2\2\u2542\u2543\7C\2\2"+
"\u2543\u2544\7I\2\2\u2544\u2545\7G\2\2\u2545\u2546\7a\2\2\u2546\u2547"+
"\7Q\2\2\u2547\u2548\7P\2\2\u2548\u05da\3\2\2\2\u2549\u254a\7V\2\2\u254a"+
"\u254b\7J\2\2\u254b\u254c\7T\2\2\u254c\u254d\7Q\2\2\u254d\u254e\7Y\2\2"+
"\u254e\u05dc\3\2\2\2\u254f\u2550\7V\2\2\u2550\u2551\7K\2\2\u2551\u2552"+
"\7G\2\2\u2552\u2553\7U\2\2\u2553\u05de\3\2\2\2\u2554\u2555\7V\2\2\u2555"+
"\u2556\7K\2\2\u2556\u2557\7O\2\2\u2557\u2558\7G\2\2\u2558\u05e0\3\2\2"+
"\2\u2559\u255a\7V\2\2\u255a\u255b\7K\2\2\u255b\u255c\7O\2\2\u255c\u255d"+
"\7G\2\2\u255d\u255e\7Q\2\2\u255e\u255f\7W\2\2\u255f\u2560\7V\2\2\u2560"+
"\u05e2\3\2\2\2\u2561\u2562\7V\2\2\u2562\u2563\7K\2\2\u2563\u2564\7O\2"+
"\2\u2564\u2565\7G\2\2\u2565\u2566\7T\2\2\u2566\u05e4\3\2\2\2\u2567\u2568"+
"\7V\2\2\u2568\u2569\7K\2\2\u2569\u256a\7P\2\2\u256a\u256b\7[\2\2\u256b"+
"\u256c\7K\2\2\u256c\u256d\7P\2\2\u256d\u256e\7V\2\2\u256e\u05e6\3\2\2"+
"\2\u256f\u2570\7V\2\2\u2570\u2571\7Q\2\2\u2571\u2572\7T\2\2\u2572\u2573"+
"\7P\2\2\u2573\u2574\7a\2\2\u2574\u2575\7R\2\2\u2575\u2576\7C\2\2\u2576"+
"\u2577\7I\2\2\u2577\u2578\7G\2\2\u2578\u2579\7a\2\2\u2579\u257a\7F\2\2"+
"\u257a\u257b\7G\2\2\u257b\u257c\7V\2\2\u257c\u257d\7G\2\2\u257d\u257e"+
"\7E\2\2\u257e\u257f\7V\2\2\u257f\u2580\7K\2\2\u2580\u2581\7Q\2\2\u2581"+
"\u2582\7P\2\2\u2582\u05e8\3\2\2\2\u2583\u2584\7V\2\2\u2584\u2585\7T\2"+
"\2\u2585\u2586\7C\2\2\u2586\u2587\7P\2\2\u2587\u2588\7U\2\2\u2588\u2589"+
"\7H\2\2\u2589\u258a\7Q\2\2\u258a\u258b\7T\2\2\u258b\u258c\7O\2\2\u258c"+
"\u258d\7a\2\2\u258d\u258e\7P\2\2\u258e\u258f\7Q\2\2\u258f\u2590\7K\2\2"+
"\u2590\u2591\7U\2\2\u2591\u2592\7G\2\2\u2592\u2593\7a\2\2\u2593\u2594"+
"\7Y\2\2\u2594\u2595\7Q\2\2\u2595\u2596\7T\2\2\u2596\u2597\7F\2\2\u2597"+
"\u2598\7U\2\2\u2598\u05ea\3\2\2\2\u2599\u259a\7V\2\2\u259a\u259b\7T\2"+
"\2\u259b\u259c\7K\2\2\u259c\u259d\7R\2\2\u259d\u259e\7N\2\2\u259e\u259f"+
"\7G\2\2\u259f\u25a0\7a\2\2\u25a0\u25a1\7F\2\2\u25a1\u25a2\7G\2\2\u25a2"+
"\u25a3\7U\2\2\u25a3\u05ec\3\2\2\2\u25a4\u25a5\7V\2\2\u25a5\u25a6\7T\2"+
"\2\u25a6\u25a7\7K\2\2\u25a7\u25a8\7R\2\2\u25a8\u25a9\7N\2\2\u25a9\u25aa"+
"\7G\2\2\u25aa\u25ab\7a\2\2\u25ab\u25ac\7F\2\2\u25ac\u25ad\7G\2\2\u25ad"+
"\u25ae\7U\2\2\u25ae\u25af\7a\2\2\u25af\u25b0\7\65\2\2\u25b0\u25b1\7M\2"+
"\2\u25b1\u25b2\7G\2\2\u25b2\u25b3\7[\2\2\u25b3\u05ee\3\2\2\2\u25b4\u25b5"+
"\7V\2\2\u25b5\u25b6\7T\2\2\u25b6\u25b7\7W\2\2\u25b7\u25b8\7U\2\2\u25b8"+
"\u25b9\7V\2\2\u25b9\u25ba\7Y\2\2\u25ba\u25bb\7Q\2\2\u25bb\u25bc\7T\2\2"+
"\u25bc\u25bd\7V\2\2\u25bd\u25be\7J\2\2\u25be\u25bf\7[\2\2\u25bf\u05f0"+
"\3\2\2\2\u25c0\u25c1\7V\2\2\u25c1\u25c2\7T\2\2\u25c2\u25c3\7[\2\2\u25c3"+
"\u05f2\3\2\2\2\u25c4\u25c5\7V\2\2\u25c5\u25c6\7U\2\2\u25c6\u25c7\7S\2"+
"\2\u25c7\u25c8\7N\2\2\u25c8\u05f4\3\2\2\2\u25c9\u25ca\7V\2\2\u25ca\u25cb"+
"\7Y\2\2\u25cb\u25cc\7Q\2\2\u25cc\u25cd\7a\2\2\u25cd\u25ce\7F\2\2\u25ce"+
"\u25cf\7K\2\2\u25cf\u25d0\7I\2\2\u25d0\u25d1\7K\2\2\u25d1\u25d2\7V\2\2"+
"\u25d2\u25d3\7a\2\2\u25d3\u25d4\7[\2\2\u25d4\u25d5\7G\2\2\u25d5\u25d6"+
"\7C\2\2\u25d6\u25d7\7T\2\2\u25d7\u25d8\7a\2\2\u25d8\u25d9\7E\2\2\u25d9"+
"\u25da\7W\2\2\u25da\u25db\7V\2\2\u25db\u25dc\7Q\2\2\u25dc\u25dd\7H\2\2"+
"\u25dd\u25de\7H\2\2\u25de\u05f6\3\2\2\2\u25df\u25e0\7V\2\2\u25e0\u25e1"+
"\7[\2\2\u25e1\u25e2\7R\2\2\u25e2\u25e3\7G\2\2\u25e3\u05f8\3\2\2\2\u25e4"+
"\u25e5\7V\2\2\u25e5\u25e6\7[\2\2\u25e6\u25e7\7R\2\2\u25e7\u25e8\7G\2\2"+
"\u25e8\u25e9\7a\2\2\u25e9\u25ea\7Y\2\2\u25ea\u25eb\7C\2\2\u25eb\u25ec"+
"\7T\2\2\u25ec\u25ed\7P\2\2\u25ed\u25ee\7K\2\2\u25ee\u25ef\7P\2\2\u25ef"+
"\u25f0\7I\2\2\u25f0\u05fa\3\2\2\2\u25f1\u25f2\7W\2\2\u25f2\u25f3\7P\2"+
"\2\u25f3\u25f4\7D\2\2\u25f4\u25f5\7Q\2\2\u25f5\u25f6\7W\2\2\u25f6\u25f7"+
"\7P\2\2\u25f7\u25f8\7F\2\2\u25f8\u25f9\7G\2\2\u25f9\u25fa\7F\2\2\u25fa"+
"\u05fc\3\2\2\2\u25fb\u25fc\7W\2\2\u25fc\u25fd\7P\2\2\u25fd\u25fe\7E\2"+
"\2\u25fe\u25ff\7Q\2\2\u25ff\u2600\7O\2\2\u2600\u2601\7O\2\2\u2601\u2602"+
"\7K\2\2\u2602\u2603\7V\2\2\u2603\u2604\7V\2\2\u2604\u2605\7G\2\2\u2605"+
"\u2606\7F\2\2\u2606\u05fe\3\2\2\2\u2607\u2608\7W\2\2\u2608\u2609\7P\2"+
"\2\u2609\u260a\7M\2\2\u260a\u260b\7P\2\2\u260b\u260c\7Q\2\2\u260c\u260d"+
"\7Y\2\2\u260d\u260e\7P\2\2\u260e\u0600\3\2\2\2\u260f\u2610\7W\2\2\u2610"+
"\u2611\7P\2\2\u2611\u2612\7N\2\2\u2612\u2613\7K\2\2\u2613\u2614\7O\2\2"+
"\u2614\u2615\7K\2\2\u2615\u2616\7V\2\2\u2616\u2617\7G\2\2\u2617\u2618"+
"\7F\2\2\u2618\u0602\3\2\2\2\u2619\u261a\7W\2\2\u261a\u261b\7U\2\2\u261b"+
"\u261c\7K\2\2\u261c\u261d\7P\2\2\u261d\u261e\7I\2\2\u261e\u0604\3\2\2"+
"\2\u261f\u2620\7X\2\2\u2620\u2621\7C\2\2\u2621\u2622\7N\2\2\u2622\u2623"+
"\7K\2\2\u2623\u2624\7F\2\2\u2624\u2625\7a\2\2\u2625\u2626\7Z\2\2\u2626"+
"\u2627\7O\2\2\u2627\u2628\7N\2\2\u2628\u0606\3\2\2\2\u2629\u262a\7X\2"+
"\2\u262a\u262b\7C\2\2\u262b\u262c\7N\2\2\u262c\u262d\7K\2\2\u262d\u262e"+
"\7F\2\2\u262e\u262f\7C\2\2\u262f\u2630\7V\2\2\u2630\u2631\7K\2\2\u2631"+
"\u2632\7Q\2\2\u2632\u2633\7P\2\2\u2633\u0608\3\2\2\2\u2634\u2635\7X\2"+
"\2\u2635\u2636\7C\2\2\u2636\u2637\7N\2\2\u2637\u2638\7W\2\2\u2638\u2639"+
"\7G\2\2\u2639\u060a\3\2\2\2\u263a\u263b\7X\2\2\u263b\u263c\7C\2\2\u263c"+
"\u263d\7T\2\2\u263d\u060c\3\2\2\2\u263e\u263f\7X\2\2\u263f\u2640\7C\2"+
"\2\u2640\u2641\7T\2\2\u2641\u2642\7R\2\2\u2642\u060e\3\2\2\2\u2643\u2644"+
"\7X\2\2\u2644\u2645\7K\2\2\u2645\u2646\7G\2\2\u2646\u2647\7Y\2\2\u2647"+
"\u2648\7a\2\2\u2648\u2649\7O\2\2\u2649\u264a\7G\2\2\u264a\u264b\7V\2\2"+
"\u264b\u264c\7C\2\2\u264c\u264d\7F\2\2\u264d\u264e\7C\2\2\u264e\u264f"+
"\7V\2\2\u264f\u2650\7C\2\2\u2650\u0610\3\2\2\2\u2651\u2652\7X\2\2\u2652"+
"\u2653\7K\2\2\u2653\u2654\7G\2\2\u2654\u2655\7Y\2\2\u2655\u2656\7U\2\2"+
"\u2656\u0612\3\2\2\2\u2657\u2658\7Y\2\2\u2658\u2659\7C\2\2\u2659\u265a"+
"\7K\2\2\u265a\u265b\7V\2\2\u265b\u0614\3\2\2\2\u265c\u265d\7Y\2\2\u265d"+
"\u265e\7G\2\2\u265e\u265f\7N\2\2\u265f\u2660\7N\2\2\u2660\u2661\7a\2\2"+
"\u2661\u2662\7H\2\2\u2662\u2663\7Q\2\2\u2663\u2664\7T\2\2\u2664\u2665"+
"\7O\2\2\u2665\u2666\7G\2\2\u2666\u2667\7F\2\2\u2667\u2668\7a\2\2\u2668"+
"\u2669\7Z\2\2\u2669\u266a\7O\2\2\u266a\u266b\7N\2\2\u266b\u0616\3\2\2"+
"\2\u266c\u266d\7Y\2\2\u266d\u266e\7K\2\2\u266e\u266f\7V\2\2\u266f\u2670"+
"\7J\2\2\u2670\u2671\7Q\2\2\u2671\u2672\7W\2\2\u2672\u2673\7V\2\2\u2673"+
"\u2674\7a\2\2\u2674\u2675\7C\2\2\u2675\u2676\7T\2\2\u2676\u2677\7T\2\2"+
"\u2677\u2678\7C\2\2\u2678\u2679\7[\2\2\u2679\u267a\7a\2\2\u267a\u267b"+
"\7Y\2\2\u267b\u267c\7T\2\2\u267c\u267d\7C\2\2\u267d\u267e\7R\2\2\u267e"+
"\u267f\7R\2\2\u267f\u2680\7G\2\2\u2680\u2681\7T\2\2\u2681\u0618\3\2\2"+
"\2\u2682\u2683\7Y\2\2\u2683\u2684\7Q\2\2\u2684\u2685\7T\2\2\u2685\u2686"+
"\7M\2\2\u2686\u061a\3\2\2\2\u2687\u2688\7Y\2\2\u2688\u2689\7Q\2\2\u2689"+
"\u268a\7T\2\2\u268a\u268b\7M\2\2\u268b\u268c\7N\2\2\u268c\u268d\7Q\2\2"+
"\u268d\u268e\7C\2\2\u268e\u268f\7F\2\2\u268f\u061c\3\2\2\2\u2690\u2691"+
"\7Z\2\2\u2691\u2692\7O\2\2\u2692\u2693\7N\2\2\u2693\u061e\3\2\2\2\u2694"+
"\u2695\7Z\2\2\u2695\u2696\7O\2\2\u2696\u2697\7N\2\2\u2697\u2698\7F\2\2"+
"\u2698\u2699\7C\2\2\u2699\u269a\7V\2\2\u269a\u269b\7C\2\2\u269b\u0620"+
"\3\2\2\2\u269c\u269d\7Z\2\2\u269d\u269e\7O\2\2\u269e\u269f\7N\2\2\u269f"+
"\u26a0\7P\2\2\u26a0\u26a1\7C\2\2\u26a1\u26a2\7O\2\2\u26a2\u26a3\7G\2\2"+
"\u26a3\u26a4\7U\2\2\u26a4\u26a5\7R\2\2\u26a5\u26a6\7C\2\2\u26a6\u26a7"+
"\7E\2\2\u26a7\u26a8\7G\2\2\u26a8\u26a9\7U\2\2\u26a9\u0622\3\2\2\2\u26aa"+
"\u26ab\7Z\2\2\u26ab\u26ac\7O\2\2\u26ac\u26ad\7N\2\2\u26ad\u26ae\7U\2\2"+
"\u26ae\u26af\7E\2\2\u26af\u26b0\7J\2\2\u26b0\u26b1\7G\2\2\u26b1\u26b2"+
"\7O\2\2\u26b2\u26b3\7C\2\2\u26b3\u0624\3\2\2\2\u26b4\u26b5\7Z\2\2\u26b5"+
"\u26b6\7U\2\2\u26b6\u26b7\7K\2\2\u26b7\u26b8\7P\2\2\u26b8\u26b9\7K\2\2"+
"\u26b9\u26ba\7N\2\2\u26ba\u0626\3\2\2\2\u26bb\u26bc\7&\2\2\u26bc\u26bd"+
"\7C\2\2\u26bd\u26be\7E\2\2\u26be\u26bf\7V\2\2\u26bf\u26c0\7K\2\2\u26c0"+
"\u26c1\7Q\2\2\u26c1\u26c2\7P\2\2\u26c2\u0628\3\2\2\2\u26c3\u26c5\t\7\2"+
"\2\u26c4\u26c3\3\2\2\2\u26c5\u26c6\3\2\2\2\u26c6\u26c4\3\2\2\2\u26c6\u26c7"+
"\3\2\2\2\u26c7\u26c8\3\2\2\2\u26c8\u26c9\b\u0315\2\2\u26c9\u062a\3\2\2"+
"\2\u26ca\u26cb\7\61\2\2\u26cb\u26cc\7,\2\2\u26cc\u26d1\3\2\2\2\u26cd\u26d0"+
"\5\u062b\u0316\2\u26ce\u26d0\13\2\2\2\u26cf\u26cd\3\2\2\2\u26cf\u26ce"+
"\3\2\2\2\u26d0\u26d3\3\2\2\2\u26d1\u26d2\3\2\2\2\u26d1\u26cf\3\2\2\2\u26d2"+
"\u26d4\3\2\2\2\u26d3\u26d1\3\2\2\2\u26d4\u26d5\7,\2\2\u26d5\u26d6\7\61"+
"\2\2\u26d6\u26d7\3\2\2\2\u26d7\u26d8\b\u0316\3\2\u26d8\u062c\3\2\2\2\u26d9"+
"\u26da\7/\2\2\u26da\u26db\7/\2\2\u26db\u26df\3\2\2\2\u26dc\u26de\n\b\2"+
"\2\u26dd\u26dc\3\2\2\2\u26de\u26e1\3\2\2\2\u26df\u26dd\3\2\2\2\u26df\u26e0"+
"\3\2\2\2\u26e0\u26e2\3\2\2\2\u26e1\u26df\3\2\2\2\u26e2\u26e3\b\u0317\3"+
"\2\u26e3\u062e\3\2\2\2\u26e4\u26e6\7$\2\2\u26e5\u26e7\n\5\2\2\u26e6\u26e5"+
"\3\2\2\2\u26e7\u26e8\3\2\2\2\u26e8\u26e6\3\2\2\2\u26e8\u26e9\3\2\2\2\u26e9"+
"\u26ea\3\2\2\2\u26ea\u26eb\7$\2\2\u26eb\u0630\3\2\2\2\u26ec\u26ed\7)\2"+
"\2\u26ed\u0632\3\2\2\2\u26ee\u26f0\7]\2\2\u26ef\u26f1\n\t\2\2\u26f0\u26ef"+
"\3\2\2\2\u26f1\u26f2\3\2\2\2\u26f2\u26f0\3\2\2\2\u26f2\u26f3\3\2\2\2\u26f3"+
"\u26f4\3\2\2\2\u26f4\u26f5\7_\2\2\u26f5\u0634\3\2\2\2\u26f6\u26f9\7B\2"+
"\2\u26f7\u26fa\t\n\2\2\u26f8\u26fa\5\u0693\u034a\2\u26f9\u26f7\3\2\2\2"+
"\u26f9\u26f8\3\2\2\2\u26fa\u26fb\3\2\2\2\u26fb\u26f9\3\2\2\2\u26fb\u26fc"+
"\3\2\2\2\u26fc\u0636\3\2\2\2\u26fd\u26ff\5\u0691\u0349\2\u26fe\u26fd\3"+
"\2\2\2\u26ff\u2700\3\2\2\2\u2700\u26fe\3\2\2\2\u2700\u2701\3\2\2\2\u2701"+
"\u0638\3\2\2\2\u2702\u2705\t\13\2\2\u2703\u2705\5\u0693\u034a\2\u2704"+
"\u2702\3\2\2\2\u2704\u2703\3\2\2\2\u2705\u270a\3\2\2\2\u2706\u2709\t\f"+
"\2\2\u2707\u2709\5\u0693\u034a\2\u2708\u2706\3\2\2\2\u2708\u2707\3\2\2"+
"\2\u2709\u270c\3\2\2\2\u270a\u2708\3\2\2\2\u270a\u270b\3\2\2\2\u270b\u063a"+
"\3\2\2\2\u270c\u270a\3\2\2\2\u270d\u270e\7)\2\2\u270e\u2710\t\6\2\2\u270f"+
"\u2711\t\6\2\2\u2710\u270f\3\2\2\2\u2711\u2712\3\2\2\2\u2712\u2710\3\2"+
"\2\2\u2712\u2713\3\2\2\2\u2713\u2714\3\2\2\2\u2714\u2715\t\4\2\2\u2715"+
"\u2716\3\2\2\2\u2716\u2717\7\61\2\2\u2717\u2718\7\61\2\2\u2718\u2727\3"+
"\2\2\2\u2719\u271b\t\6\2\2\u271a\u2719\3\2\2\2\u271b\u271c\3\2\2\2\u271c"+
"\u271a\3\2\2\2\u271c\u271d\3\2\2\2\u271d\u271e\3\2\2\2\u271e\u2725\t\r"+
"\2\2\u271f\u2721\t\6\2\2\u2720\u271f\3\2\2\2\u2721\u2722\3\2\2\2\u2722"+
"\u2720\3\2\2\2\u2722\u2723\3\2\2\2\u2723\u2725\3\2\2\2\u2724\u271a\3\2"+
"\2\2\u2724\u2720\3\2\2\2\u2725\u2728\3\2\2\2\u2726\u2728\5\u0149\u00a5"+
"\2\u2727\u2724\3\2\2\2\u2727\u2726\3\2\2\2\u2728\u2729\3\2\2\2\u2729\u272a"+
"\t\4\2\2\u272a\u272b\5\u0637\u031c\2\u272b\u272c\7)\2\2\u272c\u063c\3"+
"\2\2\2\u272d\u273c\7)\2\2\u272e\u2730\t\6\2\2\u272f\u272e\3\2\2\2\u2730"+
"\u2731\3\2\2\2\u2731\u272f\3\2\2\2\u2731\u2732\3\2\2\2\u2732\u2733\3\2"+
"\2\2\u2733\u273a\t\r\2\2\u2734\u2736\t\6\2\2\u2735\u2734\3\2\2\2\u2736"+
"\u2737\3\2\2\2\u2737\u2735\3\2\2\2\u2737\u2738\3\2\2\2\u2738\u273a\3\2"+
"\2\2\u2739\u272f\3\2\2\2\u2739\u2735\3\2\2\2\u273a\u273d\3\2\2\2\u273b"+
"\u273d\5\u0149\u00a5\2\u273c\u2739\3\2\2\2\u273c\u273b\3\2\2\2\u273d\u273e"+
"\3\2\2\2\u273e\u273f\t\4\2\2\u273f\u2740\5\u0637\u031c\2\u2740\u2741\3"+
"\2\2\2\u2741\u2742\7)\2\2\u2742\u063e\3\2\2\2\u2743\u2745\7P\2\2\u2744"+
"\u2743\3\2\2\2\u2744\u2745\3\2\2\2\u2745\u2746\3\2\2\2\u2746\u274c\7)"+
"\2\2\u2747\u274b\n\2\2\2\u2748\u2749\7)\2\2\u2749\u274b\7)\2\2\u274a\u2747"+
"\3\2\2\2\u274a\u2748\3\2\2\2\u274b\u274e\3\2\2\2\u274c\u274a\3\2\2\2\u274c"+
"\u274d\3\2\2\2\u274d\u274f\3\2\2\2\u274e\u274c\3\2\2\2\u274f\u2750\7)"+
"\2\2\u2750\u0640\3\2\2\2\u2751\u2752\7\62\2\2\u2752\u2756\7Z\2\2\u2753"+
"\u2755\5\u068f\u0348\2\u2754\u2753\3\2\2\2\u2755\u2758\3\2\2\2\u2756\u2754"+
"\3\2\2\2\u2756\u2757\3\2\2\2\u2757\u0642\3\2\2\2\u2758\u2756\3\2\2\2\u2759"+
"\u275a\5\u068d\u0347\2\u275a\u0644\3\2\2\2\u275b\u275e\5\u0637\u031c\2"+
"\u275c\u275e\5\u068d\u0347\2\u275d\u275b\3\2\2\2\u275d\u275c\3\2\2\2\u275e"+
"\u275f\3\2\2\2\u275f\u2761\7G\2\2\u2760\u2762\t\16\2\2\u2761\u2760\3\2"+
"\2\2\u2761\u2762\3\2\2\2\u2762\u2764\3\2\2\2\u2763\u2765\5\u0691\u0349"+
"\2\u2764\u2763\3\2\2\2\u2765\u2766\3\2\2\2\u2766\u2764\3\2\2\2\u2766\u2767"+
"\3\2\2\2\u2767\u0646\3\2\2\2\u2768\u2769\7?\2\2\u2769\u0648\3\2\2\2\u276a"+
"\u276b\7@\2\2\u276b\u064a\3\2\2\2\u276c\u276d\7>\2\2\u276d\u064c\3\2\2"+
"\2\u276e\u276f\7#\2\2\u276f\u064e\3\2\2\2\u2770\u2771\7-\2\2\u2771\u2772"+
"\7?\2\2\u2772\u0650\3\2\2\2\u2773\u2774\7/\2\2\u2774\u2775\7?\2\2\u2775"+
"\u0652\3\2\2\2\u2776\u2777\7,\2\2\u2777\u2778\7?\2\2\u2778\u0654\3\2\2"+
"\2\u2779\u277a\7\61\2\2\u277a\u277b\7?\2\2\u277b\u0656\3\2\2\2\u277c\u277d"+
"\7\'\2\2\u277d\u277e\7?\2\2\u277e\u0658\3\2\2\2\u277f\u2780\7(\2\2\u2780"+
"\u2781\7?\2\2\u2781\u065a\3\2\2\2\u2782\u2783\7`\2\2\u2783\u2784\7?\2"+
"\2\u2784\u065c\3\2\2\2\u2785\u2786\7~\2\2\u2786\u2787\7?\2\2\u2787\u065e"+
"\3\2\2\2\u2788\u2789\7~\2\2\u2789\u278a\7~\2\2\u278a\u0660\3\2\2\2\u278b"+
"\u278c\7\60\2\2\u278c\u0662\3\2\2\2\u278d\u278e\7a\2\2\u278e\u0664\3\2"+
"\2\2\u278f\u2790\7B\2\2\u2790\u0666\3\2\2\2\u2791\u2792\7%\2\2\u2792\u0668"+
"\3\2\2\2\u2793\u2794\7&\2\2\u2794\u066a\3\2\2\2\u2795\u2796\7*\2\2\u2796"+
"\u066c\3\2\2\2\u2797\u2798\7+\2\2\u2798\u066e\3\2\2\2\u2799\u279a\7.\2"+
"\2\u279a\u0670\3\2\2\2\u279b\u279c\7=\2\2\u279c\u0672\3\2\2\2\u279d\u279e"+
"\7<\2\2\u279e\u0674\3\2\2\2\u279f\u27a0\7,\2\2\u27a0\u0676\3\2\2\2\u27a1"+
"\u27a2\7\61\2\2\u27a2\u0678\3\2\2\2\u27a3\u27a4\7\'\2\2\u27a4\u067a\3"+
"\2\2\2\u27a5\u27a6\7-\2\2\u27a6\u067c\3\2\2\2\u27a7\u27a8\7/\2\2\u27a8"+
"\u067e\3\2\2\2\u27a9\u27aa\7\u0080\2\2\u27aa\u0680\3\2\2\2\u27ab\u27ac"+
"\7~\2\2\u27ac\u0682\3\2\2\2\u27ad\u27ae\7(\2\2\u27ae\u0684\3\2\2\2\u27af"+
"\u27b0\7`\2\2\u27b0\u0686\3\2\2\2\u27b1\u27b2\t\17\2\2\u27b2\u0688\3\2"+
"\2\2\u27b3\u27b4\t\3\2\2\u27b4\u27b5\t\3\2\2\u27b5\u27b6\t\3\2\2\u27b6"+
"\u27b7\t\3\2\2\u27b7\u068a\3\2\2\2\u27b8\u27ba\t\20\2\2\u27b9\u27b8\3"+
"\2\2\2\u27b9\u27ba\3\2\2\2\u27ba\u27bc\3\2\2\2\u27bb\u27bd\t\20\2\2\u27bc"+
"\u27bb\3\2\2\2\u27bc\u27bd\3\2\2\2\u27bd\u27be\3\2\2\2\u27be\u27bf\t\20"+
"\2\2\u27bf\u068c\3\2\2\2\u27c0\u27c2\5\u0691\u0349\2\u27c1\u27c0\3\2\2"+
"\2\u27c2\u27c3\3\2\2\2\u27c3\u27c1\3\2\2\2\u27c3\u27c4\3\2\2\2\u27c4\u27c5"+
"\3\2\2\2\u27c5\u27c7\7\60\2\2\u27c6\u27c8\5\u0691\u0349\2\u27c7\u27c6"+
"\3\2\2\2\u27c8\u27c9\3\2\2\2\u27c9\u27c7\3\2\2\2\u27c9\u27ca\3\2\2\2\u27ca"+
"\u27d9\3\2\2\2\u27cb\u27cd\5\u0691\u0349\2\u27cc\u27cb\3\2\2\2\u27cd\u27ce"+
"\3\2\2\2\u27ce\u27cc\3\2\2\2\u27ce\u27cf\3\2\2\2\u27cf\u27d0\3\2\2\2\u27d0"+
"\u27d1\7\60\2\2\u27d1\u27d9\3\2\2\2\u27d2\u27d4\7\60\2\2\u27d3\u27d5\5"+
"\u0691\u0349\2\u27d4\u27d3\3\2\2\2\u27d5\u27d6\3\2\2\2\u27d6\u27d4\3\2"+
"\2\2\u27d6\u27d7\3\2\2\2\u27d7\u27d9\3\2\2\2\u27d8\u27c1\3\2\2\2\u27d8"+
"\u27cc\3\2\2\2\u27d8\u27d2\3\2\2\2\u27d9\u068e\3\2\2\2\u27da\u27db\t\3"+
"\2\2\u27db\u0690\3\2\2\2\u27dc\u27dd\t\20\2\2\u27dd\u0692\3\2\2\2\u27de"+
"\u27df\t\21\2\2\u27df\u0694\3\2\2\2b\2\u06fb\u0724\u072f\u0811\u0965\u0b2e"+
"\u0c88\u0cd5\u0cdf\u0ce2\u0ce5\u0ce8\u0ceb\u0cee\u0cf2\u0cf5\u0cf8\u0cfb"+
"\u0cff\u0d02\u0d05\u0d08\u0d0c\u0d0f\u0d12\u0d15\u0d19\u0d1c\u0d1f\u0d22"+
"\u0d26\u0d29\u0d2c\u0d2f\u0d33\u0d36\u0d39\u0d3c\u0d40\u0d43\u0d46\u0d49"+
"\u0d4c\u0d52\u0d60\u0dc5\u0ddb\u0df1\u0fba\u0fda\u1005\u1050\u1061\u1072"+
"\u146f\u17c4\u1898\u1b7f\u1de9\u1eb4\u26c6\u26cf\u26d1\u26df\u26e8\u26f2"+
"\u26f9\u26fb\u2700\u2704\u2708\u270a\u2712\u271c\u2722\u2724\u2727\u2731"+
"\u2737\u2739\u273c\u2744\u274a\u274c\u2756\u275d\u2761\u2766\u27b9\u27bc"+
"\u27c3\u27c9\u27ce\u27d6\u27d8\4\b\2\2\2\3\2";
public static final String _serializedATN = Utils.join(
new String[] {
_serializedATNSegment0,
_serializedATNSegment1,
_serializedATNSegment2,
_serializedATNSegment3
},
""
);
public static final ATN _ATN =
new ATNDeserializer().deserialize(_serializedATN.toCharArray());
static {
_decisionToDFA = new DFA[_ATN.getNumberOfDecisions()];
for (int i = 0; i < _ATN.getNumberOfDecisions(); i++) {
_decisionToDFA[i] = new DFA(_ATN.getDecisionState(i), i);
}
}
} | 75.880912 | 101 | 0.671522 |
656f534f2fa1fb881d69b54b173a6f2708d676a3 | 1,928 |
package org.spdx.library.model;
/**
* Sometimes a set of license terms apply except under special circumstances. In this case, use the binary "WITH" operator to construct a new license expression to represent the special exception situation. A valid <license-expression> is where the left operand is a <simple-expression> value and the right operand is a <license-exception-id> that represents the special exception terms.
*/
public class WithExceptionOperator extends AnyLicenseInfo
{
private AnyLicenseInfo member;
private LicenseException licenseException;
WithExceptionOperator(String Id) {
super(Id);
}
WithExceptionOperator(IModelStore modelStore, String documentUri,
String id, ModelCopyManager copyManager, Boolean create) {
super(modelStore, documentUri, id, copyManager, create);
}
public String getType() {
return "WithExceptionOperator";
}
/**
* Get the 'member' element value. A license, or other licensing information, that is a member of the subject license set.
*
* @return value
*/
public AnyLicenseInfo getMember() {
return member;
}
/**
* Set the 'member' element value. A license, or other licensing information, that is a member of the subject license set.
*
* @param member
*/
public void setMember(AnyLicenseInfo member) {
this.member = member;
}
/**
* Get the 'licenseException' element value. An exception to a license.
*
* @return value
*/
public LicenseException getLicenseException() {
return licenseException;
}
/**
* Set the 'licenseException' element value. An exception to a license.
*
* @param licenseException
*/
public void setLicenseException(LicenseException licenseException) {
this.licenseException = licenseException;
}
}
| 31.606557 | 405 | 0.680498 |
29f1eebc91e848e738585054408fb6350d9efbc3 | 1,244 | package com.sen.netty.study.simple.im;
import io.netty.channel.ChannelInitializer;
import io.netty.channel.ChannelPipeline;
import io.netty.channel.socket.SocketChannel;
import io.netty.handler.codec.DelimiterBasedFrameDecoder;
import io.netty.handler.codec.Delimiters;
import io.netty.handler.codec.string.StringDecoder;
import io.netty.handler.codec.string.StringEncoder;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
/**
* @author: Sen
* @date 2020/5/23 0023 16:03
* @description: 用来增加多个的处理类到ChannelPipeline上:包括编码,解码,SimpleChatServerHandler
*/
public class SimpleChatServerInitializer extends ChannelInitializer<SocketChannel> {
private static final Logger log = LoggerFactory.getLogger(SimpleChatServerHandler.class);
@Override
protected void initChannel(SocketChannel ch) throws Exception {
ChannelPipeline pipeline = ch.pipeline();
pipeline.addLast("framer", new DelimiterBasedFrameDecoder(8192, Delimiters.lineDelimiter()))
.addLast("decoder", new StringDecoder())
.addLast("encoder", new StringEncoder())
.addLast("handler", new SimpleChatServerHandler());
log.error("SimplerChatClient: " + ch.remoteAddress() + "连接上服务器");
}
}
| 36.588235 | 100 | 0.747588 |
1f86ae0cff4e44a8295f70a5ffad7600b207c5d6 | 2,170 | package solutions.leetcode;
import static org.junit.Assert.assertEquals;
import base.Solution;
import base.TestCases;
import mappers.ListNodeMapper;
import structures.ListNode;
import testcases.leetcode.MergeKListsTestCases;
/*
*
https://leetcode.com/problems/merge-k-sorted-lists/#/description
Merge k sorted linked lists and return it as one sorted list.
Analyze and describe its complexity.
*
* */
public class MergeKLists extends Solution<ListNode[], ListNode> {
@Override
protected ListNode runTest(ListNode[] input) {
return this.mergeKLists(input);
}
@Override
protected void printOutputData(ListNode output) {
System.out.println(ListNodeMapper.toString(output));
}
@Override
protected void testOutput(ListNode outputTest, ListNode output) {
assertEquals( ListNodeMapper.toString(outputTest), ListNodeMapper.toString(output));
}
@Override
protected TestCases<ListNode[], ListNode> genTestCases() {
return new MergeKListsTestCases();
}
public ListNode mergeKLists(ListNode[] lists) {
int lstLen = lists.length;
if (lstLen < 1) return null;
merge(lists, 0, lstLen-1);
return lists[0];
}
private void merge(ListNode[] lists, int left, int right){
if (left >= right) return;
int mid = ( left + right ) / 2;
merge(lists, left, mid);
merge(lists, mid + 1, right);
ListNode leftNode = lists[left];
ListNode rightNode = lists[mid+1];
ListNode start = new ListNode(0);
ListNode curNode = start ;
while (leftNode != null && rightNode != null){
if (leftNode.val < rightNode.val){
curNode.next = leftNode;
leftNode = leftNode.next;
} else {
curNode.next = rightNode;
rightNode = rightNode.next;
}
curNode = curNode.next;
}
if (leftNode != null) curNode.next = leftNode;
else if (rightNode != null) curNode.next = rightNode;
lists[left] = start.next;
}
}
| 27.125 | 93 | 0.610599 |
3cc14c64d6d799a9403ea8d9afdc786aeb5d46fd | 305 | package com.winway.comic.mapper;
import com.winway.comic.entity.CartoonType;
import com.baomidou.mybatisplus.core.mapper.BaseMapper;
/**
* <p>
* 漫画类别对应表,漫画类别多对多关系 Mapper 接口
* </p>
*
* @author sam.feng
* @since 2020-06-15
*/
public interface CartoonTypeMapper extends BaseMapper<CartoonType> {
}
| 17.941176 | 68 | 0.734426 |
4172ef333acdd61b19399ce8ae35647027758f71 | 4,837 | package po;
import java.io.Serializable;
import java.util.HashMap;
import java.util.Map;
import javax.persistence.*;
/**
* Created on 2017/10/21
*
* @author 巽
*
*/
@Entity
@Embeddable
@Table(name = "goods")
public class GoodsPO implements Serializable {
private static final long serialVersionUID = -3013227723821014331L;
/**
* 商品ID
*/
private int ID;
/**
* 商品名称
*/
private String name;
/**
* 商品型号
*/
private String model;
/**
* 商品所属分类
*/
private ClassificationPO classification;
/**
* 商品警戒数量
*/
private int alarmAmount;
/**
* 商品进价
*/
private double buyingPrice;
/**
* 商品零售价
*/
private double retailPrice;
/**
* 商品最近进价
*/
private double recentBuyingPrice;
/**
* 商品最近零售价
*/
private double recentRetailPrice;
/**
* 每个仓库里存的该商品的数量
*/
private Map<InventoryPO, Integer> number = new HashMap<InventoryPO, Integer>();
/**
* 同商品分类下第几个商品
*/
private int turn;
public GoodsPO() {
}
public GoodsPO(String name, String model, ClassificationPO classification, int alarmAmount, double buyingPrice,
double retailPrice, double recentBuyingPrice, double recentRetailPrice, int turn) {
this.name = name;
this.model = model;
this.classification = classification;
this.alarmAmount = alarmAmount;
this.buyingPrice = buyingPrice;
this.retailPrice = retailPrice;
this.recentBuyingPrice = recentBuyingPrice;
this.recentRetailPrice = recentRetailPrice;
this.turn = turn;
}
/**
* 请使用无需设置ID的构造方法,因为:<br>
* 1、要新增的PO的ID应由数据库自动生成,而非手动填入<br>
* 2、要修改的PO应从数据库中得到,而非代码生成
*/
@Deprecated
public GoodsPO(int ID, String name, String model, ClassificationPO classification, int alarmAmount,
double buyingPrice, double retailPrice, double recentBuyingPrice, double recentRetailPrice) {
this.ID = ID;
this.name = name;
this.model = model;
this.classification = classification;
this.alarmAmount = alarmAmount;
this.buyingPrice = buyingPrice;
this.retailPrice = retailPrice;
this.recentBuyingPrice = recentBuyingPrice;
this.recentRetailPrice = recentRetailPrice;
}
@Id
@GeneratedValue(strategy = GenerationType.IDENTITY)
@Column(name = "id")
public int getID() {
return ID;
}
public void setID(int ID) {
this.ID = ID;
}
@Column(name = "name")
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
@Column(name = "model")
public String getModel() {
return model;
}
public void setModel(String model) {
this.model = model;
}
@ManyToOne
@JoinColumn(name = "claid")
public ClassificationPO getClassification() {
return classification;
}
public void setClassification(ClassificationPO classification) {
this.classification = classification;
}
public int countAmount() {
int amount = 0;
for (int num : number.values()) {
amount += num;
}
return amount;
}
@Column(name = "alarmamount")
public int getAlarmAmount() {
return alarmAmount;
}
public void setAlarmAmount(int alarmAmount) {
this.alarmAmount = alarmAmount;
}
@Column(name = "buyingprice")
public double getBuyingPrice() {
return buyingPrice;
}
public void setBuyingPrice(double buyingPrice) {
this.buyingPrice = buyingPrice;
}
@Column(name = "retailprice")
public double getRetailPrice() {
return retailPrice;
}
public void setRetailPrice(double retailPrice) {
this.retailPrice = retailPrice;
}
@Column(name = "recentbuyingprice")
public double getRecentBuyingPrice() {
return recentBuyingPrice;
}
public void setRecentBuyingPrice(double recentBuyingPrice) {
this.recentBuyingPrice = recentBuyingPrice;
}
@Column(name = "recentretailprice")
public double getRecentRetailPrice() {
return recentRetailPrice;
}
public void setRecentRetailPrice(double recentRetailPrice) {
this.recentRetailPrice = recentRetailPrice;
}
@ElementCollection(fetch = FetchType.EAGER)
@CollectionTable(name = "inventory_goods_number")
@MapKeyJoinColumn(name = "InventoryPO_id")
@Column(name = "number")
public Map<InventoryPO, Integer> getNumber() {
return number;
}
public void setNumber(Map<InventoryPO, Integer> number) {
this.number = number;
}
@Column(name = "turn")
public int getTurn() {
return turn;
}
public void setTurn(int turn) {
this.turn = turn;
}
public String buildID() {
return String.format("%02d", classification.getID()) + String.format("%06d", turn);
}
@Override
public String toString() {
return "ID:" + this.buildID() + ", 名称:" + name + ", 型号:" + model + ", 所属商品分类:" + classification.getName() + ", 警戒数量:"
+ alarmAmount + ", 进价:" + buyingPrice + ", 零售价:" + retailPrice;
}
}
| 21.59375 | 120 | 0.67087 |
b77775ee27f478f7c2fcc69d8c7b20d84ceb6662 | 6,176 | /*
* $Id$
*/
/*
Copyright (c) 2000-2003 Board of Trustees of Leland Stanford Jr. University,
all rights reserved.
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
STANFORD UNIVERSITY 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.
Except as contained in this notice, the name of Stanford University shall not
be used in advertising or otherwise to promote the sale, use or other dealings
in this Software without prior written authorization from Stanford University.
*/
package org.lockss.uiapi.util;
/**
* Common Cluster Control definitions
*/
public interface ClusterControlParameters extends CommonParameters {
/*
* Version information
*
* Software version
*/
final static String CCP_VERSION = "0.1";
/*
* Identifies this variant of our XML document format
*/
final static String CCP_XML_VERSION10 = "1.0";
final static String CCP_XML_VERSION = CCP_XML_VERSION10;
/*
* Cluster Control namespace information (URI and prefix)
*/
final static String CCP_NS_URI =
"http://lockss.org/clustercontrol";
final static String CCP_NS_PREFIX = "ui";
/*
* Internal Commands amd Parameters
*
* Home pages
*/
final static String CCP_COMMAND_ADMIN_HOME = "administration_home";
final static String CCP_COMMAND_STATUS_HOME = "status_home";
final static String CCP_COMMAND_SEARCH_HOME = "search_home";
/*
* Cluster commands
*/
final static String CCP_COMMAND_NEWCLUSTER = "newcluster";
final static String CCP_COMMAND_SETCLUSTER = "setcluster";
final static String CCP_COMMAND_SETACTIVECLUSTER
= "setactivecluster";
final static String CCP_COMMAND_SETMEMBER = "setclustermember";
final static String CCP_COMMAND_EDITMEMBER = "editclustermember";
final static String CCP_COMMAND_CLUSTERSTATUS
= "clusterstatus";
/*
* Journal
*/
final static String CCP_COMMAND_JOURNALUPDATE
= "journalupdate";
final static String CCP_COMMAND_FIELDNAMES = "fieldnames";
/*
* Archival Unit
*/
final static String CCP_COMMAND_AUMENU = "aumenu";
/*
* IP Access Group definition and application
*/
final static String CCP_COMMAND_IPACCESSGROUPS
= "ipaccessgroups";
final static String CCP_COMMAND_IPACCESSGROUPUPDATE
= "ipaccessgroupupdate";
final static String CCP_COMMAND_ACLMENU = "aclmenu";
final static String CCP_COMMAND_ACLEDIT = "acledit";
final static String CCP_COMMAND_ALERTS = "alerts";
/*
* The "not implemented" page:
*
* ILS = Link to an Integrated Library System
*/
final static String CCP_COMMAND_ILS = "ils";
/*
* Empty cluster (external command executed and the cluster has no members)
*/
final static String CCP_COMMAND_NOMEMBERS = "noclustermembers";
/*
* Common command parameters
*/
final static String CCP_PARAM_COMMAND = "command";
final static String CCP_PARAM_FORMAT = "format";
final static String CCP_PARAM_XML = "xml";
final static String CCP_PARAM_CLUSTER = "cluster";
/*
* Rendering formats: HTML4 and XML (_XML and _EXTERNAL are synonyms)
*/
final static String CCP_RENDER_HTML = "html";
final static String CCP_RENDER_XML = "xml";
final static String CCP_RENDER_EXTERNAL = "external";
/*
* Help file
*/
final static String CCP_HELP = "Help.html";
/*
* Cluster Control servlet specification used to build HTML HREFs.
*/
final static String CCP_CONTROLLER_NAME = "ClusterControl";
final static String CCP_HREF = CCP_CONTROLLER_NAME
+ "?"
+ CCP_PARAM_COMMAND
+ "=";
/*
* HTTP session context parameter names
*/
final static String CCP_SESSION_PREFIX = "org.lockss.uiapi.";
/*
* Client's intended (or target) URL
*/
final static String CCP_TARGETURL = CCP_SESSION_PREFIX
+ "TargetURL";
/*
* Session context command parameter list (a HashMap of name/value pairs)
*/
final static String CCP_TARGETPARAMS = CCP_SESSION_PREFIX
+ "TargetParameters";
/*
* Cluster response elements
*/
final static String CCP_E_RESPONSE = "response";
final static String CCP_E_STATUS = COM_E_STATUS;
final static String CCP_E_MESSAGE = COM_E_MESSAGE;
final static String CCP_E_DETAIL = COM_E_DETAIL;
/*
* Attributes
*/
final static String CCP_A_COMMAND = COM_A_COMMAND;
final static String CCP_A_SUCCESS = COM_A_SUCCESS;
final static String CCP_A_DATE = COM_A_DATE;
final static String CCP_A_SYSTEM = COM_A_SYSTEM;
/*
* Command options
*/
final static String CCP_OPTION_PRESERVE = "preserve";
}
| 36.761905 | 78 | 0.64524 |
c3c3713fff79fe0f4080d2f341b0b822eda55f29 | 3,483 | /*
* Copyright (C) 2011 Eiichiro Uchiumi. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.eiichiro.jaguar;
import java.io.IOException;
import javax.servlet.Filter;
import javax.servlet.FilterChain;
import javax.servlet.FilterConfig;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpSession;
/**
* A {@code Filter} to associate the current Web context with the current thread.
* You need to setup this filter and {@link WebListener} in the <code>web.xml</code>
* as below if you use Jaguar in Web environment:
* <pre>
* <filter>
* <filter-name>webFilter</filter-name>
* <filter-class>org.eiichiro.jaguar.WebFilter</filter-class>
* </filter>
* <filter-mapping>
* <filter-name>webFilter</filter-name>
* <url-pattern>/*</url-pattern>
* </filter-mapping>
* </pre>
*
* @author <a href="mailto:[email protected]">Eiichiro Uchiumi</a>
*/
public class WebFilter implements Filter {
private static ThreadLocal<HttpServletRequest> request = new ThreadLocal<HttpServletRequest>();
/**
* no-op.
*
* @param filterConfig {@code FilterConfig} to initialize this filter.
*/
public void init(FilterConfig filterConfig) throws ServletException {}
/**
* Associates the current HTTP servlet request with the current thread until
* filter chain ends.
*
* @param request The current {@code ServletRequest}.
* @param response The current {@code ServletResponse}.
* @param chain The current {@code FilterChain}.
*/
public void doFilter(ServletRequest request, ServletResponse response,
FilterChain chain) throws IOException, ServletException {
HttpServletRequest httpServletRequest = WebFilter.request.get();
try {
WebFilter.request.set((HttpServletRequest) request);
chain.doFilter(request, response);
} finally {
WebFilter.request.set(httpServletRequest);
}
}
/** no-op. */
public void destroy() {}
/**
* Returns the HTTP servlet request associated with the current thread.
*
* @return The HTTP servlet request associated with the current thread.
*/
public static HttpServletRequest request() {
return request.get();
}
/**
* Associates the specified HTTP servlet request to the current thread.
*
* @param request The HTTP servlet request to be associated to the current
* thread.
*/
public static void request(HttpServletRequest request) {
WebFilter.request.set(request);
}
/**
* Returns the HTTP session associated with the current thread.
*
* @return The HTTP session associated with the current thread.
*/
public static HttpSession session() {
HttpServletRequest httpServletRequest = request.get();
return (httpServletRequest == null) ? null : httpServletRequest.getSession();
}
}
| 31.663636 | 96 | 0.726098 |
24b4255f9898698f56827f57f9cd4b5d2d493dc1 | 3,202 | /*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package tests.api.java.lang.reflect;
import java.lang.reflect.AccessibleObject;
public class AccessibleObjectTest extends junit.framework.TestCase {
public class TestClass {
public Object aField;
}
/**
* @tests java.lang.reflect.AccessibleObject#isAccessible()
*/
public void test_isAccessible() {
// Test for method boolean
// java.lang.reflect.AccessibleObject.isAccessible()
try {
AccessibleObject ao = TestClass.class.getField("aField");
ao.setAccessible(true);
assertTrue("Returned false to isAccessible", ao.isAccessible());
ao.setAccessible(false);
assertTrue("Returned true to isAccessible", !ao.isAccessible());
} catch (Exception e) {
fail("Exception during test : " + e.getMessage());
}
}
/**
* @tests java.lang.reflect.AccessibleObject#setAccessible(java.lang.reflect.AccessibleObject[],
* boolean)
*/
public void test_setAccessible$Ljava_lang_reflect_AccessibleObjectZ() {
// Test for method void
// java.lang.reflect.AccessibleObject.setAccessible(java.lang.reflect.AccessibleObject
// [], boolean)
try {
AccessibleObject ao = TestClass.class.getField("aField");
AccessibleObject[] aoa = new AccessibleObject[] { ao };
AccessibleObject.setAccessible(aoa, true);
assertTrue("Returned false to isAccessible", ao.isAccessible());
AccessibleObject.setAccessible(aoa, false);
assertTrue("Returned true to isAccessible", !ao.isAccessible());
} catch (Exception e) {
fail("Exception during test : " + e.getMessage());
}
}
/**
* @tests java.lang.reflect.AccessibleObject#setAccessible(boolean)
*/
public void test_setAccessibleZ() {
// Test for method void
// java.lang.reflect.AccessibleObject.setAccessible(boolean)
assertTrue("Used to test", true);
}
/**
* Sets up the fixture, for example, open a network connection. This method
* is called before a test is executed.
*/
protected void setUp() {
}
/**
* Tears down the fixture, for example, close a network connection. This
* method is called after a test is executed.
*/
protected void tearDown() {
}
}
| 36.386364 | 100 | 0.656777 |
fef0688e36e48ede6099259f1654e6fd65da7a02 | 2,947 | package frc.robot;
import edu.wpi.first.wpilibj.GenericHID;
import edu.wpi.first.wpilibj.Joystick;
import edu.wpi.first.wpilibj.XboxController;
import edu.wpi.first.wpilibj2.command.Command;
import edu.wpi.first.wpilibj2.command.button.JoystickButton;
import frc.robot.subsystems.drivetrain.SwerveDrive;
import frc.robot.subsystems.drivetrain.commands.HolonomicDrive;
import frc.robot.valuetuner.ValueTuner;
import webapp.Webserver;
public class RobotContainer {
// The robot's subsystems and commands are defined here...
public static XboxController xbox = new XboxController(Ports.Controls.XBOX);
public static Joystick joystick = new Joystick(2);
public static Joystick joystick2 = new Joystick(3);
private final SwerveDrive swerveDrive = SwerveDrive.getFieldOrientedInstance();
private final JoystickButton a = new JoystickButton(xbox, XboxController.Button.kA.value);
private final JoystickButton b = new JoystickButton(xbox, XboxController.Button.kB.value);
private final JoystickButton leftStick = new JoystickButton(xbox, XboxController.Button.kStickLeft.value);
private double speedMultiplier = 1;
private boolean isTornadoMovement = false;
/**
* The container for the robot. Contains subsystems, OI devices, and commands.
*/
public RobotContainer() {
// Configure the button bindings and default commands
configureDefaultCommands();
configureButtonBindings();
if (Robot.debug) {
startValueTuner();
startFireLog();
}
}
private void configureButtonBindings() {
a.whenPressed(() -> {
Robot.resetAngle();
swerveDrive.resetThetaController();
});
leftStick.whenPressed(() -> speedMultiplier = 0.5).whenReleased(() -> speedMultiplier = 1);
b.whenPressed(() -> isTornadoMovement = !isTornadoMovement);
}
private void configureDefaultCommands() {
swerveDrive.setDefaultCommand(new HolonomicDrive(swerveDrive,
() -> -xbox.getY(GenericHID.Hand.kLeft) * speedMultiplier,
() -> xbox.getX(GenericHID.Hand.kLeft) * speedMultiplier,
() -> isTornadoMovement ? Math.signum(xbox.getX(GenericHID.Hand.kRight)) : xbox.getX(GenericHID.Hand.kRight)
));
}
/**
* Use this to pass the autonomous command to the main {@link Robot} class.
*
* @return the command to run in autonomous
*/
public Command getAutonomousCommand() {
// An ExampleCommand will run in autonomous
return null;
}
/**
* Initiates the value tuner.
*/
private void startValueTuner() {
new ValueTuner().start();
}
/**
* Initiates the port of team 225s Fire-Logger.
*/
private void startFireLog() {
try {
new Webserver();
} catch (Exception e) {
e.printStackTrace();
}
}
}
| 33.488636 | 124 | 0.66678 |
2f066a5bfb03810311011c5e8c5c504507fefa5e | 6,569 | package top.nowandfuture.gamebrowser;
import com.mojang.blaze3d.matrix.MatrixStack;
import com.mojang.blaze3d.systems.RenderSystem;
import it.unimi.dsi.fastutil.ints.Int2ReferenceMap;
import net.minecraft.client.renderer.IRenderTypeBuffer;
import net.minecraft.client.renderer.culling.ClippingHelper;
import net.minecraft.client.renderer.entity.EntityRenderer;
import net.minecraft.client.renderer.entity.EntityRendererManager;
import net.minecraft.entity.Entity;
import net.minecraft.util.ResourceLocation;
import net.minecraft.util.math.AxisAlignedBB;
import net.minecraft.util.math.MathHelper;
import net.minecraft.util.math.vector.Quaternion;
import top.nowandfuture.gamebrowser.gui.InWorldRenderer;
import top.nowandfuture.gamebrowser.screens.MainScreen;
import top.nowandfuture.mygui.GUIRenderer;
import top.nowandfuture.mygui.MyScreen;
import javax.annotation.Nonnull;
import java.util.*;
import java.util.function.BiConsumer;
import static top.nowandfuture.gamebrowser.utils.RenderHelper.colorInt;
public class ScreenEntityRenderer extends EntityRenderer<ScreenEntity> {
protected ScreenEntityRenderer(EntityRendererManager renderManager) {
super(renderManager);
GUIRenderer.getInstance().setRenderer(new InWorldRenderer());
}
private static final Map<ScreenEntity, Long> unfreezeTimeMap = new HashMap<>();
private static final int MAX_WARMUP_TIME_UNIT = 100;//wait at least 5 seconds
private static long check2UnfreezeMap(ScreenEntity entity){
if(!unfreezeTimeMap.containsKey(entity)){
unfreezeTimeMap.put(entity, System.currentTimeMillis());
}
return System.currentTimeMillis() - unfreezeTimeMap.get(entity);
}
private static void update(ScreenEntity entity){
unfreezeTimeMap.put(entity, System.currentTimeMillis());
}
public static void clearUnfreezeMap(){
List<ScreenEntity> removeSet = new LinkedList<>();
unfreezeTimeMap.forEach(new BiConsumer<ScreenEntity, Long>() {
@Override
public void accept(ScreenEntity entity, Long aLong) {
if(!entity.isAlive()){
removeSet.add(entity);
}
}
});
for (ScreenEntity e :
removeSet) {
unfreezeTimeMap.remove(e);
}
}
public static Long removeUnfreezeEntity(ScreenEntity screenEntity){
return unfreezeTimeMap.remove(screenEntity);
}
@Override
public boolean shouldRender(ScreenEntity entity, ClippingHelper camera, double camX, double camY, double camZ) {
double d0 = entity.getPosX() - camX;
double d1 = entity.getPosY() - camY;
double d2 = entity.getPosZ() - camZ;
double distance = d0 * d0 + d1 * d1 + d2 * d2;
boolean inDistance = entity.isInRangeToRenderDist(distance);
if(!inDistance){
//freeze is immediately
if(!entity.isFreeze()) {
entity.freezeScreen();
}
return false;
}else{
//unfreeze need the minimal warmup time
if(entity.isFreeze()) {
d0 = entity.getBoundingBox().getAverageEdgeLength();
if (Double.isNaN(d0)) {
d0 = 1.0D;
}
d0 = d0 * 64.0D * Entity.getRenderDistanceWeight();
double waitTime = Math.max(0, Math.sqrt(distance) - Math.sqrt(d0) * 0.8) * MAX_WARMUP_TIME_UNIT;
if(check2UnfreezeMap(entity) > MAX_WARMUP_TIME_UNIT * waitTime) {
entity.unfreezeScreen();
//update unfreeze time
update(entity);
}
}
AxisAlignedBB axisalignedbb = entity.getRenderBoundingBox().grow(0.5D);
if (axisalignedbb.hasNaN() || axisalignedbb.getAverageEdgeLength() == 0.0D) {
axisalignedbb = new AxisAlignedBB(entity.getPosX() - 2.0D, entity.getPosY() - 2.0D, entity.getPosZ() - 2.0D, entity.getPosX() + 2.0D, entity.getPosY() + 2.0D, entity.getPosZ() + 2.0D);
}
return camera.isBoundingBoxInFrustum(axisalignedbb);
}
}
@Override
public ResourceLocation getEntityTexture(@Nonnull ScreenEntity entity) {
return null;
}
@Override
protected boolean canRenderName(@Nonnull ScreenEntity sc) {
return false;
}
@Override
public void render(@Nonnull ScreenEntity sc, float entityYaw, float partialTicks, @Nonnull MatrixStack stack, @Nonnull IRenderTypeBuffer bufferIn, int packedLightIn) {
super.render(sc, entityYaw, partialTicks, stack, bufferIn, packedLightIn);
InWorldRenderer.typeBuffer = bufferIn;
Optional<MyScreen> screen = Optional.ofNullable(sc.getScreen());
float scale = ScreenManager.BASE_SCALE / sc.getScale();
double dot = sc.getLookVec().dotProduct(getRenderManager().info.getProjectedView().subtract(sc.getPositionVec()));
if(dot <= 0) return;
screen.ifPresent(screen1 -> {
if(screen1 instanceof MainScreen){
((MainScreen) screen1).setOutSideLight(packedLightIn);
}
stack.push();
stack.translate(0, sc.getScreenHeight(), 0);
float yaw = 180 - sc.rotationYaw;
stack.push();
stack.translate(.5, 0, .5);
Quaternion quaternion = new Quaternion(0, yaw, 180, true);
stack.rotate(quaternion);
stack.translate(-.5, 0, -.5);
stack.scale(scale, scale, scale);
RenderSystem.enableDepthTest();
//to make a mask to do depth test for other screens
stack.push();
//render the background behind the views, move a little to avoid Z-Fight
stack.translate(0, 0, 1 / 16f);
screen1.renderBackground(stack);
stack.pop();
int mx = -1, my = -1;
if (sc == ScreenManager.getInstance().getFocusedScreen()) {
//render point
mx = (int) ScreenManager.getInstance().getLoc().x;
my = (int) ScreenManager.getInstance().getLoc().y;
}
screen1.render(stack, mx, my, partialTicks);
if (sc == ScreenManager.getInstance().getFocusedScreen()) {
//render point
GUIRenderer.getInstance().fill(stack, mx - 1, my + 1, mx + 1, my - 1, colorInt(255, 0, 0, 255));
}
stack.pop();
stack.pop();
});
}
}
| 37.752874 | 200 | 0.627188 |
1502c88275a18f88d464174dff5c918247704395 | 27,230 | /*
* 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.
*/
package io.trino.plugin.pinot;
import com.google.common.annotations.VisibleForTesting;
import com.google.common.cache.CacheBuilder;
import com.google.common.cache.CacheLoader;
import com.google.common.cache.LoadingCache;
import com.google.common.collect.ImmutableList;
import com.google.common.collect.ImmutableMap;
import com.google.common.collect.ImmutableSet;
import io.airlift.log.Logger;
import io.trino.plugin.base.cache.NonEvictableLoadingCache;
import io.trino.plugin.base.expression.AggregateFunctionRewriter;
import io.trino.plugin.base.expression.AggregateFunctionRule;
import io.trino.plugin.pinot.client.PinotClient;
import io.trino.plugin.pinot.query.AggregateExpression;
import io.trino.plugin.pinot.query.DynamicTable;
import io.trino.plugin.pinot.query.DynamicTableBuilder;
import io.trino.plugin.pinot.query.aggregation.ImplementApproxDistinct;
import io.trino.plugin.pinot.query.aggregation.ImplementAvg;
import io.trino.plugin.pinot.query.aggregation.ImplementCountAll;
import io.trino.plugin.pinot.query.aggregation.ImplementCountDistinct;
import io.trino.plugin.pinot.query.aggregation.ImplementMinMax;
import io.trino.plugin.pinot.query.aggregation.ImplementSum;
import io.trino.spi.connector.AggregateFunction;
import io.trino.spi.connector.AggregationApplicationResult;
import io.trino.spi.connector.Assignment;
import io.trino.spi.connector.ColumnHandle;
import io.trino.spi.connector.ColumnMetadata;
import io.trino.spi.connector.ConnectorMetadata;
import io.trino.spi.connector.ConnectorSession;
import io.trino.spi.connector.ConnectorTableHandle;
import io.trino.spi.connector.ConnectorTableMetadata;
import io.trino.spi.connector.ConnectorTableProperties;
import io.trino.spi.connector.Constraint;
import io.trino.spi.connector.ConstraintApplicationResult;
import io.trino.spi.connector.LimitApplicationResult;
import io.trino.spi.connector.SchemaTableName;
import io.trino.spi.connector.SchemaTablePrefix;
import io.trino.spi.connector.TableNotFoundException;
import io.trino.spi.expression.ConnectorExpression;
import io.trino.spi.expression.Variable;
import io.trino.spi.predicate.Domain;
import io.trino.spi.predicate.TupleDomain;
import io.trino.spi.type.ArrayType;
import org.apache.pinot.spi.data.Schema;
import javax.inject.Inject;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Optional;
import java.util.OptionalLong;
import java.util.concurrent.ExecutionException;
import java.util.concurrent.Executor;
import java.util.concurrent.TimeUnit;
import java.util.function.Function;
import static com.google.common.base.Preconditions.checkState;
import static com.google.common.base.Verify.verify;
import static com.google.common.cache.CacheLoader.asyncReloading;
import static com.google.common.collect.ImmutableList.toImmutableList;
import static com.google.common.collect.ImmutableMap.toImmutableMap;
import static com.google.common.collect.Iterables.getOnlyElement;
import static io.trino.plugin.base.cache.SafeCaches.buildNonEvictableCache;
import static io.trino.plugin.pinot.PinotColumnHandle.getPinotColumnsForPinotSchema;
import static io.trino.plugin.pinot.PinotSessionProperties.isAggregationPushdownEnabled;
import static io.trino.plugin.pinot.query.AggregateExpression.replaceIdentifier;
import static java.util.Locale.ENGLISH;
import static java.util.Objects.requireNonNull;
import static java.util.function.UnaryOperator.identity;
public class PinotMetadata
implements ConnectorMetadata
{
private static final Logger log = Logger.get(PinotMetadata.class);
private static final Object ALL_TABLES_CACHE_KEY = new Object();
private static final String SCHEMA_NAME = "default";
private static final String PINOT_COLUMN_NAME_PROPERTY = "pinotColumnName";
private final NonEvictableLoadingCache<String, List<PinotColumnHandle>> pinotTableColumnCache;
private final NonEvictableLoadingCache<Object, List<String>> allTablesCache;
private final int maxRowsPerBrokerQuery;
private final AggregateFunctionRewriter<AggregateExpression> aggregateFunctionRewriter;
private final ImplementCountDistinct implementCountDistinct;
private final PinotClient pinotClient;
@Inject
public PinotMetadata(
PinotClient pinotClient,
PinotConfig pinotConfig,
@ForPinot Executor executor)
{
requireNonNull(pinotConfig, "pinot config");
this.pinotClient = requireNonNull(pinotClient, "pinotClient is null");
long metadataCacheExpiryMillis = pinotConfig.getMetadataCacheExpiry().roundTo(TimeUnit.MILLISECONDS);
this.allTablesCache = buildNonEvictableCache(
CacheBuilder.newBuilder()
.refreshAfterWrite(metadataCacheExpiryMillis, TimeUnit.MILLISECONDS),
asyncReloading(CacheLoader.from(pinotClient::getAllTables), executor));
this.pinotTableColumnCache = buildNonEvictableCache(
CacheBuilder.newBuilder()
.refreshAfterWrite(metadataCacheExpiryMillis, TimeUnit.MILLISECONDS),
asyncReloading(new CacheLoader<>()
{
@Override
public List<PinotColumnHandle> load(String tableName)
throws Exception
{
Schema tablePinotSchema = pinotClient.getTableSchema(tableName);
return getPinotColumnsForPinotSchema(tablePinotSchema);
}
}, executor));
executor.execute(() -> this.allTablesCache.refresh(ALL_TABLES_CACHE_KEY));
this.maxRowsPerBrokerQuery = pinotConfig.getMaxRowsForBrokerQueries();
this.implementCountDistinct = new ImplementCountDistinct();
this.aggregateFunctionRewriter = new AggregateFunctionRewriter<>(identity(), ImmutableSet.<AggregateFunctionRule<AggregateExpression>>builder()
.add(new ImplementCountAll())
.add(new ImplementAvg())
.add(new ImplementMinMax())
.add(new ImplementSum())
.add(new ImplementApproxDistinct())
.add(implementCountDistinct)
.build());
}
@Override
public List<String> listSchemaNames(ConnectorSession session)
{
return ImmutableList.of(SCHEMA_NAME);
}
@Override
public PinotTableHandle getTableHandle(ConnectorSession session, SchemaTableName tableName)
{
if (tableName.getTableName().trim().startsWith("select ")) {
DynamicTable dynamicTable = DynamicTableBuilder.buildFromPql(this, tableName, pinotClient);
return new PinotTableHandle(tableName.getSchemaName(), dynamicTable.getTableName(), TupleDomain.all(), OptionalLong.empty(), Optional.of(dynamicTable));
}
try {
String pinotTableName = getPinotTableNameFromTrinoTableName(tableName.getTableName());
return new PinotTableHandle(tableName.getSchemaName(), pinotTableName);
}
catch (TableNotFoundException e) {
log.debug(e, "Table not found: %s", tableName);
return null;
}
}
@Override
public ConnectorTableMetadata getTableMetadata(ConnectorSession session, ConnectorTableHandle table)
{
PinotTableHandle pinotTableHandle = (PinotTableHandle) table;
if (pinotTableHandle.getQuery().isPresent()) {
DynamicTable dynamicTable = pinotTableHandle.getQuery().get();
ImmutableList.Builder<ColumnMetadata> columnMetadataBuilder = ImmutableList.builder();
for (PinotColumnHandle pinotColumnHandle : dynamicTable.getProjections()) {
columnMetadataBuilder.add(pinotColumnHandle.getColumnMetadata());
}
dynamicTable.getAggregateColumns()
.forEach(columnHandle -> columnMetadataBuilder.add(columnHandle.getColumnMetadata()));
SchemaTableName schemaTableName = new SchemaTableName(pinotTableHandle.getSchemaName(), dynamicTable.getTableName());
return new ConnectorTableMetadata(schemaTableName, columnMetadataBuilder.build());
}
SchemaTableName tableName = new SchemaTableName(pinotTableHandle.getSchemaName(), pinotTableHandle.getTableName());
return getTableMetadata(tableName);
}
@Override
public List<SchemaTableName> listTables(ConnectorSession session, Optional<String> schemaNameOrNull)
{
ImmutableList.Builder<SchemaTableName> builder = ImmutableList.builder();
for (String table : getPinotTableNames()) {
builder.add(new SchemaTableName(SCHEMA_NAME, table));
}
return builder.build();
}
@Override
public Map<String, ColumnHandle> getColumnHandles(ConnectorSession session, ConnectorTableHandle tableHandle)
{
PinotTableHandle pinotTableHandle = (PinotTableHandle) tableHandle;
if (pinotTableHandle.getQuery().isPresent()) {
return getDynamicTableColumnHandles(pinotTableHandle);
}
return getPinotColumnHandles(pinotTableHandle.getTableName());
}
public Map<String, ColumnHandle> getPinotColumnHandles(String tableName)
{
ImmutableMap.Builder<String, ColumnHandle> columnHandlesBuilder = ImmutableMap.builder();
for (ColumnMetadata columnMetadata : getColumnsMetadata(tableName)) {
columnHandlesBuilder.put(columnMetadata.getName(),
new PinotColumnHandle(getPinotColumnName(columnMetadata), columnMetadata.getType()));
}
return columnHandlesBuilder.buildOrThrow();
}
private static String getPinotColumnName(ColumnMetadata columnMetadata)
{
Object pinotColumnName = requireNonNull(columnMetadata.getProperties().get(PINOT_COLUMN_NAME_PROPERTY), "Pinot column name is missing");
return pinotColumnName.toString();
}
@Override
public Map<SchemaTableName, List<ColumnMetadata>> listTableColumns(ConnectorSession session, SchemaTablePrefix prefix)
{
requireNonNull(prefix, "prefix is null");
ImmutableMap.Builder<SchemaTableName, List<ColumnMetadata>> columns = ImmutableMap.builder();
for (SchemaTableName tableName : listTables(session, prefix)) {
ConnectorTableMetadata tableMetadata = getTableMetadata(tableName);
// table can disappear during listing operation
if (tableMetadata != null) {
columns.put(tableName, tableMetadata.getColumns());
}
}
return columns.buildOrThrow();
}
@Override
public ColumnMetadata getColumnMetadata(
ConnectorSession session,
ConnectorTableHandle tableHandle,
ColumnHandle columnHandle)
{
return ((PinotColumnHandle) columnHandle).getColumnMetadata();
}
@Override
public Optional<Object> getInfo(ConnectorTableHandle table)
{
return Optional.empty();
}
@Override
public ConnectorTableProperties getTableProperties(ConnectorSession session, ConnectorTableHandle table)
{
return new ConnectorTableProperties();
}
@Override
public Optional<LimitApplicationResult<ConnectorTableHandle>> applyLimit(ConnectorSession session, ConnectorTableHandle table, long limit)
{
PinotTableHandle handle = (PinotTableHandle) table;
if (handle.getLimit().isPresent() && handle.getLimit().getAsLong() <= limit) {
return Optional.empty();
}
Optional<DynamicTable> dynamicTable = handle.getQuery();
if (dynamicTable.isPresent() &&
(dynamicTable.get().getLimit().isEmpty() || dynamicTable.get().getLimit().getAsLong() > limit)) {
dynamicTable = Optional.of(new DynamicTable(dynamicTable.get().getTableName(),
dynamicTable.get().getSuffix(),
dynamicTable.get().getProjections(),
dynamicTable.get().getFilter(),
dynamicTable.get().getGroupingColumns(),
dynamicTable.get().getAggregateColumns(),
dynamicTable.get().getOrderBy(),
OptionalLong.of(limit),
dynamicTable.get().getOffset(),
dynamicTable.get().getQuery()));
}
handle = new PinotTableHandle(
handle.getSchemaName(),
handle.getTableName(),
handle.getConstraint(),
OptionalLong.of(limit),
dynamicTable);
boolean singleSplit = dynamicTable.isPresent();
return Optional.of(new LimitApplicationResult<>(handle, singleSplit, false));
}
@Override
public Optional<ConstraintApplicationResult<ConnectorTableHandle>> applyFilter(ConnectorSession session, ConnectorTableHandle table, Constraint constraint)
{
PinotTableHandle handle = (PinotTableHandle) table;
TupleDomain<ColumnHandle> oldDomain = handle.getConstraint();
TupleDomain<ColumnHandle> newDomain = oldDomain.intersect(constraint.getSummary());
TupleDomain<ColumnHandle> remainingFilter;
if (newDomain.isNone()) {
remainingFilter = TupleDomain.all();
}
else {
Map<ColumnHandle, Domain> domains = newDomain.getDomains().orElseThrow();
Map<ColumnHandle, Domain> supported = new HashMap<>();
Map<ColumnHandle, Domain> unsupported = new HashMap<>();
for (Map.Entry<ColumnHandle, Domain> entry : domains.entrySet()) {
// Pinot does not support array literals
if (((PinotColumnHandle) entry.getKey()).getDataType() instanceof ArrayType) {
unsupported.put(entry.getKey(), entry.getValue());
}
else {
supported.put(entry.getKey(), entry.getValue());
}
}
newDomain = TupleDomain.withColumnDomains(supported);
remainingFilter = TupleDomain.withColumnDomains(unsupported);
}
if (oldDomain.equals(newDomain)) {
return Optional.empty();
}
handle = new PinotTableHandle(
handle.getSchemaName(),
handle.getTableName(),
newDomain,
handle.getLimit(),
handle.getQuery());
return Optional.of(new ConstraintApplicationResult<>(handle, remainingFilter, false));
}
@Override
public Optional<AggregationApplicationResult<ConnectorTableHandle>> applyAggregation(
ConnectorSession session,
ConnectorTableHandle handle,
List<AggregateFunction> aggregates,
Map<String, ColumnHandle> assignments,
List<List<ColumnHandle>> groupingSets)
{
if (!isAggregationPushdownEnabled(session)) {
return Optional.empty();
}
// Global aggregation is represented by [[]]
verify(!groupingSets.isEmpty(), "No grouping sets provided");
// Pinot currently only supports simple GROUP BY clauses with a single grouping set
if (groupingSets.size() != 1) {
return Optional.empty();
}
PinotTableHandle tableHandle = (PinotTableHandle) handle;
// If aggregates are present than no further aggregations
// can be pushed down: there are currently no subqueries in pinot.
// If there is an offset then do not push the aggregation down as the results will not be correct
if (tableHandle.getQuery().isPresent() &&
(!tableHandle.getQuery().get().getAggregateColumns().isEmpty() ||
tableHandle.getQuery().get().isAggregateInProjections() ||
tableHandle.getQuery().get().getOffset().isPresent())) {
return Optional.empty();
}
ImmutableList.Builder<ConnectorExpression> projections = ImmutableList.builder();
ImmutableList.Builder<Assignment> resultAssignments = ImmutableList.builder();
ImmutableList.Builder<PinotColumnHandle> aggregateColumnsBuilder = ImmutableList.builder();
for (AggregateFunction aggregate : aggregates) {
Optional<AggregateExpression> rewriteResult = aggregateFunctionRewriter.rewrite(session, aggregate, assignments);
rewriteResult = applyCountDistinct(session, aggregate, assignments, tableHandle, rewriteResult);
if (rewriteResult.isEmpty()) {
return Optional.empty();
}
AggregateExpression aggregateExpression = rewriteResult.get();
PinotColumnHandle pinotColumnHandle = new PinotColumnHandle(aggregateExpression.toFieldName(), aggregate.getOutputType(), aggregateExpression.toExpression(), false, true, aggregateExpression.isReturnNullOnEmptyGroup(), Optional.of(aggregateExpression.getFunction()), Optional.of(aggregateExpression.getArgument()));
aggregateColumnsBuilder.add(pinotColumnHandle);
projections.add(new Variable(pinotColumnHandle.getColumnName(), pinotColumnHandle.getDataType()));
resultAssignments.add(new Assignment(pinotColumnHandle.getColumnName(), pinotColumnHandle, pinotColumnHandle.getDataType()));
}
List<PinotColumnHandle> groupingColumns = getOnlyElement(groupingSets).stream()
.map(PinotColumnHandle.class::cast)
.map(PinotColumnHandle::fromNonAggregateColumnHandle)
.collect(toImmutableList());
OptionalLong limitForDynamicTable = OptionalLong.empty();
// Ensure that pinot default limit of 10 rows is not used
// By setting the limit to maxRowsPerBrokerQuery + 1 the connector will
// know when the limit was exceeded and throw an error
if (tableHandle.getLimit().isEmpty() && !groupingColumns.isEmpty()) {
limitForDynamicTable = OptionalLong.of(maxRowsPerBrokerQuery + 1);
}
List<PinotColumnHandle> aggregationColumns = aggregateColumnsBuilder.build();
String newQuery = "";
List<PinotColumnHandle> newSelections = groupingColumns;
if (tableHandle.getQuery().isPresent()) {
newQuery = tableHandle.getQuery().get().getQuery();
Map<String, PinotColumnHandle> projectionsMap = tableHandle.getQuery().get().getProjections().stream()
.collect(toImmutableMap(PinotColumnHandle::getColumnName, identity()));
groupingColumns = groupingColumns.stream()
.map(groupIngColumn -> projectionsMap.getOrDefault(groupIngColumn.getColumnName(), groupIngColumn))
.collect(toImmutableList());
ImmutableList.Builder<PinotColumnHandle> newSelectionsBuilder = ImmutableList.<PinotColumnHandle>builder()
.addAll(groupingColumns);
aggregationColumns = aggregationColumns.stream()
.map(aggregateExpression -> resolveAggregateExpressionWithAlias(aggregateExpression, projectionsMap))
.collect(toImmutableList());
newSelections = newSelectionsBuilder.build();
}
DynamicTable dynamicTable = new DynamicTable(
tableHandle.getTableName(),
Optional.empty(),
newSelections,
tableHandle.getQuery().flatMap(DynamicTable::getFilter),
groupingColumns,
aggregationColumns,
ImmutableList.of(),
limitForDynamicTable,
OptionalLong.empty(),
newQuery);
tableHandle = new PinotTableHandle(tableHandle.getSchemaName(), tableHandle.getTableName(), tableHandle.getConstraint(), tableHandle.getLimit(), Optional.of(dynamicTable));
return Optional.of(new AggregationApplicationResult<>(tableHandle, projections.build(), resultAssignments.build(), ImmutableMap.of(), false));
}
private Optional<AggregateExpression> applyCountDistinct(ConnectorSession session, AggregateFunction aggregate, Map<String, ColumnHandle> assignments, PinotTableHandle tableHandle, Optional<AggregateExpression> rewriteResult)
{
AggregateFunctionRule.RewriteContext context = new AggregateFunctionRule.RewriteContext()
{
@Override
public Map<String, ColumnHandle> getAssignments()
{
return assignments;
}
@Override
public Function<String, String> getIdentifierQuote()
{
return identity();
}
@Override
public ConnectorSession getSession()
{
return session;
}
};
if (implementCountDistinct.getPattern().matches(aggregate, context)) {
Variable input = (Variable) getOnlyElement(aggregate.getInputs());
// If this is the second pass to applyAggregation for count distinct then
// the first pass will have added the distinct column to the grouping columns,
// otherwise do not push down the aggregation.
// This is to avoid count(column_name) being pushed into pinot, which is currently unsupported.
// Currently Pinot treats count(column_name) as count(*), i.e. it counts nulls.
if (tableHandle.getQuery().isEmpty() || tableHandle.getQuery().get().getGroupingColumns().stream()
.noneMatch(groupingExpression -> groupingExpression.getColumnName().equals(input.getName()))) {
return Optional.empty();
}
}
return rewriteResult;
}
private static PinotColumnHandle resolveAggregateExpressionWithAlias(PinotColumnHandle aggregateColumn, Map<String, PinotColumnHandle> projectionsMap)
{
checkState(aggregateColumn.isAggregate() && aggregateColumn.getPushedDownAggregateFunctionName().isPresent() && aggregateColumn.getPushedDownAggregateFunctionArgument().isPresent(), "Column is not a pushed down aggregate column");
PinotColumnHandle selection = projectionsMap.get(aggregateColumn.getPushedDownAggregateFunctionArgument().get());
if (selection != null && selection.isAliased()) {
AggregateExpression pushedDownAggregateExpression = new AggregateExpression(aggregateColumn.getPushedDownAggregateFunctionName().get(),
aggregateColumn.getPushedDownAggregateFunctionArgument().get(),
aggregateColumn.isReturnNullOnEmptyGroup());
AggregateExpression newPushedDownAggregateExpression = replaceIdentifier(pushedDownAggregateExpression, selection);
return new PinotColumnHandle(pushedDownAggregateExpression.toFieldName(),
aggregateColumn.getDataType(),
newPushedDownAggregateExpression.toExpression(),
true,
aggregateColumn.isAggregate(),
aggregateColumn.isReturnNullOnEmptyGroup(),
aggregateColumn.getPushedDownAggregateFunctionName(),
Optional.of(newPushedDownAggregateExpression.getArgument()));
}
return aggregateColumn;
}
@VisibleForTesting
public List<PinotColumnHandle> getPinotColumns(String tableName)
{
String pinotTableName = getPinotTableNameFromTrinoTableName(tableName);
return getFromCache(pinotTableColumnCache, pinotTableName);
}
private List<String> getPinotTableNames()
{
return getFromCache(allTablesCache, ALL_TABLES_CACHE_KEY);
}
private static <K, V> V getFromCache(LoadingCache<K, V> cache, K key)
{
try {
return cache.get(key);
}
catch (ExecutionException e) {
throw new PinotException(PinotErrorCode.PINOT_UNCLASSIFIED_ERROR, Optional.empty(), "Cannot fetch from cache " + key, e.getCause());
}
}
private String getPinotTableNameFromTrinoTableName(String trinoTableName)
{
List<String> allTables = getPinotTableNames();
String pinotTableName = null;
for (String candidate : allTables) {
if (trinoTableName.equalsIgnoreCase(candidate)) {
pinotTableName = candidate;
break;
}
}
if (pinotTableName == null) {
throw new TableNotFoundException(new SchemaTableName(SCHEMA_NAME, trinoTableName));
}
return pinotTableName;
}
private Map<String, ColumnHandle> getDynamicTableColumnHandles(PinotTableHandle pinotTableHandle)
{
checkState(pinotTableHandle.getQuery().isPresent(), "dynamic table not present");
DynamicTable dynamicTable = pinotTableHandle.getQuery().get();
ImmutableMap.Builder<String, ColumnHandle> columnHandlesBuilder = ImmutableMap.builder();
for (PinotColumnHandle pinotColumnHandle : dynamicTable.getProjections()) {
columnHandlesBuilder.put(pinotColumnHandle.getColumnName().toLowerCase(ENGLISH), pinotColumnHandle);
}
dynamicTable.getAggregateColumns()
.forEach(columnHandle -> columnHandlesBuilder.put(columnHandle.getColumnName().toLowerCase(ENGLISH), columnHandle));
return columnHandlesBuilder.buildOrThrow();
}
private ConnectorTableMetadata getTableMetadata(SchemaTableName tableName)
{
return new ConnectorTableMetadata(tableName, getColumnsMetadata(tableName.getTableName()));
}
private List<ColumnMetadata> getColumnsMetadata(String tableName)
{
List<PinotColumnHandle> columns = getPinotColumns(tableName);
return columns.stream()
.map(PinotMetadata::createPinotColumnMetadata)
.collect(toImmutableList());
}
private static ColumnMetadata createPinotColumnMetadata(PinotColumnHandle pinotColumn)
{
return ColumnMetadata.builder()
.setName(pinotColumn.getColumnName().toLowerCase(ENGLISH))
.setType(pinotColumn.getDataType())
.setProperties(ImmutableMap.<String, Object>builder()
.put(PINOT_COLUMN_NAME_PROPERTY, pinotColumn.getColumnName())
.buildOrThrow())
.build();
}
private List<SchemaTableName> listTables(ConnectorSession session, SchemaTablePrefix prefix)
{
if (prefix.getSchema().isEmpty() || prefix.getTable().isEmpty()) {
return listTables(session, Optional.empty());
}
return ImmutableList.of(new SchemaTableName(prefix.getSchema().get(), prefix.getTable().get()));
}
}
| 47.77193 | 327 | 0.687734 |
be31f5543ff599377e71d7d685d3a364ff3c6f7d | 3,222 | /*
* Copyright (c) 2018, WSO2 Inc. (http://www.wso2.org) All Rights Reserved.
*
* WSO2 Inc. 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.
*/
package org.wso2.extension.siddhi.store.cassandra.util.iterator;
import com.datastax.driver.core.Row;
import io.siddhi.core.table.record.RecordIterator;
import io.siddhi.query.api.definition.Attribute;
import java.io.IOException;
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
/**
* A class representing a RecordIterator which is responsible for processing Cassandra Event Table find() operations in
* a streaming fashion.
*/
public class CassandraIterator implements RecordIterator<Object[]> {
private Iterator<Row> iterator;
private List<Attribute> attributes;
public CassandraIterator(Iterator<Row> iterator, List<Attribute> attributes) {
this.iterator = iterator;
this.attributes = attributes;
}
@Override
public void close() throws IOException {
// Not supported in cassandra
}
@Override
public boolean hasNext() {
return this.iterator.hasNext();
}
@Override
public Object[] next() {
Row row = iterator.next();
return extractRecord(row);
}
/**
* Method which is used for extracting record values (in the form of an Object array) from an CQL {@link Row},
* according to the table's field type order.
*
* @param row the {@link Row} from which the values should be retrieved.
* @return an array of extracted values, all cast to {@link Object} type for portability.
* to the table definition
*/
private Object[] extractRecord(Row row) {
List<Object> result = new ArrayList<>();
this.attributes.forEach(attribute -> {
switch (attribute.getType()) {
case BOOL:
result.add(row.getBool(attribute.getName()));
break;
case DOUBLE:
result.add(row.getDouble(attribute.getName()));
break;
case FLOAT:
result.add(row.getFloat(attribute.getName()));
break;
case INT:
result.add(row.getInt(attribute.getName()));
break;
case LONG:
result.add(row.getLong(attribute.getName()));
break;
case STRING:
result.add(row.getString(attribute.getName()));
break;
default:
//Operation not supported
}
});
return result.toArray();
}
}
| 32.877551 | 119 | 0.612353 |
dd775b8663d207b0661624d0e410fb4724c3c0d4 | 6,232 | /*
* Licensed to the Apache Software Foundation (ASF) under one
* or more contributor license agreements. See the NOTICE file
* distributed with this work for additional information
* regarding copyright ownership. The ASF licenses this file
* to you under the Apache License, Version 2.0 (the
* "License"); you may not use this file except in compliance
* with the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package org.apache.bookkeeper.stream.storage.impl.kv;
import static org.junit.Assert.assertEquals;
import static org.junit.Assert.assertNull;
import static org.junit.Assert.assertSame;
import static org.junit.Assert.assertTrue;
import static org.junit.Assert.fail;
import static org.mockito.ArgumentMatchers.anyInt;
import static org.mockito.ArgumentMatchers.eq;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.times;
import static org.mockito.Mockito.verify;
import static org.mockito.Mockito.when;
import java.util.concurrent.CompletableFuture;
import org.apache.bookkeeper.common.concurrent.FutureUtils;
import org.apache.bookkeeper.statelib.api.mvcc.MVCCAsyncStore;
import org.apache.bookkeeper.stream.protocol.RangeId;
import org.apache.bookkeeper.stream.storage.api.kv.TableStore;
import org.apache.bookkeeper.stream.storage.impl.store.MVCCStoreFactory;
import org.junit.Before;
import org.junit.Test;
/**
* Unit test of {@link TableStoreCache}.
*/
public class TableStoreCacheTest {
private static final long SCID = 3456L;
private static final RangeId RID = RangeId.of(1234L, 3456L);
private MVCCStoreFactory factory;
private TableStoreCache storeCache;
@Before
public void setUp() {
this.factory = mock(MVCCStoreFactory.class);
this.storeCache = new TableStoreCache(this.factory);
}
@Test
public void testGetTableStoreWithoutOpen() {
assertNull(storeCache.getTableStore(RID));
assertTrue(storeCache.getTableStores().isEmpty());
assertTrue(storeCache.getTableStoresOpening().isEmpty());
}
@SuppressWarnings("unchecked")
@Test
public void testOpenTableStoreSuccessWhenStoreIsNotCached() throws Exception {
assertNull(storeCache.getTableStore(RID));
assertTrue(storeCache.getTableStores().isEmpty());
assertTrue(storeCache.getTableStoresOpening().isEmpty());
MVCCAsyncStore<byte[], byte[]> mvccStore = mock(MVCCAsyncStore.class);
when(factory.openStore(eq(SCID), eq(RID.getStreamId()), eq(RID.getRangeId()), anyInt()))
.thenReturn(FutureUtils.value(mvccStore));
TableStore store = FutureUtils.result(storeCache.openTableStore(SCID, RID, 0));
assertEquals(1, storeCache.getTableStores().size());
assertEquals(0, storeCache.getTableStoresOpening().size());
assertTrue(storeCache.getTableStores().containsKey(RID));
assertSame(store, storeCache.getTableStores().get(RID));
}
@Test
public void testOpenTableStoreFailureWhenStoreIsNotCached() throws Exception {
assertNull(storeCache.getTableStore(RID));
assertTrue(storeCache.getTableStores().isEmpty());
assertTrue(storeCache.getTableStoresOpening().isEmpty());
Exception cause = new Exception("Failure");
when(factory.openStore(eq(SCID), eq(RID.getStreamId()), eq(RID.getRangeId()), anyInt()))
.thenReturn(FutureUtils.exception(cause));
try {
FutureUtils.result(storeCache.openTableStore(SCID, RID, 0));
fail("Should fail to open table if the underlying factory fails to open a local store");
} catch (Exception ee) {
assertSame(cause, ee);
}
assertEquals(0, storeCache.getTableStores().size());
assertEquals(0, storeCache.getTableStoresOpening().size());
}
@Test
public void testOpenTableStoreWhenStoreIsCached() throws Exception {
TableStore store = mock(TableStore.class);
storeCache.getTableStores().put(RID, store);
assertSame(store, storeCache.getTableStore(RID));
assertSame(store, FutureUtils.result(storeCache.openTableStore(SCID, RID, 0)));
}
@SuppressWarnings("unchecked")
@Test
public void testConcurrentOpenTableStore() throws Exception {
MVCCAsyncStore<byte[], byte[]> mvccStore1 = mock(MVCCAsyncStore.class);
MVCCAsyncStore<byte[], byte[]> mvccStore2 = mock(MVCCAsyncStore.class);
CompletableFuture<MVCCAsyncStore<byte[], byte[]>> future1 = FutureUtils.createFuture();
CompletableFuture<MVCCAsyncStore<byte[], byte[]>> future2 = FutureUtils.createFuture();
when(factory.openStore(eq(SCID), eq(RID.getStreamId()), eq(RID.getRangeId()), anyInt()))
.thenReturn(future1)
.thenReturn(future2);
CompletableFuture<TableStore> openFuture1 =
storeCache.openTableStore(SCID, RID, 0);
assertEquals(0, storeCache.getTableStores().size());
assertEquals(1, storeCache.getTableStoresOpening().size());
CompletableFuture<TableStore> openFuture2 =
storeCache.openTableStore(SCID, RID, 0);
assertEquals(0, storeCache.getTableStores().size());
assertEquals(1, storeCache.getTableStoresOpening().size());
assertSame(openFuture1, openFuture2);
future1.complete(mvccStore1);
future1.complete(mvccStore2);
TableStore store1 = FutureUtils.result(openFuture1);
TableStore store2 = FutureUtils.result(openFuture2);
assertSame(store1, store2);
assertEquals(0, storeCache.getTableStoresOpening().size());
assertEquals(1, storeCache.getTableStores().size());
assertSame(store1, storeCache.getTableStores().get(RID));
verify(factory, times(1))
.openStore(eq(SCID), eq(RID.getStreamId()), eq(RID.getRangeId()), anyInt());
}
}
| 42.684932 | 100 | 0.71181 |
e3d8197f4f73e8d3d0b94ae25b6e78a203043de9 | 1,624 | /*
* Copyright (c) 2010-2012 LinkedIn, 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.
*/
package krati.core.array.entry;
import java.io.IOException;
import krati.io.DataReader;
/**
* EntryValueFactory.
*
* @author jwu
*
* @param <T> Generic type of EntryValue
*/
public interface EntryValueFactory<T extends EntryValue> {
/**
* Creates an array of EntryValue of a specified length.
*
* @param length
* the length of array.
* @return an array of EntryValue(s).
*/
public T[] newValueArray(int length);
/**
* @return an empty EntryValue.
*/
public T newValue();
/**
* @return an EntryValue read from an input stream.
* @throws IOException
*/
public T newValue(DataReader in) throws IOException;
/**
* Read data from stream to populate an EntryValue.
*
* @param in
* data reader for EntryValue.
* @param value
* an EntryValue to populate.
* @throws IOException
*/
public void reinitValue(DataReader in, T value) throws IOException;
}
| 26.193548 | 80 | 0.653325 |
5d3405a27d931706a90293c543c4c7b07f948f60 | 4,947 | /* -*-mode:java; c-basic-offset:2; indent-tabs-mode:nil -*- */
/*
Copyright (c) 2001 Lapo Luchini.
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 names of the authors may not be used to endorse or promote products
derived from this software without specific prior written permission.
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 AUTHORS
OR ANY CONTRIBUTORS TO THIS SOFTWARE 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 program is based on zlib-1.1.3, so all credit should go authors
* Jean-loup Gailly([email protected]) and Mark Adler([email protected])
* and contributors of zlib.
*/
package com.jcraft.jzlib;
import java.io.IOException;
import java.io.OutputStream;
public class ZOutputStream extends OutputStream {
protected ZStream z = new ZStream();
protected int bufsize = 512;
protected int flush = JZlib.Z_NO_FLUSH;
protected byte[] buf = new byte[bufsize], buf1 = new byte[1];
protected boolean compress;
protected OutputStream out;
public ZOutputStream(OutputStream out) {
super();
this.out = out;
z.inflateInit();
compress = false;
}
public ZOutputStream(OutputStream out, int level) {
this(out, level, false);
}
public ZOutputStream(OutputStream out, int level, boolean nowrap) {
super();
this.out = out;
z.deflateInit(level, nowrap);
compress = true;
}
@Override
public void write(int b) throws IOException {
buf1[0] = (byte) b;
write(buf1, 0, 1);
}
@Override
public void write(byte b[], int off, int len) throws IOException {
if (len == 0) return;
int err;
z.next_in = b;
z.next_in_index = off;
z.avail_in = len;
do {
z.next_out = buf;
z.next_out_index = 0;
z.avail_out = bufsize;
if (compress) err = z.deflate(flush);
else
err = z.inflate(flush);
if (err != JZlib.Z_OK) throw new ZStreamException((compress ? "de"
: "in") + "flating: " + z.msg);
out.write(buf, 0, bufsize - z.avail_out);
} while (z.avail_in > 0 || z.avail_out == 0);
}
public int getFlushMode() {
return (flush);
}
public void setFlushMode(int flush) {
this.flush = flush;
}
public void finish() throws IOException {
int err;
do {
z.next_out = buf;
z.next_out_index = 0;
z.avail_out = bufsize;
if (compress) {
err = z.deflate(JZlib.Z_FINISH);
} else {
err = z.inflate(JZlib.Z_FINISH);
}
if (err != JZlib.Z_STREAM_END && err != JZlib.Z_OK) throw new ZStreamException(
(compress ? "de" : "in") + "flating: " + z.msg);
if (bufsize - z.avail_out > 0) {
out.write(buf, 0, bufsize - z.avail_out);
}
} while (z.avail_in > 0 || z.avail_out == 0);
flush();
}
public void end() {
if (z == null) return;
if (compress) {
z.deflateEnd();
} else {
z.inflateEnd();
}
z.free();
z = null;
}
@Override
public void close() throws IOException {
try {
try {
finish();
} catch (IOException ignored) {}
} finally {
end();
out.close();
out = null;
}
}
/**
* Returns the total number of bytes input so far.
*/
public long getTotalIn() {
return z.total_in;
}
/**
* Returns the total number of bytes output so far.
*/
public long getTotalOut() {
return z.total_out;
}
@Override
public void flush() throws IOException {
out.flush();
}
}
| 29.801205 | 91 | 0.599151 |
143e35aec2e50d192b229c9ef5932d0578a91b98 | 1,542 | package com.fabriccommunity.spookytime.world.dimension;
import net.fabricmc.api.EnvType;
import net.fabricmc.api.Environment;
import net.minecraft.client.MinecraftClient;
import net.minecraft.entity.player.PlayerEntity;
import net.minecraft.util.math.BlockPos;
import net.minecraft.util.math.Vec3d;
import net.minecraft.world.World;
import com.fabriccommunity.spookytime.SpookyConfig;
import com.fabriccommunity.spookytime.api.SpookyBiomeInfo;
import com.github.draylar.worldtraveler.api.dimension.utils.FogColorCalculator;
public class SpookyFogColorCalculator implements FogColorCalculator {
@Override
@Environment(EnvType.CLIENT)
public Vec3d calculate(float v, float v1) {
World world = MinecraftClient.getInstance().world;
PlayerEntity player = MinecraftClient.getInstance().player;
double totalR = 0;
double totalG = 0;
double totalB = 0;
int count = 0;
int radius = SpookyConfig.SpookyFog.fogSmoothingRadius;
for (int x = 0; x < radius; x++) {
for (int z = 0; z < radius; z++) {
BlockPos pos = player.getBlockPos().add(x - (radius / 2), 0, z - (radius / 2));
if (world.getBiome(pos) instanceof SpookyBiomeInfo) {
SpookyBiomeInfo biomeInfo = (SpookyBiomeInfo) world.getBiome(pos);
totalR += Math.pow(biomeInfo.getFogColor().x, 2);
totalG += Math.pow(biomeInfo.getFogColor().y, 2);
totalB += Math.pow(biomeInfo.getFogColor().z, 2);
}
count++;
}
}
return new Vec3d(Math.sqrt(totalR / count), Math.sqrt(totalG / count), Math.sqrt(totalB / count));
}
}
| 33.521739 | 100 | 0.728275 |
7f9ac7039dd1f95549d569c894a7bbc74f586a58 | 4,919 | /**
* Copyright 2005-2014 The Kuali Foundation
*
* Licensed under the Educational Community 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.opensource.org/licenses/ecl2.php
*
* 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.
*/
package org.kuali.rice.kim.api.identity.principal;
import org.kuali.rice.core.api.CoreConstants;
import org.kuali.rice.core.api.mo.AbstractDataTransferObject;
import org.kuali.rice.core.api.mo.ModelBuilder;
import org.kuali.rice.kim.api.identity.name.EntityName;
import org.kuali.rice.kim.api.KimConstants;
import org.w3c.dom.Element;
import javax.xml.bind.annotation.XmlAccessType;
import javax.xml.bind.annotation.XmlAccessorType;
import javax.xml.bind.annotation.XmlAnyElement;
import javax.xml.bind.annotation.XmlElement;
import javax.xml.bind.annotation.XmlRootElement;
import javax.xml.bind.annotation.XmlType;
import java.io.Serializable;
import java.util.Collection;
@XmlRootElement(name = EntityNamePrincipalName.Constants.ROOT_ELEMENT_NAME)
@XmlAccessorType(XmlAccessType.NONE)
@XmlType(name = EntityNamePrincipalName.Constants.TYPE_NAME, propOrder = {
EntityNamePrincipalName.Elements.DEFAULT_NAME,
EntityNamePrincipalName.Elements.PRINCIPAL_NAME,
CoreConstants.CommonElements.FUTURE_ELEMENTS
})
public class EntityNamePrincipalName extends AbstractDataTransferObject {
@XmlElement(name = Elements.PRINCIPAL_NAME, required = false)
private final String principalName;
@XmlElement(name = Elements.DEFAULT_NAME, required = false)
private final EntityName defaultName;
@SuppressWarnings("unused")
@XmlAnyElement
private final Collection<Element> _futureElements = null;
private EntityNamePrincipalName() {
this.principalName = null;
this.defaultName = null;
}
private EntityNamePrincipalName(Builder builder) {
this.principalName = builder.getPrincipalName();
this.defaultName = builder.getDefaultName() == null ? null : builder.getDefaultName().build();
}
public String getPrincipalName() {
return principalName;
}
public EntityName getDefaultName() {
return defaultName;
}
/**
* A builder which can be used to construct {@link EntityDefault} instances.
*
*/
public final static class Builder
implements Serializable, ModelBuilder
{
private String principalName;
private EntityName.Builder defaultName;
public static Builder create() {
return new Builder();
}
public static Builder create(String principalName, EntityName.Builder defaultName) {
Builder builder = new Builder();
builder.setPrincipalName(principalName);
builder.setDefaultName(defaultName);
return builder;
}
public static Builder create(EntityNamePrincipalName immutable) {
if (immutable == null) {
throw new IllegalArgumentException("contract was null");
}
Builder builder = new Builder();
if (immutable.getDefaultName() != null) {
builder.setDefaultName(EntityName.Builder.create(immutable.getDefaultName()));
}
return builder;
}
public String getPrincipalName() {
return principalName;
}
public void setPrincipalName(String principalName) {
this.principalName = principalName;
}
public EntityName.Builder getDefaultName() {
return defaultName;
}
public void setDefaultName(EntityName.Builder defaultName) {
this.defaultName = defaultName;
}
public EntityNamePrincipalName build() {
return new EntityNamePrincipalName(this);
}
}
/**
* Defines some internal constants used on this class.
*
*/
static class Constants {
final static String ROOT_ELEMENT_NAME = "entityNamePrincipalName";
final static String TYPE_NAME = "EntityNamePrincipalNameType";
}
/**
* A private class which exposes constants which define the XML element names to use when this object is marshalled to XML.
*
*/
static class Elements {
final static String DEFAULT_NAME = "defaultName";
final static String PRINCIPAL_NAME = "principalName";
}
public static class Cache {
public final static String NAME = KimConstants.Namespaces.KIM_NAMESPACE_2_0 + "/" + EntityNamePrincipalName.Constants.TYPE_NAME;
}
}
| 33.691781 | 133 | 0.697296 |
275af8dcfb5216b89ebe289e56a8941b2df89d93 | 1,372 | /*
* Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
* or more contributor license agreements. Licensed under the Elastic License
* 2.0 and the Server Side Public License, v 1; you may not use this file except
* in compliance with, at your election, the Elastic License 2.0 or the Server
* Side Public License, v 1.
*/
package org.elasticsearch.search.aggregations.bucket;
/**
* Helper functions for common Bucketing functions
*/
public final class BucketUtils {
private BucketUtils() {}
/**
* Heuristic used to determine the size of shard-side PriorityQueues when
* selecting the top N terms from a distributed index.
*
* @param finalSize
* The number of terms required in the final reduce phase.
* @return A suggested default for the size of any shard-side PriorityQueues
*/
public static int suggestShardSideQueueSize(int finalSize) {
if (finalSize < 1) {
throw new IllegalArgumentException("size must be positive, got " + finalSize);
}
// Request 50% more buckets on the shards in order to improve accuracy
// as well as a small constant that should help with small values of 'size'
final long shardSampleSize = (long) (finalSize * 1.5 + 10);
return (int) Math.min(Integer.MAX_VALUE, shardSampleSize);
}
}
| 39.2 | 90 | 0.689504 |
9bd8394253bf4855d37b5be789a54e8e641cec12 | 32,697 | // Made with Model Converter by Globox_Z
// Generate all required imports
// Made with Blockbench 3.7.5
// Exported for Minecraft version 1.15
// Paste this class into your mod and generate all required imports
package dev.mrsterner.besmirchment.client.model;
import dev.mrsterner.besmirchment.common.entity.BeelzebubEntity;
import net.minecraft.client.model.*;
import net.minecraft.client.render.VertexConsumer;
import net.minecraft.client.render.entity.model.BipedEntityModel;
import net.minecraft.client.util.math.MatrixStack;
import net.minecraft.util.Arm;
import net.minecraft.util.math.MathHelper;
public class BeelzebubEntityModel<T extends BeelzebubEntity> extends BipedEntityModel<T> {
private final ModelPart chest;
private final ModelPart chest2_r1;
private final ModelPart stomach;
private final ModelPart fSkirt01;
private final ModelPart lSkirt01;
private final ModelPart lSkirt02;
private final ModelPart rSkirt01;
private final ModelPart rSkirt02;
private final ModelPart bSkirt01;
private final ModelPart fSkirt02;
private final ModelPart lFLeg01;
private final ModelPart lFLeg02;
private final ModelPart lFLeg03;
private final ModelPart lFLegClaw01;
private final ModelPart lFLegClaw02;
private final ModelPart lFLegSpur;
private final ModelPart lBLeg01;
private final ModelPart lBLeg02;
private final ModelPart Box_r1;
private final ModelPart lBLeg03;
private final ModelPart Box_r2;
private final ModelPart lBLegClaw01;
private final ModelPart Box_r3;
private final ModelPart lBLegClaw02;
private final ModelPart Box_r4;
private final ModelPart lBLegSpur;
private final ModelPart Box_r5;
private final ModelPart rBLeg01;
private final ModelPart rBLeg02;
private final ModelPart Box_r6;
private final ModelPart rBLeg03;
private final ModelPart Box_r7;
private final ModelPart rBLegClaw01;
private final ModelPart Box_r8;
private final ModelPart rBLegClaw02;
private final ModelPart Box_r9;
private final ModelPart rBLegSpur;
private final ModelPart Box_r10;
private final ModelPart rFLeg01;
private final ModelPart rFLeg02;
private final ModelPart rFLeg03;
private final ModelPart rFLegClaw01;
private final ModelPart rFLeg2;
private final ModelPart rFLegSpur;
private final ModelPart hoodLTop;
private final ModelPart hoodRTop;
private final ModelPart hoodLSide01;
private final ModelPart hoodRSide01;
private final ModelPart hoodLSide02;
private final ModelPart hoodRSide02;
private final ModelPart hoodPipe01;
private final ModelPart hoodPipe02;
private final ModelPart lEye;
private final ModelPart rEye;
private final ModelPart hoodBack;
private final ModelPart lAntenna01;
private final ModelPart lAntenna02;
private final ModelPart lAntenna03;
private final ModelPart lAntenna04;
private final ModelPart lAntenna05;
private final ModelPart lAntenna06;
private final ModelPart rAntenna01;
private final ModelPart rAntenna02;
private final ModelPart rAntenna03;
private final ModelPart rAntenna04;
private final ModelPart rAntenna05;
private final ModelPart rAntenna06;
private final ModelPart chestCloth;
private final ModelPart lArm01;
private final ModelPart lArm02;
private final ModelPart lSleeve01;
private final ModelPart lSleeve02;
private final ModelPart lArm03;
private final ModelPart lClaw01;
private final ModelPart lClaw02;
private final ModelPart rArm01;
private final ModelPart rArm02;
private final ModelPart rSleeve01;
private final ModelPart rSleeve02;
private final ModelPart rArm03;
private final ModelPart rClaw01;
private final ModelPart rClaw02;
private final ModelPart lWing01;
private final ModelPart lWing02;
private final ModelPart lWing03;
private final ModelPart lWingMembrane;
private final ModelPart lWingLower01;
private final ModelPart lWingLower02;
private final ModelPart lWingLower03;
private final ModelPart lWingLowerMemebrane;
private final ModelPart rWingLower01;
private final ModelPart rWingLower02;
private final ModelPart rWingLower03;
private final ModelPart rWingLowerMemebrane;
private final ModelPart rWing01;
private final ModelPart rWing02;
private final ModelPart rWing03;
private final ModelPart rWingMembrane;
private boolean realArm = false;
public BeelzebubEntityModel(ModelPart root) {
super(root);
this.chest = root.getChild("chest");
this.stomach = this.chest.getChild("stomach");
this.rFLeg01 = this.stomach.getChild("rFLeg01");
this.rFLeg02 = this.rFLeg01.getChild("rFLeg02");
this.rFLeg03 = this.rFLeg02.getChild("rFLeg03");
this.rFLegSpur = this.rFLeg03.getChild("rFLegSpur");
this.rFLeg2 = this.rFLeg03.getChild("rFLeg2");
this.rFLegClaw01 = this.rFLeg03.getChild("rFLegClaw01");
this.rBLeg01 = this.stomach.getChild("rBLeg01");
this.rBLeg02 = this.rBLeg01.getChild("rBLeg02");
this.rBLeg03 = this.rBLeg02.getChild("rBLeg03");
this.rBLegSpur = this.rBLeg03.getChild("rBLegSpur");
this.Box_r10 = this.rBLegSpur.getChild("Box_r10");
this.rBLegClaw02 = this.rBLeg03.getChild("rBLegClaw02");
this.Box_r9 = this.rBLegClaw02.getChild("Box_r9");
this.rBLegClaw01 = this.rBLeg03.getChild("rBLegClaw01");
this.Box_r8 = this.rBLegClaw01.getChild("Box_r8");
this.Box_r7 = this.rBLeg03.getChild("Box_r7");
this.Box_r6 = this.rBLeg02.getChild("Box_r6");
this.lBLeg01 = this.stomach.getChild("lBLeg01");
this.lBLeg02 = this.lBLeg01.getChild("lBLeg02");
this.lBLeg03 = this.lBLeg02.getChild("lBLeg03");
this.lBLegSpur = this.lBLeg03.getChild("lBLegSpur");
this.Box_r5 = this.lBLegSpur.getChild("Box_r5");
this.lBLegClaw02 = this.lBLeg03.getChild("lBLegClaw02");
this.Box_r4 = this.lBLegClaw02.getChild("Box_r4");
this.lBLegClaw01 = this.lBLeg03.getChild("lBLegClaw01");
this.Box_r3 = this.lBLegClaw01.getChild("Box_r3");
this.Box_r2 = this.lBLeg03.getChild("Box_r2");
this.Box_r1 = this.lBLeg02.getChild("Box_r1");
this.lFLeg01 = this.stomach.getChild("lFLeg01");
this.lFLeg02 = this.lFLeg01.getChild("lFLeg02");
this.lFLeg03 = this.lFLeg02.getChild("lFLeg03");
this.lFLegSpur = this.lFLeg03.getChild("lFLegSpur");
this.lFLegClaw02 = this.lFLeg03.getChild("lFLegClaw02");
this.lFLegClaw01 = this.lFLeg03.getChild("lFLegClaw01");
this.bSkirt01 = this.stomach.getChild("bSkirt01");
this.fSkirt02 = this.bSkirt01.getChild("fSkirt02");
this.rSkirt01 = this.stomach.getChild("rSkirt01");
this.rSkirt02 = this.rSkirt01.getChild("rSkirt02");
this.lSkirt01 = this.stomach.getChild("lSkirt01");
this.lSkirt02 = this.lSkirt01.getChild("lSkirt02");
this.fSkirt01 = this.stomach.getChild("fSkirt01");
this.chest2_r1 = this.chest.getChild("chest2_r1");
this.hoodLTop = chest.getChild("head").getChild("hoodLTop");
this.hoodRTop = chest.getChild("head").getChild("hoodRTop");
this.hoodLSide01 = chest.getChild("head").getChild("hoodLSide01");
this.hoodRSide01 = chest.getChild("head").getChild("hoodRSide01");
this.hoodLSide02 = chest.getChild("head").getChild("hoodLSide02");
this.hoodRSide02 = chest.getChild("head").getChild("hoodRSide02");
this.hoodPipe01 = chest.getChild("head").getChild("hoodPipe01");
this.hoodPipe02 = hoodPipe01.getChild("hoodPipe02");
this.lEye = chest.getChild("head").getChild("lEye");
this.rEye = chest.getChild("head").getChild("rEye");
this.hoodBack = chest.getChild("head").getChild("hoodBack");
this.lAntenna01 = chest.getChild("head").getChild("lAntenna01");
this.lAntenna02 = lAntenna01.getChild("lAntenna02");
this.lAntenna03 = lAntenna02.getChild("lAntenna03");
this.lAntenna04 = lAntenna03.getChild("lAntenna04");
this.lAntenna05 = lAntenna04.getChild("lAntenna05");
this.lAntenna06 = lAntenna05.getChild("lAntenna06");
this.rAntenna01 = chest.getChild("head").getChild("rAntenna01");
this.rAntenna02 = rAntenna01.getChild("rAntenna02");
this.rAntenna03 = rAntenna02.getChild("rAntenna03");
this.rAntenna04 = rAntenna03.getChild("rAntenna04");
this.rAntenna05 = rAntenna04.getChild("rAntenna05");
this.rAntenna06 = rAntenna05.getChild("rAntenna06");
this.chestCloth = chest.getChild("chestCloth");
this.lArm01 = chest.getChild("lArm01");
this.lArm02 = lArm01.getChild("lArm02");
this.lSleeve01 = lArm02.getChild("lSleeve01");
this.lSleeve02 = lSleeve01.getChild("lSleeve02");
this.lArm03 = lArm02.getChild("lArm03");
this.lClaw01 = lArm03.getChild("lClaw01");
this.lClaw02 = lArm03.getChild("lClaw02");
this.rArm01 = chest.getChild("rArm01");
this.rArm02 = rArm01.getChild("rArm02");
this.rSleeve01 = rArm02.getChild("rSleeve01");
this.rSleeve02 = rSleeve01.getChild("rSleeve02");
this.rArm03 = rArm02.getChild("rArm03");
this.rClaw01 = rArm03.getChild("rClaw01");
this.rClaw02 = rArm03.getChild("rClaw02");
this.lWing01 = chest.getChild("lWing01");
this.lWing02 = lWing01.getChild("lWing02");
this.lWing03 = lWing02.getChild("lWing03");
this.lWingMembrane = lWing01.getChild("lWingMembrane");
this.lWingLower01 = chest.getChild("lWingLower01");
this.lWingLower02 = lWingLower01.getChild("lWingLower02");
this.lWingLower03 = lWingLower02.getChild("lWingLower03");
this.lWingLowerMemebrane = lWingLower01.getChild("lWingLowerMemebrane");
this.rWingLower01 = chest.getChild("rWingLower01");
this.rWingLower02 = rWingLower01.getChild("rWingLower02");
this.rWingLower03 = rWingLower02.getChild("rWingLower03");
this.rWingLowerMemebrane = rWingLower01.getChild("rWingLowerMemebrane");
this.rWing01 = chest.getChild("rWing01");
this.rWing02 = rWing01.getChild("rWing02");
this.rWing03 = rWing02.getChild("rWing03");
this.rWingMembrane = rWing01.getChild("rWingMembrane");
}
public static TexturedModelData getTexturedModelData() {
ModelData data = BipedEntityModel.getModelData(Dilation.NONE, 0);
ModelPartData root = data.getRoot();
ModelPartData chest = root.addChild("chest",
ModelPartBuilder.create().cuboid(-7.5F, -9.0F, -5.5F, 15.0F, 9.0F, 11.0F), ModelTransform.of(0.0F, -19.5F, 0.0F, 0.0F, 0.0F, 0.0F));
chest.addChild("chest2_r1", ModelPartBuilder.create().uv(5, 7).cuboid(-6.5F, 1.0F, -5.5F, 13.0F, 6.0F, 7.0F),
ModelTransform.of(0.0F, -5.5F, 0.0F, -0.5672F, 0.0F, 0.0F));
ModelPartData stomach = chest.addChild("stomach", ModelPartBuilder.create().uv(0, 40).cuboid(-6.5F, 0.0F, -4.5F, 13.0F, 18.0F, 9.0F), ModelTransform.of(0.0F, -3.0F, 0.0F, 0.0F, 0.0F, 0.0F));stomach.addChild("fSkirt01", ModelPartBuilder.create().uv(1, 67).cuboid(-6.5F, -0.1F, -1.0F, 13.0F, 13.0F, 2.0F), ModelTransform.of(0.0F, 18.3F, -3.7F, -0.1745F, 0.0F, 0.0F));
ModelPartData lSkirt01 = stomach.addChild("lSkirt01", ModelPartBuilder.create().uv(22, 74).mirrored(true).cuboid(-1.0F, 0.0F, -5.5F, 2.0F, 13.0F, 11.0F), ModelTransform.of(5.5F, 16.9F, 0.5F, 0.0F, 0.0F, -0.0873F));
lSkirt01.addChild("lSkirt02", ModelPartBuilder.create().uv(38, 89).cuboid(-1.0F, 0.0F, -5.5F, 2.0F, 10.0F, 11.0F), ModelTransform.of(-0.1F, 12.8F, 0.0F, 0.0F, 0.0F, -0.0873F));
ModelPartData rSkirt01 = stomach.addChild("rSkirt01", ModelPartBuilder.create().uv(22, 74).cuboid(-1.0F, 0.0F, -5.5F, 2.0F, 13.0F, 11.0F), ModelTransform.of(-5.5F, 16.9F, 0.5F, 0.0F, 0.0F, 0.0873F));
rSkirt01.addChild("rSkirt02", ModelPartBuilder.create().uv(38, 89).mirrored(true).cuboid(-1.0F, 0.0F, -5.5F, 2.0F, 10.0F, 11.0F), ModelTransform.of(0.1F, 12.8F, 0.0F, 0.0F, 0.0F, 0.0873F));
ModelPartData bSkirt01 = stomach.addChild("bSkirt01", ModelPartBuilder.create().uv(1, 99).cuboid(-6.5F, 0.0F, -1.0F, 13.0F, 15.0F, 2.0F), ModelTransform.of(0.0F, 17.2F, 4.1F, 0.2269F, 0.0F, 0.0F));
bSkirt01.addChild("fSkirt02", ModelPartBuilder.create().uv(0, 116).cuboid(-6.5F, 0.0F, -1.0F, 13.0F, 10.0F, 2.0F), ModelTransform.of(0.0F, 14.7F, 0.0F, -0.2618F, 0.0F, 0.0F));
ModelPartData lFLeg01 = stomach.addChild("lFLeg01", ModelPartBuilder.create().uv(107, 77).mirrored(true).cuboid(-2.0F, 0.0F, -2.0F, 4.0F, 6.0F, 4.0F), ModelTransform.of(3.7F, 17.6F, -1.9F, 0.1745F, -0.3491F, 0.0F));
ModelPartData lFLeg02 = lFLeg01.addChild("lFLeg02", ModelPartBuilder.create().uv(108, 89).mirrored(true).cuboid(-1.5F, 0.0F, -1.5F, 3.0F, 12.0F, 3.0F), ModelTransform.of(-0.1F, 5.4F, -0.2F, -0.6981F, 0.0F, -0.0087F));
ModelPartData lFLeg03 = lFLeg02.addChild("lFLeg03", ModelPartBuilder.create().uv(108, 106).mirrored(true).cuboid(-1.0F, 0.0F, -1.0F, 2.0F, 14.0F, 2.0F), ModelTransform.of(-0.1F, 11.2F, 0.2F, 0.48F, 0.0F, -0.1309F));
lFLeg03.addChild("lFLegClaw01", ModelPartBuilder.create().uv(117, 108).mirrored(true).cuboid(-0.5F, -0.7F, -3.0F, 1.0F, 2.0F, 3.0F), ModelTransform.of(-0.2F, 12.7F, -0.5F, 0.3491F, 0.1396F, 0.1745F));
lFLeg03.addChild("lFLegClaw02", ModelPartBuilder.create().uv(117, 108).mirrored(true).cuboid(-0.5F, -0.7F, -3.0F, 1.0F, 2.0F, 3.0F), ModelTransform.of(0.7F, 12.9F, -0.5F, 0.3491F, -0.2443F, 0.0524F));
lFLeg03.addChild("lFLegSpur", ModelPartBuilder.create().uv(95, 63).mirrored(true).cuboid(0.0F, -4.0F, 0.0F, 0.0F, 8.0F, 5.0F), ModelTransform.of(0.0F, 4.4F, 0.0F, 0.0F, 0.0F, 0.0F));
ModelPartData lBLeg01 = stomach.addChild("lBLeg01", ModelPartBuilder.create().uv(107, 77).mirrored(true).cuboid(-2.0F, 0.0F, -2.0F, 4.0F, 6.0F, 4.0F), ModelTransform.of(2.7F, 17.6F, 1.9F, -0.1745F, 0.3491F, 0.0F));
ModelPartData lBLeg02 = lBLeg01.addChild("lBLeg02", ModelPartBuilder.create(), ModelTransform.of(-0.1F, 5.4F, 0.2F, 0.6981F, 0.0F, -0.0087F));
lBLeg02.addChild("Box_r1", ModelPartBuilder.create().uv(108, 89).mirrored(true).cuboid(-3.9F, -23.5F, -0.4F, 3.0F, 12.0F, 3.0F), ModelTransform.of(-2.6F, 23.5F, -1.1F, 0.0F, 3.1416F, 0.0F));ModelPartData lBLeg03 = lBLeg02.addChild("lBLeg03",
ModelPartBuilder.create(), ModelTransform.of(-0.1F, 11.2F, -0.2F, -0.48F, 0.0F, -0.1309F));lBLeg03.addChild("Box_r2", ModelPartBuilder.create().uv(108, 106).mirrored(true).cuboid(-3.5F, -12.3F, -0.1F, 2.0F, 14.0F, 2.0F), ModelTransform.of(-2.5F, 12.3F, -0.9F, 0.0F, 3.1416F, 0.0F));
ModelPartData lBLegClaw01 = lBLeg03.addChild("lBLegClaw01", ModelPartBuilder.create(), ModelTransform.of(-0.2F, 12.7F, 0.5F, -0.3491F, -0.1396F, 0.1745F));
lBLegClaw01.addChild("Box_r3", ModelPartBuilder.create().uv(117, 108).mirrored(true).cuboid(-2.2F, -0.3F, -2.6F, 1.0F, 2.0F, 3.0F), ModelTransform.of(-2.3F, -0.4F, -1.4F, 0.0F, 3.1416F, 0.0F));
ModelPartData lBLegClaw02 = lBLeg03.addChild("lBLegClaw02", ModelPartBuilder.create(), ModelTransform.of(0.7F, 12.9F, 0.5F, -0.3491F, 0.2443F, 0.0524F));
lBLegClaw02.addChild("Box_r4", ModelPartBuilder.create().uv(117, 108).mirrored(true).cuboid(-4.0F, -0.1F, -2.6F, 1.0F, 2.0F, 3.0F), ModelTransform.of(-3.2F, -0.6F, -1.4F, 0.0F, 3.1416F, 0.0F));
ModelPartData lBLegSpur = lBLeg03.addChild("lBLegSpur", ModelPartBuilder.create(), ModelTransform.of(0.0F, 4.4F, 0.0F, 0.0F, 0.0F, 0.0F));
lBLegSpur.addChild("Box_r5", ModelPartBuilder.create().uv(95, 63).mirrored(true).cuboid(-2.5F, -11.9F, 0.9F, 0.0F, 8.0F, 5.0F), ModelTransform.of(-2.5F, 7.9F, -0.9F, 0.0F, 3.1416F, 0.0F));
ModelPartData rBLeg01 = stomach.addChild("rBLeg01", ModelPartBuilder.create().uv(107, 77).cuboid(-2.0F, 0.0F, -2.0F, 4.0F, 6.0F, 4.0F), ModelTransform.of(-2.7F, 17.6F, 1.9F, -0.1745F, -0.3491F, 0.0F));
ModelPartData rBLeg02 = rBLeg01.addChild("rBLeg02", ModelPartBuilder.create(), ModelTransform.of(0.1F, 5.4F, 0.2F, 0.6981F, 0.0F, 0.0087F));
rBLeg02.addChild("Box_r6", ModelPartBuilder.create().uv(108, 89).cuboid(0.9F, -23.5F, -0.4F, 3.0F, 12.0F, 3.0F), ModelTransform.of(2.6F, 23.5F, -1.1F, 0.0F, -3.1416F, 0.0F));
ModelPartData rBLeg03 = rBLeg02.addChild("rBLeg03", ModelPartBuilder.create(), ModelTransform.of(0.1F, 11.2F, -0.2F, -0.48F, 0.0F, 0.1309F));
rBLeg03.addChild("Box_r7", ModelPartBuilder.create().uv(108, 106).cuboid(1.5F, -12.3F, -0.1F, 2.0F, 14.0F, 2.0F), ModelTransform.of(2.5F, 12.3F, -0.9F, 0.0F, -3.1416F, 0.0F));
ModelPartData rBLegClaw01 = rBLeg03.addChild("rBLegClaw01", ModelPartBuilder.create(), ModelTransform.of(0.2F, 12.7F, 0.5F, -0.3491F, 0.1396F, -0.1745F));
rBLegClaw01.addChild("Box_r8", ModelPartBuilder.create().uv(117, 108).cuboid(1.2F, -0.3F, -2.6F, 1.0F, 2.0F, 3.0F), ModelTransform.of(2.3F, -0.4F, -1.4F, 0.0F, -3.1416F, 0.0F));
ModelPartData rBLegClaw02 = rBLeg03.addChild("rBLegClaw02", ModelPartBuilder.create(), ModelTransform.of(-0.7F, 12.9F, 0.5F, -0.3491F, -0.2443F, -0.0524F));
rBLegClaw02.addChild("Box_r9", ModelPartBuilder.create().uv(117, 108).cuboid(3.0F, -0.1F, -2.6F, 1.0F, 2.0F, 3.0F), ModelTransform.of(3.2F, -0.6F, -1.4F, 0.0F, -3.1416F, 0.0F));
ModelPartData rBLegSpur = rBLeg03.addChild("rBLegSpur", ModelPartBuilder.create(), ModelTransform.of(0.0F, 4.4F, 0.0F, 0.0F, 0.0F, 0.0F));
rBLegSpur.addChild("Box_r10", ModelPartBuilder.create().uv(95, 63).cuboid(2.5F, -11.9F, 0.9F, 0.0F, 8.0F, 5.0F), ModelTransform.of(2.5F, 7.9F, -0.9F, 0.0F, -3.1416F, 0.0F));
ModelPartData rFLeg01 = stomach.addChild("rFLeg01", ModelPartBuilder.create().uv(107, 77).cuboid(-2.0F, 0.0F, -2.0F, 4.0F, 6.0F, 4.0F), ModelTransform.of(-3.7F, 17.6F, -1.9F, 0.1745F, 0.3491F, 0.0F));
ModelPartData rFLeg02 = rFLeg01.addChild("rFLeg02", ModelPartBuilder.create().uv(108, 89).cuboid(-1.5F, 0.0F, -1.5F, 3.0F, 12.0F, 3.0F), ModelTransform.of(0.1F, 5.4F, -0.2F, -0.6981F, 0.0F, 0.0087F));
ModelPartData rFLeg03 = rFLeg02.addChild("rFLeg03", ModelPartBuilder.create().uv(108, 106).cuboid(-1.0F, 0.0F, -1.0F, 2.0F, 14.0F, 2.0F), ModelTransform.of(0.1F, 11.2F, 0.2F, 0.48F, 0.0F, 0.1309F));
rFLeg03.addChild("rFLegClaw01", ModelPartBuilder.create().uv(117, 108).cuboid(-0.5F, -0.7F, -3.0F, 1.0F, 2.0F, 3.0F), ModelTransform.of(0.2F, 12.7F, -0.5F, 0.3491F, -0.1396F, -0.1745F));
rFLeg03.addChild("rFLeg2", ModelPartBuilder.create().uv(117, 108).cuboid(-0.5F, -0.7F, -3.0F, 1.0F, 2.0F, 3.0F), ModelTransform.of(-0.7F, 12.9F, -0.5F, 0.3491F, 0.2443F, -0.0524F));
rFLeg03.addChild("rFLegSpur", ModelPartBuilder.create().uv(95, 63).cuboid(0.0F, -4.0F, 0.0F, 0.0F, 8.0F, 5.0F), ModelTransform.of(0.0F, 4.4F, 0.0F, 0.0F, 0.0F, 0.0F));
ModelPartData head = chest.addChild("head", ModelPartBuilder.create().uv(53, 0).cuboid(-6.0F, -14.0F, -5.0F, 12.0F, 15.0F, 10.0F), ModelTransform.of(0.0F, -8.9F, 0.0F, 0.0F, 0.0F, 0.0F));
head.addChild("hoodLTop", ModelPartBuilder.create().uv(42, 29).cuboid(-5.05F, -4.0F, -5.4F, 6.0F, 2.0F, 12.0F), ModelTransform.of(3.65F, -10.9F, 0.0F, 0.0F, 0.0F, 0.3142F));
head.addChild("hoodRTop", ModelPartBuilder.create().uv(42, 29).mirrored(true).cuboid(-0.95F, -4.0F, -5.41F, 6.0F, 2.0F, 12.0F), ModelTransform.of(-3.65F, -10.9F, 0.0F, 0.0F, 0.0F, -0.3142F));
head.addChild("hoodLSide01", ModelPartBuilder.create().uv(66, 32).cuboid(0.0F, -0.3F, -5.29F, 2.0F, 9.0F, 12.0F), ModelTransform.of(4.2F, -13.5F, -0.2F, 0.0F, 0.0F, -0.192F));
head.addChild("hoodRSide01", ModelPartBuilder.create().uv(66, 32).mirrored(true).cuboid(-2.0F, -0.3F, -5.29F, 2.0F, 9.0F, 12.0F), ModelTransform.of(-4.2F, -13.5F, -0.2F, 0.0F, 0.0F, 0.192F));
head.addChild("hoodLSide02", ModelPartBuilder.create().uv(89, 23).cuboid(-1.2F, -0.4F, -5.45F, 2.0F, 8.0F, 12.0F), ModelTransform.of(6.9F, -5.3F, -0.1F, 0.0F, 0.0F, 0.1309F));
head.addChild("hoodRSide02", ModelPartBuilder.create().uv(89, 23).mirrored(true).cuboid(-0.8F, -0.4F, -5.45F, 2.0F, 8.0F, 12.0F), ModelTransform.of(-6.9F, -5.3F, -0.1F, 0.0F, 0.0F, -0.1309F));
ModelPartData hoodPipe01 = head.addChild("hoodPipe01", ModelPartBuilder.create().uv(98, 0).cuboid(-3.5F, -3.5F, -1.1F, 7.0F, 7.0F, 6.0F), ModelTransform.of(0.0F, -10.0F, 5.2F, -0.3142F, -0.3142F, -0.7854F));
hoodPipe01.addChild("hoodPipe02", ModelPartBuilder.create().uv(108, 13).cuboid(-2.5F, -2.5F, 1.0F, 5.0F, 5.0F, 4.0F), ModelTransform.of(0.0F, -0.3F, 3.1F, -0.2182F, -0.2182F, 0.0F));
head.addChild("lEye", ModelPartBuilder.create().uv(107, 63).cuboid(-2.0F, -4.0F, -2.5F, 5.0F, 7.0F, 5.0F), ModelTransform.of(3.4F, -7.7F, -2.8F, 0.0F, 0.0F, 0.0F));
head.addChild("rEye", ModelPartBuilder.create().uv(107, 63).mirrored(true).cuboid(-3.0F, -4.0F, -2.5F, 5.0F, 7.0F, 5.0F), ModelTransform.of(-3.4F, -7.7F, -2.8F, 0.0F, 0.0F, 0.0F));
head.addChild("hoodBack", ModelPartBuilder.create().uv(94, 44).cuboid(-7.0F, 0.0F, 0.0F, 14.0F, 17.0F, 2.0F), ModelTransform.of(0.0F, -13.7F, 4.5F, 0.1047F, 0.0F, 0.0F));
ModelPartData lAntenna01 = head.addChild("lAntenna01", ModelPartBuilder.create().uv(43, 0).mirrored(true).cuboid(-1.0F, -1.0F, -2.5F, 2.0F, 2.0F, 3.0F), ModelTransform.of(2.0F, -12.9F, -4.6F, -0.6109F, -0.4363F, 0.1309F));
ModelPartData lAntenna02 = lAntenna01.addChild("lAntenna02", ModelPartBuilder.create().uv(44, 0).mirrored(true).cuboid(-0.5F, -0.5F, -3.4F, 1.0F, 1.0F, 4.0F), ModelTransform.of(0.0F, 0.0F, -2.4F, -0.3142F, 0.0F, 0.0F));
ModelPartData lAntenna03 = lAntenna02.addChild("lAntenna03", ModelPartBuilder.create().uv(43, 0).mirrored(true).cuboid(-0.5F, -0.6F, -3.4F, 1.0F, 1.0F, 4.0F), ModelTransform.of(0.0F, 0.0F, -3.7F, -0.3142F, 0.0F, 0.0F));
ModelPartData lAntenna04 = lAntenna03.addChild("lAntenna04", ModelPartBuilder.create().uv(43, 0).mirrored(true).cuboid(-0.5F, -0.5F, -5.5F, 1.0F, 1.0F, 6.0F), ModelTransform.of(0.0F, -0.2F, -3.7F, -0.4363F, 0.0F, 0.0F));
ModelPartData lAntenna05 = lAntenna04.addChild("lAntenna05", ModelPartBuilder.create().uv(43, 0).mirrored(true).cuboid(-0.5F, -0.5F, -2.6F, 1.0F, 1.0F, 3.0F), ModelTransform.of(0.0F, -0.2F, -5.6F, -0.5236F, 0.0F, 0.0F));
lAntenna05.addChild("lAntenna06", ModelPartBuilder.create().uv(43, 1).mirrored(true).cuboid(-0.5F, -0.5F, -2.5F, 1.0F, 1.0F, 3.0F), ModelTransform.of(0.0F, -0.2F, -2.8F, -0.5236F, 0.0F, 0.0F));
ModelPartData rAntenna01 = head.addChild("rAntenna01", ModelPartBuilder.create().uv(43, 0).cuboid(-1.0F, -1.0F, -2.5F, 2.0F, 2.0F, 3.0F), ModelTransform.of(-2.0F, -12.9F, -4.6F, -0.6109F, 0.4363F, -0.1309F));
ModelPartData rAntenna02 = rAntenna01.addChild("rAntenna02", ModelPartBuilder.create().uv(44, 0).cuboid(-0.5F, -0.5F, -3.4F, 1.0F, 1.0F, 4.0F), ModelTransform.of(0.0F, 0.0F, -2.4F, -0.3142F, 0.0F, 0.0F));
ModelPartData rAntenna03 = rAntenna02.addChild("rAntenna03", ModelPartBuilder.create().uv(43, 0).cuboid(-0.5F, -0.6F, -3.4F, 1.0F, 1.0F, 4.0F), ModelTransform.of(0.0F, 0.0F, -3.7F, -0.3142F, 0.0F, 0.0F));
ModelPartData rAntenna04 = rAntenna03.addChild("rAntenna04", ModelPartBuilder.create().uv(43, 0).cuboid(-0.5F, -0.5F, -5.5F, 1.0F, 1.0F, 6.0F), ModelTransform.of(0.0F, -0.2F, -3.7F, -0.4363F, 0.0F, 0.0F));
ModelPartData rAntenna05 = rAntenna04.addChild("rAntenna05", ModelPartBuilder.create().uv(43, 0).cuboid(-0.5F, -0.5F, -2.6F, 1.0F, 1.0F, 3.0F), ModelTransform.of(0.0F, -0.2F, -5.6F, -0.5236F, 0.0F, 0.0F));
rAntenna05.addChild("rAntenna06", ModelPartBuilder.create().uv(43, 1).cuboid(-0.5F, -0.5F, -2.5F, 1.0F, 1.0F, 3.0F), ModelTransform.of(0.0F, -0.2F, -2.8F, -0.5236F, 0.0F, 0.0F));
chest.addChild("chestCloth", ModelPartBuilder.create().uv(0, 21).cuboid(-7.5F, 0.0F, -5.5F, 15.0F, 6.0F, 11.0F), ModelTransform.of(0.0F, 0.0F, 0.0F, 0.0F, 0.0F, 0.0F));
ModelPartData lArm01 = chest.addChild("lArm01", ModelPartBuilder.create().uv(45, 44).cuboid(-2.5F, -0.5F, -2.5F, 5.0F, 10.0F, 5.0F), ModelTransform.of(6.8F, -8.0F, 0.0F, 0.0F, 0.0F, -0.2793F));
ModelPartData lArm02 = lArm01.addChild("lArm02", ModelPartBuilder.create().uv(42, 62).cuboid(-2.5F, 0.0F, -4.7F, 5.0F, 12.0F, 5.0F), ModelTransform.of(0.4F, 8.8F, 2.3F, 0.0F, 0.0F, 0.2269F));
ModelPartData lSleeve01 = lArm02.addChild("lSleeve01", ModelPartBuilder.create().uv(61, 54).cuboid(-2.4F, -1.5F, 0.2F, 5.0F, 3.0F, 5.0F), ModelTransform.of(0.0F, 10.5F, -0.4F, -0.6981F, 0.0F, 0.0F));
lSleeve01.addChild("lSleeve02", ModelPartBuilder.create().uv(66, 67).cuboid(-2.0F, -3.4F, -4.5F, 4.0F, 4.0F, 6.0F), ModelTransform.of(0.0F, -0.2F, 0.9F, -0.7854F, 0.0F, 0.0F));
ModelPartData lArm03 = lArm02.addChild("lArm03", ModelPartBuilder.create().uv(0, 82).cuboid(-1.0F, 0.0F, -1.5F, 2.0F, 13.0F, 3.0F), ModelTransform.of(0.0F, 11.8F, -1.9F, 0.0F, 0.0F, 0.0F));
lArm03.addChild("lClaw01", ModelPartBuilder.create().cuboid(-0.5F, 0.0F, -1.0F, 1.0F, 4.0F, 2.0F), ModelTransform.of(0.6F, 12.4F, -1.1F, 0.2618F, -0.829F, 0.1309F));
lArm03.addChild("lClaw02", ModelPartBuilder.create().cuboid(-0.5F, 0.0F, -1.0F, 1.0F, 4.0F, 2.0F), ModelTransform.of(0.6F, 12.4F, 0.7F, 0.2618F, -1.7453F, 0.0F));
ModelPartData rArm01 = chest.addChild("rArm01", ModelPartBuilder.create().uv(45, 44).mirrored(true).cuboid(-2.5F, -0.5F, -2.5F, 5.0F, 10.0F, 5.0F), ModelTransform.of(-6.8F, -8.0F, 0.0F, 0.0F, 0.0F, 0.2793F));
ModelPartData rArm02 = rArm01.addChild("rArm02", ModelPartBuilder.create().uv(42, 62).mirrored(true).cuboid(-2.5F, 0.0F, -4.7F, 5.0F, 12.0F, 5.0F), ModelTransform.of(-0.4F, 8.8F, 2.3F, 0.0F, 0.0F, -0.2269F));
ModelPartData rSleeve01 = rArm02.addChild("rSleeve01", ModelPartBuilder.create().uv(61, 54).mirrored(true).cuboid(-2.6F, -1.5F, 0.2F, 5.0F, 3.0F, 5.0F), ModelTransform.of(0.0F, 10.5F, -0.4F, -0.6981F, 0.0F, 0.0F));
rSleeve01.addChild("rSleeve02", ModelPartBuilder.create().uv(66, 67).mirrored(true).cuboid(-2.0F, -3.4F, -4.5F, 4.0F, 4.0F, 6.0F), ModelTransform.of(0.0F, -0.2F, 0.9F, -0.7854F, 0.0F, 0.0F));
ModelPartData rArm03 = rArm02.addChild("rArm03", ModelPartBuilder.create().uv(0, 82).mirrored(true).cuboid(-1.0F, 0.0F, -1.5F, 2.0F, 13.0F, 3.0F), ModelTransform.of(0.0F, 11.8F, -1.9F, 0.0F, 0.0F, 0.0F));
rArm03.addChild("rClaw01", ModelPartBuilder.create().mirrored(true).cuboid(-0.5F, 0.0F, -1.0F, 1.0F, 4.0F, 2.0F), ModelTransform.of(-0.6F, 12.4F, -1.1F, 0.2618F, 0.829F, -0.1309F));
rArm03.addChild("rClaw02", ModelPartBuilder.create().mirrored(true).cuboid(-0.5F, 0.0F, -1.0F, 1.0F, 4.0F, 2.0F), ModelTransform.of(-0.6F, 12.4F, 0.7F, 0.2618F, 1.7453F, 0.0F));
ModelPartData lWing01 = chest.addChild("lWing01", ModelPartBuilder.create().uv(34, 111).mirrored(true).cuboid(-1.0F, -1.4F, 0.0F, 3.0F, 11.0F, 2.0F), ModelTransform.of(4.6F, -5.4F, 4.9F, 0.1047F, 0.0349F, -0.6545F));
ModelPartData lWing02 = lWing01.addChild("lWing02", ModelPartBuilder.create().uv(45, 111).mirrored(true).cuboid(-1.0F, 0.1F, -0.5F, 2.0F, 15.0F, 1.0F), ModelTransform.of(0.8F, 9.2F, 1.0F, 0.0F, 0.0F, 0.0873F));
lWing02.addChild("lWing03", ModelPartBuilder.create().uv(54, 111).mirrored(true).cuboid(-1.0F, 0.1F, -0.49F, 2.0F, 15.0F, 1.0F), ModelTransform.of(0.0F, 14.6F, 0.0F, 0.0F, 0.0F, 0.1484F));
lWing01.addChild("lWingMembrane", ModelPartBuilder.create().uv(66, 82).mirrored(true).cuboid(-17.9F, -1.5F, 0.6F, 20.0F, 45.0F, 0.0F), ModelTransform.of(-0.8F, 0.0F, 0.5F, 0.0F, 0.0F, 0.1047F));
ModelPartData lWingLower01 = chest.addChild("lWingLower01", ModelPartBuilder.create().uv(34, 111).mirrored(true).cuboid(-1.0F, -1.4F, 0.0F, 3.0F, 11.0F, 2.0F), ModelTransform.of(4.6F, -2.4F, 4.4F, 0.1047F, 0.0349F, -0.3927F));
ModelPartData lWingLower02 = lWingLower01.addChild("lWingLower02", ModelPartBuilder.create().uv(45, 111).mirrored(true).cuboid(-1.0F, 0.1F, -0.5F, 2.0F, 15.0F, 1.0F), ModelTransform.of(0.8F, 9.2F, 1.0F, 0.0F, 0.0F, 0.0873F));
lWingLower02.addChild("lWingLower03", ModelPartBuilder.create().uv(54, 111).mirrored(true).cuboid(-1.0F, 0.1F, -0.49F, 2.0F, 15.0F, 1.0F), ModelTransform.of(0.0F, 14.6F, 0.0F, 0.0F, 0.0F, 0.1484F));
lWingLower01.addChild("lWingLowerMemebrane", ModelPartBuilder.create().uv(66, 82).mirrored(true).cuboid(-17.9F, -1.5F, 0.6F, 20.0F, 45.0F, 0.0F), ModelTransform.of(-0.8F, 0.0F, 0.5F, 0.0F, 0.0F, 0.1047F));
ModelPartData rWingLower01 = chest.addChild("rWingLower01", ModelPartBuilder.create().uv(34, 111).cuboid(-2.0F, -1.4F, 0.0F, 3.0F, 11.0F, 2.0F), ModelTransform.of(-4.6F, -2.4F, 4.4F, 0.1047F, -0.0349F, 0.3927F));
ModelPartData rWingLower02 = rWingLower01.addChild("rWingLower02", ModelPartBuilder.create().uv(45, 111).cuboid(-1.0F, 0.1F, -0.5F, 2.0F, 15.0F, 1.0F), ModelTransform.of(-0.8F, 9.2F, 1.0F, 0.0F, 0.0F, -0.0873F));
rWingLower02.addChild("rWingLower03", ModelPartBuilder.create().uv(54, 111).cuboid(-1.0F, 0.1F, -0.49F, 2.0F, 15.0F, 1.0F), ModelTransform.of(0.0F, 14.6F, 0.0F, 0.0F, 0.0F, -0.1484F));
rWingLower01.addChild("rWingLowerMemebrane", ModelPartBuilder.create().uv(66, 82).cuboid(-2.1F, -1.5F, 0.6F, 20.0F, 45.0F, 0.0F), ModelTransform.of(0.8F, 0.0F, 0.5F, 0.0F, 0.0F, -0.1047F));
ModelPartData rWing01 = chest.addChild("rWing01", ModelPartBuilder.create().uv(34, 111).cuboid(-2.0F, -1.4F, 0.0F, 3.0F, 11.0F, 2.0F), ModelTransform.of(-4.6F, -5.4F, 4.9F, 0.1047F, -0.0349F, 0.6545F));
ModelPartData rWing02 = rWing01.addChild("rWing02", ModelPartBuilder.create().uv(45, 111).cuboid(-1.0F, 0.1F, -0.5F, 2.0F, 15.0F, 1.0F), ModelTransform.of(-0.8F, 9.2F, 1.0F, 0.0F, 0.0F, -0.0873F));
rWing02.addChild("rWing03", ModelPartBuilder.create().uv(54, 111).cuboid(-1.0F, 0.1F, -0.49F, 2.0F, 15.0F, 1.0F), ModelTransform.of(0.0F, 14.6F, 0.0F, 0.0F, 0.0F, -0.1484F));
rWing01.addChild("rWingMembrane", ModelPartBuilder.create().uv(66, 82).cuboid(-2.1F, -1.5F, 0.6F, 20.0F, 45.0F, 0.0F), ModelTransform.of(0.8F, 0.0F, 0.5F, 0.0F, 0.0F, -0.1047F));
return TexturedModelData.of(data, 128, 128);
}
@Override
public void setAngles(T entity, float limbSwing, float limbSwingAmount, float ageInTicks, float netHeadYaw, float headPitch) {
realArm = false;
super.setAngles(entity, limbSwing, limbSwingAmount, ageInTicks, netHeadYaw, headPitch);
realArm = true;
copyRotation(lArm01, super.leftArm);
lArm01.pitch /= 3;
lArm01.pitch -= 0.1745f;
lArm01.yaw -= 0.0873f;
lArm01.roll -= 0.2356f;
copyRotation(rArm01, super.rightArm);
rArm01.pitch /= 3;
rArm01.pitch -= 0.1745f;
rArm01.yaw += 0.0873f;
rArm01.roll += 0.2356f;
this.rBLeg01.pitch = MathHelper.cos(limbSwing * 0.6662F) * 0.3F * limbSwingAmount;
this.lBLeg01.pitch = MathHelper.cos(limbSwing * 0.6662F + 3.1415927F) * 0.3F * limbSwingAmount;
this.rFLeg01.pitch = MathHelper.cos(limbSwing * 0.6662F + 3.1415927F) * 0.3F * limbSwingAmount;
this.lFLeg01.pitch = MathHelper.cos(limbSwing * 0.6662F) * 0.3F * limbSwingAmount;
if (entity.hurtTime > 0) {
lWing01.pitch = 0.0873f + (1 + MathHelper.sin(ageInTicks)) / 8;
rWing01.pitch = 0.0873f + (1 + MathHelper.sin(ageInTicks)) / 8;
lWingLower01.yaw = 0.0349F + (1 + MathHelper.sin(ageInTicks)) / 8;
rWingLower01.yaw = -0.0349F - (1 + MathHelper.sin(ageInTicks)) / 8;
} else {
lWing01.pitch = 0.0873f + (1 + MathHelper.sin(ageInTicks / 12)) / 8; //adjust values
rWing01.pitch = 0.0873f + (1 + MathHelper.sin(ageInTicks / 12)) / 8;
lWingLower01.yaw = 0.0349F + (1 + MathHelper.sin(ageInTicks / 12)) / 8;
rWingLower01.yaw = -0.0349F - (1 + MathHelper.sin(ageInTicks / 12)) / 8;
}
}
@Override
public void render(MatrixStack matrixStack, VertexConsumer buffer, int packedLight, int packedOverlay, float red, float green, float blue, float alpha) {
chest.render(matrixStack, buffer, packedLight, packedOverlay);
}
protected ModelPart getArm(Arm arm) {
return this.realArm ? (arm == Arm.LEFT ? this.lArm01 : this.rArm01) : super.getArm(arm);
}
public void setRotationAngle(ModelPart bone, float x, float y, float z) {
bone.pitch = x;
bone.yaw = y;
bone.roll = z;
}
private void copyRotation(ModelPart to, ModelPart from) {
to.pitch = from.pitch;
to.yaw = from.yaw;
to.roll = from.roll;
}
}
| 86.044737 | 373 | 0.665933 |
92320fde470687fe285e020545d0956b47c9633a | 362 | package com.lknmproduction.messengerrest.domain.redis;
import lombok.Data;
import org.springframework.data.annotation.Id;
import org.springframework.data.redis.core.RedisHash;
import java.io.Serializable;
@Data
@RedisHash("Device")
public class DeviceConfirmRedis implements Serializable {
@Id
private String deviceId;
private String pinCode;
}
| 20.111111 | 57 | 0.792818 |
146ed144489a76760e39259ab161e233901b3ace | 835 | package com.platzi.market.persistence.entity;
import lombok.AllArgsConstructor;
import lombok.Getter;
import lombok.NoArgsConstructor;
import lombok.Setter;
import javax.persistence.*;
@Setter
@Getter
@AllArgsConstructor
@NoArgsConstructor
@Entity
@Table(name = "compras_productos")
public class PurchasesProductEntity {
@EmbeddedId
private PurchasesProductPK id;
@Column(name = "cantidad")
private Integer quantity;
private Double total;
@Column(name = "estado")
private Boolean status;
//relaciones
@ManyToOne
@MapsId("idPurchase") //cascada
@JoinColumn(name = "id_compra", insertable = false, updatable = false)
private PurchaseEntity purchase;
@ManyToOne
@JoinColumn(name = "id_producto", insertable = false, updatable = false)
private ProductEntity product;
}
| 21.410256 | 76 | 0.732934 |
8e004e02abcebe1abe8c56d157451a6625a39940 | 4,901 | /*
* Copyright (c) 2014
* Mikol Faro <[email protected]>
* Simone Mangano <[email protected]>
* Mattia Tortorelli <[email protected]>
*
*
* 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.
*
*/
package org.biokoframework.system.command.authentication;
import org.apache.commons.lang3.StringUtils;
import org.apache.log4j.Logger;
import org.biokoframework.system.KILL_ME.commons.GenericFieldNames;
import org.biokoframework.system.command.AbstractCommand;
import org.biokoframework.system.command.CommandException;
import org.biokoframework.system.entity.authentication.Authentication;
import org.biokoframework.system.entity.description.ParameterEntity;
import org.biokoframework.system.entity.description.ParameterEntityBuilder;
import org.biokoframework.system.entity.login.Login;
import org.biokoframework.system.exceptions.CommandExceptionsFactory;
import org.biokoframework.system.services.authentication.token.ITokenAuthenticationService;
import org.biokoframework.system.services.authentication.token.TokenCreationException;
import org.biokoframework.utils.domain.DomainEntity;
import org.biokoframework.utils.fields.Fields;
import org.biokoframework.utils.repository.Repository;
import javax.inject.Inject;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
public class EngagedCheckInCommand extends AbstractCommand {
private static final Logger LOGGER = Logger.getLogger(EngagedCheckInCommand.class);
private ITokenAuthenticationService fAuthService;
@Inject
public EngagedCheckInCommand(ITokenAuthenticationService authService) {
fAuthService = authService;
}
@Override
public Fields execute(Fields input) throws CommandException {
logInput(input);
Repository<Login> loginRepo = getRepository(Login.class);
Login login = loginRepo.retrieve((String) input.get("authLoginId"));
Authentication auth = null;
try {
auth = fAuthService.requestToken(login);
} catch (TokenCreationException exception) {
LOGGER.error("Cannot create token", exception);
throw CommandExceptionsFactory.createContainerException(exception);
}
String token = auth.get(Authentication.TOKEN);
String tokenExpire = auth.get(Authentication.TOKEN_EXPIRE);
Fields fields = new Fields(
Authentication.TOKEN, token,
Authentication.TOKEN_EXPIRE, tokenExpire);
String roles = auth.get(Authentication.ROLES);
if (!StringUtils.isEmpty(roles)) {
fields.put(Authentication.ROLES, roles);
}
List<Fields> response = Arrays.asList(fields);
Fields result = new Fields(GenericFieldNames.RESPONSE, response,
Authentication.TOKEN, token,
Authentication.TOKEN_EXPIRE, tokenExpire);
logOutput(result);
return result;
}
public Fields componingInputKeys() {
ArrayList<DomainEntity> parameters = new ArrayList<DomainEntity>();
ParameterEntityBuilder builder = new ParameterEntityBuilder();
builder.set(ParameterEntity.NAME, GenericFieldNames.USER_EMAIL);
parameters.add(builder.build(false));
builder.set(ParameterEntity.NAME, GenericFieldNames.PASSWORD);
parameters.add(builder.build(false));
builder.set(ParameterEntity.NAME, GenericFieldNames.FACEBOOK_TOKEN);
parameters.add(builder.build(false));
return new Fields(GenericFieldNames.INPUT, parameters);
}
public Fields componingOutputKeys() {
ArrayList<DomainEntity> parameters = new ArrayList<DomainEntity>();
ParameterEntityBuilder builder = new ParameterEntityBuilder();
builder.set(ParameterEntity.NAME, GenericFieldNames.AUTH_TOKEN);
parameters.add(builder.build(false));
builder.set(ParameterEntity.NAME, GenericFieldNames.AUTH_TOKEN_EXPIRE);
parameters.add(builder.build(false));
return new Fields(GenericFieldNames.OUTPUT, parameters);
}
}
| 39.524194 | 91 | 0.771475 |
f6d77a823435bfe010a5b2f4a6c11a76e54e5c14 | 9,661 | package io.quarkus.it.keycloak;
import java.io.IOException;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.Collections;
import java.util.HashMap;
import java.util.HashSet;
import java.util.List;
import java.util.Map;
import org.keycloak.representations.AccessTokenResponse;
import org.keycloak.representations.idm.ClientRepresentation;
import org.keycloak.representations.idm.CredentialRepresentation;
import org.keycloak.representations.idm.RealmRepresentation;
import org.keycloak.representations.idm.RoleRepresentation;
import org.keycloak.representations.idm.RolesRepresentation;
import org.keycloak.representations.idm.UserRepresentation;
import org.keycloak.representations.idm.authorization.PolicyRepresentation;
import org.keycloak.representations.idm.authorization.ResourceRepresentation;
import org.keycloak.representations.idm.authorization.ResourceServerRepresentation;
import org.keycloak.util.JsonSerialization;
import io.quarkus.test.common.QuarkusTestResourceLifecycleManager;
import io.restassured.RestAssured;
public class KeycloakTestResource implements QuarkusTestResourceLifecycleManager {
private static final String KEYCLOAK_SERVER_URL = System.getProperty("keycloak.url", "http://localhost:8180/auth");
private static final String KEYCLOAK_REALM = "quarkus";
@Override
public Map<String, String> start() {
RealmRepresentation realm = createRealm(KEYCLOAK_REALM);
realm.getClients().add(createClient("quarkus-app"));
realm.getUsers().add(createUser("alice", "user"));
realm.getUsers().add(createUser("admin", "user", "admin"));
realm.getUsers().add(createUser("jdoe", "user", "confidential"));
try {
RestAssured
.given()
.auth().oauth2(getAdminAccessToken())
.contentType("application/json")
.body(JsonSerialization.writeValueAsBytes(realm))
.when()
.post(KEYCLOAK_SERVER_URL + "/admin/realms").then()
.statusCode(201);
} catch (IOException e) {
throw new RuntimeException(e);
}
HashMap<String, String> map = new HashMap<>();
// a workaround to set system properties defined when executing tests. Looks like this commit introduced an
// unexpected behavior: 3ca0b323dd1c6d80edb66136eb42be7f9bde3310
map.put("keycloak.url", System.getProperty("keycloak.url"));
return map;
}
private static String getAdminAccessToken() {
return RestAssured
.given()
.param("grant_type", "password")
.param("username", "admin")
.param("password", "admin")
.param("client_id", "admin-cli")
.when()
.post(KEYCLOAK_SERVER_URL + "/realms/master/protocol/openid-connect/token")
.as(AccessTokenResponse.class).getToken();
}
private static RealmRepresentation createRealm(String name) {
RealmRepresentation realm = new RealmRepresentation();
realm.setRealm(name);
realm.setEnabled(true);
realm.setUsers(new ArrayList<>());
realm.setClients(new ArrayList<>());
RolesRepresentation roles = new RolesRepresentation();
List<RoleRepresentation> realmRoles = new ArrayList<>();
roles.setRealm(realmRoles);
realm.setRoles(roles);
realm.getRoles().getRealm().add(new RoleRepresentation("user", null, false));
realm.getRoles().getRealm().add(new RoleRepresentation("admin", null, false));
realm.getRoles().getRealm().add(new RoleRepresentation("confidential", null, false));
return realm;
}
private static ClientRepresentation createClient(String clientId) {
ClientRepresentation client = new ClientRepresentation();
client.setClientId(clientId);
client.setPublicClient(false);
client.setSecret("secret");
client.setDirectAccessGrantsEnabled(true);
client.setEnabled(true);
client.setAuthorizationServicesEnabled(true);
ResourceServerRepresentation authorizationSettings = new ResourceServerRepresentation();
authorizationSettings.setResources(new ArrayList<>());
authorizationSettings.setPolicies(new ArrayList<>());
configurePermissionResourcePermission(authorizationSettings);
configureClaimBasedPermission(authorizationSettings);
configureHttpResponseClaimBasedPermission(authorizationSettings);
configureBodyClaimBasedPermission(authorizationSettings);
client.setAuthorizationSettings(authorizationSettings);
return client;
}
private static void configurePermissionResourcePermission(ResourceServerRepresentation settings) {
PolicyRepresentation policy = createJSPolicy("Confidential Policy", "var identity = $evaluation.context.identity;\n" +
"\n" +
"if (identity.hasRealmRole(\"confidential\")) {\n" +
"$evaluation.grant();\n" +
"}", settings);
createPermission(settings, createResource(settings, "Permission Resource", "/api/permission"), policy);
}
private static void configureClaimBasedPermission(ResourceServerRepresentation settings) {
PolicyRepresentation policy = createJSPolicy("Claim-Based Policy", "var context = $evaluation.getContext();\n"
+ "var attributes = context.getAttributes();\n"
+ "\n"
+ "if (attributes.containsValue('grant', 'true')) {\n"
+ " $evaluation.grant();\n"
+ "}", settings);
createPermission(settings, createResource(settings, "Claim Protected Resource", "/api/permission/claim-protected"),
policy);
}
private static void configureHttpResponseClaimBasedPermission(ResourceServerRepresentation settings) {
PolicyRepresentation policy = createJSPolicy("Http Response Claim-Based Policy",
"var context = $evaluation.getContext();\n"
+ "var attributes = context.getAttributes();\n"
+ "\n"
+ "if (attributes.containsValue('user-name', 'alice')) {\n"
+ " $evaluation.grant();\n"
+ "}",
settings);
createPermission(settings, createResource(settings, "Http Response Claim Protected Resource",
"/api/permission/http-response-claim-protected"), policy);
}
private static void configureBodyClaimBasedPermission(ResourceServerRepresentation settings) {
PolicyRepresentation policy = createJSPolicy("Body Claim-Based Policy",
"var context = $evaluation.getContext();\n"
+ "print(context.getAttributes().toMap());"
+ "var attributes = context.getAttributes();\n"
+ "\n"
+ "if (attributes.containsValue('from-body', 'grant')) {\n"
+ " $evaluation.grant();\n"
+ "}",
settings);
createPermission(settings, createResource(settings, "Body Claim Protected Resource",
"/api/permission/body-claim"), policy);
}
private static void createPermission(ResourceServerRepresentation settings, ResourceRepresentation resource,
PolicyRepresentation policy) {
PolicyRepresentation permission = new PolicyRepresentation();
permission.setName(resource.getName() + " Permission");
permission.setType("resource");
permission.setResources(new HashSet<>());
permission.getResources().add(resource.getName());
permission.setPolicies(new HashSet<>());
permission.getPolicies().add(policy.getName());
settings.getPolicies().add(permission);
}
private static ResourceRepresentation createResource(ResourceServerRepresentation authorizationSettings, String name,
String uri) {
ResourceRepresentation resource = new ResourceRepresentation(name);
resource.setUris(Collections.singleton(uri));
authorizationSettings.getResources().add(resource);
return resource;
}
private static PolicyRepresentation createJSPolicy(String name, String code, ResourceServerRepresentation settings) {
PolicyRepresentation policy = new PolicyRepresentation();
policy.setName(name);
policy.setType("js");
policy.setConfig(new HashMap<>());
policy.getConfig().put("code", code);
settings.getPolicies().add(policy);
return policy;
}
private static UserRepresentation createUser(String username, String... realmRoles) {
UserRepresentation user = new UserRepresentation();
user.setUsername(username);
user.setEnabled(true);
user.setCredentials(new ArrayList<>());
user.setRealmRoles(Arrays.asList(realmRoles));
CredentialRepresentation credential = new CredentialRepresentation();
credential.setType(CredentialRepresentation.PASSWORD);
credential.setValue(username);
credential.setTemporary(false);
user.getCredentials().add(credential);
return user;
}
@Override
public void stop() {
RestAssured
.given()
.auth().oauth2(getAdminAccessToken())
.when()
.delete(KEYCLOAK_SERVER_URL + "/admin/realms/" + KEYCLOAK_REALM).then().statusCode(204);
}
}
| 40.936441 | 126 | 0.657075 |
17057e4d02057f18c1ca30a3349bba3bbec438ce | 664 | package common;
import java.nio.ByteBuffer;
import java.util.UUID;
import com.google.protobuf.ByteString;
public class UuidUtils {
public static UUID asUuid(byte[] bytes) {
ByteBuffer bb = ByteBuffer.wrap(bytes);
long firstLong = bb.getLong();
long secondLong = bb.getLong();
return new UUID(firstLong, secondLong);
}
public static byte[] asBytes(UUID uuid) {
ByteBuffer bb = ByteBuffer.wrap(new byte[16]);
bb.putLong(uuid.getMostSignificantBits());
bb.putLong(uuid.getLeastSignificantBits());
return bb.array();
}
public static ByteString asByteString(UUID uuid) {
return ByteString.copyFrom(asBytes(uuid));
}
} | 25.538462 | 52 | 0.712349 |
fc240c6994e4e721ef7c77ec6e30cf86d13ec8d0 | 5,371 | package flink.benchmark;
import org.apache.flink.api.java.utils.ParameterTool;
import org.yaml.snakeyaml.Yaml;
import org.yaml.snakeyaml.constructor.SafeConstructor;
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.Serializable;
import java.util.List;
import java.util.Map;
import java.util.UUID;
/**
* Encapsulating configuration in once place
*/
public class BenchmarkConfig implements Serializable{
// Kafka
public final String kafkaTopic;
// Load Generator
public final int loadTargetHz;
public final int timeSliceLengthMs;
public final boolean useLocalEventGenerator;
public final int numCampaigns;
// Redis
public final String redisHost;
public final int redisDb;
public final boolean redisFlush;
public final int numRedisThreads;
// Akka
public final String akkaZookeeperQuorum;
public final String akkaZookeeperPath;
// Application
public final long windowSize;
// Flink
public final long checkpointInterval;
public final boolean checkpointsEnabled;
public final String checkpointUri;
public boolean checkpointToUri;
// The raw parameters
public final ParameterTool parameters;
/**
* Create a config starting with an instance of ParameterTool
*/
public BenchmarkConfig(ParameterTool parameterTool){
this.parameters = parameterTool;
// load generator
this.loadTargetHz = parameterTool.getInt("load.target.hz", 400000);
this.timeSliceLengthMs = parameterTool.getInt("load.time.slice.length.ms", 100);
this.useLocalEventGenerator = parameters.has("use.local.event.generator");
this.numCampaigns = parameterTool.getInt("num.campaigns", 1000000);
// Kafka
this.kafkaTopic = parameterTool.getRequired("kafka.topic");
// Redis
this.redisHost = parameterTool.get("redis.host", "localhost");
this.redisDb = parameterTool.getInt("redis.db", 0);
this.redisFlush = parameterTool.has("redis.flush");
this.numRedisThreads = parameterTool.getInt("redis.threads", 20);
// Akka
this.akkaZookeeperQuorum = parameterTool.get("akka.zookeeper.quorum", "localhost");
this.akkaZookeeperPath = parameterTool.get("akka.zookeeper.path", "/akkaQuery");
// Application
this.windowSize = parameterTool.getLong("window.size", 10000);
// Flink
this.checkpointInterval = parameterTool.getLong("flink.checkpoint.interval", 0);
this.checkpointsEnabled = checkpointInterval > 0;
this.checkpointUri = parameterTool.get("flink.checkpoint.uri", "");
this.checkpointToUri = checkpointUri.length() > 0;
}
/**
* Creates a config given a Yaml file
*/
public BenchmarkConfig(String yamlFile) throws FileNotFoundException {
this(yamlToParameters(yamlFile));
}
/**
* Create a config directly from the command line arguments
*/
public static BenchmarkConfig fromArgs(String[] args) throws FileNotFoundException {
if(args.length < 1){
return new BenchmarkConfig("conf/benchmarkConf.yaml");
}
else{
return new BenchmarkConfig(args[0]);
}
}
/**
* Get the parameters
*/
public ParameterTool getParameters(){
return this.parameters;
}
private static ParameterTool yamlToParameters(String yamlFile) throws FileNotFoundException {
// load yaml file
Yaml yml = new Yaml(new SafeConstructor());
Map<String, String> ymlMap = (Map) yml.load(new FileInputStream(yamlFile));
String kafkaZookeeperConnect = getZookeeperServers(ymlMap, String.valueOf(ymlMap.get("kafka.zookeeper.path")));
String akkaZookeeperQuorum = getZookeeperServers(ymlMap, "");
// We need to add these values as "parameters"
// -- This is a bit of a hack but the Kafka consumers and producers
// expect these values to be there
ymlMap.put("zookeeper.connect", kafkaZookeeperConnect); // set ZK connect for Kafka
ymlMap.put("bootstrap.servers", getKafkaBrokers(ymlMap));
ymlMap.put("akka.zookeeper.quorum", akkaZookeeperQuorum);
ymlMap.put("auto.offset.reset", "latest");
ymlMap.put("group.id", UUID.randomUUID().toString());
// Convert everything to strings
for (Map.Entry e : ymlMap.entrySet()) {
{
e.setValue(e.getValue().toString());
}
}
return ParameterTool.fromMap(ymlMap);
}
private static String getZookeeperServers(Map conf, String zkPath) {
if(!conf.containsKey("zookeeper.servers")) {
throw new IllegalArgumentException("Not zookeeper servers found!");
}
String s= listOfStringToString((List<String>) conf.get("zookeeper.servers"), String.valueOf(conf.get("zookeeper.port")), zkPath);
return s.replace("null","");
}
private static String getKafkaBrokers(Map conf) {
if(!conf.containsKey("kafka.brokers")) {
throw new IllegalArgumentException("No kafka brokers found!");
}
if(!conf.containsKey("kafka.port")) {
throw new IllegalArgumentException("No kafka port found!");
}
String s= listOfStringToString((List<String>) conf.get("kafka.brokers"), String.valueOf(conf.get("kafka.port")), "");
return s;
}
private static String listOfStringToString(List<String> list, String port, String path) {
String val = "";
for(int i=0; i<list.size(); i++) {
val += list.get(i) + ":" + port + path;
if(i < list.size()-1) {
val += ",";
}
}
return val;
}
}
| 31.226744 | 133 | 0.7062 |
c6e3e532094dde6c982189d9e47a94801d8871c8 | 2,268 | package org.tianxiduo.game2048;
import java.awt.Color;
import java.awt.event.KeyAdapter;
import java.awt.event.KeyEvent;
import javax.swing.JFrame;
@SuppressWarnings("serial")
public class GameWindow extends JFrame {
private GameContentConfig gameContentConfig = new GameContentConfig();
public void buildGameContentConfig() {
gameContentConfig.space = 12;
gameContentConfig.edge = 60;
gameContentConfig.rows = 4;
gameContentConfig.columns = 4;
gameContentConfig.boardPosX = 0;
gameContentConfig.boardPosY = 0;
gameContentConfig.boardWidth = gameContentConfig.rows * gameContentConfig.edge + (gameContentConfig.rows + 1) * gameContentConfig.space;
gameContentConfig.boardHeight = gameContentConfig.boardWidth;
gameContentConfig.colorTable.put(2, new Color(239, 227, 214));
gameContentConfig.colorTable.put(4, new Color(238, 226, 205));
gameContentConfig.colorTable.put(8, new Color(239, 178, 123));
gameContentConfig.colorTable.put(16, new Color(247, 150, 99));
gameContentConfig.colorTable.put(32, new Color(241, 127, 93));
gameContentConfig.colorTable.put(64, new Color(243, 94, 61));
gameContentConfig.colorTable.put(128, new Color(238, 206, 115));
gameContentConfig.colorTable.put(256, new Color(237, 204, 97));
gameContentConfig.colorTable.put(512, new Color(238, 198, 82));
gameContentConfig.colorTable.put(1024, new Color(238, 198, 66));
gameContentConfig.colorTable.put(2048, new Color(244, 196, 12));
}
public GameWindow() {
buildGameContentConfig();
final GameContent gameContent = new GameContent(gameContentConfig);
gameContent.setUpGameContent(gameContentConfig);
getContentPane().add(gameContent);
addKeyListener(new KeyAdapter() {
@Override
public void keyPressed(KeyEvent e) {
gameContent.processKeyboardEvent(e);
}
});
}
public GameWindow(GameWindowConfig config) {
this();
setUpGameWindow(config);
}
public void setUpGameWindow(GameWindowConfig config) {
setTitle(config.gameTitle);
setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
setSize(config.gameWidth, config.gameHeight);
setResizable(false);
setLocationRelativeTo(null);
setVisible(true);
}
}
| 34.363636 | 140 | 0.729718 |
d40670ee928977c039ed2b2d9204bf3b59e88ddd | 620 | package datos;
import datos.Actividad;
import javax.annotation.Generated;
import javax.persistence.metamodel.ListAttribute;
import javax.persistence.metamodel.SingularAttribute;
import javax.persistence.metamodel.StaticMetamodel;
@Generated(value="EclipseLink-2.5.0.v20130507-rNA", date="2014-07-07T19:23:36")
@StaticMetamodel(ActividadGrupo.class)
public class ActividadGrupo_ {
public static volatile SingularAttribute<ActividadGrupo, Integer> id;
public static volatile SingularAttribute<ActividadGrupo, String> nombre;
public static volatile ListAttribute<ActividadGrupo, Actividad> actividadList;
} | 36.470588 | 82 | 0.824194 |
075bd3ceddce7b229b03956840971a241bf0c327 | 1,122 | package vip.gadfly.chakkispring.mapper;
import com.baomidou.mybatisplus.core.mapper.BaseMapper;
import com.baomidou.mybatisplus.core.metadata.IPage;
import org.apache.ibatis.annotations.Param;
import org.springframework.stereotype.Repository;
import vip.gadfly.chakkispring.common.mybatis.Page;
import vip.gadfly.chakkispring.model.QuestionnaireDO;
import vip.gadfly.chakkispring.vo.QuestionnairePageVO;
import vip.gadfly.chakkispring.vo.QuestionnaireVO;
/**
* @author Gadfly
*/
@Repository
public interface QuestionnaireMapper extends BaseMapper<QuestionnaireDO> {
IPage<QuestionnairePageVO> selectQuestionnairePageByClassId(Page pager, @Param("classId") Integer classId);
IPage<QuestionnairePageVO> selectQuestionnairePageForStudentByClassId(Page pager,
@Param("userId") Integer userId,
@Param("classId") Integer classId);
QuestionnaireVO getQuestionnaireVO(@Param("id") Integer id);
long selectCountByClassId(@Param("classId") Integer classId);
}
| 40.071429 | 111 | 0.707665 |
8b9ac160f6f0620d50426201653ee72d833f8ec9 | 2,460 | package io.rtdi.bigdata.pipelinetest;
import java.io.IOException;
import java.util.List;
import io.rtdi.bigdata.connector.pipeline.foundation.ConsumerSession;
import io.rtdi.bigdata.connector.pipeline.foundation.IPipelineBase;
import io.rtdi.bigdata.connector.pipeline.foundation.IProcessFetchedRow;
import io.rtdi.bigdata.connector.pipeline.foundation.TopicName;
import io.rtdi.bigdata.connector.pipeline.foundation.TopicPayload;
import io.rtdi.bigdata.connector.pipeline.foundation.enums.OperationState;
import io.rtdi.bigdata.connector.pipeline.foundation.exceptions.PipelineRuntimeException;
import io.rtdi.bigdata.connector.pipeline.foundation.exceptions.PropertiesException;
import io.rtdi.bigdata.connector.properties.ConsumerProperties;
public class ConsumerSessionTest extends ConsumerSession<TopicHandlerTest> {
protected ConsumerSessionTest(ConsumerProperties properties, IPipelineBase<?, TopicHandlerTest> api, String tenantid) throws PropertiesException {
super(properties, tenantid, api);
}
@Override
public int fetchBatch(IProcessFetchedRow processor) throws IOException {
state = OperationState.FETCH;
TopicHandlerTest topic = getTopic(getProperties().getTopicPattern());
int rowsfetched = 0;
if (topic != null) {
state = OperationState.FETCHWAITINGFORDATA;
List<TopicPayload> data = topic.getData();
for (TopicPayload p : data) {
if (lastoffset < p.getOffset()) {
state = OperationState.FETCHGETTINGROW;
processor.process(topic.getTopicName().getName(), p.getOffset(), 1, p.getKeyRecord(), p.getValueRecord(), p.getKeySchemaId(), p.getValueSchemaId());
lastoffset = p.getOffset();
rowsfetched++;
}
}
if (rowsfetched == 0) {
try {
Thread.sleep(getProperties().getFlushMaxTime()); // throttle the CPU consumption a bit as this is a non-blocking implementation
} catch (InterruptedException e) {
}
}
}
state = OperationState.DONEFETCH;
return rowsfetched;
}
@Override
public void setTopics() throws PropertiesException {
TopicHandlerTest topic = getPipelineAPI().getTopic(new TopicName(getTenantId(), getProperties().getTopicPattern()));
addTopic(topic);
}
@Override
public void open() throws PropertiesException {
state = OperationState.DONEOPEN;
}
@Override
public void close() {
state = OperationState.DONECLOSE;
}
@Override
public void commit() throws PipelineRuntimeException {
state = OperationState.DONEEXPLICITCOMMIT;
}
}
| 34.647887 | 153 | 0.771545 |
16d7b56f7cde091b713404e319bcbe3463c4e396 | 4,216 | import java.util.NoSuchElementException;
/** Linked List Lab
* Made by Toby Patterson 5/29/2020
* For CS165 at CSU
*/
public class MyLinkedList implements MiniList<Integer>{
/* Private member variables that you need to declare:
** The head pointer
** The tail pointer
*/
private Node head;
private Node tail;
private int size;
public class Node {
public int data;
public Node next;
// declare member variables (data and next)
// finish these constructors
public int getData(){
return data;
}
public Node(int data, Node next) {
this.data = data;
this.next = next;
}
public Node(int data) {
this.data = data;
this.next = null;
} // HINT: use this() with next = null
}
// Initialize the linked list (set head and tail pointers)
public MyLinkedList() {
head = null;
tail = null;
size = 0;
}
@Override
public boolean add(Integer item) {
if(head == null){
Node next = new Node(item);
head = next;
tail = head;
size++;
return true;
}else{
Node next = new Node(item);
Node prev = getNode(size - 1);
prev.next = next;
//tail.next = next;
tail = next;
size++;
return true;
}
}
@Override
public void add(int index, Integer element) {
if(index < 0 || index > size){
throw new IndexOutOfBoundsException();
}else if(tail == null){
add(element);
}else if(index == 0){
Node curr = getNode(index);
Node newNode = new Node(element, curr);
head = newNode;
size++;
}
Node prev = getNode(index - 1);
Node curr = getNode(index);
Node newNode = new Node(element, curr);
prev.next = newNode;
size++;
}
@Override
public Integer remove() {
if(head == tail){
head = null;
tail = null;
size = 0;
return 0;
}
head.next = getNode(1);
head = head.next;
size--;
return 0;
}
@Override
public Integer remove(int index) {
if(index < 0 || index > size){
throw new IndexOutOfBoundsException();
}else if(tail == null){
throw new NoSuchElementException();
}else if(index == 0){
return remove();
}
Node prev = getNode(index - 1);
prev.next = getNode(index + 1);
size --;
return index;
}
@Override
public boolean remove(Integer item) {
Node n;
for(int i = 0; i < size; i++){
n = getNode(i);
if(n.data == item){
remove(i);
return true;
}
}
return false;
}
@Override
public void clear() {
head = null;
tail = null;
}
@Override
public boolean contains(Integer item) {
for(int i = 0; i < size; i++){
if (get(i) == item){
return true;
}
}
return false;
}
@Override
public Integer get(int index) {
return getNode(index).getData();
}
public Node getNode(int index) {
Node n = head;
for(int i = 0; i < index; i++){
n = n.next;
}
return n;
}
@Override
public int indexOf(Integer item) {
for(int i = 0; i < size; i++){
if (get(i) == item){
return i;
}
}
return -1;
}
@Override
public boolean isEmpty() {
if(size == 0){return true;}
return false;
}
@Override
public int size() {
return size;
}
// Uncomment when ready to test
@Override
public String toString() {
String ret = "";
Node curr = head;
while (curr != null) {
ret += curr.data + " ";
curr = curr.next;
}
return ret;
}
} | 22.425532 | 62 | 0.468691 |
c17d0368ad5d38a1b584c20752c4024e6b8e71ab | 2,835 | package org.geekbang.thinking.in.spring.denpendency;
import org.springframework.beans.factory.BeanFactory;
import org.springframework.beans.factory.NoSuchBeanDefinitionException;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationEventPublisher;
import org.springframework.context.annotation.AnnotationConfigApplicationContext;
import org.springframework.core.io.ResourceLoader;
import javax.annotation.PostConstruct;
public class DependencySourceDemo {
// 依赖注入 早于 初始化
@Autowired
private BeanFactory beanFactory;
@Autowired
private ApplicationContext applicationContext;
@Autowired
private ApplicationEventPublisher applicationEventPublisher;
@Autowired
private ResourceLoader resourceLoader;
@PostConstruct
public void initBean(){
System.out.println("beanFactory == applicationContext "+(beanFactory == applicationContext));
System.out.println("beanFactory == applicationContext.getAutowireCapableBeanFactory() "+(beanFactory == applicationContext.getAutowireCapableBeanFactory()));
System.out.println("applicationContext == applicationEventPublisher "+ (applicationContext == applicationEventPublisher));
System.out.println("applicationContext == resourceLoader " + (applicationContext == resourceLoader));
}
// 验证ResolverDependency bean不能依赖查询,只能依赖注入
public static void lookup(ApplicationContext context){
getBean(context,BeanFactory.class);
getBean(context,ApplicationContext.class);
getBean(context,ApplicationEventPublisher.class);
getBean(context,ResourceLoader.class);
}
private static <T> T getBean(ApplicationContext context,Class<T> type){
try{
return context.getBean(type);
}catch (NoSuchBeanDefinitionException e){
System.out.printf("在当前容器中查找不到 %s \n",type);
}
return null;
}
public static void main(String[] args) {
AnnotationConfigApplicationContext applicationContext = new AnnotationConfigApplicationContext();
applicationContext.register(DependencySourceDemo.class);
applicationContext.refresh();
lookup(applicationContext);
applicationContext.close();
}
}
/**
beanFactory == applicationContext false
beanFactory == applicationContext.getAutowireCapableBeanFactory() true
applicationContext == applicationEventPublisher true
applicationContext == resourceLoader true
在当前容器中查找不到 interface org.springframework.beans.factory.BeanFactory
在当前容器中查找不到 interface org.springframework.context.ApplicationContext
在当前容器中查找不到 interface org.springframework.context.ApplicationEventPublisher
在当前容器中查找不到 interface org.springframework.core.io.ResourceLoader
*/ | 38.310811 | 165 | 0.770723 |
95c36fd873badb3ba003a96f2f5db690433a70a9 | 3,309 | /*
* Copyright 2013 the original author or authors.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* 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.
*/
package org.springmodules.samples.cache.guava.repository.jdbc;
import com.google.common.collect.ImmutableCollection;
import com.google.common.collect.Iterables;
import org.junit.Test;
import org.springmodules.samples.cache.guava.domain.Post;
import java.util.Collection;
import java.util.Map;
import static com.google.common.collect.Iterables.getOnlyElement;
import static org.fest.assertions.api.Assertions.assertThat;
import static org.springmodules.samples.cache.guava.util.SampleConditions.sameAsPost;
import static org.springmodules.samples.cache.guava.util.SampleTests.newPost;
/**
* @author Omar Irbouh
* @since 1.0.0
*/
public class JdbcPostRepositoryTest extends AbstractJdbcRepositoryTest {
@Test
public void testCreate() {
// delete all existing posts
helper.deleteFromTables("posts");
String userName = "user-3";
Post post31 = newPost(userName, "content-31");
postRepository.create(post31);
// verify it was saved (non-zero id assigned)
assertThat(post31.getId()).isNotZero();
// load all posts
Map<Integer, Post> posts = helper.loadAllPosts();
assertThat(posts).hasSize(1);
assertThat(getOnlyElement(posts.values())).is(sameAsPost(post31));
}
@Test
public void testUpdate() {
// get first post
Post post = Iterables.get(postMap.values(), 0);
final int id = post.getId();
// update in store
final String content = "x-x--- new content ---x-x";
post.setContent(content);
postRepository.update(post);
// verify
Post updatedPost = helper.loadAllPosts().get(id);
assertThat(updatedPost.getContent()).isEqualTo(content);
}
@Test
public void testDelete() {
// get first post
Post post = Iterables.get(postMap.values(), 0);
final int id = post.getId();
postRepository.delete(post.getUserName(), post.getId());
// verify
Map<Integer, Post> posts = helper.loadAllPosts();
assertThat(posts.keySet()).doesNotContain(id);
}
@Test
public void findByUserName_HasPosts() {
// user1 has posts
final String userName = "user-1";
ImmutableCollection<Post> userPosts = postMap.get(userName);
assertThat(userPosts).isNotEmpty();
// load from db
Collection<Post> posts = postRepository.findByUserName(userName);
// verify
assertThat(posts).hasSameSizeAs(userPosts);
assertThat(userPosts).containsAll(posts);
assertThat(posts).containsAll(userPosts);
}
@Test
public void findByUserName_NoPosts() {
// user3 has 0 posts
final String userName = "user-3";
ImmutableCollection<Post> userPosts = postMap.get(userName);
assertThat(userPosts).isEmpty();
// load from db
Collection<Post> posts = postRepository.findByUserName(userName);
// verify
assertThat(posts).isEmpty();
}
} | 28.282051 | 85 | 0.737081 |
8b11be5f5a09d7b34efac700abec879d67116b05 | 500 | package spectacular.backend.github.graphql;
import com.fasterxml.jackson.annotation.JsonCreator;
import com.fasterxml.jackson.annotation.JsonProperty;
public class ResponseData {
private final RepositoryWithPullRequests repository;
@JsonCreator(mode = JsonCreator.Mode.PROPERTIES)
public ResponseData(@JsonProperty("repository") RepositoryWithPullRequests repository) {
this.repository = repository;
}
public RepositoryWithPullRequests getRepository() {
return repository;
}
} | 29.411765 | 90 | 0.806 |
3c6a8fb869ebf7aa9eb771359d05c8e5415c2057 | 423 | package com.salmon.oss.core.usermgr;
import com.salmon.oss.core.usermgr.model.UserInfo;
public interface UserService {
boolean addUser(UserInfo userInfo);
boolean updateUserInfo(String userId, String password, String detail);
boolean deleteUser(String userId);
UserInfo getUserInfo(String userId);
UserInfo checkPassword(String userName, String password);
UserInfo getUserInfoByName(String userName);
}
| 22.263158 | 72 | 0.791962 |
ca8334075978eb3d60b0dcbe8d08bf571c4a82a0 | 3,242 | package moxproxy.webservice.controllers;
import moxproxy.consts.MoxProxyRoutes;
import moxproxy.interfaces.MoxProxyService;
import moxproxy.model.MoxProxySessionIdMatchingStrategy;
import moxproxy.webservice.consts.ControllerConsts;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.*;
@RestController
@RequestMapping(MoxProxyRoutes.API_ROUTE)
public final class SessionController extends BaseController {
private static final Logger LOG = LoggerFactory.getLogger(SessionController.class);
@Autowired
MoxProxyService moxProxyService;
@RequestMapping(value = MoxProxyRoutes.SESSION_ROUTE, method = RequestMethod.DELETE, produces = ControllerConsts.APPLICATION_JSON)
public ResponseEntity<?> clearAllSessionEntries(){
try {
moxProxyService.clearAllSessionEntries();
return new ResponseEntity<>(createResponseForRemovedItem(), HttpStatus.OK);
} catch (Exception e) {
LOG.error("Error during all session entries cleanup", e);
return new ResponseEntity<>(createResponseForError(e.getMessage()), HttpStatus.INTERNAL_SERVER_ERROR);
}
}
@RequestMapping(value = MoxProxyRoutes.SESSION_ID_ROUTE, method = RequestMethod.DELETE, produces = ControllerConsts.APPLICATION_JSON)
public ResponseEntity<?> clearSessionEntries(@PathVariable String sessionId){
try {
moxProxyService.clearSessionEntries(sessionId);
return new ResponseEntity<>(createResponseForRemovedItem(), HttpStatus.OK);
} catch (Exception e) {
LOG.error("Error during session {} entries cleanup", sessionId, e);
return new ResponseEntity<>(createResponseForError(e.getMessage()), HttpStatus.INTERNAL_SERVER_ERROR);
}
}
@RequestMapping(value = MoxProxyRoutes.SESSION_ROUTE_MATCH_STRATEGY, method = RequestMethod.POST, produces = ControllerConsts.APPLICATION_JSON)
public ResponseEntity<?> modifyMatchingStrategy(@RequestBody MoxProxySessionIdMatchingStrategy strategy){
try {
moxProxyService.modifySessionMatchingStrategy(strategy);
return new ResponseEntity<>(createResponseForModified(), HttpStatus.OK);
} catch (Exception e) {
LOG.error("Error during matching strategy modification", e);
return new ResponseEntity<>(createResponseForError(e.getMessage()), HttpStatus.INTERNAL_SERVER_ERROR);
}
}
@RequestMapping(value = MoxProxyRoutes.SESSION_ROUTE_MATCH_STRATEGY, method = RequestMethod.GET, produces = ControllerConsts.APPLICATION_JSON)
public ResponseEntity<?> getMatchingStrategy(){
try {
MoxProxySessionIdMatchingStrategy result = moxProxyService.getSessionMatchingStrategy();
return new ResponseEntity<>(result, HttpStatus.OK);
} catch (Exception e) {
LOG.error("Error during matching strategy retrieval", e);
return new ResponseEntity<>(createResponseForError(e.getMessage()), HttpStatus.INTERNAL_SERVER_ERROR);
}
}
}
| 48.38806 | 147 | 0.741518 |
0a42d8b56f6cbef3bd67aabd8edeb78ef45aced3 | 67,699 | /*
* Copyright 2015 Goldman Sachs.
*
* 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.
*/
package com.gs.collections.impl.utility;
import java.lang.reflect.Field;
import java.util.ArrayList;
import java.util.Collection;
import java.util.Collections;
import java.util.Comparator;
import java.util.Iterator;
import java.util.List;
import com.gs.collections.api.block.function.Function;
import com.gs.collections.api.block.function.Function0;
import com.gs.collections.api.block.function.Function2;
import com.gs.collections.api.block.function.Function3;
import com.gs.collections.api.block.function.primitive.BooleanFunction;
import com.gs.collections.api.block.function.primitive.ByteFunction;
import com.gs.collections.api.block.function.primitive.CharFunction;
import com.gs.collections.api.block.function.primitive.DoubleFunction;
import com.gs.collections.api.block.function.primitive.DoubleObjectToDoubleFunction;
import com.gs.collections.api.block.function.primitive.FloatFunction;
import com.gs.collections.api.block.function.primitive.FloatObjectToFloatFunction;
import com.gs.collections.api.block.function.primitive.IntFunction;
import com.gs.collections.api.block.function.primitive.IntObjectToIntFunction;
import com.gs.collections.api.block.function.primitive.LongFunction;
import com.gs.collections.api.block.function.primitive.LongObjectToLongFunction;
import com.gs.collections.api.block.function.primitive.ShortFunction;
import com.gs.collections.api.block.predicate.Predicate;
import com.gs.collections.api.block.predicate.Predicate2;
import com.gs.collections.api.block.procedure.Procedure;
import com.gs.collections.api.block.procedure.Procedure2;
import com.gs.collections.api.block.procedure.primitive.ObjectIntProcedure;
import com.gs.collections.api.collection.primitive.MutableBooleanCollection;
import com.gs.collections.api.collection.primitive.MutableByteCollection;
import com.gs.collections.api.collection.primitive.MutableCharCollection;
import com.gs.collections.api.collection.primitive.MutableDoubleCollection;
import com.gs.collections.api.collection.primitive.MutableFloatCollection;
import com.gs.collections.api.collection.primitive.MutableIntCollection;
import com.gs.collections.api.collection.primitive.MutableLongCollection;
import com.gs.collections.api.collection.primitive.MutableShortCollection;
import com.gs.collections.api.list.MutableList;
import com.gs.collections.api.list.primitive.MutableBooleanList;
import com.gs.collections.api.list.primitive.MutableByteList;
import com.gs.collections.api.list.primitive.MutableCharList;
import com.gs.collections.api.list.primitive.MutableDoubleList;
import com.gs.collections.api.list.primitive.MutableFloatList;
import com.gs.collections.api.list.primitive.MutableIntList;
import com.gs.collections.api.list.primitive.MutableLongList;
import com.gs.collections.api.list.primitive.MutableShortList;
import com.gs.collections.api.map.MutableMap;
import com.gs.collections.api.multimap.MutableMultimap;
import com.gs.collections.api.partition.list.PartitionMutableList;
import com.gs.collections.api.set.MutableSet;
import com.gs.collections.api.tuple.Pair;
import com.gs.collections.api.tuple.Twin;
import com.gs.collections.impl.block.factory.Comparators;
import com.gs.collections.impl.block.procedure.MutatingAggregationProcedure;
import com.gs.collections.impl.block.procedure.NonMutatingAggregationProcedure;
import com.gs.collections.impl.factory.Lists;
import com.gs.collections.impl.list.mutable.FastList;
import com.gs.collections.impl.list.mutable.primitive.BooleanArrayList;
import com.gs.collections.impl.list.mutable.primitive.ByteArrayList;
import com.gs.collections.impl.list.mutable.primitive.CharArrayList;
import com.gs.collections.impl.list.mutable.primitive.DoubleArrayList;
import com.gs.collections.impl.list.mutable.primitive.FloatArrayList;
import com.gs.collections.impl.list.mutable.primitive.IntArrayList;
import com.gs.collections.impl.list.mutable.primitive.LongArrayList;
import com.gs.collections.impl.list.mutable.primitive.ShortArrayList;
import com.gs.collections.impl.map.mutable.UnifiedMap;
import com.gs.collections.impl.multimap.list.FastListMultimap;
import com.gs.collections.impl.partition.list.PartitionFastList;
import com.gs.collections.impl.set.mutable.UnifiedSet;
import com.gs.collections.impl.tuple.Tuples;
import com.gs.collections.impl.utility.internal.InternalArrayIterate;
import com.gs.collections.impl.utility.internal.RandomAccessListIterate;
/**
* This utility class provides optimized iteration pattern implementations that work with java.util.ArrayList.
*/
public final class ArrayListIterate
{
private static final Field ELEMENT_DATA_FIELD;
private static final Field SIZE_FIELD;
private static final int MIN_DIRECT_ARRAY_ACCESS_SIZE = 100;
static
{
Field data = null;
Field size = null;
try
{
data = ArrayList.class.getDeclaredField("elementData");
size = ArrayList.class.getDeclaredField("size");
try
{
data.setAccessible(true);
size.setAccessible(true);
}
catch (SecurityException ignored)
{
data = null;
size = null;
}
}
catch (NoSuchFieldException ignored)
{
}
ELEMENT_DATA_FIELD = data;
SIZE_FIELD = size;
}
private ArrayListIterate()
{
throw new AssertionError("Suppress default constructor for noninstantiability");
}
/**
* @see Iterate#select(Iterable, Predicate)
*/
public static <T> ArrayList<T> select(ArrayList<T> list, Predicate<? super T> predicate)
{
return ArrayListIterate.select(list, predicate, new ArrayList<T>());
}
/**
* @see Iterate#selectWith(Iterable, Predicate2, Object)
*/
public static <T, IV> ArrayList<T> selectWith(
ArrayList<T> list,
Predicate2<? super T, ? super IV> predicate,
IV injectedValue)
{
return ArrayListIterate.selectWith(list, predicate, injectedValue, new ArrayList<T>());
}
/**
* @see Iterate#select(Iterable, Predicate, Collection)
*/
public static <T, R extends Collection<T>> R select(
ArrayList<T> list,
Predicate<? super T> predicate,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i]))
{
targetCollection.add(elements[i]);
}
}
return targetCollection;
}
return RandomAccessListIterate.select(list, predicate, targetCollection);
}
/**
* @see Iterate#selectWith(Iterable, Predicate2, Object, Collection)
*/
public static <T, P, R extends Collection<T>> R selectWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i], parameter))
{
targetCollection.add(elements[i]);
}
}
return targetCollection;
}
return RandomAccessListIterate.selectWith(list, predicate, parameter, targetCollection);
}
/**
* @see Iterate#selectInstancesOf(Iterable, Class)
*/
public static <T> MutableList<T> selectInstancesOf(
ArrayList<?> list,
Class<T> clazz)
{
int size = list.size();
FastList<T> result = FastList.newList(size);
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
Object[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
Object element = elements[i];
if (clazz.isInstance(element))
{
result.add((T) element);
}
}
result.trimToSize();
return result;
}
return RandomAccessListIterate.selectInstancesOf(list, clazz);
}
/**
* @see Iterate#count(Iterable, Predicate)
*/
public static <T> int count(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
int count = 0;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i]))
{
count++;
}
}
return count;
}
return RandomAccessListIterate.count(list, predicate);
}
/**
* @see Iterate#countWith(Iterable, Predicate2, Object)
*/
public static <T, P> int countWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
int count = 0;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i], parameter))
{
count++;
}
}
return count;
}
return RandomAccessListIterate.countWith(list, predicate, parameter);
}
/**
* @see Iterate#collectIf(Iterable, Predicate, Function)
*/
public static <T, A> ArrayList<A> collectIf(
ArrayList<T> list,
Predicate<? super T> predicate,
Function<? super T, ? extends A> function)
{
return ArrayListIterate.collectIf(list, predicate, function, new ArrayList<A>());
}
/**
* @see Iterate#collectIf(Iterable, Predicate, Function, Collection)
*/
public static <T, A, R extends Collection<A>> R collectIf(
ArrayList<T> list,
Predicate<? super T> predicate,
Function<? super T, ? extends A> function,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i]))
{
targetCollection.add(function.valueOf(elements[i]));
}
}
return targetCollection;
}
return RandomAccessListIterate.collectIf(list, predicate, function, targetCollection);
}
/**
* @see Iterate#reject(Iterable, Predicate)
*/
public static <T> ArrayList<T> reject(ArrayList<T> list, Predicate<? super T> predicate)
{
return ArrayListIterate.reject(list, predicate, new ArrayList<T>());
}
/**
* @see Iterate#rejectWith(Iterable, Predicate2, Object)
*/
public static <T, IV> ArrayList<T> rejectWith(
ArrayList<T> list,
Predicate2<? super T, ? super IV> predicate,
IV injectedValue)
{
return ArrayListIterate.rejectWith(list, predicate, injectedValue, new ArrayList<T>());
}
/**
* @see Iterate#reject(Iterable, Predicate, Collection)
*/
public static <T, R extends Collection<T>> R reject(
ArrayList<T> list,
Predicate<? super T> predicate,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (!predicate.accept(elements[i]))
{
targetCollection.add(elements[i]);
}
}
return targetCollection;
}
return RandomAccessListIterate.reject(list, predicate, targetCollection);
}
/**
* @see Iterate#reject(Iterable, Predicate, Collection)
*/
public static <T, P, R extends Collection<T>> R rejectWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P injectedValue,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (!predicate.accept(elements[i], injectedValue))
{
targetCollection.add(elements[i]);
}
}
return targetCollection;
}
return RandomAccessListIterate.rejectWith(list, predicate, injectedValue, targetCollection);
}
/**
* @see Iterate#collect(Iterable, Function)
*/
public static <T, A> ArrayList<A> collect(
ArrayList<T> list,
Function<? super T, ? extends A> function)
{
return ArrayListIterate.collect(list, function, new ArrayList<A>(list.size()));
}
/**
* @see Iterate#collectBoolean(Iterable, BooleanFunction)
*/
public static <T> MutableBooleanList collectBoolean(
ArrayList<T> list,
BooleanFunction<? super T> booleanFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableBooleanList result = new BooleanArrayList(size);
return ArrayListIterate.collectBooleanFromInternalArray(list, booleanFunction, size, result);
}
return RandomAccessListIterate.collectBoolean(list, booleanFunction);
}
/**
* @see Iterate#collectBoolean(Iterable, BooleanFunction, MutableBooleanCollection)
*/
public static <T, R extends MutableBooleanCollection> R collectBoolean(ArrayList<T> list, BooleanFunction<? super T> booleanFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectBooleanFromInternalArray(list, booleanFunction, size, target);
}
return RandomAccessListIterate.collectBoolean(list, booleanFunction, target);
}
private static <T, R extends MutableBooleanCollection> R collectBooleanFromInternalArray(ArrayList<T> source, BooleanFunction<? super T> booleanFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(booleanFunction.booleanValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectByte(Iterable, ByteFunction)
*/
public static <T> MutableByteList collectByte(
ArrayList<T> list,
ByteFunction<? super T> byteFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableByteList result = new ByteArrayList(size);
return ArrayListIterate.collectByteFromInternalArray(list, byteFunction, size, result);
}
return RandomAccessListIterate.collectByte(list, byteFunction);
}
/**
* @see Iterate#collectByte(Iterable, ByteFunction, MutableByteCollection)
*/
public static <T, R extends MutableByteCollection> R collectByte(ArrayList<T> list, ByteFunction<? super T> byteFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectByteFromInternalArray(list, byteFunction, size, target);
}
return RandomAccessListIterate.collectByte(list, byteFunction, target);
}
private static <T, R extends MutableByteCollection> R collectByteFromInternalArray(ArrayList<T> source, ByteFunction<?
super T> byteFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(byteFunction.byteValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectChar(Iterable, CharFunction)
*/
public static <T> MutableCharList collectChar(
ArrayList<T> list,
CharFunction<? super T> charFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableCharList result = new CharArrayList(size);
return ArrayListIterate.collectCharFromInternalArray(list, charFunction, size, result);
}
return RandomAccessListIterate.collectChar(list, charFunction);
}
/**
* @see Iterate#collectChar(Iterable, CharFunction, MutableCharCollection)
*/
public static <T, R extends MutableCharCollection> R collectChar(ArrayList<T> list, CharFunction<? super T> charFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectCharFromInternalArray(list, charFunction, size, target);
}
return RandomAccessListIterate.collectChar(list, charFunction, target);
}
private static <T, R extends MutableCharCollection> R collectCharFromInternalArray(ArrayList<T> source, CharFunction<?
super T> charFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(charFunction.charValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectDouble(Iterable, DoubleFunction)
*/
public static <T> MutableDoubleList collectDouble(
ArrayList<T> list,
DoubleFunction<? super T> doubleFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableDoubleList result = new DoubleArrayList(size);
return ArrayListIterate.collectDoubleFromInternalArray(list, doubleFunction, size, result);
}
return RandomAccessListIterate.collectDouble(list, doubleFunction);
}
/**
* @see Iterate#collectDouble(Iterable, DoubleFunction, MutableDoubleCollection)
*/
public static <T, R extends MutableDoubleCollection> R collectDouble(ArrayList<T> list, DoubleFunction<? super T> doubleFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectDoubleFromInternalArray(list, doubleFunction, size, target);
}
return RandomAccessListIterate.collectDouble(list, doubleFunction, target);
}
private static <T, R extends MutableDoubleCollection> R collectDoubleFromInternalArray(ArrayList<T> source, DoubleFunction<?
super T> doubleFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(doubleFunction.doubleValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectFloat(Iterable, FloatFunction)
*/
public static <T> MutableFloatList collectFloat(
ArrayList<T> list,
FloatFunction<? super T> floatFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableFloatList result = new FloatArrayList(size);
return ArrayListIterate.collectFloatFromInternalArray(list, floatFunction, size, result);
}
return RandomAccessListIterate.collectFloat(list, floatFunction);
}
/**
* @see Iterate#collectFloat(Iterable, FloatFunction, MutableFloatCollection)
*/
public static <T, R extends MutableFloatCollection> R collectFloat(ArrayList<T> list, FloatFunction<? super T> floatFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectFloatFromInternalArray(list, floatFunction, size, target);
}
return RandomAccessListIterate.collectFloat(list, floatFunction, target);
}
private static <T, R extends MutableFloatCollection> R collectFloatFromInternalArray(ArrayList<T> source, FloatFunction<?
super T> floatFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(floatFunction.floatValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectInt(Iterable, IntFunction)
*/
public static <T> MutableIntList collectInt(
ArrayList<T> list,
IntFunction<? super T> intFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableIntList result = new IntArrayList(size);
return ArrayListIterate.collectIntFromInternalArray(list, intFunction, size, result);
}
return RandomAccessListIterate.collectInt(list, intFunction);
}
/**
* @see Iterate#collectInt(Iterable, IntFunction, MutableIntCollection)
*/
public static <T, R extends MutableIntCollection> R collectInt(ArrayList<T> list, IntFunction<? super T> intFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectIntFromInternalArray(list, intFunction, size, target);
}
return RandomAccessListIterate.collectInt(list, intFunction, target);
}
private static <T, R extends MutableIntCollection> R collectIntFromInternalArray(ArrayList<T> source, IntFunction<? super T> intFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(intFunction.intValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectLong(Iterable, LongFunction)
*/
public static <T> MutableLongList collectLong(
ArrayList<T> list,
LongFunction<? super T> longFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableLongList result = new LongArrayList(size);
return ArrayListIterate.collectLongFromInternalArray(list, longFunction, size, result);
}
return RandomAccessListIterate.collectLong(list, longFunction);
}
/**
* @see Iterate#collectLong(Iterable, LongFunction, MutableLongCollection)
*/
public static <T, R extends MutableLongCollection> R collectLong(ArrayList<T> list, LongFunction<? super T> longFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectLongFromInternalArray(list, longFunction, size, target);
}
return RandomAccessListIterate.collectLong(list, longFunction, target);
}
private static <T, R extends MutableLongCollection> R collectLongFromInternalArray(ArrayList<T> source, LongFunction<?
super T> longFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(longFunction.longValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collectShort(Iterable, ShortFunction)
*/
public static <T> MutableShortList collectShort(
ArrayList<T> list,
ShortFunction<? super T> shortFunction)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableShortList result = new ShortArrayList(size);
return ArrayListIterate.collectShortFromInternalArray(list, shortFunction, size, result);
}
return RandomAccessListIterate.collectShort(list, shortFunction);
}
/**
* @see Iterate#collectShort(Iterable, ShortFunction, MutableShortCollection)
*/
public static <T, R extends MutableShortCollection> R collectShort(ArrayList<T> list, ShortFunction<? super T> shortFunction, R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
return ArrayListIterate.collectShortFromInternalArray(list, shortFunction, size, target);
}
return RandomAccessListIterate.collectShort(list, shortFunction, target);
}
private static <T, R extends MutableShortCollection> R collectShortFromInternalArray(ArrayList<T> source, ShortFunction<?
super T> shortFunction, int elementsToCollect, R target)
{
T[] elements = ArrayListIterate.getInternalArray(source);
for (int i = 0; i < elementsToCollect; i++)
{
target.add(shortFunction.shortValueOf(elements[i]));
}
return target;
}
/**
* @see Iterate#collect(Iterable, Function, Collection)
*/
public static <T, A, R extends Collection<A>> R collect(
ArrayList<T> list,
Function<? super T, ? extends A> function,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
targetCollection.add(function.valueOf(elements[i]));
}
return targetCollection;
}
return RandomAccessListIterate.collect(list, function, targetCollection);
}
/**
* @see Iterate#flatCollect(Iterable, Function)
*/
public static <T, A> ArrayList<A> flatCollect(
ArrayList<T> list,
Function<? super T, ? extends Iterable<A>> function)
{
return ArrayListIterate.flatCollect(list, function, new ArrayList<A>(list.size()));
}
/**
* @see Iterate#flatCollect(Iterable, Function, Collection)
*/
public static <T, A, R extends Collection<A>> R flatCollect(
ArrayList<T> list,
Function<? super T, ? extends Iterable<A>> function,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
Iterate.addAllTo(function.valueOf(elements[i]), targetCollection);
}
return targetCollection;
}
return RandomAccessListIterate.flatCollect(list, function, targetCollection);
}
/**
* @see Iterate#forEach(Iterable, Procedure)
*/
public static <T> void forEach(ArrayList<T> list, Procedure<? super T> procedure)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
procedure.value(elements[i]);
}
}
else
{
RandomAccessListIterate.forEach(list, procedure);
}
}
/**
* Reverses over the List in reverse order executing the Procedure for each element
*/
public static <T> void reverseForEach(ArrayList<T> list, Procedure<? super T> procedure)
{
if (!list.isEmpty())
{
ArrayListIterate.forEach(list, list.size() - 1, 0, procedure);
}
}
/**
* Iterates over the section of the list covered by the specified indexes. The indexes are both inclusive. If the
* from is less than the to, the list is iterated in forward order. If the from is greater than the to, then the
* list is iterated in the reverse order.
* <p>
* <pre>e.g.
* ArrayList<People> people = new ArrayList<People>(FastList.newListWith(ted, mary, bob, sally));
* ArrayListIterate.forEach(people, 0, 1, new Procedure<Person>()
* {
* public void value(Person person)
* {
* LOGGER.info(person.getName());
* }
* });
* </pre>
* <p>
* This code would output ted and mary's names.
*/
public static <T> void forEach(ArrayList<T> list, int from, int to, Procedure<? super T> procedure)
{
ListIterate.rangeCheck(from, to, list.size());
if (ArrayListIterate.isOptimizableArrayList(list, to - from + 1))
{
T[] elements = ArrayListIterate.getInternalArray(list);
InternalArrayIterate.forEachWithoutChecks(elements, from, to, procedure);
}
else
{
RandomAccessListIterate.forEach(list, from, to, procedure);
}
}
/**
* Iterates over the section of the list covered by the specified indexes. The indexes are both inclusive. If the
* from is less than the to, the list is iterated in forward order. If the from is greater than the to, then the
* list is iterated in the reverse order. The index passed into the ObjectIntProcedure is the actual index of the
* range.
* <p>
* <pre>e.g.
* ArrayList<People> people = new ArrayList<People>(FastList.newListWith(ted, mary, bob, sally));
* ArrayListIterate.forEachWithIndex(people, 0, 1, new ObjectIntProcedure<Person>()
* {
* public void value(Person person, int index)
* {
* LOGGER.info(person.getName() + " at index: " + index);
* }
* });
* </pre>
* <p>
* This code would output ted and mary's names.
*/
public static <T> void forEachWithIndex(
ArrayList<T> list,
int from,
int to,
ObjectIntProcedure<? super T> objectIntProcedure)
{
ListIterate.rangeCheck(from, to, list.size());
if (ArrayListIterate.isOptimizableArrayList(list, to - from + 1))
{
T[] elements = ArrayListIterate.getInternalArray(list);
InternalArrayIterate.forEachWithIndexWithoutChecks(elements, from, to, objectIntProcedure);
}
else
{
RandomAccessListIterate.forEachWithIndex(list, from, to, objectIntProcedure);
}
}
/**
* @see ListIterate#forEachInBoth(List, List, Procedure2)
*/
public static <T1, T2> void forEachInBoth(
ArrayList<T1> list1,
ArrayList<T2> list2,
Procedure2<? super T1, ? super T2> procedure)
{
RandomAccessListIterate.forEachInBoth(list1, list2, procedure);
}
/**
* @see Iterate#forEachWithIndex(Iterable, ObjectIntProcedure)
*/
public static <T> void forEachWithIndex(ArrayList<T> list, ObjectIntProcedure<? super T> objectIntProcedure)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
objectIntProcedure.value(elements[i], i);
}
}
else
{
RandomAccessListIterate.forEachWithIndex(list, objectIntProcedure);
}
}
/**
* @see Iterate#detect(Iterable, Predicate)
*/
public static <T> T detect(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T item = elements[i];
if (predicate.accept(item))
{
return item;
}
}
return null;
}
return RandomAccessListIterate.detect(list, predicate);
}
/**
* @see Iterate#detectWith(Iterable, Predicate2, Object)
*/
public static <T, P> T detectWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T item = elements[i];
if (predicate.accept(item, parameter))
{
return item;
}
}
return null;
}
return RandomAccessListIterate.detectWith(list, predicate, parameter);
}
/**
* @see Iterate#detectIfNone(Iterable, Predicate, Object)
*/
public static <T> T detectIfNone(ArrayList<T> list, Predicate<? super T> predicate, T ifNone)
{
T result = ArrayListIterate.detect(list, predicate);
return result == null ? ifNone : result;
}
/**
* @see Iterate#detectWithIfNone(Iterable, Predicate2, Object, Object)
*/
public static <T, IV> T detectWithIfNone(
ArrayList<T> list,
Predicate2<? super T, ? super IV> predicate,
IV injectedValue,
T ifNone)
{
T result = ArrayListIterate.detectWith(list, predicate, injectedValue);
return result == null ? ifNone : result;
}
/**
* @see Iterate#injectInto(Object, Iterable, Function2)
*/
public static <T, IV> IV injectInto(
IV injectValue,
ArrayList<T> list,
Function2<? super IV, ? super T, ? extends IV> function)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
IV result = injectValue;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
result = function.value(result, elements[i]);
}
return result;
}
return RandomAccessListIterate.injectInto(injectValue, list, function);
}
/**
* @see Iterate#injectInto(int, Iterable, IntObjectToIntFunction)
*/
public static <T> int injectInto(
int injectValue,
ArrayList<T> list,
IntObjectToIntFunction<? super T> function)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
int result = injectValue;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
result = function.intValueOf(result, elements[i]);
}
return result;
}
return RandomAccessListIterate.injectInto(injectValue, list, function);
}
/**
* @see Iterate#injectInto(long, Iterable, LongObjectToLongFunction)
*/
public static <T> long injectInto(
long injectValue,
ArrayList<T> list,
LongObjectToLongFunction<? super T> function)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
long result = injectValue;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
result = function.longValueOf(result, elements[i]);
}
return result;
}
return RandomAccessListIterate.injectInto(injectValue, list, function);
}
/**
* @see Iterate#injectInto(double, Iterable, DoubleObjectToDoubleFunction)
*/
public static <T> double injectInto(
double injectValue,
ArrayList<T> list,
DoubleObjectToDoubleFunction<? super T> function)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
double result = injectValue;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
result = function.doubleValueOf(result, elements[i]);
}
return result;
}
return RandomAccessListIterate.injectInto(injectValue, list, function);
}
/**
* @see Iterate#injectInto(float, Iterable, FloatObjectToFloatFunction)
*/
public static <T> float injectInto(
float injectValue,
ArrayList<T> list,
FloatObjectToFloatFunction<? super T> function)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
float result = injectValue;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
result = function.floatValueOf(result, elements[i]);
}
return result;
}
return RandomAccessListIterate.injectInto(injectValue, list, function);
}
/**
* @see Iterate#anySatisfy(Iterable, Predicate)
*/
public static <T> boolean anySatisfy(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i]))
{
return true;
}
}
return false;
}
return RandomAccessListIterate.anySatisfy(list, predicate);
}
/**
* @see Iterate#anySatisfyWith(Iterable, Predicate2, Object)
*/
public static <T, P> boolean anySatisfyWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i], parameter))
{
return true;
}
}
return false;
}
return RandomAccessListIterate.anySatisfyWith(list, predicate, parameter);
}
/**
* @see Iterate#allSatisfy(Iterable, Predicate)
*/
public static <T> boolean allSatisfy(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (!predicate.accept(elements[i]))
{
return false;
}
}
return true;
}
return RandomAccessListIterate.allSatisfy(list, predicate);
}
/**
* @see Iterate#allSatisfyWith(Iterable, Predicate2, Object)
*/
public static <T, IV> boolean allSatisfyWith(
ArrayList<T> list,
Predicate2<? super T, ? super IV> predicate,
IV injectedValue)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (!predicate.accept(elements[i], injectedValue))
{
return false;
}
}
return true;
}
return RandomAccessListIterate.allSatisfyWith(list, predicate, injectedValue);
}
/**
* @see Iterate#noneSatisfy(Iterable, Predicate)
*/
public static <T> boolean noneSatisfy(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i]))
{
return false;
}
}
return true;
}
return RandomAccessListIterate.noneSatisfy(list, predicate);
}
/**
* @see Iterate#noneSatisfyWith(Iterable, Predicate2, Object)
*/
public static <T, IV> boolean noneSatisfyWith(
ArrayList<T> list,
Predicate2<? super T, ? super IV> predicate,
IV injectedValue)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i], injectedValue))
{
return false;
}
}
return true;
}
return RandomAccessListIterate.noneSatisfyWith(list, predicate, injectedValue);
}
/**
* @see Iterate#selectAndRejectWith(Iterable, Predicate2, Object)
*/
public static <T, P> Twin<MutableList<T>> selectAndRejectWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableList<T> positiveResult = Lists.mutable.empty();
MutableList<T> negativeResult = Lists.mutable.empty();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
(predicate.accept(elements[i], parameter) ? positiveResult : negativeResult).add(elements[i]);
}
return Tuples.twin(positiveResult, negativeResult);
}
return RandomAccessListIterate.selectAndRejectWith(list, predicate, parameter);
}
/**
* @see Iterate#partition(Iterable, Predicate)
*/
public static <T> PartitionMutableList<T> partition(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
PartitionFastList<T> partitionFastList = new PartitionFastList<T>();
MutableList<T> selected = partitionFastList.getSelected();
MutableList<T> rejected = partitionFastList.getRejected();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T each = elements[i];
MutableList<T> bucket = predicate.accept(each) ? selected : rejected;
bucket.add(each);
}
return partitionFastList;
}
return RandomAccessListIterate.partition(list, predicate);
}
public static <T, P> PartitionMutableList<T> partitionWith(ArrayList<T> list, Predicate2<? super T, ? super P> predicate, P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
PartitionFastList<T> partitionFastList = new PartitionFastList<T>();
MutableList<T> selected = partitionFastList.getSelected();
MutableList<T> rejected = partitionFastList.getRejected();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T each = elements[i];
MutableList<T> bucket = predicate.accept(each, parameter) ? selected : rejected;
bucket.add(each);
}
return partitionFastList;
}
return RandomAccessListIterate.partitionWith(list, predicate, parameter);
}
/**
* @see Iterate#detectIndex(Iterable, Predicate)
*/
public static <T> int detectIndex(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i]))
{
return i;
}
}
return -1;
}
return RandomAccessListIterate.detectIndex(list, predicate);
}
/**
* @see Iterate#detectIndexWith(Iterable, Predicate2, Object)
*/
public static <T, P> int detectIndexWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (predicate.accept(elements[i], parameter))
{
return i;
}
}
return -1;
}
return RandomAccessListIterate.detectIndexWith(list, predicate, parameter);
}
/**
* @see ListIterate#detectLastIndex(List, Predicate)
*/
public static <T> int detectLastIndex(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = size - 1; i >= 0; i--)
{
if (predicate.accept(elements[i]))
{
return i;
}
}
return -1;
}
return RandomAccessListIterate.detectLastIndex(list, predicate);
}
/**
* @see Iterate#injectIntoWith(Object, Iterable, Function3, Object)
*/
public static <T, IV, P> IV injectIntoWith(
IV injectedValue,
ArrayList<T> list,
Function3<? super IV, ? super T, ? super P, ? extends IV> function,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
IV result = injectedValue;
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
result = function.value(result, elements[i], parameter);
}
return result;
}
return RandomAccessListIterate.injectIntoWith(injectedValue, list, function, parameter);
}
/**
* @see Iterate#forEachWith(Iterable, Procedure2, Object)
*/
public static <T, P> void forEachWith(
ArrayList<T> list,
Procedure2<? super T, ? super P> procedure,
P parameter)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
procedure.value(elements[i], parameter);
}
}
else
{
RandomAccessListIterate.forEachWith(list, procedure, parameter);
}
}
/**
* @see Iterate#collectWith(Iterable, Function2, Object)
*/
public static <T, P, A> ArrayList<A> collectWith(
ArrayList<T> list,
Function2<? super T, ? super P, ? extends A> function,
P parameter)
{
return ArrayListIterate.collectWith(list, function, parameter, new ArrayList<A>(list.size()));
}
/**
* @see Iterate#collectWith(Iterable, Function2, Object, Collection)
*/
public static <T, P, A, R extends Collection<A>> R collectWith(
ArrayList<T> list,
Function2<? super T, ? super P, ? extends A> function,
P parameter,
R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
targetCollection.add(function.value(elements[i], parameter));
}
return targetCollection;
}
return RandomAccessListIterate.collectWith(list, function, parameter, targetCollection);
}
/**
* @see Iterate#removeIf(Iterable, Predicate)
*/
public static <T> ArrayList<T> removeIf(ArrayList<T> list, Predicate<? super T> predicate)
{
if (list.getClass() == ArrayList.class && ArrayListIterate.SIZE_FIELD != null)
{
int currentFilledIndex = 0;
int size = list.size();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (!predicate.accept(elements[i]))
{
// keep it
if (currentFilledIndex != i)
{
elements[currentFilledIndex] = elements[i];
}
currentFilledIndex++;
}
}
ArrayListIterate.wipeAndResetTheEnd(currentFilledIndex, size, elements, list);
}
else
{
RandomAccessListIterate.removeIf(list, predicate);
}
return list;
}
/**
* @see Iterate#removeIfWith(Iterable, Predicate2, Object)
*/
public static <T, P> ArrayList<T> removeIfWith(
ArrayList<T> list,
Predicate2<? super T, ? super P> predicate,
P parameter)
{
if (list.getClass() == ArrayList.class && ArrayListIterate.SIZE_FIELD != null)
{
int currentFilledIndex = 0;
int size = list.size();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (!predicate.accept(elements[i], parameter))
{
// keep it
if (currentFilledIndex != i)
{
elements[currentFilledIndex] = elements[i];
}
currentFilledIndex++;
}
}
ArrayListIterate.wipeAndResetTheEnd(currentFilledIndex, size, elements, list);
}
else
{
RandomAccessListIterate.removeIfWith(list, predicate, parameter);
}
return list;
}
public static <T> ArrayList<T> distinct(ArrayList<T> list)
{
return ArrayListIterate.distinct(list, new ArrayList<T>());
}
public static <T, R extends Collection<T>> R distinct(ArrayList<T> list, R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableSet<T> seenSoFar = UnifiedSet.newSet();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
if (seenSoFar.add(elements[i]))
{
targetCollection.add(elements[i]);
}
}
return targetCollection;
}
return RandomAccessListIterate.distinct(list, targetCollection);
}
private static <T> void wipeAndResetTheEnd(
int newCurrentFilledIndex,
int newSize,
T[] newElements,
ArrayList<T> list)
{
for (int i = newCurrentFilledIndex; i < newSize; i++)
{
newElements[i] = null;
}
try
{
ArrayListIterate.SIZE_FIELD.setInt(list, newCurrentFilledIndex);
}
catch (IllegalAccessException e)
{
throw new RuntimeException(
"Something really bad happened on the way to pounding size into the ArrayList reflectively",
e);
}
}
/**
* Mutates the internal array of the ArrayList by sorting it and then returns the same ArrayList.
*/
public static <T extends Comparable<? super T>> ArrayList<T> sortThis(ArrayList<T> list)
{
return ArrayListIterate.sortThis(list, Comparators.naturalOrder());
}
/**
* Mutates the internal array of the ArrayList by sorting it and then returns the same ArrayList.
*/
public static <T> ArrayList<T> sortThis(ArrayList<T> list, Comparator<? super T> comparator)
{
int size = list.size();
if (ArrayListIterate.canAccessInternalArray(list))
{
ArrayIterate.sort(ArrayListIterate.getInternalArray(list), size, comparator);
}
else
{
Collections.sort(list, comparator);
}
return list;
}
public static <T> void toArray(ArrayList<T> list, T[] target, int startIndex, int sourceSize)
{
if (ArrayListIterate.canAccessInternalArray(list))
{
System.arraycopy(ArrayListIterate.getInternalArray(list), 0, target, startIndex, sourceSize);
}
else
{
RandomAccessListIterate.toArray(list, target, startIndex, sourceSize);
}
}
/**
* @see Iterate#take(Iterable, int)
*/
public static <T> ArrayList<T> take(ArrayList<T> list, int count)
{
if (count < 0)
{
throw new IllegalArgumentException("Count must be greater than zero, but was: " + count);
}
return ArrayListIterate.take(list, count, new ArrayList<T>(Math.min(list.size(), count)));
}
/**
* @see Iterate#take(Iterable, int)
*/
public static <T, R extends Collection<T>> R take(ArrayList<T> list, int count, R targetList)
{
if (count < 0)
{
throw new IllegalArgumentException("Count must be greater than zero, but was: " + count);
}
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
int end = Math.min(size, count);
for (int i = 0; i < end; i++)
{
targetList.add(elements[i]);
}
return targetList;
}
return RandomAccessListIterate.take(list, count, targetList);
}
/**
* @see Iterate#drop(Iterable, int)
*/
public static <T> ArrayList<T> drop(ArrayList<T> list, int count)
{
if (count < 0)
{
throw new IllegalArgumentException("Count must be greater than zero, but was: " + count);
}
return ArrayListIterate.drop(list, count, new ArrayList<T>(list.size() - Math.min(list.size(), count)));
}
/**
* @see Iterate#drop(Iterable, int)
*/
public static <T, R extends Collection<T>> R drop(ArrayList<T> list, int count, R targetList)
{
if (count < 0)
{
throw new IllegalArgumentException("Count must be greater than zero, but was: " + count);
}
int size = list.size();
if (count >= size)
{
return targetList;
}
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = count; i < size; i++)
{
targetList.add(elements[i]);
}
return targetList;
}
return RandomAccessListIterate.drop(list, count, targetList);
}
/**
* @see Iterate#groupBy(Iterable, Function)
*/
public static <T, V> FastListMultimap<V, T> groupBy(
ArrayList<T> list,
Function<? super T, ? extends V> function)
{
return ArrayListIterate.groupBy(list, function, FastListMultimap.<V, T>newMultimap());
}
/**
* @see Iterate#groupBy(Iterable, Function, MutableMultimap)
*/
public static <T, V, R extends MutableMultimap<V, T>> R groupBy(
ArrayList<T> list,
Function<? super T, ? extends V> function,
R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
target.put(function.valueOf(elements[i]), elements[i]);
}
return target;
}
return RandomAccessListIterate.groupBy(list, function, target);
}
/**
* @see Iterate#groupByEach(Iterable, Function)
*/
public static <T, V> FastListMultimap<V, T> groupByEach(
ArrayList<T> list,
Function<? super T, ? extends Iterable<V>> function)
{
return ArrayListIterate.groupByEach(list, function, FastListMultimap.<V, T>newMultimap());
}
/**
* @see Iterate#groupByEach(Iterable, Function, MutableMultimap)
*/
public static <T, V, R extends MutableMultimap<V, T>> R groupByEach(
ArrayList<T> list,
Function<? super T, ? extends Iterable<V>> function,
R target)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
Iterable<V> iterable = function.valueOf(elements[i]);
for (V key : iterable)
{
target.put(key, elements[i]);
}
}
return target;
}
return RandomAccessListIterate.groupByEach(list, function, target);
}
/**
* @see Iterate#groupByUniqueKey(Iterable, Function)
*/
public static <T, V> MutableMap<V, T> groupByUniqueKey(
ArrayList<T> list,
Function<? super T, ? extends V> function)
{
return ArrayListIterate.groupByUniqueKey(list, function, UnifiedMap.<V, T>newMap());
}
/**
* @see Iterate#groupByUniqueKey(Iterable, Function, MutableMap)
*/
public static <T, V, R extends MutableMap<V, T>> R groupByUniqueKey(
ArrayList<T> list,
Function<? super T, ? extends V> function,
R target)
{
if (list == null)
{
throw new IllegalArgumentException("Cannot perform a groupByUniqueKey on null");
}
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
V key = function.valueOf(elements[i]);
if (target.put(key, elements[i]) != null)
{
throw new IllegalStateException("Key " + key + " already exists in map!");
}
}
return target;
}
return RandomAccessListIterate.groupByUniqueKey(list, function, target);
}
/**
* @see Iterate#zip(Iterable, Iterable)
*/
public static <X, Y> MutableList<Pair<X, Y>> zip(ArrayList<X> xs, Iterable<Y> ys)
{
return ArrayListIterate.zip(xs, ys, FastList.<Pair<X, Y>>newList());
}
/**
* @see Iterate#zip(Iterable, Iterable, Collection)
*/
public static <X, Y, R extends Collection<Pair<X, Y>>> R zip(ArrayList<X> xs, Iterable<Y> ys, R targetCollection)
{
int size = xs.size();
if (ArrayListIterate.isOptimizableArrayList(xs, size))
{
Iterator<Y> yIterator = ys.iterator();
X[] elements = ArrayListIterate.getInternalArray(xs);
for (int i = 0; i < size && yIterator.hasNext(); i++)
{
targetCollection.add(Tuples.pair(elements[i], yIterator.next()));
}
return targetCollection;
}
return RandomAccessListIterate.zip(xs, ys, targetCollection);
}
/**
* @see Iterate#zipWithIndex(Iterable)
*/
public static <T> MutableList<Pair<T, Integer>> zipWithIndex(ArrayList<T> list)
{
return ArrayListIterate.zipWithIndex(list, FastList.<Pair<T, Integer>>newList());
}
/**
* @see Iterate#zipWithIndex(Iterable, Collection)
*/
public static <T, R extends Collection<Pair<T, Integer>>> R zipWithIndex(ArrayList<T> list, R targetCollection)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
targetCollection.add(Tuples.pair(elements[i], i));
}
return targetCollection;
}
return RandomAccessListIterate.zipWithIndex(list, targetCollection);
}
public static <T> MutableList<T> takeWhile(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableList<T> result = FastList.newList();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T element = elements[i];
if (predicate.accept(element))
{
result.add(element);
}
else
{
return result;
}
}
return result;
}
return RandomAccessListIterate.takeWhile(list, predicate);
}
public static <T> MutableList<T> dropWhile(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
MutableList<T> result = FastList.newList();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T element = elements[i];
if (!predicate.accept(element))
{
result.add(element);
for (int j = i + 1; j < size; j++)
{
T eachNotDropped = elements[j];
result.add(eachNotDropped);
}
return result;
}
}
return result;
}
return RandomAccessListIterate.dropWhile(list, predicate);
}
public static <T> PartitionMutableList<T> partitionWhile(ArrayList<T> list, Predicate<? super T> predicate)
{
int size = list.size();
if (ArrayListIterate.isOptimizableArrayList(list, size))
{
PartitionMutableList<T> result = new PartitionFastList<T>();
MutableList<T> selected = result.getSelected();
T[] elements = ArrayListIterate.getInternalArray(list);
for (int i = 0; i < size; i++)
{
T each = elements[i];
if (predicate.accept(each))
{
selected.add(each);
}
else
{
MutableList<T> rejected = result.getRejected();
rejected.add(each);
for (int j = i + 1; j < size; j++)
{
rejected.add(elements[j]);
}
return result;
}
}
return result;
}
return RandomAccessListIterate.partitionWhile(list, predicate);
}
private static boolean canAccessInternalArray(ArrayList<?> list)
{
return ArrayListIterate.ELEMENT_DATA_FIELD != null && list.getClass() == ArrayList.class;
}
private static boolean isOptimizableArrayList(ArrayList<?> list, int newSize)
{
return newSize > MIN_DIRECT_ARRAY_ACCESS_SIZE
&& ArrayListIterate.ELEMENT_DATA_FIELD != null
&& list.getClass() == ArrayList.class;
}
private static <T> T[] getInternalArray(ArrayList<T> list)
{
try
{
return (T[]) ArrayListIterate.ELEMENT_DATA_FIELD.get(list);
}
catch (IllegalAccessException e)
{
throw new RuntimeException(e);
}
}
public static <T, K, V> MutableMap<K, V> aggregateInPlaceBy(
ArrayList<T> list,
Function<? super T, ? extends K> groupBy,
Function0<? extends V> zeroValueFactory,
Procedure2<? super V, ? super T> mutatingAggregator)
{
MutableMap<K, V> map = UnifiedMap.newMap();
ArrayListIterate.forEach(list, new MutatingAggregationProcedure<T, K, V>(map, groupBy, zeroValueFactory, mutatingAggregator));
return map;
}
public static <T, K, V> MutableMap<K, V> aggregateBy(
ArrayList<T> list,
Function<? super T, ? extends K> groupBy,
Function0<? extends V> zeroValueFactory,
Function2<? super V, ? super T, ? extends V> nonMutatingAggregator)
{
MutableMap<K, V> map = UnifiedMap.newMap();
ArrayListIterate.forEach(list, new NonMutatingAggregationProcedure<T, K, V>(map, groupBy, zeroValueFactory, nonMutatingAggregator));
return map;
}
}
| 35.113589 | 190 | 0.587143 |
bf0fa3e4bd285e92e9c95cbf89a2b584f94e1179 | 3,986 | package jetbrains.mps.samples.componentDependencies.typesystem;
/*Generated by MPS */
import jetbrains.mps.lang.typesystem.runtime.AbstractNonTypesystemRule_Runtime;
import jetbrains.mps.lang.typesystem.runtime.NonTypesystemRule_Runtime;
import org.jetbrains.mps.openapi.model.SNode;
import jetbrains.mps.typesystem.inference.TypeCheckingContext;
import jetbrains.mps.lang.typesystem.runtime.IsApplicableStatus;
import jetbrains.mps.internal.collections.runtime.Sequence;
import jetbrains.mps.lang.smodel.generator.smodelAdapter.SLinkOperations;
import java.util.Set;
import jetbrains.mps.internal.collections.runtime.SetSequence;
import java.util.HashSet;
import java.util.Queue;
import jetbrains.mps.internal.collections.runtime.QueueSequence;
import java.util.LinkedList;
import jetbrains.mps.errors.messageTargets.MessageTarget;
import jetbrains.mps.errors.messageTargets.NodeMessageTarget;
import jetbrains.mps.errors.IErrorReporter;
import jetbrains.mps.internal.collections.runtime.IWhereFilter;
import org.jetbrains.mps.openapi.language.SAbstractConcept;
import org.jetbrains.mps.openapi.language.SContainmentLink;
import jetbrains.mps.smodel.adapter.structure.MetaAdapterFactory;
import org.jetbrains.mps.openapi.language.SReferenceLink;
import org.jetbrains.mps.openapi.language.SConcept;
public class check_Component_NonTypesystemRule extends AbstractNonTypesystemRule_Runtime implements NonTypesystemRule_Runtime {
public check_Component_NonTypesystemRule() {
}
public void applyRule(final SNode component, final TypeCheckingContext typeCheckingContext, IsApplicableStatus status) {
for (SNode usedComponent : Sequence.fromIterable(SLinkOperations.collect(SLinkOperations.getChildren(component, LINKS.dep$WgPG), LINKS.to$GB6T))) {
final Set<SNode> visitedComponents = SetSequence.fromSet(new HashSet<SNode>());
Queue<SNode> queue = QueueSequence.fromQueue(new LinkedList<SNode>());
QueueSequence.fromQueue(queue).addLastElement(usedComponent);
while (QueueSequence.fromQueue(queue).isNotEmpty()) {
SNode nextComponent = QueueSequence.fromQueue(queue).removeFirstElement();
SetSequence.fromSet(visitedComponents).addElement(nextComponent);
if (nextComponent == component) {
{
final MessageTarget errorTarget = new NodeMessageTarget();
IErrorReporter _reporter_2309309498 = typeCheckingContext.reportTypeError(component, "Cyclic Dependnecy", "r:6c7cc4eb-60e9-407a-94da-5f4d6ac9650c(jetbrains.mps.samples.componentDependencies.typesystem)", "8153794773742347573", null, errorTarget);
}
return;
}
QueueSequence.fromQueue(queue).addSequence(Sequence.fromIterable(SLinkOperations.collect(SLinkOperations.getChildren(nextComponent, LINKS.dep$WgPG), LINKS.to$GB6T)).where(new IWhereFilter<SNode>() {
public boolean accept(SNode it) {
return !(SetSequence.fromSet(visitedComponents).contains(it));
}
}));
}
}
}
public SAbstractConcept getApplicableConcept() {
return CONCEPTS.Component$8s;
}
public IsApplicableStatus isApplicableAndPattern(SNode argument) {
return new IsApplicableStatus(argument.getConcept().isSubConceptOf(getApplicableConcept()), null);
}
public boolean overrides() {
return false;
}
private static final class LINKS {
/*package*/ static final SContainmentLink dep$WgPG = MetaAdapterFactory.getContainmentLink(0x3066bc0924384300L, 0xa9365bd59917ae9bL, 0x565e19763814f144L, 0x565e19763814f147L, "dep");
/*package*/ static final SReferenceLink to$GB6T = MetaAdapterFactory.getReferenceLink(0x3066bc0924384300L, 0xa9365bd59917ae9bL, 0x565e1976381b71a0L, 0x565e1976381b7654L, "to");
}
private static final class CONCEPTS {
/*package*/ static final SConcept Component$8s = MetaAdapterFactory.getConcept(0x3066bc0924384300L, 0xa9365bd59917ae9bL, 0x565e19763814f144L, "jetbrains.mps.samples.componentDependencies.structure.Component");
}
}
| 54.60274 | 258 | 0.793527 |
2aff409b1c6d8573e7ec73089844685f2f946ecf | 1,461 | package com.jet.eacloud.demo.springboot.eforms.api;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.data.domain.Sort;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RequestMethod;
import org.springframework.web.bind.annotation.RestController;
import com.jet.eacloud.demo.springboot.eforms.bo.Customer;
import com.jet.eacloud.demo.springboot.eforms.repo.CustomerRepository;
@RestController
public class CustomerAPI {
@Autowired
CustomerRepository customerRepository;
@RequestMapping("/api/customers")
public Iterable<Customer> getAll() {
return customerRepository.findAll(Sort.by("firstName"));
}
@RequestMapping("/api/customers/{id}")
public Customer getById(@PathVariable String id) {
return customerRepository.findById(id).get();
}
@RequestMapping(value = "/api/customers", method = RequestMethod.POST)
public Customer post(@RequestBody Customer rec) {
customerRepository.save(rec);
return rec;
}
@RequestMapping(value = "/api/customers/{id}", method = RequestMethod.PUT)
public Customer put(@PathVariable String id, @RequestBody Customer rec) {
Customer old = customerRepository.findById(id).get();
if (old != null) {
rec.setCustomerId(id);
customerRepository.save(rec);
}
return rec;
}
} | 32.466667 | 75 | 0.785079 |
757291f3e3962e89dca75c653bee640a498718e6 | 7,366 | /**
* Copyright 2017 Alfa Laboratory
* 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.
*/
package ru.alfabank.steps;
import com.codeborne.selenide.WebDriverRunner;
import com.google.gson.JsonElement;
import com.google.gson.JsonParser;
import cucumber.api.DataTable;
import org.junit.jupiter.api.AfterAll;
import org.junit.jupiter.api.BeforeAll;
import org.junit.jupiter.api.Test;
import ru.alfabank.StubScenario;
import ru.alfabank.alfatest.cucumber.api.AkitaEnvironment;
import ru.alfabank.alfatest.cucumber.api.AkitaScenario;
import java.util.ArrayList;
import java.util.Arrays;
import java.util.List;
import static org.junit.jupiter.api.Assertions.assertEquals;
import static org.junit.jupiter.api.Assertions.assertThrows;
import static ru.alfabank.util.DataTableUtils.dataTableFromLists;
public class JsonApiStepsTest {
private static ApiSteps api;
private static AkitaScenario akitaScenario;
@BeforeAll
static void setup() {
akitaScenario = AkitaScenario.getInstance();
api = new ApiSteps();
akitaScenario.setEnvironment(new AkitaEnvironment(new StubScenario()));
}
@AfterAll
static void close() {
WebDriverRunner.closeWebDriver();
}
@Test
void shouldCheckValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object2.number", "0.003"));
List<String> row2 = new ArrayList<>(Arrays.asList("$.object2.string", "\"stringValue\""));
List<String> row3 = new ArrayList<>(Arrays.asList("$.object2.boolean", "true"));
List<String> row4 = new ArrayList<>(Arrays.asList("$.object2.nullName", "null"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
allLists.add(row2);
allLists.add(row3);
allLists.add(row4);
DataTable dataTable = dataTableFromLists(allLists);
api.checkValuesInJsonAsString("strJson", dataTable);
}
@Test
void shouldCheckObjectValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object1", " { \"innerObject\":\n {\"str\": \"qwer\"}, \"array\" : [\"stringInArray\", 0.003, true, false, null] }"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
api.checkValuesInJsonAsString("strJson", dataTable);
}
@Test
void shouldCheckArray1ValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$..number", "[0.003, -3579.09]"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
api.checkValuesInJsonAsString("strJson", dataTable);
}
@Test
void shouldCheckArray2ValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object1.array", "[\"stringInArray\",0.003,true,false,null]"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
api.checkValuesInJsonAsString("strJson", dataTable);
}
@Test
void shouldThrowRuntimeExceptionIfValuesNotMatchWhenCheckValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$..number", "[0.003, -3579.09, 4]"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
assertThrows(RuntimeException.class, () ->
api.checkValuesInJsonAsString("strJson", dataTable));
}
@Test
void shouldThrowRuntimeExceptionIfPathNotFoundWhenCheckValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object1.farebea", "0.003"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
assertThrows(RuntimeException.class, () ->
api.checkValuesInJsonAsString("strJson", dataTable));
}
@Test
void shouldGetValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object2.number", "numberValue"));
List<String> row2 = new ArrayList<>(Arrays.asList("$.object2.string", "stringValue"));
List<String> row3 = new ArrayList<>(Arrays.asList("$.object2.boolean", "booleanValue"));
List<String> row4 = new ArrayList<>(Arrays.asList("$.object2.nullName", "nullValue"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
allLists.add(row2);
allLists.add(row3);
allLists.add(row4);
DataTable dataTable = dataTableFromLists(allLists);
api.getValuesFromJsonAsString("strJson", dataTable);
assertEquals(createJsonElementAndReturnString("0.003"), akitaScenario.getVar("numberValue"));
assertEquals(createJsonElementAndReturnString("stringValue"), akitaScenario.getVar("stringValue"));
assertEquals(createJsonElementAndReturnString("true"), akitaScenario.getVar("booleanValue"));
assertEquals(createJsonElementAndReturnString("null"), akitaScenario.getVar("nullValue"));
}
@Test
void shouldGetArray1ValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$..number", "numbers"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
api.getValuesFromJsonAsString("strJson", dataTable);
assertEquals(createJsonElementAndReturnString("[0.003,\n -3579.09]"), akitaScenario.getVar("numbers"));
}
@Test
void shouldGetArray2ValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object1.array", "array"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
api.getValuesFromJsonAsString("strJson", dataTable);
assertEquals(createJsonElementAndReturnString("[\"stringInArray\",0.003,true, false,null]"), akitaScenario.getVar("array"));
}
@Test
void shouldThrowRuntimeExceptionIfPathNotFoundWhenGetValuesInJsonAsString() {
List<String> row1 = new ArrayList<>(Arrays.asList("$.object3.dsfbfsb", "number1"));
List<List<String>> allLists = new ArrayList<>();
allLists.add(row1);
DataTable dataTable = dataTableFromLists(allLists);
assertThrows(RuntimeException.class, () ->
api.getValuesFromJsonAsString("strJson", dataTable));
}
private String createJsonElementAndReturnString(String element) {
JsonParser parser = new JsonParser();
JsonElement jsonElement = parser.parse(element);
return jsonElement.toString();
}
} | 41.382022 | 182 | 0.684225 |
fdfd6fd02911f50a45d3d022a6276897be456871 | 15,378 | class krDlDw5OVP7Z6 {
}
class xpPoI {
}
class y3AzlTJG_3Lcf {
}
class Uj5cgs75CLmne {
public int[][] pkeOTjNCTREP1Q (boolean w, void O6M_13zQj1j) {
boolean LWOB1NJ6LS5;
int VNqXVTX0J5Aa;
{
G8Bqq4Kh[] VZGBHZYP;
_RUFo5Naz8Kf j0pLMakV;
boolean[][][] O3ko8Wp2wh2;
return;
boolean n0;
boolean H2WUjEZ;
if ( -977[ !!hsN4W06Nh().c_TU6zn]) while ( !!951[ !--new boolean[ fB_zp50I416().L][ wYpQMz1xb1QFn.Dr8bKXsgnP1BjY()]]) {
{
;
}
}
while ( !!new dPvYRStmvfONgi[ null[ -( -!( new int[ !kD().tdcsvF4fk][ g8Ss7gGsZi[ -new void[ VL1vkCR0().XJUVdZ()][ !-!PBp().FKyGQ()]]]).BR1)[ ( !!true.uftDl9r()).i]]].SyUm()) {
int inR12B;
}
return;
!-!--DP9B3JFea().Php7tGMN7n6I;
boolean nN3ImdpGWooGk;
void rHxE8jf;
if ( true[ false._lKp_7r0WkMyw]) {
;
}
!jJulGlzyDdB()[ new int[ O_Ojv.MSm3pJj][ this.OG]];
return;
boolean[][] R9dyDnoUb;
while ( !!this.h6lTx8wqDk932) ;
if ( -this.KdHa5IUnNV()) if ( !null.S5b58gab1Hy) xa48NpQdhIR.LNjd5QrRWJg1;
;
}
{
l6nXOGQ2qur ChFE31aq;
nVpie_aQ R;
;
int qTp9H91gqqcq8O;
boolean r;
{
return;
}
puwM58RiV Lrc6lhDe;
{
int[] xC7e6JJFKj_eJ;
}
boolean D;
int[] hAvtMsPo;
boolean[][] h;
return;
void FARmg;
PQb0kkp5Ydjb[] daPkd;
;
return;
UjKT34g4eY[] EgFfo;
;
{
return;
}
{
vFBgso[][][][] d6K3Srgs;
}
}
{
int[][] V3ebL_MA;
int[][] xeDST5ga_7cWsr;
return;
while ( DKwA5().sRa()) this[ ( new y2LcVd5YG6fVb[ null[ !05135921.zghnw5zAqOIvh_]].loHaxTTgnCVr())._Vf4jQgpvDTp];
uyelcqR21l2[][][] _XkD;
;
irKvCG74tNuA[][] XrcwlBGy8fV4K;
int[] HawHNRBRuQRl;
while ( -new S340SXLoBbEbR[ -!this.nuv()].d6BSriTeqBedH()) if ( !--( false.bn()).NDQywrtN) return;
int[] a1j6rYZSc5B;
YKMvAuDhfE0k[] _Pbd0mzr93;
int iAjtff;
return;
int[] u;
return;
while ( true.cGDs) true[ new Bbee1C[ -!-!new I().ruzoC()][ --kcc()[ --!!false.c()]]];
if ( !new boolean[ -null.AUh()].aWe3j1J5TfRiD) {
{
return;
}
}
int[][][] MhrptURZ;
int Bm96Qe41X;
{
boolean[] JCt;
}
}
while ( this.rkpMutAfhFoWl) ;
;
boolean[] YeM05EKs;
boolean cJWsnUHbZC = !( -true.HjUzDWHj()).H();
-!!!true.w8;
DAZM1bsr9l[ false.RHd7wDARtLX()];
-!new acW6_bQD().U0;
boolean FDtR9e = X._YTPILCyWz3U;
return;
}
public static void HE (String[] P) throws wuseheHTi5MYu {
int Mnn;
Q[][] h6VjXCb6H = !-kZgq.ovPzo7G9Nlf();
return eS().ov;
}
public void[] qL;
public int[][] Y (mrovssSZpgLfT gvfYRsMO7Z, int[] z6J, boolean[][] y4Lhis, void u, int[] S0H, C_[][][][][][][] KmoALjqYBRU4d, void[][] RUNdquxjq) throws Qvbn7LdfrtN_gg {
while ( false.UucHTffxtNc()) return;
CkWYP7t6hl[][][][][] TGtvvGJRF2;
}
public int[][] cpqK02RvZB;
public int[][] ftDjrW;
public void[] ZV8Ewl4o16XN;
public static void hYh25NQpm (String[] Z) throws EdMAbGON {
;
if ( -34589368[ false.KHA]) {
boolean[][] tkEgE;
}
{
return;
boolean[] biJVuwJUBrI8Y;
-!!new MXYDsCiyyh()[ --jw2IRv.q9vhY_6_IEbOJ];
;
!!!-null.fUkeqOexU;
boolean k6;
while ( !!!this[ false.i3A2]) return;
boolean OJ34dP;
return;
{
while ( -( null.fE3jvG4ha)[ !!new Lp().g()]) if ( !--!( !!ZBwSYA0X88o[ null.izhXdRa57eMvQi()]).LPy3LKivjNLx()) {
;
}
}
int[] iE;
}
void[] x = ( -null[ -v().uDFXu4_PnlAgp()]).A9xeykqia = !false[ false.Ly3Y10()];
!xOmj5P5KwbW5o[ false.ua2cZBwjA6e2P1()];
SH[][] Z3iJf8E = ( null[ !!Op46Q.ggk4_k_RqimPJC()]).j9u5gOunI5() = -new oVoK().JRo_Bvkxef8();
boolean[] aViCXBcGrH;
void iX6 = EvkSEE1Cg5qo_().XWAwLoZQJ();
int F0fz717veCV;
void[][] _lQHJU;
boolean yTwRPQwU0f;
if ( false.MO()) while ( true[ -!!true.ucE()]) {
while ( -7245[ !zDayPCqg[ ( Gy[ OME5().YIuIyyNM4oM()]).PEgO()]]) {
return;
}
}else return;
int[][][][] hLqa;
int mr;
boolean[][] BTdFbBDyqd_fn;
boolean f = -this.V();
void pIx9PCK_ = WL6rT7nbO8rgq().QIzhuM71 = ---new _ERXY().BvjVkJt;
void[][][][] goXq;
}
public static void eR (String[] xNQgi7Y4wik) throws eI3fCBOS5Y {
int[][] v = false.RdEhSmp4w5kDkj = null.e();
!!new p_CO().fBWyC();
void bJ_Zf4im8ZUmd = new lT().iw = -!-( !( !!-new void[ !-8613.a_IKs1Ra9cxQ46].AwEd)[ -true.RnH86hyiXB])[ -true.uebCgbxZjQY()];
int XbCFmjnLiuXhw;
xCpWugrGt[][][] DByi8MX = N0I9l5w()[ --new U().BwJJ];
while ( -this.KJdXn7z()) if ( -this[ new int[ D8W.Ha4].GcsK5bR7XZRQ84()]) while ( -!-!-uDsOxs0EI()[ null.LYKMVZDubcQ7D2()]) {
;
}
{
;
while ( !new FSSGCB2BErlA3().ghT()) if ( !fof5gqNha2A._1vQmIGxUmzhf) while ( AnK.lz) if ( this.bRV()) return;
boolean RtSTz;
new PUU18Wqzvj5XQN().hv61B8S;
void[] V6a1GRY7W33H6;
void kq;
int Ccr;
boolean Y;
if ( this.X3vVXVVUV4PZ) if ( !!true.EOR8ZGnyCmy) return;
;
;
int[][] PmRL5i6TiPcxC5;
return;
void F4Jdg;
if ( null.qPi1()) return;
gYCds9i_qcag aJF9;
int[][] jXEBpfDbX;
}
{
{
int[][][] CEnKtCYHR6;
}
boolean[] KY6vRn3_0bs7;
{
while ( new Td8()[ false.ToCbPU]) return;
}
void y2ib;
return;
Q36t[][] fQJof;
return;
if ( !null.maak) if ( !true.dts()) return;
return;
while ( !!-!false[ -this.tEroJS4beVTu()]) return;
}
if ( new int[ Mqo3iF9T27().WzxQG()][ !!f_gMQZDxxwRf.wSuUQECr]) return;
int uxh3KWYdbGU;
}
public boolean[] V8x_mdmHAZrR (void[] Hd7pw1Sd) throws Ap6hww9Ok {
XRtTq1nPXK[][][] I6w2qtRoAgPdTE = -this[ !true.tx8cxUNZBO] = !!!( hh()[ new int[ !-TRYXAiixLv().T()].riMPDd()]).dwjelXZ();
return;
if ( ---!im.TYp22atvc()) {
while ( new MuhLW().V4OYl0W1arR) if ( 030[ -false.qAvhkgy()]) ;
}else while ( !!-!null[ -new int[ !!-02887.UuyP8WDBKUd].YPIa1LP()]) ;
void rtjR;
int VPbQaYZOSN0wDD = !!-( new d().NL_()).uiZS;
}
public static void xNrwEwWTdkX (String[] ofLCub1dGE) throws tZkM {
int[][][][] DTPCihY5a7z5;
void[] AEinK;
void yTe_ajsBe731MZ;
if ( true[ null.MimpitnZl()]) ;else return;
while ( vknjO38xIRd.OfadoF2uOv6dO()) return;
}
public void[][][][] q;
}
class SMYodp {
}
class kd2Nz_WVkAVZ {
}
class HHETc {
public int y (boolean[] bA1XzFbb, ykZA2i KbWqy, hXtZ8_4_WZrr Kjv1Pnas, boolean tVJrwQ, void[] gnIPJPU, vi Cj) throws D0ks {
boolean PTdQS = new G6()[ this.UbcWXvm] = !!96464831.aRLBcHnuWD7;
}
public void OGQuUL5IezbK;
public static void Y (String[] PKu) {
yETeSRyJa93pVS LC = U2XDcC45Ckv.MY8z;
if ( -!true.dwGWjsWqRJnHeN) return;else if ( false.vkxjs9oP9h) ;
return !-true.bs();
while ( dFXy8p7Xs8a().OqFd4eOJMs()) {
if ( !-826936375[ new YRjxzeWZ6a8().y()]) {
int[] XCRN4C5;
}
}
while ( ( zQw[ false[ pPqFVehcLBH.b70kX9UIVZg5r]]).MOc4lqM0()) new KF()[ this.z6cNxg];
!!( this.V3NVUfAy()).wS5LWCzgD();
}
public static void bbl8UXNJlaf (String[] pIkErYtd) throws EjJXPs {
bh63f[][] D3Remg0EHDGb;
return;
;
int[][][][] AfgUz0JQ1 = new LNSXTpfY().WUwALMptBefy = !!vS3XzWm()[ new void[ null[ !this.h]].dCPYBofdI4];
}
public static void v8qe (String[] RHebLCG9Okif_) throws zx2WvRY08XP {
{
if ( new uscdzjhhGc80_()[ 3932994[ r()[ --new void[ new boolean[ xhgr3jkOxP5qFv.z5xB].NBEs1GGj()][ -HXsQycdIzV_Z[ b5.BjAVx60WKUd]]]]]) while ( true[ true[ -new Eaw4_().X0N_DTWOboprZ6()]]) {
while ( null[ -iIBDWc1KTGO.YY()]) ;
}
if ( null._f()) return;
;
fg0GElw nEHN4hxL2A27;
lONUrFw7W9rYwE YT0EWs;
;
boolean[] PB3;
qzotr AnOhdBgf2rT_Ah;
}
}
public int[][][][] H6WtW;
public void[][][][][][][] DONh9voE () {
{
if ( !S3gzHpascXD[ !false.g8pl5Axk]) ;
Fonvd uukFTCWy;
;
while ( !this.trAzM9UbTEw()) !!this.rmmeEMUBusd;
viLQMjFwPApO c_E8YedN;
boolean EMJyocIPA;
o6jsFXiOTUsvq N0w3mOet0bFJj;
void nN;
;
!true.oZHB2IL8VcMzpH();
return;
int[][] nWB;
;
int[][] SQnQ1mHOostgCZ;
int xGzz1c9CveN;
{
;
}
false[ ----true.OPJZOQp2VxbJ()];
}
bIZ3g8FngUv[] gYJitRmwkTZr = false.F60DgZoOICB0 = -true.Ebd3O5LYd;
{
return;
void dY5WO2jPxVx9;
return;
boolean Exmb2qD_qp;
void[] a2W;
boolean[][][] PpyzRk9Mdx3hp;
l0Y P;
return;
void T1iHHqh_L1pi4;
{
return;
}
void AP2lH;
-true.BuW1c5aWt();
}
-null.eTh;
if ( -( !-null[ azNGDm9nsXB().vQNFbiepImK5])[ !!!( -false.C2lpG_90U0).GT5yV1n0()]) while ( -false[ --!-false.lTJw5FEkQ()]) -( -null[ !null.pSxCXVjbvM]).Xdnd();else return;
if ( ( iRx1gEJPP2g.Rla_xchd2i06).DafTR5N()) true.AOwJNM();else ;
void[][][] wLDgZ = false.qZebWsmm0TX = !K().AcG();
if ( BGodPpC.avL3S40kP0hxBy) ;
this[ leNYrbgJs().ZpS];
int cGMyCmwFl4 = -null[ -null.eNQ0fYMZx];
BaYivG JbapbwzMK = -new tAvBcV3[ !new boolean[ 728968[ new OacpMQOIAK[ null.c].EI53z]].x()].djhIT() = -!new int[ false[ 8741870.gfBp31n()]][ -( !new UtZ8()[ false.ra])[ L7[ -null[ rh5n.HQ]]]];
return --!FeZweNr()[ null.Cfl()];
int[][][][][][] SkHjoVzjG5CJLf;
}
public static void d9IeK1yQ3N16 (String[] NW0IIqyclSVbqK) {
int[][] A0sBthRZtrg = new Zuta().c65;
void xbFrMmM_vBvl = -new void[ false.xblV()].eO7();
{
void JCIel;
while ( -TQepzWkQDGUe.HA) while ( new int[ null.HEckWTO()].rvDIeNSYDmj4) if ( !null[ --YNk8hf[ new int[ !!null.kyCKCL49c()].yu6()]]) {
return;
}
boolean[][] WRnf6_1SbQIR0;
int d1Bk;
int[][][] UWZD979z;
while ( !false[ T.Pl7iVeu8E3]) ;
void te9YdAP6;
int n9WsJ4;
}
int _RD;
if ( 39.LqgM()) {
new boolean[ !!-null.obvWLiWZ()].t_T();
}else {
YSNmUeN_56r[] sndKd;
}
boolean[][] t8Ue = MSbZb_8yE.khmI1PeY();
pn BGEbJEZzOMb;
Dj2wl kocptggiY3w9W7;
return;
boolean qZBoL = !--ofJV0jB_wtH()[ this.FXga6ZYEYU7JWK()] = !-!-!-!-!!!new void[ WoV7F().usf()].YHzN;
{
!!( -Z2YGCW68gfF().s25up1dn2P()).T();
this.XJlJEKCXKYS();
int[] bYxR1y;
if ( 2[ 364688813[ -!-!4452698[ ( 83454676.F_).K_()]]]) ;
!-( -LqPkjB2CwHK().XOlLdhQc)[ !new LLrz[ --new j().n()].Fwk2D1zjgEZb()];
boolean[][][][] rQK4docJoAO;
void[][] TEd0;
int[] tCEdRquw;
int kY2lhG;
while ( this[ true.WCoFlVXnisJ]) -!!!--true[ f_dxPfhP().zq()];
{
boolean WpfaUzp;
}
PYEgeKTy5ol Wws5UXgn;
while ( C0fld49Dp().aX_xOqPUyMGrH()) return;
;
boolean[][] PMUBh2lo7lC;
}
if ( -aeSbFpfpa.AgaS84nSecXf()) if ( -!-false[ null.dMkCHlUrDIn]) ;
while ( _jpLPxwhZK6M6Q[ --!-new d0bb().cyUi8oAMV9]) while ( !3.XE9UAFA()) false.uR();
if ( new fIQ()[ -jdL4us1NqHB().jtXSlPcL4HxL()]) {
while ( null.PseXWKoT()) {
;
}
}else {
void LJ7hOB;
}
czpGfMWqB6O Y;
v6yzi[][] NpL0PbT4xRKAgb = ( -4596.jKdC8gQeL2BX37()).lmX() = --!false.zgE();
;
}
public boolean[][] jrM () throws NbLzZjtwhFry5D {
{
return;
if ( !new KxFQoQn4v().Bu1D9drD()) if ( !38411.X9) if ( --false[ this.gEI4ItXOS6qTB7]) if ( 436.LxVSSokG7q29a) !--!-!!new nTcM[ !--5073.KhQ1GX][ -!8.T3DiEXEdwR5iNc()];
void[] c0NiUReLG;
boolean[][] EhxxVSVNXnYD;
boolean xKzhcpOENRzaI7;
if ( this.cCMAkK) Dbw4BMgo8WlXhw.jV14D;
;
void eYg453;
boolean[][] _L;
boolean KuFU6jp20yiYd;
;
return;
void[] Ig32M5aa;
;
while ( false[ -true.J_HCHTs2]) ;
int[] zPgYjPu;
boolean tF;
int[][] N_LQdS8E;
void xkLmAc8Iz;
}
;
--new rb4DKg().FmGq5gsnBkbT();
if ( new void[ !--!null.m]._4SobsYTqy()) {
int[] SHDKiSD;
}else while ( this.ih1) while ( !-( 9.WQYzDI73).F) if ( null.mecA6a_eBE) --!new Vpk_M2bR[ new void[ !8[ true[ -44573.gV]]][ false.XGgMo2l]].GBRw2Ml7Wliw();
void[] yyIPIPQT = true[ ( !!-( !B8xLzY().drojGp())[ -LdOQBiBygNQ0Q().Nb()])[ !!VhnVCxs1P4LT.raKetA6nfV4]];
while ( !false.JKI1RdY0qrYun0()) return;
boolean[][][] Y6vVQFW4;
;
nV74ZX5cCv[][][][] E;
;
{
void[] E3pu3P8sFs6;
Q7ulUx6yzIM[][] wueV3K;
if ( UaDZjI()[ ---!GKYTrF()[ 52132.g()]]) return;
if ( -new int[ !!--null[ -null[ --true[ --LkbV()[ --!-false.KfyWs6O]]]]].gNnFMe) !-new int[ -RUneQz()[ !!-this.Kxq8qNfqqmFS]].o5v7D;
if ( new int[ this.C5_1S1E_M9()].FQcvMjkhXsdC) while ( -null.rLq3Vw) ;
boolean E;
{
nAsW0c_SI3_[] ity0G;
}
return;
{
while ( new wDV3_1YtyI().ntnvVGv3qfB) {
true.v4wwhR4M0_pIK();
}
}
}
PQhSxvh6Nq NOCYpBbOmr;
}
}
| 34.791855 | 202 | 0.469697 |
35d9237b3f4f815075cc54488d46d9177e6dc390 | 648 | package testcode.cookie;
import javax.servlet.ServletException;
import javax.servlet.http.Cookie;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import java.io.IOException;
public class CookieUsage extends HttpServlet {
@Override
protected void doGet(HttpServletRequest req, HttpServletResponse resp) throws ServletException, IOException {
for (Cookie cookie : req.getCookies()) {
cookie.getName();
cookie.getValue();
cookie.getPath();
}
resp.addCookie(new Cookie("test", "value"));
}
}
| 28.173913 | 113 | 0.712963 |
60b54ec31fb3d4d730cdc7693b757647819f3632 | 3,176 | package tk.sciwhiz12.basedefense.client.render;
import com.mojang.blaze3d.vertex.PoseStack;
import com.mojang.blaze3d.vertex.VertexConsumer;
import com.mojang.math.Vector3f;
import net.minecraft.client.Minecraft;
import net.minecraft.client.renderer.BlockEntityWithoutLevelRenderer;
import net.minecraft.client.renderer.ItemBlockRenderTypes;
import net.minecraft.client.renderer.MultiBufferSource;
import net.minecraft.client.renderer.block.model.BakedQuad;
import net.minecraft.client.renderer.block.model.ItemTransforms;
import net.minecraft.client.renderer.entity.ItemRenderer;
import net.minecraft.client.resources.model.BakedModel;
import net.minecraft.world.item.ItemStack;
import net.minecraftforge.client.model.data.EmptyModelData;
import java.util.List;
import java.util.Random;
import static net.minecraftforge.items.CapabilityItemHandler.ITEM_HANDLER_CAPABILITY;
public class KeyringRenderer extends BlockEntityWithoutLevelRenderer {
private static final double[][] transforms = {{0.6D, 1.5D, 0.001D}, {-0.0185D, 0.75, 0D},
{1.645D, 1.45D, 0.002D}};
private static final int[] rotations = {135, 90, 180};
public KeyringRenderer() {
super(Minecraft.getInstance().getBlockEntityRenderDispatcher(), Minecraft.getInstance().getEntityModels());
}
@Override
public void renderByItem(ItemStack stack, ItemTransforms.TransformType transform, PoseStack matrixStack,
MultiBufferSource buffer, int combinedLight, int combinedOverlay) {
stack.getCapability(ITEM_HANDLER_CAPABILITY).ifPresent(handler -> {
int keys = 0;
for (int i = 0; i < handler.getSlots() && keys < 3; i++) {
ItemStack keyStack = handler.getStackInSlot(i);
if (!keyStack.isEmpty()) {
matrixStack.pushPose();
matrixStack.translate(0D, 0D, 0.15D);
matrixStack.scale(0.7F, 0.7F, 0.7F);
matrixStack.translate(transforms[keys][0], transforms[keys][1], transforms[keys][2]);
matrixStack.mulPose(Vector3f.ZN.rotationDegrees(rotations[keys]));
this.renderItem(keyStack, matrixStack, buffer, combinedLight, combinedOverlay);
matrixStack.popPose();
keys++;
}
}
});
this.renderItem(stack, matrixStack, buffer, combinedLight, combinedOverlay);
}
public void renderItem(ItemStack stack, PoseStack matrix, MultiBufferSource buffer, int combinedLight,
int combinedOverlay) {
matrix.pushPose();
ItemRenderer itemRenderer = Minecraft.getInstance().getItemRenderer();
BakedModel model = itemRenderer.getModel(stack, null, null, 0);
VertexConsumer builder = ItemRenderer
.getFoilBuffer(buffer, ItemBlockRenderTypes.getRenderType(stack, false), true, stack.hasFoil());
List<BakedQuad> quads = model.getQuads(null, null, new Random(42L), EmptyModelData.INSTANCE);
itemRenderer.renderQuadList(matrix, builder, quads, stack, combinedLight, combinedOverlay);
matrix.popPose();
}
}
| 48.861538 | 115 | 0.690176 |
f6e86d22503e8295a291c1240756dc34f2c5e28e | 1,348 | package tests;
import org.testng.Assert;
import org.testng.annotations.BeforeMethod;
import org.testng.annotations.Test;
public class RegistrationTest extends TestBase {
@BeforeMethod
public void preCondition(){
if(app.getUser().isLogged()){
app.getUser().logout();
}
}
@Test
public void registrationTestPositive() {
int i = (int) (System.currentTimeMillis() / 1000) % 3600;
String email = "noa" + i + "@gmail.com";
String password = "Nnoa12345$";
System.out.println("Email: " + email);
app.getUser().openLoginRegistrationForm();
app.getUser().fillLoginRegistrationForm(email, password);
app.getUser().submitRegistrationForm();
Assert.assertTrue(app.getUser().isLogged());
}
@Test
public void registrationTestWrongEmail(){
app.getUser().takeScreenshot("src/test/screenShots/rst.png");
int i = (int)(System.currentTimeMillis()/1000)%3600;
String email = "noa"+ i+ "gmail.com";
String password = "Nnoa12345$";
System.out.println("Email: " + email);
app.getUser().openLoginRegistrationForm();
app.getUser().fillLoginRegistrationForm(email, password);
app.getUser().submitRegistrationForm();
Assert.assertFalse(app.getUser().isLogged());
}
}
| 29.304348 | 69 | 0.636499 |
2bf83c87fc6703c4a80125dd1047f855d4309e6d | 343 |
package com.ahmedaziz.android.popularmoviesapp.network;
import com.google.gson.annotations.SerializedName;
import java.util.ArrayList;
import java.util.List;
public class Reviews {
@SerializedName("results")
private List<Review> reviews = new ArrayList<>();
public List<Review> getReviews() {
return reviews;
}
}
| 19.055556 | 55 | 0.723032 |
0e7a05c3adca6052505ba8aad407fd116e97f876 | 2,284 | /*
* The MIT License (MIT)
*
* Copyright 2021 Crown Copyright (Health Education England)
*
* 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.
*/
package uk.nhs.hee.tis.trainee.reference.changelog;
import com.github.cloudyrock.mongock.ChangeLog;
import com.github.cloudyrock.mongock.ChangeSet;
import com.github.cloudyrock.mongock.driver.mongodb.springdata.v3.decorator.impl.MongockTemplate;
import java.util.Set;
import uk.nhs.hee.tis.trainee.reference.model.DeclarationType;
@ChangeLog
public class DeclarationTypeChangeLog {
/**
* Insert the initial data for the {@link DeclarationType} collection.
*
* @param mongockTemplate The mongo template for the dotabase.
*/
@ChangeSet(order = "001", id = "insertInitialDeclarationTypes", author = "")
public void insertInitialDeclarationTypes(MongockTemplate mongockTemplate) {
DeclarationType significantEvent = new DeclarationType();
significantEvent.setLabel("Significant event");
DeclarationType complaint = new DeclarationType();
complaint.setLabel("Complaint");
DeclarationType otherInvestigation = new DeclarationType();
otherInvestigation.setLabel("Other investigation");
mongockTemplate.insertAll(Set.of(significantEvent, complaint, otherInvestigation));
}
}
| 43.923077 | 100 | 0.773643 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.