identifier
stringlengths 42
383
| collection
stringclasses 1
value | open_type
stringclasses 1
value | license
stringlengths 0
1.81k
| date
float64 1.99k
2.02k
⌀ | title
stringlengths 0
100
| creator
stringlengths 1
39
| language
stringclasses 157
values | language_type
stringclasses 2
values | word_count
int64 1
20k
| token_count
int64 4
1.32M
| text
stringlengths 5
1.53M
| __index_level_0__
int64 0
57.5k
|
|---|---|---|---|---|---|---|---|---|---|---|---|---|
https://github.com/lmanini/ing-sw-2021-Fasanella-Maggioni-Manini/blob/master/src/main/java/it/polimi/ingsw/controller/Controller.java
|
Github Open Source
|
Open Source
|
MIT
| null |
ing-sw-2021-Fasanella-Maggioni-Manini
|
lmanini
|
Java
|
Code
| 1,841
| 3,994
|
package it.polimi.ingsw.controller;
import it.polimi.ingsw.communication.server.LorenzoActivation;
import it.polimi.ingsw.controller.exceptions.NotActivePlayerException;
import it.polimi.ingsw.model.*;
import it.polimi.ingsw.model.enums.ActionCardEnum;
import it.polimi.ingsw.model.enums.Resource;
import it.polimi.ingsw.model.exceptions.*;
import it.polimi.ingsw.server.Game;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.Objects;
/**
* This class is the main class in the controller package. It is responsible for implementing the state machine that
* governs the game's logic.
*
* Game phase state : InitialSelection (0), MainLoop (1), EndGame (2), CalculateLeaderboard (3), Done (4)
*
* This class thus is responsible also for forwarding game actions to the corresponding controller and propagating
* their response, checking if an end game condition was met after a player has ended his turn and generating the end game
* leaderboard.
*
* This class also validates that the player that has requested an action to be made, is in fact the active player whose
* turn it is to play, using the turnController.
* If a different player from activePlayer has sent a request, the Controller throws a NotActivePlayerException
*/
public class Controller {
private final Game gameHandler;
private final GameTable gameTable;
private final ActionController actionController;
private final InitialSelectionController initialSelectionController;
private final TurnController turnController;
private final boolean isSinglePlayer;
private int gamePhase;
/**
* Basic constructor, it instantiates all sub controllers and sets gamePhase to 0 [InitialSelection phase]
* @param _gameTable instance of GameTable used for this match
*/
public Controller(Game _gameHandler, GameTable _gameTable) {
gameHandler = _gameHandler;
gameTable = _gameTable;
actionController = new ActionController(gameTable);
initialSelectionController = new InitialSelectionController(gameTable);
turnController = new TurnController(gameTable);
isSinglePlayer = gameTable.isSinglePlayer();
gamePhase = 0;
}
/**
* Getter for InitialSelectionController sub controller
* @return instance of InitialSelectionController
*/
public InitialSelectionController getInitialSelectionController() {
return initialSelectionController;
}
/**
* Getter for TurnController sub controller
* @return instance of TurnController
*/
public TurnController getTurnController() {
return turnController;
}
/**
* Getter for ActionController sub controller
* @return instance of ActionController
*/
public ActionController getActionController() {
return actionController;
}
/**
* Getter for PlayerBoard instances
* @param _nickname the nickname we are looking for
* @return Instance of PlayerBoard whose internal nickname attribute is equal to _nickname, false if _nickname
* is not one of the players' nicknames
*/
public PlayerBoard getPlayerBoardByNickname(String _nickname) {
for (PlayerBoard board : gameTable.getPlayerBoards()) {
if (_nickname.equals(board.getNickname())) return board;
}
// This return statement should never be reached
return null;
}
public int getGamePhase() {
return gamePhase;
}
/**
* Method to evaluate if a given nickname is associated to the active PlayerBoard.
* @param _nickname the nickname we are looking for.
* @return true if the PlayerBoard bound to _nickname is active, false otherwise.
*/
private boolean isActivePlayer(String _nickname) {
PlayerBoard player = getPlayerBoardByNickname(_nickname);
if (player == null) return false;
return turnController.isActivePlayer(player);
}
// Functions to be called by Game
/**
* Method to be called after a RequestEndTurn message has been received by the active player.
* @param _nickname the nickname of the player which sent the request.
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to end his turn.
*/
public void advanceTurn(String _nickname) throws NotActivePlayerException {
if (isActivePlayer(_nickname)) {
turnController.advanceTurn();
// Single player match logic
if (isSinglePlayer) {
if (checkPlayerEndGameConditions()) {
//Player has won!
gamePhase = 3;
return;
}
//Time for Lorenzo to make a move
ActionCardEnum lorenzoAction = actionController.makeLorenzoMove();
gameHandler.sendAll(new LorenzoActivation(lorenzoAction));
if (checkLorenzoEndGameConditions()) {
gamePhase = 4; //Lorenzo has won. Player has lost.
}
else {
turnController.advanceTurn(); //Player's turn once again, if the gamePhase was set to 3 this statement is useless
}
}
// Multi player match logic
else {
if (gamePhase == 2 && gameTable.getActivePlayer().isFirst()) {
//The last player has made his move in the end game : display the leaderboards and terminate the game
gamePhase = 3;
}
else if (gamePhase == 1 && checkPlayerEndGameConditions()) {
//The player that last played has reached an end game condition! Advance game state to endGame
gamePhase = 2;
}
}
}
else throw new NotActivePlayerException(_nickname);
}
/**
* Private method to be called every time a player ends his turn. It checks if a player has reached one of the two
* win conditions.
* @return true if _player has achieved an end game condition, false otherwise
*/
private boolean checkPlayerEndGameConditions() {
for (PlayerBoard player : gameTable.getPlayerBoards()) {
if (player.getAllDevelopmentCards().size() == 7) return true;
if (gameTable.getFaithTrailInstance().getPosition(player) == 24) return true;
}
return false;
}
/**
* Private method to be called every time a Lorenzo ends his turn. It checks if Lorenzo has reached one of the two
* win conditions.
* @return true if Lorenzo has achieved an end game condition, false otherwise
*/
private boolean checkLorenzoEndGameConditions() {
if (gameTable.getFaithTrailInstance().getLorenzoPosition() >= 24) return true;
for (int i = 0; i < 4; i++) {
if (gameTable.getCardDevelopmentMarketInstance().getMarket()[0][i].getCards().size() == 0 &&
gameTable.getCardDevelopmentMarketInstance().getMarket()[1][i].getCards().size() == 0 &&
gameTable.getCardDevelopmentMarketInstance().getMarket()[2][i].getCards().size() == 0) return true;
}
return false;
}
/**
* Method to be called after a ResponseInitialSelection message has been received by the active player.
* @param _nickname The nickname of the player that has sent the response.
* @param _cardList The list of selected CardLeaders. Must be _cardList.size() == 2.
* @param _res1 If the player isn't eligible to obtain one bonus resource this field must be null, otherwise it must
* be an element of the Resource enum.
* @param _res2 If the player isn't eligible to obtain a second bonus resource this field must be null, otherwise it must
* be an element of the Resource enum.
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to make this action.
*/
public void assignInitialBenefits(
String _nickname,
ArrayList<CardLeader> _cardList,
Resource _res1,
Resource _res2) throws NotActivePlayerException {
//Single player game logic
if (isSinglePlayer && gamePhase == 0) {
initialSelectionController.assignInitialBenefits(
getPlayerBoardByNickname(_nickname),
_cardList,
_res1,
_res2);
gamePhase = 1;
gameTable.endFirstRound();
return;
}
//Check if game is InitialSelectionPhase and if the current round is still the first
if (gamePhase == 0 && gameTable.isFirstRound()) {
//Check if the player that sent the request is the active player
if (isActivePlayer(_nickname)) {
//Assign initial benefits
initialSelectionController.assignInitialBenefits(
getPlayerBoardByNickname(_nickname),
_cardList,
_res1,
_res2);
//Advance game phase if the last player has just made his selection
if (gameTable.getNextPlayer(getPlayerBoardByNickname(_nickname)).isFirst()) {
gamePhase++;
}
//Advance turn
turnController.advanceTurn();
} else throw new NotActivePlayerException(_nickname);
}
}
/**
* Method to be called after a RequestBuyDevelopmentCard message has been received by the active player.
* @param _nickname The nickname of the player that has sent the request.
* @param _rowIndex The row index of the desired card within the card market matrix.
* @param _colIndex The column index of the desired card within the card market matrix.
* @param _placementIndex The index of the selected slot in which to place the newly bought card.
* @throws InvalidCardDevelopmentPlacementException : thrown if the selected placement index would not consent for a legal placement.
* @throws InvalidSlotIndexException : thrown if an invalid index was selected as the placement index.
* @throws NotEnoughResourcesException : thrown if the player does not hold enough Resource s to buy the desired card.
* @throws FullSlotException : thrown if the slot at _placementIndex already holds 3 cards.
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to make this action.
*/
public void buyAndPlaceDevCard(
String _nickname,
int _rowIndex,
int _colIndex,
int _placementIndex)
throws
InvalidCardDevelopmentPlacementException,
InvalidSlotIndexException,
NotEnoughResourcesException,
FullSlotException,
NotActivePlayerException {
if (isActivePlayer(_nickname)) {
if (gamePhase == 1 || gamePhase == 2) {
actionController.buyAndPlaceDevCard(getPlayerBoardByNickname(_nickname), _rowIndex, _colIndex, _placementIndex);
}
} else throw new NotActivePlayerException(_nickname);
}
/**
* Method to be called after a RequestMarketUse message has been received.
* @param _nickname The nickname of the player that has sent the request.
* @param _index The index of the selected line from which to retrieve the Marbles.
* @param _selection Field must be either "row" or "column"
* @return null if no resources must be discarded after obtaining them from the market, an instance of HashMap<Resource,Integer>
* containing the newly obtained resources if one or more resources must be discarded.
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to make this action.
* @throws IllegalArgumentException : thrown if an invalid _index was selected by the player.
*/
public HashMap<Resource, Integer> useMarket(String _nickname, int _index, String _selection) throws NotActivePlayerException, IllegalArgumentException {
if (isActivePlayer(_nickname)) {
if (gamePhase == 1 || gamePhase == 2) {
return actionController.useMarket(getPlayerBoardByNickname(_nickname), _index, _selection);
}
}
throw new NotActivePlayerException(_nickname);
}
/**
* Method to be called after a ResponseDiscardResourceSelection message has been received.
* @param _nickname The nickname of the player that has sent the request.
* @param _discardSelection An instance of HashMap containing the amounts to be discarded for each Resource
* @return null if _discardSelection allowed for the remaining resources to be added to the player's deposit, an instance of HashMap<Resource,Integer>
* containing the previously obtained resources if the selection did not allow for the remaining resources to be added to the deposit.
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to make this action.
*/
public HashMap<Resource, Integer> discardResources(String _nickname, HashMap<Resource, Integer> _discardSelection) throws NotActivePlayerException {
if (isActivePlayer(_nickname)) {
return actionController.discardResources(
Objects.requireNonNull(getPlayerBoardByNickname(_nickname)),
_discardSelection
);
} else throw new NotActivePlayerException(_nickname);
}
/**
* Method to be called after a RequestActivateProduction message has been received.
* @param _nickname The nickname of the player that has sent the request.
* @param _selection An instance of ProductionSelection
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to make this action.
* @throws InvalidSlotIndexException : thrown if an invalid index for a CardDevelopmentSlot was selected in _selection
* @throws NotEnoughResourcesException : thrown if the player does not hold enough resources to activate all of the selected production powers.
*/
public void activateProductionPowers(String _nickname, ProductionSelection _selection)
throws NotActivePlayerException, InvalidSlotIndexException, NotEnoughResourcesException, CardLeaderRequirementsNotMetException {
if (isActivePlayer(_nickname)) {
if (gamePhase == 1 || gamePhase == 2) {
actionController.activateProductionPowers(getPlayerBoardByNickname(_nickname), _selection);
}
} else throw new NotActivePlayerException(_nickname);
}
/**
* Method to be called after a RequestActivateCardLeader message has been received.
* @param _nickname The nickname of the player that has sent the request.
* @param _cardToBeActivated The CardLeader, selected by the player, to be activated.
* @return true if the CardLeader was activated, false otherwise.
* @throws NotActivePlayerException : thrown if a player who is not the active player has tried to make this action.
*/
public boolean activateLeaderCard(String _nickname, CardLeader _cardToBeActivated) throws NotActivePlayerException {
if (isActivePlayer(_nickname)) {
if (gamePhase == 1 || gamePhase == 2) {
return actionController.activateLeaderCard(turnController.getActivePlayer(), _cardToBeActivated);
}
} else throw new NotActivePlayerException(_nickname);
return false;
}
/**
* Method to be called when gamePhase == 3.
* @return An instance of HashMap<String, Integer>, mapping the player nicknames to their total victory points.
*/
public HashMap<String, Integer> calculateScores() {
HashMap<String, Integer> scores = new HashMap<>();
for (PlayerBoard board : gameTable.getPlayerBoards()) {
scores.put(board.getNickname(), board.getVictoryPoints());
}
return scores;
}
/**
* Proxy method to call actionController.discardCardLeader.
* @param nickname the nickname of the player that wishes to discard one of his leader cards.
* @param cardLeaderIndex index of the card to be discarded, within the cardLeader ArrayList.
*/
public void discardCardLeader(String nickname, Integer cardLeaderIndex) throws NotActivePlayerException {
if (isActivePlayer(nickname))
getActionController().discardCardLeader(getPlayerBoardByNickname(nickname), cardLeaderIndex);
else throw new NotActivePlayerException(nickname);
}
}
| 12,624
|
https://github.com/moutainhigh/Huskie/blob/master/my-plaform/engine/src/main/scala/com/kkb/engine/adaptor/BatchJobSaveAdaptor.scala
|
Github Open Source
|
Open Source
|
MulanPSL-1.0
| null |
Huskie
|
moutainhigh
|
Scala
|
Code
| 151
| 725
|
package com.kkb.engine.adaptor
import com.kkb.engine.EngineSQLExecListener
import com.kkb.utils.GlobalConfigUtils
import org.apache.spark.sql.{DataFrame, DataFrameWriter, Row, SaveMode}
class BatchJobSaveAdaptor(
engineSQLExecListener: EngineSQLExecListener,
data: DataFrame,
savePath: String,
tableName: String,
format: String,
mode: SaveMode,
partitionByCol: Array[String],
numPartition: Int,
option: Map[String, String]
) {
//定义的是一个函数
val parse = {
var writer: DataFrameWriter[Row] = data.write
writer = writer.format(format).mode(mode).partitionBy(partitionByCol: _*).options(option)
format match {
case "json" | "orc" | "parquet" | "csv" => {
}
case "text" => {
data.rdd.repartition(numPartition).saveAsTextFile(savePath)
}
case "hbase" => {}
case "jdbc" => {
writer
.format("org.apache.spark.sql.execution.customDatasource.jdbc")
.option("driver", option.getOrElse("driver", GlobalConfigUtils.getProp("jdbc.driver")))
.option("url", option.getOrElse("url", GlobalConfigUtils.getProp("jdbc.url")))
.option("dbtable", savePath)
.save()
}
case "hive" => {}
case "mongo" => {}
case "redis" => {
writer
.option("host", option.getOrElse("host", GlobalConfigUtils.getProp("redis.host")))
.option("port", option.getOrElse("port", GlobalConfigUtils.getProp("redis.port")))
.option("password", option.getOrElse("password", ""))
.option("ttl", option.getOrElse("expire", ""))
.option("db", option.getOrElse("db", "0"))
.option("key.column", option.getOrElse("column", "_spark"))
.option("table", savePath)
.format("org.apache.spark.sql.execution.customDatasource.redis")
.save()
}
case "es" => {
val options = Map(
"pushdown" -> "true",
"es.nodes" -> s"${option.getOrElse("es.nodes", "localhost")}",
"es.port" -> "9200"
)
writer.format("org.elasticsearch.spark.sql").mode(mode).save(savePath)
}
case _ =>
}
}
}
| 628
|
https://github.com/iteamde/travel/blob/master/config/languages_spoken.php
|
Github Open Source
|
Open Source
|
MIT
| null |
travel
|
iteamde
|
PHP
|
Code
| 73
| 241
|
<?php
use App\Models\Access\Role\Role;
use App\Models\Access\Permission\Permission;
use App\Models\LanguagesSpoken\LanguagesSpokenTranslation;
return [
/*
* Languages table used to save roles to the database.
*/
'language_table' => 'conf_languages',
/*
* Languages Spoken table used to save Languages Spoken to the database.
*/
'languages_spoken_table' => 'conf_languages_spoken',
/*
* languages_spoken_trans table used to save languages_spoken translations to the database.
*/
'languages_spoken_trans_table' => 'conf_languages_spoken_trans',
/*
* LanguagesSpokenTranslations Model used to access LanguagesSpokenTranslation relation from database.
*/
'languages_spoken_trans' => LanguagesSpokenTranslation::class,
];
| 47,233
|
https://github.com/jediq/govuk-fe-light-lambda/blob/master/test/validator.test.ts
|
Github Open Source
|
Open Source
|
MIT
| 2,019
|
govuk-fe-light-lambda
|
jediq
|
TypeScript
|
Code
| 123
| 595
|
"use strict";
import "jest";
import * as validator from "../src/framework/validator";
import { FunctionValidation, RegexValidation } from "../src/types/framework";
var charLenItem: RegexValidation = {
regex: "^.{3}$",
error: ""
};
var vrnItem: RegexValidation = {
regex: "^[A-Za-z0-9]{0,7}$",
error: ""
};
var dateFormatItem: RegexValidation = {
regex: "^[0-9]{1,2}-[0-9]{1,2}-[0-9]{4}$",
error: ""
};
var passingMethodValidation: FunctionValidation = {
validator: () => true,
error: ""
};
var failingMethodValidation: FunctionValidation = {
validator: () => false,
error: ""
};
(function() {
test("should correctly validate item", () => {
expect(validator.validate(vrnItem, "RW61KER")).toBe(true);
expect(validator.validate(vrnItem, "NSF8")).toBe(true);
expect(validator.validate(charLenItem, "123")).toBe(true);
expect(validator.validate(passingMethodValidation, "123")).toBe(true);
});
test("validate date format", () => {
expect(validator.validate(dateFormatItem, "1-2-1911")).toBe(true);
expect(validator.validate(dateFormatItem, "01-2-1911")).toBe(true);
expect(validator.validate(dateFormatItem, "--")).toBe(false);
expect(validator.validate(dateFormatItem, "11-12-1911")).toBe(true);
expect(validator.validate(dateFormatItem, "11-12-111")).toBe(false);
});
test("should correctly fail item", () => {
expect(new RegExp("^[A-Za-z0-9]{0,6}$").test("R!EFE@")).toBe(false);
expect(validator.validate(vrnItem, "R!EFE@")).toBe(false);
expect(validator.validate(charLenItem, "12345678")).toBe(false);
expect(validator.validate(failingMethodValidation, "12345678")).toBe(false);
});
})();
| 48,051
|
https://github.com/manju-summoner/terrafx.interop.windows/blob/master/sources/Interop/Windows/um/d3d12/D3D12_AUTO_BREADCRUMB_NODE1.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
terrafx.interop.windows
|
manju-summoner
|
C#
|
Code
| 114
| 446
|
// Copyright © Tanner Gooding and Contributors. Licensed under the MIT License (MIT). See License.md in the repository root for more information.
// Ported from um/d3d12.h in the Windows SDK for Windows 10.0.19041.0
// Original source is Copyright © Microsoft. All rights reserved.
namespace TerraFX.Interop
{
public unsafe partial struct D3D12_AUTO_BREADCRUMB_NODE1
{
[NativeTypeName("const char *")]
public sbyte* pCommandListDebugNameA;
[NativeTypeName("const wchar_t *")]
public ushort* pCommandListDebugNameW;
[NativeTypeName("const char *")]
public sbyte* pCommandQueueDebugNameA;
[NativeTypeName("const wchar_t *")]
public ushort* pCommandQueueDebugNameW;
public ID3D12GraphicsCommandList* pCommandList;
public ID3D12CommandQueue* pCommandQueue;
[NativeTypeName("UINT")]
public uint BreadcrumbCount;
[NativeTypeName("const UINT *")]
public uint* pLastBreadcrumbValue;
[NativeTypeName("const D3D12_AUTO_BREADCRUMB_OP *")]
public D3D12_AUTO_BREADCRUMB_OP* pCommandHistory;
[NativeTypeName("const struct D3D12_AUTO_BREADCRUMB_NODE1 *")]
public D3D12_AUTO_BREADCRUMB_NODE1* pNext;
[NativeTypeName("UINT")]
public uint BreadcrumbContextsCount;
public D3D12_DRED_BREADCRUMB_CONTEXT* pBreadcrumbContexts;
}
}
| 44,141
|
https://github.com/box/etcdb/blob/master/etcdb/resultset.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,019
|
etcdb
|
box
|
Python
|
Code
| 895
| 2,561
|
"""Classes that represent query results"""
import json
from etcdb import ProgrammingError, InternalError
class ColumnOptions(object): # pylint: disable=too-few-public-methods
"""ColumnOptions represents column options like NULL-able or not"""
def __init__(self, *options, **kwoptions):
for dictionary in options:
for key in dictionary:
setattr(self, key, dictionary[key])
for key in kwoptions:
setattr(self, key, kwoptions[key])
auto_increment = False
primary = False
nullable = None
default = None
unique = None
class Column(object):
"""
Instantiate a Column
:param colname: Column name.
:type colname: str
:param coltype: Column type
:type coltype: str
:param options: Column options
:type options: ColumnOptions
"""
def __init__(self, colname, coltype=None, options=None):
self._colname = colname
self._print_width = len(self._colname)
self._coltype = coltype
self._options = options
@property
def name(self):
"""Column name"""
return self._colname
@property
def type(self):
"""Column type e.g. INT, VARCHAR, etc."""
return self._coltype
@property
def auto_increment(self):
"""True if column is auto_incrementing."""
return self._options.auto_increment
@property
def primary(self):
"""True if column is primary key."""
return self._options.primary
@property
def nullable(self):
"""True if column is NULL-able."""
return self._options.nullable
@property
def default(self):
"""Column default value."""
return self._options.default
@property
def unique(self):
"""True if column is unique key."""
return self._options.unique
@property
def print_width(self):
"""How many symbols client has to spare to print column value.
A column name can be short, but its values may be longer.
To align column and its values print_width is number of characters
a client should allocate for the column name so it will be as lager
as the largest columns length value."""
return self._print_width
def set_print_width(self, width):
"""Sets print_width."""
self._print_width = width
def __eq__(self, other):
return self.name == other.name
def __ne__(self, other):
return not self.__eq__(other)
def __str__(self):
return self.name
class ColumnSet(object):
"""
Instantiate a Column set
:param columns: Optional dictionary with column definitions
:type columns: dict
"""
def __init__(self, columns=None):
self._columns = []
self._column_position = 0
if columns:
for colname, value in columns.iteritems():
self._columns.append(Column(colname,
coltype=value['type'],
options=ColumnOptions(
value['options']
)))
else:
self._columns = []
self._column_position = 0
def add(self, column):
"""Add column to ColumnSet
:param column: Column instance
:type column: Column
:return: Updated CoulmnSet instance
:rtype: ColumnSet
"""
if isinstance(column, Column):
self._columns.append(column)
else:
raise ProgrammingError('%s must be Column type' % column)
return self
@property
def empty(self):
"""True if there are no columns in the ColumnSet"""
return not self._columns
@property
def columns(self):
"""Returns list of Columns"""
return self._columns
@property
def primary(self):
"""Return primary key column"""
for col in self._columns:
if col.primary:
return col
return None
def __contains__(self, item):
return item in self._columns
def __eq__(self, other):
return self.columns == other.columns
def __ne__(self, other):
return not self.__eq__(other)
def __str__(self):
return "[" + ', '.join(['"%s"' % str(x) for x in self._columns]) + "]"
def __len__(self):
return len(self._columns)
def __iter__(self):
return self
def next(self):
"""Return next Column"""
self._column_position += 1
try:
return self._columns[self._column_position - 1]
except IndexError:
self._column_position = 0
raise StopIteration()
def __getitem__(self, # pylint: disable=inconsistent-return-statements
key):
if isinstance(key, int):
return self._columns[key]
else:
for col in self._columns:
if col == Column(key):
return col
def index(self, column):
"""Find position of the given column in the set."""
return self._columns.index(column)
class Row(object):
"""
Row class
:param row: Row values
:type row: tuple
"""
def __init__(self, row, etcd_index=0, modified_index=0):
if not isinstance(row, tuple):
raise ProgrammingError('%s must be tuple')
self._row = row
self._field_position = 0
self._etcd_index = etcd_index
self._modified_index = modified_index
@property
def row(self):
"""
:return: Return tuple with row values..
:rtype: tuple
"""
return self._row
@property
def etcd_index(self):
"""A row in etcdb is a key. Etcd index corresponds to X-Etcd-Index
in etcd response header.
:return: Etcd index.
:rtype: int
"""
return self._etcd_index
@property
def modified_index(self):
"""modifiedIndex of a key in etcd"""
return self._modified_index
def __str__(self):
return json.dumps(self._row)
def __eq__(self, other):
try:
return self._row == other.row
except AttributeError:
return False
def __ne__(self, other):
return not self.__eq__(other)
def __iter__(self):
return self
def next(self):
"""Return next field in the row."""
self._field_position += 1
try:
return self._row[self._field_position - 1]
except IndexError:
self._field_position = 0
raise StopIteration()
def __getitem__(self, key):
return self._row[key]
def __repr__(self):
return self.__str__()
class ResultSet(object):
"""
Represents query result
:param columns: Column set instance.
:type columns: ColumnSet
:param rows: List of Rows
:type rows: list(Row)
"""
def __init__(self, columns, rows=None):
if not isinstance(columns, ColumnSet):
raise ProgrammingError('%s must be ColumnSet' % columns)
if columns.empty:
raise ProgrammingError('columns must not be empty')
self.columns = columns
if rows:
self.rows = rows
for row in self.rows:
self._update_print_width(row)
else:
self.rows = []
self._pos = 0
def __eq__(self, other):
try:
return all((self.columns == other.columns,
self.rows == other.rows))
except AttributeError:
return False
def __ne__(self, other):
return not self.__eq__(other)
def __str__(self):
return "Columns: %s\nRows: %s" \
% (
self.columns,
"[" + ', '.join(['%s' % str(x) for x in self.rows]) + "]"
)
def __iter__(self):
return self
def next(self):
"""Return next row in the result set."""
self._pos += 1
try:
return self.rows[self._pos - 1]
except IndexError:
raise StopIteration()
def __getitem__(self, key):
return self.rows[key]
def __len__(self):
return len(self.rows)
def rewind(self):
"""Move internal records pointer to the beginning of the result set.
After this call .fetchone() will start returning rows again."""
self._pos = 0
@property
def n_rows(self):
"""Return number of rows in the result set."""
return len(self.rows)
@property
def n_cols(self):
"""Return number of columns in the result set."""
return len(self.columns)
def add_row(self, row):
"""
Add row to result set
:param row: Row instance
:type row: Row
:return: Updated result set
:rtype: ResultSet
:raise InternalError: if row is not a Row class instance.
"""
if not isinstance(row, Row):
raise InternalError('%r must be of type Row' % row)
self.rows.append(row)
self._update_print_width(row)
# return self
def _update_print_width(self, row):
i = 0
for field in row:
if len(str(field)) > self.columns[i].print_width:
self.columns[i].set_print_width(len(str(field)))
i += 1
| 43,625
|
https://github.com/deduar/SGTT/blob/master/src/deduar/S3SandBoxBundle/Controller/ExcepcionController.php
|
Github Open Source
|
Open Source
|
MIT
| null |
SGTT
|
deduar
|
PHP
|
Code
| 1,101
| 6,002
|
<?php
namespace deduar\S3SandBoxBundle\Controller;
use Symfony\Component\HttpFoundation\Request;
use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Method;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route;
use deduar\S3SandBoxBundle\Entity\Excepcion;
use deduar\S3SandBoxBundle\Form\ExcepcionType;
use Symfony\Component\Form\Extension\Core\Type\DateTimeType;
use deduar\S3SandBoxBundle\Entity\Empleado;
use deduar\S3SandBoxBundle\Entity\TypoEstadoExcepcion;
/**
* Excepcion controller.
*
* @Route("/excepcion")
*/
class ExcepcionController extends Controller
{
/**
* Lists all Excepcion entities.
*
* @Route("/modifcar1", name="modificar1")
* @Method({"GET", "POST"})
*/
public function modificar1Action(Request $request)
{
print_r($request->request->all());
die('procesar');
}
/**
* Process Excecpiones automatic when date is over.
*
* @Route("/procesar", name="excepcion_procesar")
* @Method({"GET", "POST"})
*/
public function procesarAction(Request $request)
{
$now = new \DateTime('now');
$em = $this->getDoctrine()->getManager();
$excepciones = $em->getRepository('S3SandBoxBundle:Excepcion')
->findAll();
for ($i=0; $i < sizeof($excepciones); $i++ ){
print_r($excepciones[$i]->getFechaInicio());
print_r($excepciones[$i]->getEstado());
if ($excepciones[$i]->getFechaInicio() < $now) {
if (($excepciones[$i]->getEstado() == "CREADA") or
($excepciones[$i]->getEstado() == "AUTORIZADA")) {
echo " - Promover a Aprobada <br>";
} else {
echo " - NO Promover <br>";
}
}else{
echo " - NO Procesar Fecha<br>";
}
}
die();
}
/**
* Lists all Excepcion entities.
*
* @Route("/{id}/gen_report", name="gen_report")
* @Method({"GET", "POST"})
*/
public function genReportAction(Request $request, Excepcion $excepcion)
{
$session = $request->getSession();
$em = $this->getDoctrine()->getManager();
$persona = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$excepcion->getIdempleado()));
$empleado = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array('id'=>$excepcion->getIdempleado()));
print_r("DATOS DEL EMPLEADO -------"); echo"<br>";
print_r($excepcion->getId()); echo"<br>";
print_r($persona->getPNombre());
print_r($persona->getPApellido()); echo"<br>";
print_r($empleado->getFicha()); echo"<br>";
print_r($excepcion->getFechaCreacion()); echo"<br>";
print_r($excepcion->getFechaInicio()); echo"<br>";
print_r($excepcion->getFechaFin()); echo"<br>";
print_r($excepcion->getFechaFin()->
diff($excepcion->getFechaInicio())->
format('%y Años %m Meses %d Dias %h Horas %i Minutos'));
echo"<br>";
print_r($excepcion->getObservacion()); echo"<br>";
print_r("DATOS DEL Supervisor -------"); echo"<br>";
$em_j = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array('id'=>$excepcion->getIdempleado()));
if ($em_j->getIdsupervisor() != null) {
print_r($em_j->getIdsupervisor()->getId()); echo"<br>";
$p_j = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$em_j->getIdsupervisor()->getId()));
print_r($p_j->getPNombre());
print_r($p_j->getPApellido()); echo "<br>";
print_r($em_j->getIdcargo()->getNombre()); echo "<br>";
//print_r($this->date = new \DateTime());echo "<br>";
print_r("DATOS DEL Gerente -------"); echo"<br>";
print_r($em_j->getIdsupervisor()->getIdsupervisor()->getId());
echo"<br>";
$em_s = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array
('id'=>$em_j->getIdsupervisor()->getIdsupervisor()->getId()));
print_r($em_s->getId());
$p_s = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$em_s->getId()));
print_r($p_s->getPNombre());
print_r($p_s->getPApellido()); echo"<br>";
print_r($em_s->getIdcargo()->getNombre()); echo "<br>";
}
die('GenReport to pdf ------>');
}
/**
* Lists all Excepcion entities.
*
* @Route("/", name="excepcion_index")
* @Method("GET")
*/
public function indexAction(Request $request)
{
$session = $request->getSession();
$em = $this->getDoctrine()->getManager();
$empleado = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array('id'=>$session->get('id')));
$persona = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$empleado->getIdpersona()));
$id[]=$session->get('id');
$persons[]=$persona;
while (sizeof($id)) {
$excepciones = $em->getRepository('S3SandBoxBundle:Excepcion')
->findByIdempleado($id);
$empleados = $em->getRepository('S3SandBoxBundle:Empleado')
->findByIdsupervisor($id);
$personas = $em->getRepository('S3SandBoxBundle:Persona')
->findById($id);
for ($i=0; $i < sizeof($personas); $i++) {
$persons[]=$personas[$i];
}
$id=null;
for($i=0;$i<(sizeof($empleados));$i++){
$id[]=$empleados[$i]->getId();
$empleads[] = $empleados[$i];
}
for($i=0;$i<sizeof($excepciones);$i++){
$ex[] = $excepciones[$i];
$duracions[] =
$excepciones[$i]->getFechaFin()->
diff($excepciones[$i]->getFechaInicio())->
format('%y %m %d %h %i');
}
}
if (!(isset($ex))) {
$ex = null;
$duracions = null;
}
if ($session->get('nivel') == 1) {
return $this->render('excepcion/index.html.twig', array(
'ex' => $ex,
'persons' => $persons,
'duracions' => $duracions
));
} else {
return $this->render('excepcion/index.html.twig', array(
'ex' => $ex,
'persons' => $persons,
'empleados' => $empleads,
'duracions' => $duracions
));
}
}
/**
* Creates a new Excepcion entity.
*
* @Route("/new", name="excepcion_new")
* @Method({"GET", "POST"})
*/
public function newAction(Request $request)
{
$session = $request->getSession();
$em = $this->getDoctrine()->getManager();
$excepcion = new Excepcion();
$excepcion->setIdempleado($request->getSession()->get('id'));
if ($session->get('nivel') == 1) {
$form = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionEmpleadoType', $excepcion);
}
if (($session->get('nivel') == 2) or ($session->get('nivel') == 3)) {
$form = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionSupervisorType', $excepcion);
}
if ($session->get('nivel') > 3) {
$form = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionGerenteType', $excepcion);
}
$form->handleRequest($request);
if ($form->isSubmitted() && $form->get('cancel')->isClicked()) {
return $this->redirectToRoute('excepcion_index');
}
if ($form->isSubmitted() && $form->isValid()) {
$rep = $this->getDoctrine()->getRepository('S3SandBoxBundle:Excepcion');
$dif_d = (array_reverse(explode('/',explode(' ',$excepcion->getFechaInicio())[0]),false));
$fInit = $dif_d[0].'-'.$dif_d[1].'-'.$dif_d[2].' '.explode(' ',$excepcion->getFechaInicio())[1];
$dff_d = (array_reverse(explode('/',explode(' ',$excepcion->getFechaFin())[0]),false));
$fFin = $dff_d[0].'-'.$dff_d[1].'-'.$dff_d[2].' '.explode(' ',$excepcion->getFechaFin())[1];
$qInit = $rep->createQueryBuilder('ex')
->where('ex.idempleado = :idempleado')
->andwhere('ex.fechaInicio <= :fechaInicio')
->andwhere('ex.fechaFin >= :fechaInicio')
->setParameter('idempleado', $excepcion->getIdempleado()->getid())
->setParameter('fechaInicio', $fInit)
->getQuery();
$ex1 = $qInit->getResult();
$qEnd = $rep->createQueryBuilder('ex')
->where('ex.idempleado = :idempleado')
->andwhere('ex.fechaInicio <= :fechaFin')
->andwhere('ex.fechaFin >= :fechaFin')
->setParameter('idempleado', $excepcion->getIdempleado()->getId())
->setParameter('fechaFin', $fFin)
->getQuery();
$ex2 = $qEnd->getResult();
$qSur = $rep->createQueryBuilder('ex')
->where('ex.idempleado = :idempleado')
->andwhere('ex.fechaInicio >= :fechaInicio')
->andwhere('ex.fechaFin <= :fechaFin')
->setParameter('idempleado', $excepcion->getIdempleado()->getId())
->setParameter('fechaInicio', $fInit)
->setParameter('fechaFin', $fFin)
->getQuery();
$ex3 = $qSur->getResult();
if (sizeof($ex1) or sizeof($ex2) or sizeof($ex3)) {
if (sizeof($ex1) > 0) {
echo"fecha Inicio ----- <br>";
for ($i=0; $i<sizeof($ex1) ; $i++) {
$this->addFlash(
'danger',
'No se inserto la Excepcion, ya existe '.$ex1[$i]->getId().' - Inicio');
}
}
if (sizeof($ex2) > 0) {
echo "fecha Fin ----- <br>";
for ($i=0; $i<sizeof($ex2) ; $i++) {
$this->addFlash(
'danger',
'No se inserto la Excepcion, ya existe '.$ex2[$i]->getId().' - Fin');
}
}
if (sizeof($ex3) > 0) {
echo "fecha Inicio y fecha Fin ----- <br>";
for ($i=0; $i<sizeof($ex3) ; $i++) {
$this->addFlash(
'danger',
'No se inserto la Excepcion, ya existe '.$ex3[$i]->getId().' - Inicio y Fin');
}
}
return $this->redirectToRoute('excepcion_index');
// die ("La excepcion ya existe !!!");
}
$di_d = (array_reverse(explode('/',explode(' ',$excepcion->getFechaInicio())[0]),false));
$dinit = $di_d[0].'/'.$di_d[1].'/'.$di_d[2].' '.explode(' ',$excepcion->getFechaInicio())[1];
$df_d = (array_reverse(explode('/',explode(' ',$excepcion->getFechaFin())[0]),false));
$dfin = $df_d[0].'/'.$df_d[1].'/'.$df_d[2].' '.explode(' ',$excepcion->getFechaFin())[1];
$excepcion->setFechaInicio(date_create($dinit));
$excepcion->setFechaFin(date_create($dfin));
$excepcion->setFechaCreacion(new \DateTime('now'));
$excepcion->setEjecutada(FALSE);
$excepcion->setEnviada(FALSE);
$excepcion->setConformada(FALSE);
$excepcion->setRemunerada(FALSE);
if($session->get('nivel') == 1){
$excepcion->setIdempleado($request->getSession()->get('id'));
$excepcion->setEstado("CREADA");
}
if ($session->get('nivel') > 1){
$excepcion->setIdempleado($excepcion->getIdempleado()->getId());
if($excepcion->getIdempleado() == $session->get('id')){
$excepcion->setEstado("CREADA");
} else {
$excepcion->setEstado("AUTORIZADA");
// $excepcion->setConformada(TRUE);
}
}
$em = $this->getDoctrine()->getManager();
$em->persist($excepcion);
$em->flush();
return $this->redirectToRoute('excepcion_index');
}
return $this->render('excepcion/new.html.twig', array(
'excepcion' => $excepcion,
'form' => $form->createView()
));
}
/**
* Finds and displays a Excepcion entity.
*
* @Route("/{id}", name="excepcion_show")
* @Method("GET")
*/
public function showAction(Request $request, Excepcion $excepcion)
{
$session = $request->getSession();
$em = $this->getDoctrine()->getManager();
$empleado = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array('id'=>$excepcion->getIdempleado()));
$persona = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$excepcion->getIdempleado()));
$je = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$empleado->getIdsupervisor()));
$jeE = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array('id'=>$je->getId()));
$su = $em->getRepository('S3SandBoxBundle:Persona')
->findOneBy(array('id'=>$jeE->getIdsupervisor()));
$suE = $em->getRepository('S3SandBoxBundle:Empleado')
->findOneBy(array('id'=>$su->getId()));
$area = $em->getRepository('S3SandBoxBundle:Area')
->findOneBy(array('id' => $empleado->getIdareaubicacion()));
$deleteForm = $this->createDeleteForm($excepcion);
return $this->render('excepcion/show.html.twig', array(
'excepcion' => $excepcion,
'empleado' => $empleado,
'persona' => $persona,
'jefe' => $je,
'jefeEmpleado' => $jeE,
'supervisor' => $su,
'supervisorEmpleado' => $suE,
'area' => $area,
'delete_form' => $deleteForm->createView(),
));
}
/**
* Displays a form to edit an existing Excepcion entity.
*
* @Route("/{id}/edit", name="excepcion_edit")
* @Method({"GET", "POST"})
*/
public function editAction(Request $request, Excepcion $excepcion)
{
$session = $request->getSession();
$em = $this->getDoctrine()->getManager();
$deleteForm = $this->createDeleteForm($excepcion);
$excepcion->setFechaInicio($excepcion->getFechaInicio()->format('d/m/Y H:i'));
$excepcion->setFechaFin($excepcion->getFechaFin()->format('d/m/Y H:i'));
if ($session->get('nivel') == 1) {
$editForm = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionEmpleadoType', $excepcion);
}
if (($session->get('nivel') == 2) or ($session->get('nivel') == 3)) {
if ($excepcion->getIdempleado() == $session->get('id')) {
$editForm = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionEmpleadoType', $excepcion);
} else {
$editForm = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionSupervisorType', $excepcion);
}
}
if ($session->get('nivel') >= 4) {
$editForm = $this->createForm('deduar\S3SandBoxBundle\Form\ExcepcionGerenteType', $excepcion);
}
$editForm->handleRequest($request);
if ($editForm->isSubmitted() && $editForm->isValid()) {
$di_d = (array_reverse(explode('/',explode(' ',$excepcion->getFechaInicio())[0]),false));
$dinit = $di_d[0].'/'.$di_d[1].'/'.$di_d[2].' '.explode(' ',$excepcion->getFechaInicio())[1];
$df_d = (array_reverse(explode('/',explode(' ',$excepcion->getFechaFin())[0]),false));
$dfin = $df_d[0].'/'.$df_d[1].'/'.$df_d[2].' '.explode(' ',$excepcion->getFechaFin())[1];
$excepcion->setFechaInicio(date_create($dinit));
$excepcion->setFechaFin(date_create($dfin));
if($session->get('nivel') == 1){
$excepcion->setIdempleado($request->getSession()->get('id'));
}
if(($session->get('nivel') == 2) or ($session->get('nivel') == 3)){
if (is_object($excepcion->getIdempleado())){
$excepcion->setEstado("AUTORIZADA");
$excepcion->setIdempleado($excepcion->getIdempleado()->getId());
}
}
if($session->get('nivel') >= 4) {
$excepcion->setIdempleado($excepcion->getIdempleado()->getId());
}
$em = $this->getDoctrine()->getManager();
$em->persist($excepcion);
$em->flush();
return $this->redirectToRoute('excepcion_index');
}
return $this->render('excepcion/edit.html.twig', array(
'excepcion' => $excepcion,
'edit_form' => $editForm->createView(),
'delete_form' => $deleteForm->createView()
));
}
/**
* Cahange status a form an existing Excepcion entity.
*
* @Route("/{id}/reject", name="excepcion_reject")
* @Method({"GET", "POST"})
*/
public function rejectAction(Request $request, Excepcion $excepcion)
{
$em = $this->getDoctrine()->getManager();
$ex = $em->getRepository('S3SandBoxBundle:Excepcion')
->findOneBy(array('id'=>$excepcion->getId()));
$ex->setEstado("RECHAZADA");
$ex->setEjecutada("FALSE");
$ex->setEnviada("FALSE");
$ex->setConformada("FALSE");
$ex->setRemunerada("FALSE");
$em->persist($ex);
$em->flush();
return $this->redirectToRoute('excepcion_index');
}
/**
* Deletes a Excepcion entity.
*
* @Route("/{id}/delete", name="excepcion_delete")
* @Method("GET")
*/
public function deleteAction(Request $request, Excepcion $excepcion)
{
$em = $this->getDoctrine()->getManager();
$em->remove($excepcion);
$em->flush();
return $this->redirectToRoute('excepcion_index');
}
/**
* Creates a form to delete a Excepcion entity.
*
* @param Excepcion $excepcion The Excepcion entity
*
* @return \Symfony\Component\Form\Form The form
*/
private function createDeleteForm(Excepcion $excepcion)
{
return $this->createFormBuilder()
->setAction($this->generateUrl('excepcion_delete', array('id' => $excepcion->getId())))
->setMethod('DELETE')
->getForm()
;
}
}
| 21,845
|
https://github.com/arkadiusjonczek/immobilienscout24-tracker/blob/master/lib/Jonczek/Immobilienscout24Tracker/ConsoleRenderJob.php
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
immobilienscout24-tracker
|
arkadiusjonczek
|
PHP
|
Code
| 25
| 93
|
<?php
namespace Jonczek\Immobilienscout24Tracker;
class ConsoleRenderJob implements IJob
{
public function execute(SearchResult $searchResult)
{
$body = Helper::render(
Config::getConsoleTemplate(),
array('entries' => $searchResult->getNewEntries())
);
echo $body;
}
}
| 26,942
|
https://github.com/gaols/unipay/blob/master/src/main/java/com/github/gaols/unipay/alipay/AlipayPayNotifyParser.java
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
unipay
|
gaols
|
Java
|
Code
| 116
| 531
|
package com.github.gaols.unipay.alipay;
import com.github.gaols.unipay.api.MchInfo;
import com.github.gaols.unipay.api.PayNotifyParser;
import com.github.gaols.unipay.utils.ParaUtils;
import com.github.gaols.unipay.utils.sign.AlipaySignCheckUtils;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import javax.servlet.http.HttpServletRequest;
import java.util.Collections;
import java.util.Map;
/**
* https://docs.open.alipay.com/194/103296/
*
* @author gaols
*/
public class AlipayPayNotifyParser implements PayNotifyParser {
private final Map<String, String> parasMap;
private final Map<String, String> originalParasMap;
private static final Logger logger = LoggerFactory.getLogger(AlipayPayNotifyParser.class);
@Override
public boolean isSuccess() {
String status = parasMap.get("trade_status");
return "TRADE_SUCCESS".equals(status) || "TRADE_FINISHED".equals(status);
}
@Override
public boolean isSignValid(MchInfo mchInfo) {
return AlipaySignCheckUtils.rsaSignCheck(originalParasMap, mchInfo);
}
@Override
public Map<String, String> getNotifyParasMap() {
return this.parasMap;
}
public AlipayPayNotifyParser(HttpServletRequest request) {
Map map = request.getParameterMap();
this.originalParasMap = ParaUtils.getParasMap(map);
this.parasMap = Collections.unmodifiableMap(originalParasMap);
logParas(parasMap);
}
private void logParas(Map<String, String> parasMap) {
logger.error(ParaUtils.formatParas(parasMap, "\nAlipay Notify:")); // error here means important.
}
}
| 41,173
|
https://github.com/shsx477/messenger-sample/blob/master/messenger-sample/messenger-sample/ViewModels/HomeVM/EaHomeVM.swift
|
Github Open Source
|
Open Source
|
MIT
| null |
messenger-sample
|
shsx477
|
Swift
|
Code
| 73
| 259
|
import Foundation
import SwiftUI
import Combine
class EaHomeVM: ObservableObject {
@Published var userData: EaUserModel
@Published var friendDatas: [EaFriendModel]
@Published var isUserPresented: Bool = false
private var cancellableSet: Set<AnyCancellable> = []
private var profileInfoVM: EaProfileInfoVM
init(userData: EaUserModel) {
self.userData = userData
self.friendDatas = EaFriendModel.createTestDatas()
self.profileInfoVM = EaProfileInfoVM(userData: userData)
self.profileInfoVM.$userData.self
.assign(to: \.userData, on: self)
.store(in: &cancellableSet)
}
func onUserSheet() -> some View {
return EaProfileInfoView(vm: self.profileInfoVM)
}
func onUserTapGesture() {
self.isUserPresented = true
}
}
| 9,540
|
https://github.com/mramkumar/centos-cis-benchmark/blob/master/test/1.1.5.sh
|
Github Open Source
|
Open Source
|
MIT
| null |
centos-cis-benchmark
|
mramkumar
|
Shell
|
Code
| 26
| 51
|
#!/bin/sh
# ** AUTO GENERATED **
# 1.1.5 Ensure nosuid option set on /tmp partition (Automated)
mount | grep /tmp | grep nosuid || exit $?
| 24,528
|
https://github.com/xtuml/masl/blob/master/core-cpp/sql/src/DatabaseUnitOfWork.cc
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,023
|
masl
|
xtuml
|
C++
|
Code
| 456
| 1,379
|
/*
* ----------------------------------------------------------------------------
* (c) 2005-2023 - CROWN OWNED COPYRIGHT. All rights reserved.
* The copyright of this Software is vested in the Crown
* and the Software is the property of the Crown.
* ----------------------------------------------------------------------------
* 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.
* ----------------------------------------------------------------------------
* Classification: UK OFFICIAL
* ----------------------------------------------------------------------------
*/
#include <functional>
#include <algorithm>
#include "sql/Database.hh"
#include "sql/Exception.hh"
#include "sql/ResourceMonitor.hh"
#include "sql/UnitOfWorkObserver.hh"
#include "sql/DatabaseUnitOfWork.hh"
#include "boost/bind/bind.hpp"
using namespace boost::placeholders;
namespace SQL {
// **********************************************************
// **********************************************************
DatabaseUnitOfWork::DatabaseUnitOfWork(Database& database):
database_(database)
{
}
// **********************************************************
// **********************************************************
DatabaseUnitOfWork::~DatabaseUnitOfWork()
{
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::clearObservers()
{
observerList_.clear();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::startTransaction ()
{
notifyStart();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::commitTransaction ()
{
notifyCommit();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::abortTransaction ()
{
notifyAbort();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::committed ()
{
notifyCommitted();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::flushObserver(::SQL::UnitOfWorkObserver* const observer)
{
// store the SQL modification statements (INSERT/UPDATE/DELETE)
// from the specified observer object.
std::string statements;
::SQL::UnitOfWorkContext context(statements);
observer->flush(context);
// If the observer returned any changes then apply them to the database.
if (statements.empty() == false){
if (database_.executeStatement(statements) == false){
throw SqlException(std::string("DatabaseUnitOfWork::flushObserver : failed to flush statements : ") + statements);
}
}
// As the observer is clean, deregister it from this object. The observer will register
// register itself again should it have further modifications to apply to the database.
deregisterObserver(observer);
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::registerDirtyObserver (::SQL::UnitOfWorkObserver* const observer)
{
observerList_.insert(observer);
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::deregisterObserver (::SQL::UnitOfWorkObserver* const observer)
{
observerList_.erase(observer);
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::notifyCommit()
{
std::string statements;
::SQL::UnitOfWorkContext context(statements);
std::for_each(observerList_.begin(),observerList_.end(),boost::bind(&::SQL::UnitOfWorkObserver::commitTransaction,_1,context));
if (statements.empty() == false){
if (database_.executeStatement(statements) == false){
throw SqlException(std::string("DatabaseUnitOfWork::notify_commit : failed to commit statements : ") + statements);
}
}
// Even though statement string may be empty, may have undertaken prepared statements
// on dirty objects. Therefore always notify of the commit so objects taking part in
// any prepared statements can be marked as clean.
notifyCommitted();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::notifyStart()
{
std::string statements;
::SQL::UnitOfWorkContext context(statements);
std::for_each(observerList_.begin(),observerList_.end(),boost::bind(&::SQL::UnitOfWorkObserver::startTransaction,_1,boost::ref(context)));
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::notifyAbort()
{
std::string statements;
::SQL::UnitOfWorkContext context(statements);
std::for_each(observerList_.begin(),observerList_.end(),boost::bind(&::SQL::UnitOfWorkObserver::abortTransaction,_1,boost::ref(context)));
observerList_.clear();
}
// **********************************************************
// **********************************************************
void DatabaseUnitOfWork::notifyCommitted()
{
std::string statements;
::SQL::UnitOfWorkContext context(statements);
std::for_each(observerList_.begin(),observerList_.end(),boost::bind(&::SQL::UnitOfWorkObserver::committed,_1,boost::ref(context)));
observerList_.clear();
ResourceMonitor::singleton().committed();
}
} // end namespace SQLITE
| 23,493
|
https://github.com/aeinstein/BrainSimulator/blob/master/Sources/Modules/ToyWorld/World/GameActors/Tiles/Obstacle/Tree.cs
|
Github Open Source
|
Open Source
|
Apache-2.0, LicenseRef-scancode-warranty-disclaimer
| 2,019
|
BrainSimulator
|
aeinstein
|
C#
|
Code
| 273
| 883
|
using System;
using System.Collections.Generic;
using System.Linq;
using VRageMath;
using World.Atlas;
using World.Atlas.Layers;
using World.GameActors.Tiles.Background;
using World.GameActors.Tiles.ObstacleInteractable;
using World.ToyWorldCore;
namespace World.GameActors.Tiles.Obstacle
{
public abstract class Tree<T> : DynamicTile, IAutoupdateable where T : Fruit
{
public int NextUpdateAfter { get; private set; }
private int m_firstUpdate;
private int m_updatePeriod;
private static readonly Random m_rng = new Random();
protected Tree(Vector2I position) : base(position) { Init(); }
protected Tree(Vector2I position, int textureId) : base(position, textureId) { Init(); }
protected Tree(Vector2I position, string textureName) : base(position, textureName) { Init(); }
private void Init()
{
m_firstUpdate = TWConfig.Instance.FruitFirstSpawn + m_rng.Next(-TWConfig.Instance.FruitFirstSpawnRange, TWConfig.Instance.FruitFirstSpawnRange);
m_updatePeriod = TWConfig.Instance.FruitSpawnPeriod + m_rng.Next(-TWConfig.Instance.FruitSpawnRange, TWConfig.Instance.FruitSpawnRange);
NextUpdateAfter = m_firstUpdate;
}
public void Update(IAtlas atlas)
{
List<Vector2I> free = atlas.FreePositionsAround(Position, LayerType.Obstacle | LayerType.Object).ToList();
if (free.Count == 0) return;
// filter out position with PathTiles
free = free.Where(x => atlas.ActorsAt((Vector2)x, LayerType.Background).First().Actor.GetType() != typeof(PathTile)).ToList();
if (free.Count == 0) return;
Vector2I targetPosition = free[m_rng.Next(free.Count)];
object[] args = { targetPosition };
Fruit fruit = (Fruit)Activator.CreateInstance(typeof(T), args);
GameActorPosition fruitPosition = new GameActorPosition(fruit, new Vector2(targetPosition), LayerType.ObstacleInteractable);
atlas.Add(fruitPosition);
NextUpdateAfter = m_updatePeriod;
}
}
public class AppleTree : Tree<Apple>
{
public AppleTree(Vector2I position) : base(position) { }
public AppleTree(Vector2I position, int textureId) : base(position, textureId) { }
public AppleTree(Vector2I position, string textureName) : base(position, textureName) { }
}
public class PearTree : Tree<Apple>
{
public PearTree(Vector2I position) : base(position) { }
public PearTree(Vector2I position, int textureId) : base(position, textureId) { }
public PearTree(Vector2I position, string textureName) : base(position, textureName) { }
}
public class Pine : Tree<Pinecone>
{
public Pine(Vector2I position) : base(position) { }
public Pine(Vector2I position, int textureId) : base(position, textureId) { }
public Pine(Vector2I position, string textureName) : base(position, textureName) { }
}
}
| 25,112
|
https://github.com/Dowzer721/PICRat/blob/master/src/usart.asm
|
Github Open Source
|
Open Source
|
MIT
| 2,017
|
PICRat
|
Dowzer721
|
Assembly
|
Code
| 1,828
| 6,096
|
;--------------------LIBRARY SPECIFICATION-------------------
;
; NAME : Serial Communications Library
;
; FUNCTIONS : USART_init
; USART_TxISR
; USART_RxISR
; USART_putc
; USART_getc
; USART_puts
; USART_gets
;
; REQUIRES :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
; 13/10/97 First Draft
;
;------------------------------------------------------------
ERRORLEVEL 0
PROCESSOR PIC16C74A
LIST b=4
TITLE "PICRAT USART Messages"
SUBTITLE "Version 1.00"
include <p16c74a.inc>
include <vt100.inc>
;------------------------------------------------------------
#define ClkFreq 4000000 ;Main clock frequency in Hertz
#define baudrate D'25' ;9600 Baud (from p102, datasheet)
#define TXSTA_INIT B'00100000' ;Transmit Status and Control Register setup
;Asynch. 8-bit low-speed setup.
#define RCSTA_INIT B'10010000' ;Recieve Status and Control Register setup
;8-bit Asynch. mode
#define TxB_Max D'32' ;Size of Tx Buffer - must be a power of 2 due to
;pointer updating mechanism
#define RxB_Max D'32' ;Size of Rx Buffer - must be a power of 2 due to
;pointer updating mechanism
USART_POINTERS UDATA
TxB_Head RES 1
TxB_Tail RES 1
TxB_FreeCount RES 1
RxB_Head RES 1
RxB_Tail RES 1
RxB_FreeCount RES 1
USART_TxB UDATA
TxBuffer RES TxB_Max
USART_RxB UDATA
RxBuffer RES RxB_Max
USART_TEMP UDATA
tmp RES 1
tmp2 RES 1
tmp3 RES 1
tmp4 RES 1
temp RES 1
tmpchar RES 1
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_init
;
; FUNCTION : Initialises USART port for serial comms
;
; INPUTS : None
;
; OUTPUTS : None
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
; 14/10/97 First relocatable draft
;
;------------------------------------------------------------
USART_init CODE
USART_init
GLOBAL USART_init
; Place baudrate constant in Baud Rate Generator Register
BANKSEL SPBRG
movlw baudrate
movwf SPBRG
; Initialise Transmit Status and Control Register
BANKSEL TXSTA
movlw TXSTA_INIT
movwf TXSTA
; Initialise Recieve Status and Control Register
BANKSEL RCSTA
movlw RCSTA_INIT
movwf RCSTA
; Clear TxBuffer
movlw TxB_Max
movwf tmp
movlw TxBuffer
movwf FSR
USART_init_clrTxBloop
clrf INDF
incf FSR,F
decfsz tmp,F
goto USART_init_clrTxBloop
; Clear RxBuffer
movlw RxB_Max
movwf tmp
movlw RxBuffer
movwf FSR
USART_init_clrRxBloop
clrf INDF
incf FSR,F
decfsz tmp,F
goto USART_init_clrRxBloop
; Set TxB and RxB pointers to start of buffers
movlw 0
BANKSEL TxB_Head
movwf TxB_Head
BANKSEL TxB_Tail
movwf TxB_Tail
BANKSEL RxB_Head
movwf RxB_Head
BANKSEL RxB_Tail
movwf RxB_Tail
; Set TxBFreecount to TxBMax and RxBCharCount to RxBMax
movlw RxB_Max
BANKSEL RxB_FreeCount
movwf RxB_FreeCount
movlw TxB_Max
BANKSEL TxB_FreeCount
movwf TxB_FreeCount
; Enable Rx interrupts (putc will enable Tx interrupts)
BANKSEL PIE1
bsf PIE1,RCIE
; and return
return
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_TxISR
;
; FUNCTION : Transmit Interrupt Service Routine
; Sends a character when the system is
; ready to do so.
;
; INPUTS :
;
; OUTPUTS :
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
USART_Tx_isr CODE
USART_Tx_isr
GLOBAL USART_Tx_isr
;USART_TX_ISR
; If there is a character in the buffer to transmit;
BANKSEL TxB_FreeCount
PAGESEL USART_Tx_isr_nochar
movf TxB_FreeCount,W
sublw TxB_Max
btfsc STATUS,Z
goto USART_Tx_isr_nochar
; Take the character from the tail of the TxBuffer,
BANKSEL TxB_Tail
movf TxB_Tail,W
addlw TxBuffer
movwf FSR
movf INDF,W
; and put it in the TXREG register,
BANKSEL TXREG
movwf TXREG
; increment the TxB_Tail pointer,
BANKSEL TxB_Tail
incf TxB_Tail,F
; wrapping it if it exceeds TxB_Max,
movlw TxB_Max-1
andwf TxB_Tail,F
; Increment the TxB_FreeCount;
USART_Tx_isr_incfreecount
BANKSEL TxB_FreeCount
incf TxB_FreeCount,F
PAGESEL USART_Tx_isr_end
goto USART_Tx_isr_end
; else disable the transmission interrupt (putc will
; re-enable it when there's another character in the buffer);
USART_Tx_isr_nochar
BANKSEL PIE1
bcf PIE1,TXIE
;and return from the ISR.
USART_Tx_isr_end
return
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_Rx_isr
;
; FUNCTION : Receive Interrupt Service Routine
; Handles receipt of a character when one
; arrives.
;
; INPUTS :
;
; OUTPUTS :
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
USART_Rx_isr CODE
USART_Rx_isr
GLOBAL USART_Rx_isr
;USART_RX_ISR
; If there is free space in the Rx Buffer;
BANKSEL RxB_FreeCount
PAGESEL USART_Rx_isr_nospace
movf RxB_FreeCount,W
btfsc STATUS,Z
goto USART_Rx_isr_nospace
; Check RCSTA for overruns or framing errors
; and reset the USART if there are any overruns,
; and read-and-forget RCREG for framing errors.
; (In bot cases, exit the isr)
BANKSEL RCSTA
PAGESEL USART_Rx_isr_FERRchk
btfss RCSTA,OERR
goto USART_Rx_isr_FERRchk
BANKSEL RCSTA
bcf RCSTA,SPEN
bsf RCSTA,SPEN
goto USART_Rx_isr_Read
USART_Rx_isr_FERRchk
BANKSEL RCSTA
PAGESEL USART_Rx_isr_Read
btfss RCSTA,FERR
goto USART_Rx_isr_Read
BANKSEL RCREG
movf RCREG,W
clrw ;ensure that we can't use the erroneous data
return
; Take the character from the RCREG register,
; and put it in the head of the RxBuffer,
USART_Rx_isr_Read
BANKSEL RxB_Head
movf RxB_Head,W
addlw RxBuffer
movwf FSR
BANKSEL RCREG
movf RCREG,W
movwf INDF
; then increment the RxB_Head pointer,
BANKSEL RxB_Head
incf RxB_Head,F
; wrapping it if it exceeds RxB_Max,
movlw RxB_Max-1
andwf RxB_Head,F
; and decrement the RxB_FreeCount;
USART_Rx_isr_inccharcount
BANKSEL RxB_FreeCount
decf RxB_FreeCount,F
PAGESEL USART_Rx_isr_end
goto USART_Rx_isr_end
; else disable the reception interrupt (getc
; will re-enable it when there's space in the
; buffer)
USART_Rx_isr_nospace
BANKSEL PIE1
bcf PIE1,RCIE
;and return from the ISR.
USART_Rx_isr_end
return
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_putc
;
; FUNCTION : Adds a character to the Tx Buffer
;
; INPUTS : The ASCII character in W
;
; OUTPUTS : W is zero if it succeeded
;
; CALLS :
;
; CALLED BY :
;
; NOTES : Errorcodes:
; 0001 Buffer full
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
USART_putc CODE
USART_putc
GLOBAL USART_putc
;USART_PUTC
; Store the character in a temporary register
BANKSEL tmp
movwf tmp
; Wait until there is room in the buffer;
USART_putc_nospace
BANKSEL TxB_FreeCount
PAGESEL USART_putc_nospace
movf TxB_FreeCount,W
btfsc STATUS,Z
goto USART_putc_nospace
; Put the character in the head of the buffer,
BANKSEL TxB_Head
movf TxB_Head,W
addlw TxBuffer
movwf FSR
movf tmp,W
movwf INDF
; increment the TxB_Head pointer,
BANKSEL TxB_Head
incf TxB_Head,F
; wrapping it if it exceeds TxB_Max
movlw TxB_Max-1
BANKSEL TxB_Head
andwf TxB_Head,F
; decrement the TxB_FreeCount,
BANKSEL TxB_FreeCount
decf TxB_FreeCount,F
; enable the Tx interrupts,
BANKSEL PIE1
bsf PIE1,TXIE
; clear W and return from routine.
retlw 0
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_getc
;
; FUNCTION : Takes a character from the Rx Buffer
;
; INPUTS : None
;
; OUTPUTS : W contains the character from the buffer
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
;USART_GETC
USART_getc CODE
USART_getc
GLOBAL USART_getc
; Wait until there is a character in the buffer;
USART_getc_nochar
BANKSEL RxB_FreeCount
movf RxB_FreeCount,W
sublw RxB_Max
btfsc STATUS,Z
goto USART_getc_nochar
; Read the character off the tail of the buffer,
BANKSEL RxB_Tail
movf RxB_Tail,W
addlw RxBuffer
movwf FSR
movf INDF,W
; and store it in a temporary variable,
BANKSEL tmp
movwf tmp
; increment the RxB_Tail pointer,
BANKSEL RxB_Tail
incf RxB_Tail,F
; wrapping it if it exceeds RxB_Max,
movlw RxB_Max-1
andwf RxB_Tail,F
; increment the RxB_FreeCount,
BANKSEL RxB_FreeCount
incf RxB_FreeCount,F
; enable the receive interrupt,
BANKSEL PIE1
bsf PIE1,RCIE
; put the read character in the W register,
BANKSEL tmp
movf tmp,W
; and return from the routine.
return
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_puts
;
; FUNCTION : Takes a string in ROM and sends it
; down the serial line
;
; INPUTS : The address of the string in USART_hi_msg_tmp
; and USART_lo_msg_tmp.
;
; OUTPUTS : W is 0 if successful, otherwise W holds
; an errorcode
;
; CALLS : USART_putc
; USART_message_table
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
;USART_PUTS
; Move the address of the string table into a temporary pointer.
USART_puts CODE
USART_puts
GLOBAL USART_puts
EXTERN USART_hi_msg_tmp
EXTERN USART_lo_msg_tmp
EXTERN USART_message_table
BANKSEL temp
clrf temp
; Get the character at that address,
USART_puts_loop
PAGESEL USART_message_table
movf temp,W
call USART_message_table
BANKSEL tmp2
movwf tmp2
PAGESEL USART_puts_msgdone
movf tmp2,W
; If the character is not a NUL,
xorlw 0
btfsc STATUS,Z
goto USART_puts_msgdone
movwf tmpchar
; putc that character,
PAGESEL USART_putc
movf tmpchar,W
call USART_putc
; increment the pointer and reloop
BANKSEL temp
incf temp,F
goto USART_puts_loop
; if the character is a NUL, that's the end of the string,
; so clear temp and return 0
USART_puts_msgdone
retlw 0
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_putHexByte
;
; FUNCTION : Prints out a Byte as hex
;
; INPUTS : Byte in W
;
; OUTPUTS :
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
;USART_putHexNybble
USART_putHexByte CODE
USART_putHexByte
GLOBAL USART_putHexByte
BANKSEL tmp3
PAGESEL USART_putHexNybble
movwf tmp3
andlw 0xf0
swapf W,W
call USART_putHexNybble
BANKSEL tmp3
PAGESEL USART_putHexNybble
movf tmp3,W
andlw 0x0f
call USART_putHexNybble
retlw 0
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_putHexNybble
;
; FUNCTION : Prints out a nybble as hex
;
; INPUTS : nybble in W - lower half, eg. 0x0f
;
; OUTPUTS :
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
;USART_putHexNybble
USART_putHexNybble CODE
USART_putHexNybble
GLOBAL USART_putHexNybble
andlw 0x0f
addlw 0xf6
btfsc STATUS,C
addlw 0x07
addlw 0x3a
BANKSEL tmp4
movwf tmp4
PAGESEL USART_putc
movf tmp4,W
call USART_putc
retlw 0
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_putDecimal
;
; FUNCTION : Outputs a decimal figure (from 0 to 255)
;
; INPUTS : Number in W
;
; OUTPUTS :
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
;USART_putDecimal
USART_putDecimal CODE
USART_putDecimal
GLOBAL USART_putDecimal
BANKSEL tmp4
movwf tmp4
;Subtract hundreds from the number to get the first digit
BANKSEL tmp3
clrf tmp3
movlw 0x64
USART_putDecimal_Hundreds
BANKSEL tmp4
subwf tmp4,F
btfss STATUS,C
goto USART_putDecimal_PrintHundreds
BANKSEL tmp3
incf tmp3,F
goto USART_putDecimal_Hundreds
;restore number to last positive value
USART_putDecimal_PrintHundreds
BANKSEL tmp4
addwf tmp4,F
;convert to ASCII
movlw 0x30
;and print.
BANKSEL tmp3
addwf tmp3,F
PAGESEL USART_putc
movf tmp3,W
call USART_putc
PAGESEL USART_putDecimal
;Subtract tens from the number to get the second digit
BANKSEL tmp3
clrf tmp3
movlw 0x0A
USART_putDecimal_Tens
BANKSEL tmp4
subwf tmp4,F
btfss STATUS,C
goto USART_putDecimal_PrintTens
BANKSEL tmp2
incf tmp2,F
goto USART_putDecimal_Tens
USART_putDecimal_PrintTens
BANKSEL tmp4
addwf tmp4,F
;convert to ASCII
movlw 0x30
;and print.
BANKSEL tmp3
addwf tmp3,F
PAGESEL USART_putc
movf tmp3,W
call USART_putc
;convert remainder to ASCII
BANKSEL tmp4
movf tmp4,W
addlw 0x30
;and print
call USART_putc
retlw 0
;--------------------ROUTINE SPECIFICATION-------------------
;
; NAME : USART_putBinary
;
; FUNCTION : Outputs a byte in Binary format
;
; INPUTS : W holds the byte
;
; OUTPUTS :
;
; CALLS :
;
; CALLED BY :
;
; NOTES :
;
;------------------------------------------------------------
; REVISION HISTORY :
;
;------------------------------------------------------------
;USART_putBinary
USART_putBinary CODE
USART_putBinary
GLOBAL USART_putBinary
;Number of bits
movlw D'08'
movwf tmp3
;For each bit,
USART_putBinary_loop
rlf tmp4,F
;Depending on the bit value
btfsc STATUS,C
goto USART_putBinary_one
;Output a zero
PAGESEL USART_putc
movlw A'0'
call USART_putc
PAGESEL USART_putBinary
BANKSEL tmp3
decfsz tmp3,F
goto USART_putBinary_loop
retlw 0
;or a one
USART_putBinary_one
PAGESEL USART_putc
movlw A'1'
call USART_putc
PAGESEL USART_putBinary
BANKSEL tmp3
decfsz tmp3,F
goto USART_putBinary_loop
retlw 0
END
| 25,200
|
https://github.com/david82oficial/dreamday/blob/master/friends-hybrid/common/utils.js
|
Github Open Source
|
Open Source
|
BSD-2-Clause
| 2,016
|
dreamday
|
david82oficial
|
JavaScript
|
Code
| 528
| 1,773
|
(function () {
app.utils = app.utils || {};
app.utils.loading = function (load) {
if (load) {
return kendo.mobile.application.showLoading();
}
return kendo.mobile.application.hideLoading();
};
app.utils.isOwner = function (dataItem) {
return app.user.Id === dataItem.CreatedBy;
};
app.utils.isInSimulator = function () {
return !!window.navigator.simulator;
};
app.utils.imageUploader = function (chooseFileSelector, formSelector, fileInputSelector) {
var that = this;
var fileInputChangeSelector = fileInputSelector + ':file';
var provider = app.data.defaultProvider;
that.callback = function(){};
that.uri = '';
that.file = null;
this._chooseFileClickCordova = function () {
var destinationType;
var callback = that.callback;
if (app.utils.isInSimulator()) {
destinationType = Camera.DestinationType.DATA_URL;
callback = function (uri) {
if (uri.length > app.constants.simulatorFileSizeLimit) {
return app.notify.info('Por favor, selecione uma imagem com o tamanho máximo de 2.5MB.');
}
uri = 'data:image/jpeg;base64,' + uri;
that.callback(uri);
};
} else {
destinationType = Camera.DestinationType.FILE_URI;
callback = function (uri) {
window.resolveLocalFileSystemURL(uri, function (fileEntry) {
fileEntry.file(function (file) {
if (file.size > app.constants.deviceFileSizeLimit) {
return app.notify.info('O limite de upload do arquivo é de 10mb, procurar utilizar a câmera frontal.');
}
return that.callback(uri);
}, app.notify.error);
}, app.notify.error);
}
}
navigator.camera.getPicture(callback, app.notify.error, {
quality: 50,
destinationType: destinationType,
sourceType: navigator.camera.PictureSourceType.CAMERA
});
};
this._chooseFileClickDesktop = function () {
if (app.utils.isInSimulator()) {
return app.notify.info('Activity photos can only be uploaded from a device or a browser supporting FileReader');
}
$(fileInputSelector).click();
};
this._formSubmit = function () {
return false;
};
this._fileChange = function () {
var files = $(fileInputSelector)[0].files;
if (!files.length) {
return;
}
var file = files[0];
var reader = new FileReader();
reader.readAsDataURL(file);
reader.onload = function (e) {
var base64 = e.target.result;
if (base64) {
that.callback(base64, file);
}
};
};
this.detach = function () {
$(formSelector).off('submit', that._formSubmit);
if (window.cordova) {
$(chooseFileSelector).off('click', that._chooseFileClickCordova);
} else {
$(chooseFileSelector).off('click', that._chooseFileClickDesktop);
$(fileInputChangeSelector).off('change', that._fileChange);
}
};
this.onImage = function (cb) {
that.callback = function (uri, file) {
that.uri = uri;
that.file = file;
return cb(uri, file);
};
};
this.upload = function () {
var picture = that.uri;
var uploadImagePromise;
if (!picture) {
return Everlive._utils.successfulPromise();
}
var filename = app.user.Id + '_' + new Date().valueOf();
if (window.cordova && !app.utils.isInSimulator()) {
uploadImagePromise = provider.files.upload(picture, {
fileName: filename,
mimeType: 'image/jpeg'
});
} else {
var file = that.file || {
type: 'image/jpeg'
};
var cleanBase64 = picture.split(',')[1];
uploadImagePromise = provider.files.applyOffline(false).create({
Filename: filename,
ContentType: file.type,
base64: cleanBase64
});
}
return uploadImagePromise.then(function (res) {
var id;
if (res.response) {
var responseObject = JSON.parse(res.response);
id = responseObject.Result[0].Id
} else {
id = res.result.Id;
}
return id;
})
.catch(app.notify.error);
};
$(formSelector).submit(that._formSubmit);
if (window.cordova) {
$(chooseFileSelector).click(that._chooseFileClickCordova);
} else {
$(chooseFileSelector).click(that._chooseFileClickDesktop);
$(document).on('change', fileInputChangeSelector, that._fileChange);
}
};
app.utils.autoSizeTextarea = function (element) {
element.css({
height: element[0].scrollHeight
});
};
var processedElements = [];
app.utils.processElement = function (el) {
setTimeout(function () {
el.each(function (index, image) {
if (!image.dataset.src && image.src) {
return app.data.defaultProvider.helpers.html.process(image).catch(app.notify.error);
}
//when the image is local, e.g. the default image we do not need to optimize it
if (image.dataset.src.indexOf('default.jpg') === -1) {
app.data.defaultProvider.helpers.html.process(image).catch(app.notify.error);
if (processedElements.indexOf(image) === -1) {
processedElements.push(image);
}
} else {
image.src = image.dataset.src;
}
});
}); //wait for the listview element to be rendered
};
$(window).resize(function () {
processedElements.forEach(function (el) {
app.utils.processElement($(el));
});
});
app.utils.processImage = function (id) {
setTimeout(function () {
var img = $('img[data-id="' + id + '"]');
if (!img || !img.length) {
return console.warn('No image to optimize with id found: ', id);
}
app.utils.processElement(img);
});
}
}());
| 29,698
|
https://github.com/InsightEdge/xap/blob/master/xap-core/xap-common/src/main/java/net/jini/core/transaction/server/TransactionParticipantData.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,022
|
xap
|
InsightEdge
|
Java
|
Code
| 230
| 454
|
/*
* Copyright (c) 2008-2016, GigaSpaces Technologies, Inc. All Rights Reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
package net.jini.core.transaction.server;
import com.gigaspaces.internal.server.space.redolog.storage.bytebuffer.ISwapExternalizable;
/**
* Interface for jini transaction participant data.<br> Each transaction participant(space) sends
* this info to mirror. <br> TransactionParticipantData contains information about transaction at
* the time of commit - <br>transaction id, number of partitions that participated at this
* transaction and the transaction participants id. <br>
*
* @author anna
* @since 7.1
* @deprecated since 9.0.1 - see {@link com.gigaspaces.transaction.TransactionParticipantMetaData}.
*/
@Deprecated
public interface TransactionParticipantData extends ISwapExternalizable {
/**
* The id of the space that committed the transaction.
*
* @return the participantId
*/
public int getParticipantId();
/**
* Number of participants in transaction
*
* @return the participantsCount
*/
public int getTransactionParticipantsCount();
/**
* The id of the distributed transaction
*
* @return the transactionId
*/
public long getTransactionId();
}
| 19,829
|
https://github.com/debragail/prisma-engines/blob/master/prisma-fmt/src/native.rs
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
prisma-engines
|
debragail
|
Rust
|
Code
| 42
| 182
|
pub(crate) fn run(schema: &str) -> String {
let validated_configuration = match datamodel::parse_configuration(schema) {
Ok(validated_configuration) => validated_configuration,
Err(_) => return "[]".to_owned(),
};
if validated_configuration.subject.datasources.len() != 1 {
return "[]".to_owned();
}
let datasource = &validated_configuration.subject.datasources[0];
let available_native_type_constructors = datasource.active_connector.available_native_type_constructors();
serde_json::to_string(available_native_type_constructors).expect("Failed to render JSON")
}
| 46,555
|
https://github.com/jiripetrlik/kie-wb-common/blob/master/kie-wb-common-screens/kie-wb-common-library/kie-wb-common-library-client/src/main/java/org/kie/workbench/common/screens/library/client/screens/PopulatedLibraryView.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
kie-wb-common
|
jiripetrlik
|
Java
|
Code
| 247
| 899
|
/*
* Copyright 2017 Red Hat, Inc. and/or its affiliates.
*
* 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.kie.workbench.common.screens.library.client.screens;
import javax.inject.Inject;
import com.google.gwt.event.dom.client.KeyUpEvent;
import org.jboss.errai.common.client.dom.Div;
import org.jboss.errai.common.client.dom.HTMLElement;
import org.jboss.errai.common.client.dom.Input;
import org.jboss.errai.ui.client.local.api.IsElement;
import org.jboss.errai.ui.client.local.spi.TranslationService;
import org.jboss.errai.ui.shared.api.annotations.DataField;
import org.jboss.errai.ui.shared.api.annotations.EventHandler;
import org.jboss.errai.ui.shared.api.annotations.Templated;
import org.kie.workbench.common.screens.library.client.resources.i18n.LibraryConstants;
import org.uberfire.ext.widgets.common.client.common.BusyPopup;
@Templated
public class PopulatedLibraryView implements PopulatedLibraryScreen.View,
IsElement {
private PopulatedLibraryScreen presenter;
@Inject
private ProjectsDetailScreen projectsDetailScreen;
@Inject
private TranslationService ts;
@Inject
@DataField("actions")
Div actions;
@Inject
@DataField("project-list")
Div projectList;
@Inject
@DataField("filter-text")
Input filterText;
@Override
public void init(final PopulatedLibraryScreen presenter) {
this.presenter = presenter;
filterText.setAttribute("placeholder",
ts.getTranslation(LibraryConstants.Search));
}
@Override
public void clearProjects() {
projectList.setTextContent("");
}
@Override
public void addProject(final HTMLElement project) {
projectList.appendChild(project);
}
@Override
public void addAction(final HTMLElement action) {
actions.appendChild(action);
}
@Override
public void clearFilterText() {
this.filterText.setValue("");
}
@Override
public String getNumberOfAssetsMessage(int numberOfAssets) {
return ts.format(LibraryConstants.NumberOfAssets,
numberOfAssets);
}
@Override
public String getLoadingAssetsMessage() {
return ts.format(LibraryConstants.LoadingAssets);
}
@EventHandler("filter-text")
public void filterTextChange(final KeyUpEvent event) {
presenter.filterProjects(filterText.getValue());
}
@Override
public void showBusyIndicator(final String message) {
BusyPopup.showMessage(message);
}
@Override
public void hideBusyIndicator() {
BusyPopup.close();
}
}
| 44,890
|
https://github.com/jordytje1/Mitsuzi-JS/blob/master/commands/others/crypto.js
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
Mitsuzi-JS
|
jordytje1
|
JavaScript
|
Code
| 411
| 1,227
|
const Util = require('../../util/MitUtil.js');
const db = require('../../util/Database.js');
let price = require('crypto-price');
module.exports = {
name: 'crypto',
description: "Gets the price of the crypto-currency",
aliases: [],
usage: ' [crypto]',
cooldown: 2,
args: 0,
catergory: 'Others',
async execute(message, args, client) {
try {
if (args.length) {
let Crypto = args[0];
price.getCryptoPrice("USD", Crypto).then(obj => { // Base for ex - USD, Crypto for ex - ETH
return message.channel.send({
embed: {
title: "Crypto Price",
fields: [{
name: `• ${Crypto}`,
value: `USD ${Util.moneyFormat(obj.price)}`,
inline: true,
}
],
color: "#8B0000",
footer: {
text: "Requested by " + message.author.tag,
icon_url: message.author.displayAvatarURL()
},
timestamp: new Date()
}
});
}).catch(err => {
console.log(err);
return message.reply("Crypto entered is either invalid or not supported")
})
}
let Ethereum = 0;
let Bitcoin = 0;
let Litecoin = 0;
let Monero = 0;
let Ripple = 0;
let ZCash = 0;
await price.getCryptoPrice("USD", "ETH").then(obj => { // Base for ex - USD, Crypto for ex - ETH
Ethereum = obj.price;
}).catch(err => {
console.log(err);
return message.reply("Something went wrong!");
})
await price.getCryptoPrice("USD", "BTC").then(obj => { // Base for ex - USD, Crypto for ex - ETH
Bitcoin = obj.price;
}).catch(err => {
console.log(err);
return message.reply("Something went wrong!");
})
await price.getCryptoPrice("USD", "LTC").then(obj => { // Base for ex - USD, Crypto for ex - ETH
Litecoin = obj.price;
}).catch(err => {
console.log(err);
return message.reply("Something went wrong!");
})
await price.getCryptoPrice("USD", "XMR").then(obj => { // Base for ex - USD, Crypto for ex - ETH
Monero = obj.price;
}).catch(err => {
console.log(err);
return message.reply("Something went wrong!");
})
await price.getCryptoPrice("USD", "XRP").then(obj => { // Base for ex - USD, Crypto for ex - ETH
Ripple = obj.price;
}).catch(err => {
console.log(err);
return message.reply("Something went wrong!");
})
await price.getCryptoPrice("USD", "ZEC").then(obj => { // Base for ex - USD, Crypto for ex - ETH
ZCash = obj.price;
}).catch(err => {
console.log(err);
return message.reply("Something went wrong!");
})
return message.channel.send({
embed: {
title: "Crypto Price",
fields: [{
name: `• Ethereum`,
value: `USD ${Util.moneyFormat(Ethereum)}`,
inline: true,
},
{
name: `• Bitcoin`,
value: `USD ${Util.moneyFormat(Bitcoin)}`,
inline: true,
},
{
name: `• Litecoin`,
value: `USD ${Util.moneyFormat(Litecoin)}`,
inline: true,
},
{
name: `• Monero`,
value: `USD ${Util.moneyFormat(Monero)}`,
inline: true,
},
{
name: `• Ripple`,
value: `USD ${Util.moneyFormat(Ripple)}`,
inline: true,
},
{
name: `• ZCash`,
value: `USD ${Util.moneyFormat(ZCash)}`,
inline: true,
}],
color: "#8B0000",
footer: {
text: "Requested by " + message.author.tag,
icon_url: message.author.displayAvatarURL()
},
timestamp: new Date()
}
});
} catch (err) {
console.log(err);
return message.reply(`Oh no, an error occurred. Try again later!`);
}
}
};
| 10,377
|
https://github.com/Rushera/passwdsafe/blob/master/passwdsafe/src/main/java/com/jefftharris/passwdsafe/file/PasswdFileGenProviderStorage.java
|
Github Open Source
|
Open Source
|
Artistic-2.0
| null |
passwdsafe
|
Rushera
|
Java
|
Code
| 199
| 596
|
/*
* Copyright (©) 2015 Jeff Harris <jefftharris@gmail.com>
* All rights reserved. Use of the code is allowed under the
* Artistic License 2.0 terms, as specified in the LICENSE file
* distributed with this code, or available from
* http://www.opensource.org/licenses/artistic-license-2.0.php
*/
package com.jefftharris.passwdsafe.file;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import org.pwsafe.lib.file.PwsStreamStorage;
import android.content.Context;
import android.net.Uri;
import android.os.ParcelFileDescriptor;
import android.util.Log;
import com.jefftharris.passwdsafe.lib.PasswdSafeUtil;
/** A PwsStreamStorage implementation for a generic provider */
public class PasswdFileGenProviderStorage extends PwsStreamStorage
{
private static final String TAG = "PasswdFileGenProviderSt";
private final Uri itsUri;
/** Constructor */
public PasswdFileGenProviderStorage(Uri uri, String id, InputStream stream)
{
super(id, stream);
itsUri = uri;
}
/** Save the file contents */
@Override
public boolean save(byte[] data, boolean isV3)
{
ParcelFileDescriptor pfd = null;
FileOutputStream fos = null;
try {
try {
PasswdFileUri.SaveHelper helper =
(PasswdFileUri.SaveHelper)getSaveHelper();
Context ctx = helper.getContext();
pfd = ctx.getContentResolver().openFileDescriptor(itsUri, "w");
if (pfd == null) {
throw new IOException(itsUri.toString());
}
fos = new FileOutputStream(pfd.getFileDescriptor());
fos.write(data);
PasswdSafeUtil.dbginfo(TAG, "GenProviderStorage update %s",
itsUri);
return true;
} finally {
if (fos != null) {
fos.close();
}
if (pfd != null) {
pfd.close();
}
}
} catch (Exception e) {
Log.e(TAG, "Error saving " + itsUri, e);
return false;
}
}
}
| 26,694
|
https://github.com/Sody666/QuickVFL2/blob/master/Project/QuickVFL2/ViewControllers/StayShapeViewController.h
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
QuickVFL2
|
Sody666
|
Objective-C
|
Code
| 28
| 79
|
//
// StayShapeViewController.h
// QuickVFL2
//
// Created by 苏第 on 17/11/8.
// Copyright © 2017年 Quick. All rights reserved.
//
#import "RootViewController.h"
@interface StayShapeViewController : RootViewController
@end
| 38,493
|
https://github.com/zz38/ui/blob/master/packages/containers/src/index.js
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,018
|
ui
|
zz38
|
JavaScript
|
Code
| 186
| 574
|
import {
CircularProgress,
Drawer,
Icon,
IconsProvider,
Layout as PureLayout,
TooltipTrigger,
} from '@talend/react-components';
import { cmfConnect } from '@talend/react-cmf';
import actionAPI from './actionAPI';
import AboutDialog from './AboutDialog';
import Action from './Action';
import ActionBar from './ActionBar';
import ActionButton from './ActionButton';
import ActionDropdown from './ActionDropdown';
import ActionFile from './ActionFile';
import ActionIconToggle from './ActionIconToggle';
import Actions from './Actions';
import ActionSplitDropdown from './ActionSplitDropdown';
import AppLoader from './AppLoader';
import Badge from './Badge';
import Breadcrumbs from './Breadcrumbs';
import ConfirmDialog from './ConfirmDialog';
import FilterBar from './FilterBar';
import HeaderBar from './HeaderBar';
import HomeListView from './HomeListView';
import List from './List';
import Notification from './Notification';
import ObjectViewer from './ObjectViewer';
import Redirect from './Redirect';
import ShortcutManager from './ShortcutManager';
import SelectObject from './SelectObject';
import SidePanel from './SidePanel';
import TreeView from './TreeView';
import DeleteResource from './DeleteResource';
import SubHeaderBar from './SubHeaderBar';
import EditableText from './EditableText';
import Typeahead from './Typeahead';
import TabBar from './TabBar';
// keep backward compat
const Layout = cmfConnect({})(PureLayout);
export {
actionAPI,
AboutDialog,
Action,
ActionBar,
ActionButton,
ActionDropdown,
ActionFile,
ActionIconToggle,
Actions,
ActionSplitDropdown,
AppLoader,
Badge,
Breadcrumbs,
CircularProgress,
ConfirmDialog,
Drawer,
DeleteResource,
FilterBar,
HeaderBar,
HomeListView,
Icon,
IconsProvider,
Layout,
List,
Notification,
ObjectViewer,
Redirect,
ShortcutManager,
SelectObject,
SidePanel,
SubHeaderBar,
EditableText,
TabBar,
TooltipTrigger,
TreeView,
Typeahead,
};
| 49,155
|
https://github.com/FulcrumVlsM/joinrpg-net/blob/master/Joinrpg/Helpers/ApiSecretsStorage.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
joinrpg-net
|
FulcrumVlsM
|
C#
|
Code
| 64
| 237
|
using System.Configuration;
using JetBrains.Annotations;
using JoinRpg.Services.Interfaces;
namespace JoinRpg.Web.Helpers
{
[UsedImplicitly]
internal class ApiSecretsStorage : IMailGunConfig
{
public string ApiDomain => ConfigurationManager.AppSettings["MailGunApiDomain"];
string IMailGunConfig.ApiKey => ConfigurationManager.AppSettings["MailGunApiKey"];
public string ServiceEmail => "support@" + ApiDomain;
internal static string GoogleClientId => ConfigurationManager.AppSettings["GoogleClientId"];
internal static string GoogleClientSecret =>
ConfigurationManager.AppSettings["GoogleClientSecret"];
internal static string VkClientId => ConfigurationManager.AppSettings["VkClientId"];
internal static string VkClientSecret => ConfigurationManager.AppSettings["VkClientSecret"];
internal static string XsrfKey => ConfigurationManager.AppSettings["XsrfKey"];
}
}
| 7,825
|
https://github.com/godcong/go-ipfs-http-client/blob/master/api_test.go
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
go-ipfs-http-client
|
godcong
|
Go
|
Code
| 586
| 2,086
|
package httpapi
import (
"context"
"io/ioutil"
"net/http"
gohttp "net/http"
"net/http/httptest"
"os"
"strconv"
"strings"
"sync"
"testing"
"time"
iface "github.com/ipfs/interface-go-ipfs-core"
"github.com/ipfs/interface-go-ipfs-core/path"
"github.com/ipfs/interface-go-ipfs-core/tests"
local "github.com/ipfs/iptb-plugins/local"
"github.com/ipfs/iptb/testbed"
testbedi "github.com/ipfs/iptb/testbed/interfaces"
ma "github.com/multiformats/go-multiaddr"
)
const parallelSpeculativeNodes = 15 // 15 seems to work best
func init() {
_, err := testbed.RegisterPlugin(testbed.IptbPlugin{
From: "<builtin>",
NewNode: local.NewNode,
GetAttrList: local.GetAttrList,
GetAttrDesc: local.GetAttrDesc,
PluginName: local.PluginName,
BuiltIn: true,
}, false)
if err != nil {
panic(err)
}
}
type NodeProvider struct {
simple <-chan func(context.Context) ([]iface.CoreAPI, error)
}
func newNodeProvider(ctx context.Context) *NodeProvider {
simpleNodes := make(chan func(context.Context) ([]iface.CoreAPI, error), parallelSpeculativeNodes)
np := &NodeProvider{
simple: simpleNodes,
}
// start basic nodes speculatively in parallel
for i := 0; i < parallelSpeculativeNodes; i++ {
go func() {
for {
ctx, cancel := context.WithCancel(ctx)
snd, err := np.makeAPISwarm(ctx, false, 1)
res := func(ctx context.Context) ([]iface.CoreAPI, error) {
if err != nil {
return nil, err
}
go func() {
<-ctx.Done()
cancel()
}()
return snd, nil
}
select {
case simpleNodes <- res:
case <-ctx.Done():
return
}
}
}()
}
return np
}
func (np *NodeProvider) MakeAPISwarm(ctx context.Context, fullIdentity bool, n int) ([]iface.CoreAPI, error) {
if !fullIdentity && n == 1 {
return (<-np.simple)(ctx)
}
return np.makeAPISwarm(ctx, fullIdentity, n)
}
func (NodeProvider) makeAPISwarm(ctx context.Context, fullIdentity bool, n int) ([]iface.CoreAPI, error) {
dir, err := ioutil.TempDir("", "httpapi-tb-")
if err != nil {
return nil, err
}
tb := testbed.NewTestbed(dir)
specs, err := testbed.BuildSpecs(tb.Dir(), n, "localipfs", nil)
if err != nil {
return nil, err
}
if err := testbed.WriteNodeSpecs(tb.Dir(), specs); err != nil {
return nil, err
}
nodes, err := tb.Nodes()
if err != nil {
return nil, err
}
apis := make([]iface.CoreAPI, n)
wg := sync.WaitGroup{}
zero := sync.WaitGroup{}
wg.Add(len(nodes))
zero.Add(1)
errs := make(chan error, len(nodes))
for i, nd := range nodes {
go func(i int, nd testbedi.Core) {
defer wg.Done()
if _, err := nd.Init(ctx, "--empty-repo"); err != nil {
errs <- err
return
}
if _, err := nd.RunCmd(ctx, nil, "ipfs", "config", "--json", "Experimental.FilestoreEnabled", "true"); err != nil {
errs <- err
return
}
if _, err := nd.Start(ctx, true, "--enable-pubsub-experiment", "--offline="+strconv.FormatBool(n == 1)); err != nil {
errs <- err
return
}
if i > 0 {
zero.Wait()
if err := nd.Connect(ctx, nodes[0]); err != nil {
errs <- err
return
}
} else {
zero.Done()
}
addr, err := nd.APIAddr()
if err != nil {
errs <- err
return
}
maddr, err := ma.NewMultiaddr(addr)
if err != nil {
errs <- err
return
}
c := &gohttp.Client{
Transport: &gohttp.Transport{
Proxy: gohttp.ProxyFromEnvironment,
DisableKeepAlives: true,
DisableCompression: true,
},
}
apis[i], err = NewApiWithClient(maddr, c)
if err != nil {
errs <- err
return
}
// empty node is pinned even with --empty-repo, we don't want that
emptyNode := path.New("/ipfs/QmUNLLsPACCz1vLxQVkXqqLX5R1X345qqfHbsf67hvA3Nn")
if err := apis[i].Pin().Rm(ctx, emptyNode); err != nil {
errs <- err
return
}
}(i, nd)
}
wg.Wait()
go func() {
<-ctx.Done()
defer os.Remove(dir)
defer func() {
for _, nd := range nodes {
_ = nd.Stop(context.Background())
}
}()
}()
select {
case err = <-errs:
default:
}
return apis, err
}
func TestHttpApi(t *testing.T) {
ctx, cancel := context.WithCancel(context.Background())
defer cancel()
tests.TestApi(newNodeProvider(ctx))(t)
}
func Test_NewURLApiWithClient_With_Headers(t *testing.T) {
var (
headerToTest = "Test-Header"
expectedHeaderValue = "thisisaheadertest"
)
ts := httptest.NewServer(
http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
val := r.Header.Get(headerToTest)
if val != expectedHeaderValue {
w.WriteHeader(400)
return
}
http.ServeContent(w, r, "", time.Now(), strings.NewReader("test"))
}),
)
defer ts.Close()
api, err := NewURLApiWithClient(ts.URL, &http.Client{
Transport: &http.Transport{
Proxy: http.ProxyFromEnvironment,
DisableKeepAlives: true,
},
})
if err != nil {
t.Fatal(err)
}
api.Headers.Set(headerToTest, expectedHeaderValue)
if err := api.Pin().Rm(context.Background(), path.New("/ipfs/QmS4ustL54uo8FzR9455qaxZwuMiUhyvMcX9Ba8nUH4uVv")); err != nil {
t.Fatal(err)
}
}
| 47,284
|
https://github.com/CentraleNantesROV/navio2_ros/blob/master/src/dummy_navio2_include/Navio2/LSM9DS1.h
|
Github Open Source
|
Open Source
|
MIT
| null |
navio2_ros
|
CentraleNantesROV
|
C
|
Code
| 15
| 63
|
#ifndef LSM9DS1_H
#define LSM9DS1_H
#include <Common/MPU9250.h>
struct LSM9DS1 : public InertialSensor {};
#endif // LSM9DS1_H
| 10,597
|
https://github.com/tstavropoulos/AdventOfCode2019/blob/master/Day21/Program.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
AdventOfCode2019
|
tstavropoulos
|
C#
|
Code
| 192
| 594
|
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using AoCTools;
using AoCTools.IntCode;
namespace Day21
{
class Program
{
private const string inputFile = @"../../../../input21.txt";
static void Main(string[] args)
{
Console.WriteLine("Day 21 - Springdroid Adventure");
Console.WriteLine("Star 1");
Console.WriteLine();
long[] regs = File.ReadAllText(inputFile).Split(',').Select(long.Parse).ToArray();
//First test program:
// IF (!A or !B) && C -> Jump
//if !(A and B) && C -> Jump
string input =
"OR A T\n" +
"AND B T\n" +
"AND C T\n" +
"NOT T J\n" +
"AND D J\n" +
"WALK\n";
long[] inputArray = input.Select(x => (long)x).ToArray();
long output1 = 0;
IntCode machine = new IntCode(
"Star 1",
regs,
fixedInputs: inputArray,
output: x => output1 = x);
machine.SyncRun();
Console.WriteLine($"The answer is: {output1}");
Console.WriteLine();
Console.WriteLine("Star 2");
Console.WriteLine();
string input2 =
"OR A T\n" +
"AND B T\n" +
"AND C T\n" +
"NOT T T\n" +
"AND D T\n" +
"OR E J\n" +
"OR H J\n" +
"AND T J\n" +
"RUN\n";
long[] input2Array = input2.Select(x => (long)x).ToArray();
long output2 = 0;
IntCode machine2 = new IntCode(
"Star 2",
regs,
fixedInputs: input2Array,
output: x => output2 = x);
machine2.SyncRun();
Console.WriteLine($"The answer is: {output2}");
Console.WriteLine();
Console.ReadKey();
}
}
}
| 27,413
|
https://github.com/VictorNouvellet/AccessorInstantiator/blob/master/AccessorInstantiator/ViewController.swift
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| null |
AccessorInstantiator
|
VictorNouvellet
|
Swift
|
Code
| 160
| 496
|
//
// ViewController.swift
// AccessorInstantiator
//
// Created by Victor Nouvellet on 3/13/17.
// Copyright © 2017 Victor Nouvellet. All rights reserved.
//
import UIKit
class ViewController: UIViewController {
@IBOutlet var textViewLog: UITextView!
@IBOutlet var labelTitle: UILabel!
override func viewDidLoad() {
super.viewDidLoad()
self.textViewLog.text = ""
NotificationCenter.default.addObserver(self, selector: #selector(logChanged(_ :)), name: JXCoreManager.logUpdatedNotificationName, object: nil)
JXCoreManager.shared.start()
}
override func didReceiveMemoryWarning() {
super.didReceiveMemoryWarning()
// Dispose of any resources that can be recreated.
}
override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
self.view.endEditing(true)
}
/*
// MARK: - Navigation
// In a storyboard-based application, you will often want to do a little preparation before navigation
override func prepare(for segue: UIStoryboardSegue, sender: Any?) {
// Get the new view controller using segue.destinationViewController.
// Pass the selected object to the new view controller.
}
*/
func logChanged(_ notification: NSNotification) {
self.changeEphemeralStatus(ephemeralStatus: "Working...")
self.textViewLog.text = JXCoreManager.shared.log
}
func changeEphemeralStatus(ephemeralStatus: String) {
self.labelTitle.text = ephemeralStatus
DispatchQueue.main.asyncAfter(deadline: DispatchTime.now() + .seconds(1)) {
self.labelTitle.text = "Accessor Host"
}
}
}
| 13,641
|
https://github.com/CrOrc/Cr.ArgParse/blob/master/src/Cr.ArgParse/IActionContainer.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
Cr.ArgParse
|
CrOrc
|
C#
|
Code
| 44
| 138
|
using System.Collections.Generic;
using Cr.ArgParse.Actions;
namespace Cr.ArgParse
{
public interface IActionContainer
{
void RemoveAction(Action action);
Action AddAction(Action action);
IList<Action> Actions { get; }
IList<bool> HasNegativeNumberOptionals { get; }
IList<MutuallyExclusiveGroup> MutuallyExclusiveGroups { get;}
IDictionary<string, Action> OptionStringActions { get; }
IList<string> Prefixes { get; }
}
}
| 13,692
|
https://github.com/pamellasds/smart-contracts-software-evolution/blob/master/github_data/github_contracts_without_comments/Decentraland/f6795c4e47564b08d39d04f2f2d0f60fa97b69ac/Storage.sol
|
Github Open Source
|
Open Source
|
MIT
| null |
smart-contracts-software-evolution
|
pamellasds
|
Solidity
|
Code
| 20
| 55
|
pragma solidity ^0.4.18;
import ;
import ;
import ;
import ;
contract storage is proxystorage, ownablestorage, assetregistrystorage, landstorage {
}
| 44,388
|
https://github.com/DevPAM/pastell-ponts-api/blob/master/api/services/sws/alfresco/appels/noeuds/exister_noeud.appel.js
|
Github Open Source
|
Open Source
|
MIT
| null |
pastell-ponts-api
|
DevPAM
|
JavaScript
|
Code
| 105
| 260
|
var AlfrescoAppelService = require('./../alfresco.appel.js');
/** Classe permettant d'indiquer si le noeud existe ou non. */
class ExisterNoeud extends AlfrescoAppelService {
/** Initialise une nouvelle instance de la classe 'ExisterNoeud'.
* @param id_noeud Le noeud du document. */
constructor(id_noeud) {
super('GET', 'nodes/'+id_noeud);
}
/** Appel le service web. */
async appeler() {
// Invoquation du resultat.
var retour = await super.appelSync();
var resultat = await retour.json();
// Vérification du retour du service.
if(retour.status != 200 && retour.status != 201 && retour.status != 404) throw resultat;
if(retour.status == 404) return false;
// Retour du résulat.
return true;
}
}
// Export de la classe.
module.exports = ExisterNoeud;
| 152
|
https://github.com/StarExec/StarExec/blob/master/WebContent/css/global/_common.scss
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
StarExec
|
StarExec
|
SCSS
|
Code
| 64
| 218
|
// Common classes
@import "colors";
.round {
@extend %rounded-corners;
}
.font-accent {
color: $text-accent-color;
}
ul.horizontal {
list-style: none;
li {
float: left;
margin-right: 20px;
}
}
.extLink {
margin-left: 8px;
margin-bottom: 2px;
}
.hidden {
display: none;
}
.italic {
font-style: italic;
}
.actionList, #actionList {
list-style: none;
li {
float: left;
margin-left: 5px;
margin-bottom: 10px;
a {
cursor: pointer;
}
}
}
| 5,493
|
https://github.com/balibali/opSampleDiaryRankingPlugin/blob/master/lib/opSampleDiaryRanking.class.php
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,013
|
opSampleDiaryRankingPlugin
|
balibali
|
PHP
|
Code
| 99
| 409
|
<?php
class opSampleDiaryRanking
{
private $redisRanking;
public function __construct()
{
$key = sfContext::getInstance()->getUser()->generateSiteIdentifier().'::opSampleDiaryRanking';
$this->redisRanking = new opRedisRanking($key);
}
public function incrementScore(Diary $diary)
{
$this->redisRanking->incrementScore($this->getRankId($diary));
}
public function getCount(Diary $diary)
{
return $this->redisRanking->getScore($this->getRankId($diary));
}
public function getRank(Diary $diary)
{
return 1 + $this->redisRanking->getRevRank($this->getRankId($diary));
}
public function getTop($limit = 10, $withScores = true)
{
$range = $this->redisRanking->getRevRange(0, $limit - 1, $withScores);
$results = array();
foreach ($range as $value)
{
$diaryId = $value[0];
$score = $value[1];
$diary = Doctrine::getTable('Diary')->find($diaryId);
$results[] = array(
'diary' => $diary,
'score' => $score,
);
}
return $results;
}
private function getRankId(Diary $diary)
{
return $diary->getId();
}
}
| 47,151
|
https://github.com/cactis/notiz/blob/master/db/migrate/20111129171942_ext4.rb
|
Github Open Source
|
Open Source
|
MIT
| 2,015
|
notiz
|
cactis
|
Ruby
|
Code
| 19
| 59
|
class Ext4 < ActiveRecord::Migration
def up
add_column :posts, :subject_background, :string
add_column :posts, :body_background, :string
end
def down
end
end
| 28,739
|
https://github.com/takuto-y/the/blob/master/packages/script-doc/example/example-usage.js
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
the
|
takuto-y
|
JavaScript
|
Code
| 14
| 52
|
'use strict'
const doc = require('@the-/script-doc')
async function tryExample() {
await doc('my_project_dir')
}
tryExample().catch(console.error)
| 17,124
|
https://github.com/devsapp/start-web-framework/blob/master/web-framework/php/whatsns/src/code/whatsns/application/views/responsive_lovestu/user_title.php
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
start-web-framework
|
devsapp
|
PHP
|
Code
| 93
| 622
|
<div class="fly-home fly-panel" style="background-image: url();">
<img src="{$user['avatar']}" alt="{$user['username']}">
{if $user['author_has_vertify']!=false} <i class="iconfont icon-renzheng"></i>{/if}
<h1>
{$user['username']}
{if $user['sex']==0} <i class="iconfont icon-nan"></i>{else} <i class="iconfont icon-nv"></i>{/if}
{if $user['groupid']>6} <i class="layui-badge fly-badge-vip" title="等级">{$user['grouptitle']}</i>{/if}
</h1>
<p style="padding: 10px 0; color: #5FB878;">{$user['signature']}</p>
<p class="fly-home-info">
<span style="color: #FF7200;" title="{$caifuzhiname}"><i style="color: #FF7200;" class="layui-icon layui-icon-diamond font13"></i>{$user['credit2']}</span>
<i class="iconfont icon-shijian"></i><span>{eval echo tdate($user['regtime']);} 加入</span>
</p>
<p class="fly-home-sign">{$user['introduction']}</p>
<div class="fly-sns" data-user="">
<!--{if isset($is_followed)&&$is_followed}-->
<a href="javascript:void(0);" id="attenttouser_{$user['uid']}" data-uid="{$user['uid']}" class="btnattention layui-btn layui-btn-warm fly-imActive layui-btn-sm" >取消关注</a>
<!--{else}-->
<a href="javascript:void(0);" id="attenttouser_{$user['uid']}" data-uid="{$user['uid']}" class="btnattention layui-btn layui-btn-primary fly-imActive layui-btn-sm" >+关注</a>
<!--{/if}-->
<a href="{url question/add/$user['uid']}" class="layui-btn layui-btn-normal fly-imActive layui-btn-sm" data-type="chat">对Ta咨询</a>
</div>
</div>
| 21,904
|
https://github.com/HKMUD/NT6/blob/master/nitan/d/jianzhong/jianzhong.c
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
NT6
|
HKMUD
|
C
|
Code
| 140
| 1,055
|
#include <ansi.h>
inherit ROOM;
void create()
{
set("short","剑冢");
set("long",@LONG
平台上大石「剑冢」两个大字之旁,尚有两行字体较小的石刻:
「剑魔独孤求败既无敌于天下,乃埋剑于斯。
呜呼!群雄束手,长剑空利,不亦悲夫!」
大石之下,许多石块堆着一个大坟,背向山谷,俯仰空阔,占尽了
形势。想剑魔文武全才,抱负非常,但恨生得晚了,无缘得见这位
前辈英雄,你不禁仰天长叹,豪情万千。
LONG
);
set("no_clean_up",1);
set("move_stone",1);
set("outdoors", "jianzhong");
set("exits", ([
"enter" : "/d/huashan/s",
]));
set("coor/x", -401);
set("coor/y", -421);
set("coor/z", 50);
setup();
}
void init()
{
add_action("do_move","move");
add_action("do_move","ban");
add_action("do_climb","climb");
}
int do_move(string arg)
{
object me,room,ob,ob1,ob2,ob3;
me=this_player();
room=this_object();
if((arg!="stone")&&(arg!="石块"))
{
return notify_fail("你要搬什么?\n");
} else
{
if( !query("move_stone", room) )
return notify_fail("石块已被人搬开了!\n");
message_vision("$N搬开了冢上的石块,露出了并列的三柄长剑,在第一、二把长剑\n之间,另有一块长石条片。三把剑和石片并列于一块大青石之上。\n",me);
set("move_stone", 0, room);
ob=new(WEAPON_DIR"treasure/qingguang-jian");
if ( ob->violate_unique() ) destruct( ob );
else ob->move(room);
ob1=new("/clone/book/shipian");
if ( ob1->violate_unique() ) destruct( ob1 );
else ob1->move(room);
ob2=new(WEAPON_DIR"treasure/xuantie-jian");
if ( ob2->violate_unique() ) destruct( ob2 );
else ob2->move(room);
ob3=new(__DIR__"obj/mujian");
ob3->move(room);
}
return 1;
}
int do_climb(string arg)
{
object me;
me=this_player();
if(arg!="down") return notify_fail("你要往哪儿爬?\n");
message_vision("$N顺着来路爬了下去。\n",me);
me->move(__DIR__"qiaobi");
message_vision("$N从「剑冢」上爬了下来。\n",me);
return 1;
}
int valid_leave(object me, string dir)
{
if (dir == "enter")
{
write(HIG "\n你进入山洞,只觉四周漆黑一片,你一直不停地往前走… \n" NOR);
write(HIG "不久,穿过了山洞,只见前方却是悬崖峭壁。\n\n");
}
return 1;
}
| 33,549
|
https://github.com/AlexBlack2202/VietnameseTextNormalizer/blob/master/SyllableSystem.h
|
Github Open Source
|
Open Source
|
MIT
| null |
VietnameseTextNormalizer
|
AlexBlack2202
|
C
|
Code
| 20,000
| 111,155
|
/* ----------------------------------------------------------------- */ /* The Vietnamese Speech Synthesis Engine */ /* Developed by Bui Tan Quang - langmaninternet@gmail.com */ /* ----------------------------------------------------------------- */ /* */ /* */ /* */ /* */ /* */ /* ----------------------------------------------------------------- */ #ifndef _QUANGBT_SYLLABLE_SYSTEM_HEADER_ #define _QUANGBT_SYLLABLE_SYSTEM_HEADER_ #include "ConfigSystem.h" #if defined(WIN32) || defined(_WIN32) || defined(WIN64) || defined(_WIN64) #pragma managed(push, off) #endif /************************************************************************/ /* The system of vietnamese syllables */ /************************************************************************/ #ifndef VIETNAMESE_SYLLABLE_IDENTIFIER_DEFINITION #define VIETNAMESE_SYLLABLE_IDENTIFIER_DEFINITION enum VIETNAMESE_SYLLABLE_IDENTIFIER { VIETNAMESE_UNKNOWN_SYLLABLE = 0 /*fixed*/, VIETNAMESE_SYLLABLE_A = 1 /*fixed*/, VIETNAMESE_SYLLABLE_AF = 2 /*fixed*/, VIETNAMESE_SYLLABLE_AJ = 3 /*fixed*/, VIETNAMESE_SYLLABLE_AR = 4 /*fixed*/, VIETNAMESE_SYLLABLE_AS = 5 /*fixed*/, VIETNAMESE_SYLLABLE_AX = 6 /*fixed*/, VIETNAMESE_SYLLABLE_AS_C = 8 /*fixed*/, VIETNAMESE_SYLLABLE_AJ_C_H = 9 /*fixed*/, VIETNAMESE_SYLLABLE_AS_C_H = 10 /*fixed*/, VIETNAMESE_SYLLABLE_A_I = 11 /*fixed*/, VIETNAMESE_SYLLABLE_AR_I = 14 /*fixed*/, VIETNAMESE_SYLLABLE_AS_I = 15 /*fixed*/, VIETNAMESE_SYLLABLE_A_M = 17 /*fixed*/, VIETNAMESE_SYLLABLE_AR_M = 20 /*fixed*/, VIETNAMESE_SYLLABLE_AS_M = 21 /*fixed*/, VIETNAMESE_SYLLABLE_A_N = 23 /*fixed*/, VIETNAMESE_SYLLABLE_AS_N = 27 /*fixed*/, VIETNAMESE_SYLLABLE_A_N_G = 29 /*fixed*/, VIETNAMESE_SYLLABLE_AR_N_G = 32 /*fixed*/, VIETNAMESE_SYLLABLE_AS_N_G = 33 /*fixed*/, VIETNAMESE_SYLLABLE_A_N_H = 35 /*fixed*/, VIETNAMESE_SYLLABLE_AR_N_H = 38 /*fixed*/, VIETNAMESE_SYLLABLE_AS_N_H = 39 /*fixed*/, VIETNAMESE_SYLLABLE_A_O = 41 /*fixed*/, VIETNAMESE_SYLLABLE_AF_O = 42 /*fixed*/, VIETNAMESE_SYLLABLE_AR_O = 44 /*fixed*/, VIETNAMESE_SYLLABLE_AS_O = 45 /*fixed*/, VIETNAMESE_SYLLABLE_AS_P = 48 /*fixed*/, VIETNAMESE_SYLLABLE_AJ_T = 49 /*fixed*/, VIETNAMESE_SYLLABLE_AS_T = 50 /*fixed*/, VIETNAMESE_SYLLABLE_A_U = 51 /*fixed*/, VIETNAMESE_SYLLABLE_AS_Y = 61 /*fixed*/, VIETNAMESE_SYLLABLE_AWJ_C = 63 /*fixed*/, VIETNAMESE_SYLLABLE_AWS_C = 64 /*fixed*/, VIETNAMESE_SYLLABLE_AW_M = 65 /*fixed*/, VIETNAMESE_SYLLABLE_AWX_M = 70 /*fixed*/, VIETNAMESE_SYLLABLE_AW_N = 71 /*fixed*/, VIETNAMESE_SYLLABLE_AW_N_G = 77 /*fixed*/, VIETNAMESE_SYLLABLE_AWF_N_G = 78 /*fixed*/, VIETNAMESE_SYLLABLE_AWR_N_G = 80 /*fixed*/, VIETNAMESE_SYLLABLE_AWS_N_G = 81 /*fixed*/, VIETNAMESE_SYLLABLE_AWS_P = 84 /*fixed*/, VIETNAMESE_SYLLABLE_AWS_T = 86 /*fixed*/, VIETNAMESE_SYLLABLE_AAJ_C = 87 /*fixed*/, VIETNAMESE_SYLLABLE_AA_M = 88 /*fixed*/, VIETNAMESE_SYLLABLE_AAF_M = 89 /*fixed*/, VIETNAMESE_SYLLABLE_AAJ_M = 90 /*fixed*/, VIETNAMESE_SYLLABLE_AAR_M = 91 /*fixed*/, VIETNAMESE_SYLLABLE_AAS_M = 92 /*fixed*/, VIETNAMESE_SYLLABLE_AAX_M = 93 /*fixed*/, VIETNAMESE_SYLLABLE_AA_N = 94 /*fixed*/, VIETNAMESE_SYLLABLE_AAR_N = 97 /*fixed*/, VIETNAMESE_SYLLABLE_AAS_N = 98 /*fixed*/, VIETNAMESE_SYLLABLE_AAF_N_G = 101 /*fixed*/, VIETNAMESE_SYLLABLE_AAJ_N_G = 102 /*fixed*/, VIETNAMESE_SYLLABLE_AAJ_P = 106 /*fixed*/, VIETNAMESE_SYLLABLE_AAS_P = 107 /*fixed*/, VIETNAMESE_SYLLABLE_AAS_T = 109 /*fixed*/, VIETNAMESE_SYLLABLE_AA_U = 110 /*fixed*/, VIETNAMESE_SYLLABLE_AAF_U = 111 /*fixed*/, VIETNAMESE_SYLLABLE_AAR_U = 113 /*fixed*/, VIETNAMESE_SYLLABLE_AAS_U = 114 /*fixed*/, VIETNAMESE_SYLLABLE_AA_Y = 116 /*fixed*/, VIETNAMESE_SYLLABLE_AAR_Y = 119 /*fixed*/, VIETNAMESE_SYLLABLE_AAS_Y = 120 /*fixed*/, VIETNAMESE_SYLLABLE_B_A = 122 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF = 123 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ = 124 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR = 125 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS = 126 /*fixed*/, VIETNAMESE_SYLLABLE_B_AX = 127 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_C = 128 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_C = 129 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_C_H = 130 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_C_H = 131 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_I = 132 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_I = 133 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_I = 134 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_I = 135 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_I = 136 /*fixed*/, VIETNAMESE_SYLLABLE_B_AX_I = 137 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_M = 142 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_N = 144 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_N = 145 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_N = 146 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_N = 147 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_N = 148 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_N_G = 150 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_N_G = 151 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_N_G = 152 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_N_G = 153 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_N_G = 154 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_N_H = 156 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_N_H = 157 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_N_H = 158 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_N_H = 159 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_N_H = 160 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_O = 162 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_O = 163 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_O = 164 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_O = 165 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_O = 166 /*fixed*/, VIETNAMESE_SYLLABLE_B_AX_O = 167 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_T = 168 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_T = 169 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_U = 170 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_U = 171 /*fixed*/, VIETNAMESE_SYLLABLE_B_AJ_U = 172 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_U = 173 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_U = 174 /*fixed*/, VIETNAMESE_SYLLABLE_B_A_Y = 176 /*fixed*/, VIETNAMESE_SYLLABLE_B_AF_Y = 177 /*fixed*/, VIETNAMESE_SYLLABLE_B_AR_Y = 179 /*fixed*/, VIETNAMESE_SYLLABLE_B_AS_Y = 180 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWS_C = 183 /*fixed*/, VIETNAMESE_SYLLABLE_B_AW_M = 184 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWF_M = 185 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWJ_M = 186 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWR_M = 187 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWX_M = 189 /*fixed*/, VIETNAMESE_SYLLABLE_B_AW_N = 190 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWF_N = 191 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWJ_N = 192 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWR_N = 193 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWS_N = 194 /*fixed*/, VIETNAMESE_SYLLABLE_B_AW_N_G = 196 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWF_N_G = 197 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWS_N_G = 200 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWX_N_G = 201 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWJ_P = 202 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWS_P = 203 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWJ_T = 204 /*fixed*/, VIETNAMESE_SYLLABLE_B_AWS_T = 205 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_C = 206 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_C = 207 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAF_M = 209 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_M = 210 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAR_M = 211 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_M = 212 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAX_M = 213 /*fixed*/, VIETNAMESE_SYLLABLE_B_AA_N = 214 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAF_N = 215 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_N = 216 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAR_N = 217 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_N = 218 /*fixed*/, VIETNAMESE_SYLLABLE_B_AA_N_G = 220 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_P = 226 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_P = 227 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_T = 228 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_T = 229 /*fixed*/, VIETNAMESE_SYLLABLE_B_AA_U = 230 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAF_U = 231 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_U = 232 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAR_U = 233 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_U = 234 /*fixed*/, VIETNAMESE_SYLLABLE_B_AA_Y = 236 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAF_Y = 237 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAJ_Y = 238 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAR_Y = 239 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAS_Y = 240 /*fixed*/, VIETNAMESE_SYLLABLE_B_AAX_Y = 241 /*fixed*/, VIETNAMESE_SYLLABLE_B_E = 242 /*fixed*/, VIETNAMESE_SYLLABLE_B_EF = 243 /*fixed*/, VIETNAMESE_SYLLABLE_B_EJ = 244 /*fixed*/, VIETNAMESE_SYLLABLE_B_ER = 245 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES = 246 /*fixed*/, VIETNAMESE_SYLLABLE_B_EX = 247 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES_C = 249 /*fixed*/, VIETNAMESE_SYLLABLE_B_EF_M = 251 /*fixed*/, VIETNAMESE_SYLLABLE_B_ER_M = 253 /*fixed*/, VIETNAMESE_SYLLABLE_B_E_N = 256 /*fixed*/, VIETNAMESE_SYLLABLE_B_EF_N = 257 /*fixed*/, VIETNAMESE_SYLLABLE_B_EJ_N = 258 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES_N = 260 /*fixed*/, VIETNAMESE_SYLLABLE_B_EX_N = 261 /*fixed*/, VIETNAMESE_SYLLABLE_B_E_N_G = 262 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES_N_G = 266 /*fixed*/, VIETNAMESE_SYLLABLE_B_E_O = 268 /*fixed*/, VIETNAMESE_SYLLABLE_B_EF_O = 269 /*fixed*/, VIETNAMESE_SYLLABLE_B_EJ_O = 270 /*fixed*/, VIETNAMESE_SYLLABLE_B_ER_O = 271 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES_O = 272 /*fixed*/, VIETNAMESE_SYLLABLE_B_EX_O = 273 /*fixed*/, VIETNAMESE_SYLLABLE_B_EJ_P = 274 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES_P = 275 /*fixed*/, VIETNAMESE_SYLLABLE_B_EJ_T = 276 /*fixed*/, VIETNAMESE_SYLLABLE_B_ES_T = 277 /*fixed*/, VIETNAMESE_SYLLABLE_B_EE = 278 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEF = 279 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEJ = 280 /*fixed*/, VIETNAMESE_SYLLABLE_B_EER = 281 /*fixed*/, VIETNAMESE_SYLLABLE_B_EES = 282 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEX = 283 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEJ_C_H = 284 /*fixed*/, VIETNAMESE_SYLLABLE_B_EE_N = 286 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEF_N = 287 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEJ_N = 288 /*fixed*/, VIETNAMESE_SYLLABLE_B_EES_N = 290 /*fixed*/, VIETNAMESE_SYLLABLE_B_EE_N_H = 292 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEF_N_H = 293 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEJ_N_H = 294 /*fixed*/, VIETNAMESE_SYLLABLE_B_EES_P = 299 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEJ_T = 300 /*fixed*/, VIETNAMESE_SYLLABLE_B_EES_T = 301 /*fixed*/, VIETNAMESE_SYLLABLE_B_EE_U = 302 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEF_U = 303 /*fixed*/, VIETNAMESE_SYLLABLE_B_EEJ_U = 304 /*fixed*/, VIETNAMESE_SYLLABLE_B_I = 308 /*fixed*/, VIETNAMESE_SYLLABLE_B_IF = 309 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ = 310 /*fixed*/, VIETNAMESE_SYLLABLE_B_IR = 311 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS = 312 /*fixed*/, VIETNAMESE_SYLLABLE_B_IX = 313 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_A = 314 /*fixed*/, VIETNAMESE_SYLLABLE_B_IF_A = 315 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_A = 316 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_C_H = 320 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS_C_H = 321 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EES_C = 323 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EES_M = 328 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EE_N = 330 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EEF_N = 331 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EEJ_N = 332 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EER_N = 333 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EES_N = 334 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EE_N_G = 336 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EES_N_G = 340 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EEJ_T = 342 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EES_T = 343 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EEF_U = 345 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EER_U = 347 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_EES_U = 348 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_M = 350 /*fixed*/, VIETNAMESE_SYLLABLE_B_IF_M = 351 /*fixed*/, VIETNAMESE_SYLLABLE_B_IR_M = 353 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS_M = 354 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_N = 356 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_N = 358 /*fixed*/, VIETNAMESE_SYLLABLE_B_I_N_H = 362 /*fixed*/, VIETNAMESE_SYLLABLE_B_IF_N_H = 363 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_N_H = 364 /*fixed*/, VIETNAMESE_SYLLABLE_B_IR_N_H = 365 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS_N_H = 366 /*fixed*/, VIETNAMESE_SYLLABLE_B_IX_N_H = 367 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_P = 368 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS_P = 369 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_T = 370 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS_T = 371 /*fixed*/, VIETNAMESE_SYLLABLE_B_IF_U = 373 /*fixed*/, VIETNAMESE_SYLLABLE_B_IJ_U = 374 /*fixed*/, VIETNAMESE_SYLLABLE_B_IR_U = 375 /*fixed*/, VIETNAMESE_SYLLABLE_B_IS_U = 376 /*fixed*/, VIETNAMESE_SYLLABLE_B_IX_U = 377 /*fixed*/, VIETNAMESE_SYLLABLE_B_L_A_N_G = 378 /*fixed*/, VIETNAMESE_SYLLABLE_B_L_OO = 379 /*fixed*/, VIETNAMESE_SYLLABLE_B_L_OOS_C = 380 /*fixed*/, VIETNAMESE_SYLLABLE_B_O = 381 /*fixed*/, VIETNAMESE_SYLLABLE_B_OF = 382 /*fixed*/, VIETNAMESE_SYLLABLE_B_OJ = 383 /*fixed*/, VIETNAMESE_SYLLABLE_B_OR = 384 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS = 385 /*fixed*/, VIETNAMESE_SYLLABLE_B_OX = 386 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_A = 387 /*fixed*/, VIETNAMESE_SYLLABLE_B_OJ_C = 393 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS_C = 394 /*fixed*/, VIETNAMESE_SYLLABLE_B_OR_I = 398 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS_I = 399 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_M = 401 /*fixed*/, VIETNAMESE_SYLLABLE_B_OR_M = 404 /*fixed*/, VIETNAMESE_SYLLABLE_B_OX_M = 406 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_N = 407 /*fixed*/, VIETNAMESE_SYLLABLE_B_OF_N = 408 /*fixed*/, VIETNAMESE_SYLLABLE_B_OJ_N = 409 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS_N = 411 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_N_G = 413 /*fixed*/, VIETNAMESE_SYLLABLE_B_OF_N_G = 414 /*fixed*/, VIETNAMESE_SYLLABLE_B_OJ_N_G = 415 /*fixed*/, VIETNAMESE_SYLLABLE_B_OR_N_G = 416 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS_N_G = 417 /*fixed*/, VIETNAMESE_SYLLABLE_B_OX_N_G = 418 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_O_N_G = 419 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_OF_N_G = 420 /*fixed*/, VIETNAMESE_SYLLABLE_B_O_OS_N_G = 423 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS_P = 426 /*fixed*/, VIETNAMESE_SYLLABLE_B_OJ_T = 427 /*fixed*/, VIETNAMESE_SYLLABLE_B_OS_T = 428 /*fixed*/, VIETNAMESE_SYLLABLE_B_OO = 429 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOF = 430 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ = 431 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOR = 432 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS = 433 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOX = 434 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ_C = 435 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS_C = 436 /*fixed*/, VIETNAMESE_SYLLABLE_B_OO_I = 437 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOF_I = 438 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ_I = 439 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOR_I = 440 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS_I = 441 /*fixed*/, VIETNAMESE_SYLLABLE_B_OO_M = 443 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOF_M = 444 /*fixed*/, VIETNAMESE_SYLLABLE_B_OO_N = 449 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOF_N = 450 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ_N = 451 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOR_N = 452 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS_N = 453 /*fixed*/, VIETNAMESE_SYLLABLE_B_OO_N_G = 455 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOF_N_G = 456 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ_N_G = 457 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOR_N_G = 458 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS_N_G = 459 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOX_N_G = 460 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ_P = 461 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS_P = 462 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOJ_T = 463 /*fixed*/, VIETNAMESE_SYLLABLE_B_OOS_T = 464 /*fixed*/, VIETNAMESE_SYLLABLE_B_OW = 465 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWF = 466 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWJ = 467 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWR = 468 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWS = 469 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWX = 470 /*fixed*/, VIETNAMESE_SYLLABLE_B_OW_I = 471 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWF_I = 472 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWR_I = 474 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWS_I = 475 /*fixed*/, VIETNAMESE_SYLLABLE_B_OW_M = 477 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWF_M = 478 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWJ_M = 479 /*fixed*/, VIETNAMESE_SYLLABLE_B_OW_N = 483 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWJ_N = 485 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWX_N = 488 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWJ_P = 489 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWS_P = 490 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWJ_T = 491 /*fixed*/, VIETNAMESE_SYLLABLE_B_OWS_T = 492 /*fixed*/, VIETNAMESE_SYLLABLE_B_R_I = 493 /*fixed*/, VIETNAMESE_SYLLABLE_B_U = 494 /*fixed*/, VIETNAMESE_SYLLABLE_B_UF = 495 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ = 496 /*fixed*/, VIETNAMESE_SYLLABLE_B_UR = 497 /*fixed*/, VIETNAMESE_SYLLABLE_B_US = 498 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_A = 500 /*fixed*/, VIETNAMESE_SYLLABLE_B_UF_A = 501 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_A = 502 /*fixed*/, VIETNAMESE_SYLLABLE_B_UR_A = 503 /*fixed*/, VIETNAMESE_SYLLABLE_B_US_A = 504 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_C = 506 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_I = 508 /*fixed*/, VIETNAMESE_SYLLABLE_B_UF_I = 509 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_I = 510 /*fixed*/, VIETNAMESE_SYLLABLE_B_US_I = 512 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_M = 514 /*fixed*/, VIETNAMESE_SYLLABLE_B_UF_M = 515 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_M = 516 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_N = 518 /*fixed*/, VIETNAMESE_SYLLABLE_B_UF_N = 519 /*fixed*/, VIETNAMESE_SYLLABLE_B_UR_N = 521 /*fixed*/, VIETNAMESE_SYLLABLE_B_US_N = 522 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_N_G = 524 /*fixed*/, VIETNAMESE_SYLLABLE_B_UF_N_G = 525 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_N_G = 526 /*fixed*/, VIETNAMESE_SYLLABLE_B_UR_N_G = 527 /*fixed*/, VIETNAMESE_SYLLABLE_B_US_N_G = 528 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOJ_C = 530 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOF_I = 533 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOR_I = 535 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOF_M = 539 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OO_N = 544 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOF_N = 545 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OO_N_G = 550 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOF_N_G = 551 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOJ_T = 556 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_OOS_T = 557 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_P = 558 /*fixed*/, VIETNAMESE_SYLLABLE_B_US_P = 559 /*fixed*/, VIETNAMESE_SYLLABLE_B_UJ_T = 560 /*fixed*/, VIETNAMESE_SYLLABLE_B_US_T = 561 /*fixed*/, VIETNAMESE_SYLLABLE_B_U_YS_T = 563 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWF = 565 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWJ = 566 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWS = 568 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWF_A = 571 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWJ_A = 572 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWR_A = 573 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWS_A = 574 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWX_A = 575 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWJ_C = 576 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWS_C = 577 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_N_G = 578 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWF_N_G = 579 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWJ_N_G = 580 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWR_N_G = 581 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWS_N_G = 582 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OWS_C = 585 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OW_I = 586 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OWR_I = 589 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OW_M = 592 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OWS_M = 596 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OW_N = 598 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OW_N_G = 604 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OWR_N_G = 607 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OWS_N_G = 608 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OW_U = 610 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_OWS_U = 614 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWS_T = 617 /*fixed*/, VIETNAMESE_SYLLABLE_B_UW_U = 618 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWR_U = 621 /*fixed*/, VIETNAMESE_SYLLABLE_B_UWX_U = 623 /*fixed*/, VIETNAMESE_SYLLABLE_C_A = 624 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF = 625 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ = 626 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR = 627 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS = 628 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_C = 630 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_C = 631 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_C_H = 632 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_C_H = 633 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_I = 634 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_I = 635 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_I = 637 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_I = 638 /*fixed*/, VIETNAMESE_SYLLABLE_C_AX_I = 639 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_M = 640 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_M = 642 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_M = 643 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_M = 644 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_N = 646 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_N = 647 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_N = 648 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_N = 649 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_N = 650 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_N_G = 652 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_N_G = 653 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_N_G = 655 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_N_G = 656 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_N_H = 658 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_N_H = 659 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_N_H = 660 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_N_H = 661 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_N_H = 662 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_O = 664 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_O = 665 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_O = 666 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_O = 667 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_O = 668 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_P = 670 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_P = 671 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_T = 673 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_U = 674 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_U = 675 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_U = 676 /*fixed*/, VIETNAMESE_SYLLABLE_C_AR_U = 677 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_U = 678 /*fixed*/, VIETNAMESE_SYLLABLE_C_A_Y = 680 /*fixed*/, VIETNAMESE_SYLLABLE_C_AF_Y = 681 /*fixed*/, VIETNAMESE_SYLLABLE_C_AJ_Y = 682 /*fixed*/, VIETNAMESE_SYLLABLE_C_AS_Y = 684 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWJ_C = 686 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWS_C = 687 /*fixed*/, VIETNAMESE_SYLLABLE_C_AW_M = 688 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWF_M = 689 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWJ_M = 690 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWS_M = 692 /*fixed*/, VIETNAMESE_SYLLABLE_C_AW_N = 694 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWF_N = 695 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWJ_N = 696 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWR_N = 697 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWS_N = 698 /*fixed*/, VIETNAMESE_SYLLABLE_C_AW_N_G = 700 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWR_N_G = 703 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWJ_P = 706 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWS_P = 707 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWJ_T = 708 /*fixed*/, VIETNAMESE_SYLLABLE_C_AWS_T = 709 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_C = 711 /*fixed*/, VIETNAMESE_SYLLABLE_C_AA_M = 712 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAF_M = 713 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAR_M = 715 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_M = 716 /*fixed*/, VIETNAMESE_SYLLABLE_C_AA_N = 718 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAF_N = 719 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAJ_N = 720 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAR_N = 721 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_N = 722 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAX_N = 723 /*fixed*/, VIETNAMESE_SYLLABLE_C_AA_N_G = 724 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAX_N_G = 729 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAJ_P = 730 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_P = 731 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAJ_T = 732 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_T = 733 /*fixed*/, VIETNAMESE_SYLLABLE_C_AA_U = 734 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAF_U = 735 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAJ_U = 736 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAR_U = 737 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_U = 738 /*fixed*/, VIETNAMESE_SYLLABLE_C_AA_Y = 740 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAF_Y = 741 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAJ_Y = 742 /*fixed*/, VIETNAMESE_SYLLABLE_C_AAS_Y = 744 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A = 746 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF = 747 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ = 748 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AR = 749 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AX = 751 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_C = 752 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_C = 753 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_C_H = 754 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_C_H = 755 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_I = 756 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF_I = 757 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AR_I = 759 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_I = 760 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AX_I = 761 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF_M = 763 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_M = 764 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_N = 768 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_N = 770 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_N = 772 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_N_G = 774 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF_N_G = 775 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_N_G = 776 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_N_G = 778 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_N_H = 780 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF_N_H = 781 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_N_H = 782 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AR_N_H = 783 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_N_H = 784 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_O = 786 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF_O = 787 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_O = 788 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AR_O = 789 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_O = 790 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AX_O = 791 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_P = 792 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_T = 794 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_T = 795 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_U = 796 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_U = 800 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_A_Y = 802 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AF_Y = 803 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AJ_Y = 804 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AR_Y = 805 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AS_Y = 806 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWJ_C = 808 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWS_C = 809 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AW_M = 810 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWF_M = 811 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWJ_M = 812 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWS_M = 814 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AW_N = 816 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWF_N = 817 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWJ_N = 818 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWS_N = 820 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWX_N = 821 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AW_N_G = 822 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWF_N_G = 823 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWJ_N_G = 824 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWR_N_G = 825 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWJ_P = 828 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWS_P = 829 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWJ_T = 830 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AWS_T = 831 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AA_M = 832 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAF_M = 833 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAJ_M = 834 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAR_M = 835 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAS_M = 836 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAX_M = 837 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AA_N = 838 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAF_N = 839 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAJ_N = 840 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAR_N = 841 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAS_N = 842 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAJ_P = 844 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAS_P = 845 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAJ_T = 846 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAS_T = 847 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AA_U = 848 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAF_U = 849 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAJ_U = 850 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAR_U = 851 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAS_U = 852 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAX_U = 853 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AA_Y = 854 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAF_Y = 855 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_AAS_Y = 858 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_E = 860 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EF = 861 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ER = 863 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES = 864 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EX = 865 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EF_M = 867 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES_M = 870 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_E_N = 872 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EF_N = 873 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EJ_N = 874 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES_N = 876 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EX_N = 877 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_E_N_G = 878 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ER_N_G = 881 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES_N_G = 882 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_E_O = 884 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EF_O = 885 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EJ_O = 886 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES_O = 888 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EJ_P = 890 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES_P = 891 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EJ_T = 892 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_ES_T = 893 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EE = 894 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEF = 895 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEJ = 896 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EES = 898 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEJ_C_H = 900 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EES_C_H = 901 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EE_M = 902 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEX_M = 907 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEJ_N = 910 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EE_N_H = 914 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEF_N_H = 915 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EEJ_N_H = 916 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EER_N_H = 917 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EES_N_H = 918 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_EES_T = 921 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I = 922 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IF = 923 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IJ = 924 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IR = 925 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS = 926 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_A = 928 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IF_A = 929 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IR_A = 931 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IX_A = 933 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IJ_C_H = 934 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_C_H = 935 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_C = 937 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EE_M = 938 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_M = 942 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EE_N = 944 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EEF_N = 945 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EEJ_N = 946 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_N = 948 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EE_N_G = 950 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EEF_N_G = 951 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EEJ_N_G = 952 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_N_G = 954 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_P = 957 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_T = 959 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EE_U = 960 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EEF_U = 961 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EER_U = 963 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_EES_U = 964 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_M = 966 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IF_M = 967 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_M = 970 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_N = 972 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IR_N = 975 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_N = 976 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_N_H = 978 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IF_N_H = 979 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IR_N_H = 981 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_N_H = 982 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IX_N_H = 983 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_P = 985 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IJ_T = 986 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_T = 987 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_I_U = 988 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IJ_U = 990 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_IS_U = 992 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O = 994 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OF = 995 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OR = 997 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS = 998 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OX = 999 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_A = 1000 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_A = 1004 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AJ_C = 1006 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AS_C = 1007 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_A_I = 1008 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AF_I = 1009 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AJ_I = 1010 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AS_I = 1012 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AX_I = 1013 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_A_N_G = 1014 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AF_N_G = 1015 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AJ_N_G = 1016 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AR_N_G = 1017 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AS_N_G = 1018 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_AWS_T = 1021 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OJ_C = 1022 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_C = 1023 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_E = 1024 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OF_E = 1025 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OJ_E = 1026 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_E = 1028 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_E_N = 1030 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_EF_N = 1031 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_EJ_T = 1036 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_I = 1038 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OF_I = 1039 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OJ_I = 1040 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OR_I = 1041 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_I = 1042 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OF_M = 1045 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OR_M = 1047 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_N = 1050 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OJ_N = 1052 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_N_G = 1056 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OF_N_G = 1057 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OR_N_G = 1059 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_N_G = 1060 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OX_N_G = 1061 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_O_N_G = 1062 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_OF_N_G = 1063 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_O_OS_N_G = 1064 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OJ_P = 1065 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_P = 1066 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OJ_T = 1067 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OS_T = 1068 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOF = 1070 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOX = 1074 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOS_C = 1076 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOF_I = 1078 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOJ_I = 1079 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOR_I = 1080 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOS_I = 1081 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OO_M = 1083 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOF_M = 1084 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOR_M = 1086 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOX_M = 1088 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OO_N = 1089 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOF_N = 1090 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOJ_N = 1091 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOS_N = 1093 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OO_N_G = 1095 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOF_N_G = 1096 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOR_N_G = 1098 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOS_N_G = 1099 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOJ_P = 1101 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOJ_T = 1103 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OOS_T = 1104 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OW = 1105 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWF = 1106 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWJ = 1107 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWR = 1108 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWS = 1109 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OW_I = 1111 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWS_I = 1115 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OW_M = 1117 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWF_M = 1118 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWR_M = 1120 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWS_M = 1121 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OW_N = 1123 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWF_N = 1124 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWJ_N = 1125 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWS_N = 1127 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWJ_P = 1129 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWS_P = 1130 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWJ_T = 1131 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_OWS_T = 1132 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U = 1133 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF = 1134 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UR = 1136 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US = 1137 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UX = 1138 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_A = 1139 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF_A = 1140 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US_A = 1143 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_AAR_N = 1148 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UJ_C = 1151 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US_C = 1152 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_EEJ_C_H = 1153 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_EEJ_N_H = 1157 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_EES_N_H = 1159 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_I = 1161 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF_I = 1162 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US_I = 1165 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UX_I = 1166 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_M = 1167 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF_M = 1168 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UJ_M = 1169 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US_M = 1171 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UX_M = 1172 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_N = 1173 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF_N = 1174 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UR_N = 1176 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UX_N = 1178 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_N_G = 1179 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF_N_G = 1180 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UR_N_G = 1182 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US_N_G = 1183 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOJ_C = 1185 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOS_C = 1186 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OO_I = 1187 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOF_I = 1188 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOJ_I = 1189 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOS_I = 1191 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOX_I = 1192 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OO_M = 1193 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOF_N = 1200 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OO_N_G = 1205 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOF_N_G = 1206 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOJ_N_G = 1207 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOJ_T = 1211 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_OOS_T = 1212 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UJ_P = 1213 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UJ_T = 1215 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_US_T = 1216 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UF_Y = 1217 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_Y_EE_N = 1218 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_Y_EEF_N = 1219 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_Y_EEJ_N = 1220 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_Y_EER_N = 1221 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_U_Y_EES_N = 1222 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW = 1224 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWF = 1225 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWR = 1227 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWS = 1228 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWX = 1229 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_A = 1230 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWF_A = 1231 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWR_A = 1233 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWS_A = 1234 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWX_A = 1235 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWJ_C = 1236 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWS_C = 1237 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWR_I = 1241 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_N_G = 1244 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWF_N_G = 1245 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWJ_N_G = 1246 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWR_N_G = 1247 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWS_N_G = 1248 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UWX_N_G = 1249 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OWJ_C = 1250 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OWS_C = 1251 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OWF_M = 1252 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OW_N_G = 1253 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OWF_N_G = 1254 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OWR_N_G = 1256 /*fixed*/, VIETNAMESE_SYLLABLE_C_H_UW_OWS_N_G = 1257 /*fixed*/, VIETNAMESE_SYLLABLE_C_O = 1259 /*fixed*/, VIETNAMESE_SYLLABLE_C_OF = 1260 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ = 1261 /*fixed*/, VIETNAMESE_SYLLABLE_C_OR = 1262 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS = 1263 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ_C = 1265 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_C = 1266 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_I = 1267 /*fixed*/, VIETNAMESE_SYLLABLE_C_OF_I = 1268 /*fixed*/, VIETNAMESE_SYLLABLE_C_OR_I = 1270 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_I = 1271 /*fixed*/, VIETNAMESE_SYLLABLE_C_OX_I = 1272 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_M = 1273 /*fixed*/, VIETNAMESE_SYLLABLE_C_OF_M = 1274 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ_M = 1275 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_M = 1277 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_N = 1279 /*fixed*/, VIETNAMESE_SYLLABLE_C_OF_N = 1280 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ_N = 1281 /*fixed*/, VIETNAMESE_SYLLABLE_C_OR_N = 1282 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_N = 1283 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_N_G = 1285 /*fixed*/, VIETNAMESE_SYLLABLE_C_OF_N_G = 1286 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ_N_G = 1287 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_N_G = 1289 /*fixed*/, VIETNAMESE_SYLLABLE_C_OX_N_G = 1290 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_OJ_C = 1291 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_OS_C = 1292 /*fixed*/, VIETNAMESE_SYLLABLE_C_O_O_N_G = 1293 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ_P = 1299 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_P = 1300 /*fixed*/, VIETNAMESE_SYLLABLE_C_OJ_T = 1301 /*fixed*/, VIETNAMESE_SYLLABLE_C_OS_T = 1302 /*fixed*/, VIETNAMESE_SYLLABLE_C_OO = 1303 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOF = 1304 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ = 1305 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOR = 1306 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS = 1307 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOX = 1308 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ_C = 1309 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_C = 1310 /*fixed*/, VIETNAMESE_SYLLABLE_C_OO_I = 1311 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ_I = 1313 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_I = 1315 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOX_I = 1316 /*fixed*/, VIETNAMESE_SYLLABLE_C_OO_M = 1317 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOF_M = 1318 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ_M = 1319 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_M = 1321 /*fixed*/, VIETNAMESE_SYLLABLE_C_OO_N = 1323 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOF_N = 1324 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_N = 1327 /*fixed*/, VIETNAMESE_SYLLABLE_C_OO_N_G = 1329 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOF_N_G = 1330 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ_N_G = 1331 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOR_N_G = 1332 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_N_G = 1333 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ_P = 1335 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_P = 1336 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOJ_T = 1337 /*fixed*/, VIETNAMESE_SYLLABLE_C_OOS_T = 1338 /*fixed*/, VIETNAMESE_SYLLABLE_C_OW = 1339 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWF = 1340 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWS = 1343 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWX = 1344 /*fixed*/, VIETNAMESE_SYLLABLE_C_OW_I = 1345 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWF_I = 1346 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWR_I = 1348 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWX_I = 1350 /*fixed*/, VIETNAMESE_SYLLABLE_C_OW_M = 1351 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWS_M = 1355 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWX_M = 1356 /*fixed*/, VIETNAMESE_SYLLABLE_C_OW_N = 1357 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWF_N = 1358 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWJ_N = 1359 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWS_N = 1361 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWX_N = 1362 /*fixed*/, VIETNAMESE_SYLLABLE_C_OWJ_T = 1363 /*fixed*/, VIETNAMESE_SYLLABLE_C_U = 1365 /*fixed*/, VIETNAMESE_SYLLABLE_C_UF = 1366 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ = 1367 /*fixed*/, VIETNAMESE_SYLLABLE_C_UR = 1368 /*fixed*/, VIETNAMESE_SYLLABLE_C_US = 1369 /*fixed*/, VIETNAMESE_SYLLABLE_C_UX = 1370 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_A = 1371 /*fixed*/, VIETNAMESE_SYLLABLE_C_UR_A = 1374 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ_C = 1377 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_C = 1378 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_I = 1379 /*fixed*/, VIETNAMESE_SYLLABLE_C_UF_I = 1380 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ_I = 1381 /*fixed*/, VIETNAMESE_SYLLABLE_C_UR_I = 1382 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_I = 1383 /*fixed*/, VIETNAMESE_SYLLABLE_C_UX_I = 1384 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_M = 1385 /*fixed*/, VIETNAMESE_SYLLABLE_C_UF_M = 1386 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ_M = 1387 /*fixed*/, VIETNAMESE_SYLLABLE_C_UR_M = 1388 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_M = 1389 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_N = 1391 /*fixed*/, VIETNAMESE_SYLLABLE_C_UF_N = 1392 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_N = 1395 /*fixed*/, VIETNAMESE_SYLLABLE_C_UX_N = 1396 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_N_G = 1397 /*fixed*/, VIETNAMESE_SYLLABLE_C_UF_N_G = 1398 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ_N_G = 1399 /*fixed*/, VIETNAMESE_SYLLABLE_C_UR_N_G = 1400 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_N_G = 1401 /*fixed*/, VIETNAMESE_SYLLABLE_C_UX_N_G = 1402 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOJ_C = 1403 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOS_C = 1404 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOJ_I = 1407 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOR_I = 1408 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOS_I = 1409 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOX_M = 1411 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOF_N = 1413 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOJ_N = 1414 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOS_N = 1416 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OO_N_G = 1418 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOF_N_G = 1419 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOJ_N_G = 1420 /*fixed*/, VIETNAMESE_SYLLABLE_C_U_OOS_N_G = 1422 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ_P = 1424 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_P = 1425 /*fixed*/, VIETNAMESE_SYLLABLE_C_UJ_T = 1426 /*fixed*/, VIETNAMESE_SYLLABLE_C_US_T = 1427 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW = 1428 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWF = 1429 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWJ = 1430 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWR = 1431 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWS = 1432 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWX = 1433 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_A = 1434 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWJ_A = 1436 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWR_A = 1437 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWS_A = 1438 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWJ_C = 1440 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWS_C = 1441 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWR_I = 1445 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_N_G = 1448 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWS_N_G = 1452 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWJ_C = 1454 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWS_C = 1455 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWF_I = 1457 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWS_I = 1460 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWX_I = 1461 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWF_M = 1463 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OW_N_G = 1468 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWF_N_G = 1469 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWX_N_G = 1473 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_OWS_P = 1475 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWS_T = 1477 /*fixed*/, VIETNAMESE_SYLLABLE_C_UW_U = 1478 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWF_U = 1479 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWJ_U = 1480 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWR_U = 1481 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWS_U = 1482 /*fixed*/, VIETNAMESE_SYLLABLE_C_UWX_U = 1483 /*fixed*/, VIETNAMESE_SYLLABLE_D_A = 1484 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF = 1485 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ = 1486 /*fixed*/, VIETNAMESE_SYLLABLE_D_AR = 1487 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS = 1488 /*fixed*/, VIETNAMESE_SYLLABLE_D_AX = 1489 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_C = 1490 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_C = 1491 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_I = 1492 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_I = 1493 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_I = 1494 /*fixed*/, VIETNAMESE_SYLLABLE_D_AR_I = 1495 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_I = 1496 /*fixed*/, VIETNAMESE_SYLLABLE_D_AX_I = 1497 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_M = 1498 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_M = 1499 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_M = 1500 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_M = 1502 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_N = 1504 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_N = 1505 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_N = 1506 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_N = 1508 /*fixed*/, VIETNAMESE_SYLLABLE_D_AX_N = 1509 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_N_G = 1510 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_N_G = 1511 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_N_G = 1512 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_N_G = 1514 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_N_H = 1516 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_N_H = 1517 /*fixed*/, VIETNAMESE_SYLLABLE_D_AR_N_H = 1519 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_O = 1522 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_O = 1523 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_O = 1524 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_O = 1526 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_T = 1528 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_T = 1529 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_U = 1531 /*fixed*/, VIETNAMESE_SYLLABLE_D_A_Y = 1536 /*fixed*/, VIETNAMESE_SYLLABLE_D_AF_Y = 1537 /*fixed*/, VIETNAMESE_SYLLABLE_D_AJ_Y = 1538 /*fixed*/, VIETNAMESE_SYLLABLE_D_AS_Y = 1540 /*fixed*/, VIETNAMESE_SYLLABLE_D_AX_Y = 1541 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWJ_C = 1542 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWS_C = 1543 /*fixed*/, VIETNAMESE_SYLLABLE_D_AW_M = 1544 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWF_M = 1545 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWJ_M = 1546 /*fixed*/, VIETNAMESE_SYLLABLE_D_AW_N = 1550 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWF_N = 1551 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWJ_N = 1552 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWR_N = 1553 /*fixed*/, VIETNAMESE_SYLLABLE_D_AW_N_G = 1556 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWF_N_G = 1557 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWJ_N_G = 1558 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWR_N_G = 1559 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWJ_T = 1562 /*fixed*/, VIETNAMESE_SYLLABLE_D_AWS_T = 1563 /*fixed*/, VIETNAMESE_SYLLABLE_D_AA_M = 1564 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAF_M = 1565 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAJ_M = 1566 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAS_M = 1568 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAX_M = 1569 /*fixed*/, VIETNAMESE_SYLLABLE_D_AA_N = 1570 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAF_N = 1571 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAJ_N = 1572 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAR_N = 1573 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAS_N = 1574 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAX_N = 1575 /*fixed*/, VIETNAMESE_SYLLABLE_D_AA_N_G = 1576 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAJ_P = 1582 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAS_P = 1583 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAJ_T = 1584 /*fixed*/, VIETNAMESE_SYLLABLE_D_AA_U = 1586 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAF_U = 1587 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAJ_U = 1588 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAR_U = 1589 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAS_U = 1590 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAX_U = 1591 /*fixed*/, VIETNAMESE_SYLLABLE_D_AA_Y = 1592 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAF_Y = 1593 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAJ_Y = 1594 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAS_Y = 1596 /*fixed*/, VIETNAMESE_SYLLABLE_D_AAX_Y = 1597 /*fixed*/, VIETNAMESE_SYLLABLE_D_E = 1598 /*fixed*/, VIETNAMESE_SYLLABLE_D_EF = 1599 /*fixed*/, VIETNAMESE_SYLLABLE_D_ER = 1601 /*fixed*/, VIETNAMESE_SYLLABLE_D_ES = 1602 /*fixed*/, VIETNAMESE_SYLLABLE_D_EX = 1603 /*fixed*/, VIETNAMESE_SYLLABLE_D_ES_M = 1604 /*fixed*/, VIETNAMESE_SYLLABLE_D_EF_N = 1606 /*fixed*/, VIETNAMESE_SYLLABLE_D_E_O = 1611 /*fixed*/, VIETNAMESE_SYLLABLE_D_EJ_O = 1613 /*fixed*/, VIETNAMESE_SYLLABLE_D_ER_O = 1614 /*fixed*/, VIETNAMESE_SYLLABLE_D_EJ_P = 1617 /*fixed*/, VIETNAMESE_SYLLABLE_D_ES_P = 1618 /*fixed*/, VIETNAMESE_SYLLABLE_D_EJ_T = 1619 /*fixed*/, VIETNAMESE_SYLLABLE_D_ES_T = 1620 /*fixed*/, VIETNAMESE_SYLLABLE_D_EE = 1621 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEF = 1622 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEJ = 1623 /*fixed*/, VIETNAMESE_SYLLABLE_D_EES = 1625 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEX = 1626 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEF_N = 1628 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEJ_N = 1629 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEF_N_H = 1634 /*fixed*/, VIETNAMESE_SYLLABLE_D_EEJ_T = 1639 /*fixed*/, VIETNAMESE_SYLLABLE_D_EES_T = 1640 /*fixed*/, VIETNAMESE_SYLLABLE_D_I = 1641 /*fixed*/, VIETNAMESE_SYLLABLE_D_IF = 1642 /*fixed*/, VIETNAMESE_SYLLABLE_D_IJ = 1643 /*fixed*/, VIETNAMESE_SYLLABLE_D_IS = 1645 /*fixed*/, VIETNAMESE_SYLLABLE_D_IX = 1646 /*fixed*/, VIETNAMESE_SYLLABLE_D_IX_A = 1652 /*fixed*/, VIETNAMESE_SYLLABLE_D_IJ_C_H = 1653 /*fixed*/, VIETNAMESE_SYLLABLE_D_IS_C_H = 1654 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEJ_C = 1655 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EES_C = 1656 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EE_M = 1657 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEF_M = 1658 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEJ_M = 1659 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEX_M = 1662 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EE_N = 1663 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEJ_N = 1665 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEX_N = 1668 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEJ_P = 1669 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EES_P = 1670 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEJ_T = 1671 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EES_T = 1672 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EE_U = 1673 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEF_U = 1674 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEJ_U = 1675 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_EEX_U = 1678 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_M = 1679 /*fixed*/, VIETNAMESE_SYLLABLE_D_IF_M = 1680 /*fixed*/, VIETNAMESE_SYLLABLE_D_IS_M = 1683 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_N = 1685 /*fixed*/, VIETNAMESE_SYLLABLE_D_IF_N = 1686 /*fixed*/, VIETNAMESE_SYLLABLE_D_IX_N = 1687 /*fixed*/, VIETNAMESE_SYLLABLE_D_I_N_H = 1688 /*fixed*/, VIETNAMESE_SYLLABLE_D_IF_N_H = 1689 /*fixed*/, VIETNAMESE_SYLLABLE_D_IS_N_H = 1692 /*fixed*/, VIETNAMESE_SYLLABLE_D_IX_N_H = 1693 /*fixed*/, VIETNAMESE_SYLLABLE_D_IJ_P = 1694 /*fixed*/, VIETNAMESE_SYLLABLE_D_IS_P = 1695 /*fixed*/, VIETNAMESE_SYLLABLE_D_IJ_T = 1696 /*fixed*/, VIETNAMESE_SYLLABLE_D_IF_U = 1699 /*fixed*/, VIETNAMESE_SYLLABLE_D_IJ_U = 1700 /*fixed*/, VIETNAMESE_SYLLABLE_D_IS_U = 1702 /*fixed*/, VIETNAMESE_SYLLABLE_D_O = 1704 /*fixed*/, VIETNAMESE_SYLLABLE_D_OF = 1705 /*fixed*/, VIETNAMESE_SYLLABLE_D_OJ = 1706 /*fixed*/, VIETNAMESE_SYLLABLE_D_OR = 1707 /*fixed*/, VIETNAMESE_SYLLABLE_D_OS = 1708 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_A = 1710 /*fixed*/, VIETNAMESE_SYLLABLE_D_OJ_A = 1712 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_AX_N = 1721 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_A_N_H = 1722 /*fixed*/, VIETNAMESE_SYLLABLE_D_OJ_C = 1728 /*fixed*/, VIETNAMESE_SYLLABLE_D_OS_C = 1729 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_I = 1730 /*fixed*/, VIETNAMESE_SYLLABLE_D_OF_I = 1731 /*fixed*/, VIETNAMESE_SYLLABLE_D_OJ_I = 1732 /*fixed*/, VIETNAMESE_SYLLABLE_D_OS_I = 1734 /*fixed*/, VIETNAMESE_SYLLABLE_D_OX_I = 1735 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_M = 1736 /*fixed*/, VIETNAMESE_SYLLABLE_D_OF_M = 1737 /*fixed*/, VIETNAMESE_SYLLABLE_D_OR_M = 1739 /*fixed*/, VIETNAMESE_SYLLABLE_D_OS_M = 1740 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_N = 1742 /*fixed*/, VIETNAMESE_SYLLABLE_D_OJ_N = 1744 /*fixed*/, VIETNAMESE_SYLLABLE_D_O_N_G = 1748 /*fixed*/, VIETNAMESE_SYLLABLE_D_OF_N_G = 1749 /*fixed*/, VIETNAMESE_SYLLABLE_D_OJ_N_G = 1750 /*fixed*/, VIETNAMESE_SYLLABLE_D_OR_N_G = 1751 /*fixed*/, VIETNAMESE_SYLLABLE_D_OS_N_G = 1752 /*fixed*/, VIETNAMESE_SYLLABLE_D_OX_N_G = 1753 /*fixed*/, VIETNAMESE_SYLLABLE_D_OO = 1754 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOF = 1755 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOX = 1759 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOJ_C = 1760 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOS_C = 1761 /*fixed*/, VIETNAMESE_SYLLABLE_D_OO_I = 1762 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOF_I = 1763 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOJ_I = 1764 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOR_I = 1765 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOS_I = 1766 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOX_I = 1767 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOF_N = 1769 /*fixed*/, VIETNAMESE_SYLLABLE_D_OO_N_G = 1774 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOF_N_G = 1775 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOJ_N_G = 1776 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOJ_P = 1780 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOJ_T = 1781 /*fixed*/, VIETNAMESE_SYLLABLE_D_OOS_T = 1782 /*fixed*/, VIETNAMESE_SYLLABLE_D_OW = 1783 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWF = 1784 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWJ = 1785 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWR = 1786 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWS = 1787 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWX = 1788 /*fixed*/, VIETNAMESE_SYLLABLE_D_OW_I = 1789 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWF_I = 1790 /*fixed*/, VIETNAMESE_SYLLABLE_D_OW_N = 1795 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWF_N = 1796 /*fixed*/, VIETNAMESE_SYLLABLE_D_OWJ_N = 1797 /*fixed*/, VIETNAMESE_SYLLABLE_D_R_A_Y = 1801 /*fixed*/, VIETNAMESE_SYLLABLE_D_R_AW_M = 1802 /*fixed*/, VIETNAMESE_SYLLABLE_D_R_AW_N_G = 1803 /*fixed*/, VIETNAMESE_SYLLABLE_D_R_OO = 1804 /*fixed*/, VIETNAMESE_SYLLABLE_D_R_OO_N_G = 1805 /*fixed*/, VIETNAMESE_SYLLABLE_D_U = 1806 /*fixed*/, VIETNAMESE_SYLLABLE_D_UF = 1807 /*fixed*/, VIETNAMESE_SYLLABLE_D_UJ = 1808 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_A = 1812 /*fixed*/, VIETNAMESE_SYLLABLE_D_UF_A = 1813 /*fixed*/, VIETNAMESE_SYLLABLE_D_US_A = 1816 /*fixed*/, VIETNAMESE_SYLLABLE_D_UX_A = 1817 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_AAR_N = 1821 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_AAJ_T = 1824 /*fixed*/, VIETNAMESE_SYLLABLE_D_UJ_C = 1826 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_EEJ = 1830 /*fixed*/, VIETNAMESE_SYLLABLE_D_UF_I = 1835 /*fixed*/, VIETNAMESE_SYLLABLE_D_UJ_I = 1836 /*fixed*/, VIETNAMESE_SYLLABLE_D_US_I = 1838 /*fixed*/, VIETNAMESE_SYLLABLE_D_UX_I = 1839 /*fixed*/, VIETNAMESE_SYLLABLE_D_UF_M = 1841 /*fixed*/, VIETNAMESE_SYLLABLE_D_UJ_M = 1842 /*fixed*/, VIETNAMESE_SYLLABLE_D_US_M = 1844 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_N = 1846 /*fixed*/, VIETNAMESE_SYLLABLE_D_UF_N = 1847 /*fixed*/, VIETNAMESE_SYLLABLE_D_US_N = 1848 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_N_G = 1849 /*fixed*/, VIETNAMESE_SYLLABLE_D_UF_N_G = 1850 /*fixed*/, VIETNAMESE_SYLLABLE_D_UJ_N_G = 1851 /*fixed*/, VIETNAMESE_SYLLABLE_D_US_N_G = 1853 /*fixed*/, VIETNAMESE_SYLLABLE_D_UX_N_G = 1854 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_OOJ_C = 1855 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_OOS_C = 1856 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_OOS_I = 1857 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_OOX_I = 1858 /*fixed*/, VIETNAMESE_SYLLABLE_D_US_T = 1860 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_Y = 1861 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_Y_EE_N = 1867 /*fixed*/, VIETNAMESE_SYLLABLE_D_U_Y_EEJ_T = 1873 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW = 1875 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWF = 1876 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWJ = 1877 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWR = 1878 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWS = 1879 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWX = 1880 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_A = 1881 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWF_A = 1882 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWJ_A = 1883 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWS_A = 1885 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWJ_C = 1887 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_N_G = 1889 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWF_N_G = 1890 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWJ_N_G = 1891 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWR_N_G = 1892 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWS_N_G = 1893 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWJ_C = 1895 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWS_I = 1901 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWS_N = 1903 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OW_N_G = 1904 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWF_N_G = 1905 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWJ_N_G = 1906 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWS_N_G = 1908 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWX_N_G = 1909 /*fixed*/, VIETNAMESE_SYLLABLE_D_UW_OWJ_T = 1910 /*fixed*/, VIETNAMESE_SYLLABLE_D_UWS_T = 1913 /*fixed*/, VIETNAMESE_SYLLABLE_D_Y = 1914 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A = 1915 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF = 1916 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ = 1917 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AR = 1918 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS = 1919 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AX = 1920 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_C = 1921 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_C = 1922 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_C_H = 1923 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_C_H = 1924 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_I = 1925 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_I = 1926 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_I = 1927 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_I = 1929 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AX_I = 1930 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_M = 1931 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_M = 1932 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_M = 1933 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AR_M = 1934 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_M = 1935 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_N = 1937 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_N = 1938 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_N = 1939 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AR_N = 1940 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_N = 1941 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_N_G = 1943 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_N_G = 1944 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AR_N_G = 1946 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_N_G = 1947 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AX_N_G = 1948 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_N_H = 1949 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_N_H = 1950 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AR_N_H = 1952 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_N_H = 1953 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_O = 1955 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_O = 1956 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_O = 1957 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AR_O = 1958 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_O = 1959 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_P = 1961 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_P = 1962 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AJ_T = 1963 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_T = 1964 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_U = 1965 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_U = 1969 /*fixed*/, VIETNAMESE_SYLLABLE_DD_A_Y = 1971 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AF_Y = 1972 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AS_Y = 1975 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWJ_C = 1977 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_C = 1978 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_K = 1980 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AW_M = 1981 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWF_M = 1982 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_M = 1985 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWJ_N = 1989 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_N = 1991 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWX_N = 1992 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AW_N_G = 1993 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWF_N_G = 1994 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWJ_N_G = 1995 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWR_N_G = 1996 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_N_G = 1997 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWX_N_G = 1998 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_P = 2000 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWJ_T = 2001 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AWS_T = 2002 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AA_M = 2003 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAF_M = 2004 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAJ_M = 2005 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAS_M = 2007 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAX_M = 2008 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAF_N = 2010 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAJ_N = 2011 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAR_N = 2012 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAX_N = 2014 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAS_N_G = 2015 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAJ_P = 2016 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAJ_T = 2018 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAS_T = 2019 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AA_U = 2020 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAF_U = 2021 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAJ_U = 2022 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAR_U = 2023 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAS_U = 2024 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AA_Y = 2026 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAF_Y = 2027 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAJ_Y = 2028 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAR_Y = 2029 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAS_Y = 2030 /*fixed*/, VIETNAMESE_SYLLABLE_DD_AAX_Y = 2031 /*fixed*/, VIETNAMESE_SYLLABLE_DD_E = 2032 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EF = 2033 /*fixed*/, VIETNAMESE_SYLLABLE_DD_ER = 2035 /*fixed*/, VIETNAMESE_SYLLABLE_DD_ES = 2036 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EX = 2037 /*fixed*/, VIETNAMESE_SYLLABLE_DD_ES_C = 2039 /*fixed*/, VIETNAMESE_SYLLABLE_DD_E_M = 2040 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EF_M = 2041 /*fixed*/, VIETNAMESE_SYLLABLE_DD_ES_M = 2044 /*fixed*/, VIETNAMESE_SYLLABLE_DD_E_N = 2046 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EF_N = 2047 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EJ_N = 2048 /*fixed*/, VIETNAMESE_SYLLABLE_DD_E_O = 2052 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EF_O = 2053 /*fixed*/, VIETNAMESE_SYLLABLE_DD_ES_O = 2056 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EX_O = 2057 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EJ_P = 2058 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EJ_T = 2060 /*fixed*/, VIETNAMESE_SYLLABLE_DD_ES_T = 2061 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EE = 2062 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEF = 2063 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEJ = 2064 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EER = 2065 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EES = 2066 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEX = 2067 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EE_M = 2068 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEF_M = 2069 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEJ_M = 2070 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EES_M = 2072 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEF_N = 2075 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EES_N = 2078 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EE_N_H = 2080 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEF_N_H = 2081 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EER_N_H = 2083 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEX_N_H = 2085 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEJ_P = 2086 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EE_U = 2087 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EEF_U = 2088 /*fixed*/, VIETNAMESE_SYLLABLE_DD_EER_U = 2090 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I = 2093 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IF = 2094 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IX = 2098 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IF_A = 2100 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IJ_A = 2101 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IR_A = 2102 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IX_A = 2104 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IJ_C_H = 2105 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IS_C_H = 2106 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EES_C = 2108 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEF_M = 2110 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEJ_M = 2111 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EER_M = 2112 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EES_M = 2113 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EE_N = 2115 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEF_N = 2116 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEJ_N = 2117 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EER_N = 2118 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EES_N_G = 2125 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEJ_P = 2127 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EE_U = 2129 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEF_U = 2130 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EEJ_U = 2131 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EER_U = 2132 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_EES_U = 2133 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_N_H = 2135 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IF_N_H = 2136 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IJ_N_H = 2137 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IR_N_H = 2138 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IS_N_H = 2139 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IX_N_H = 2140 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IJ_T = 2141 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IS_T = 2142 /*fixed*/, VIETNAMESE_SYLLABLE_DD_I_U = 2143 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IF_U = 2144 /*fixed*/, VIETNAMESE_SYLLABLE_DD_IJ_U = 2145 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O = 2149 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OF = 2150 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ = 2151 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OR = 2152 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS = 2153 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OX = 2154 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_A = 2155 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ_A = 2157 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS_A = 2159 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AS_C = 2162 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AF_I = 2164 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AS_I = 2167 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_A_N = 2169 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AF_N = 2170 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AJ_N = 2171 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AR_N = 2172 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AS_N = 2173 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AF_N_G = 2176 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AR_N_G = 2178 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_AJ_T = 2181 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ_C = 2183 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OF_I = 2186 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ_I = 2187 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OR_I = 2188 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS_I = 2189 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_M = 2191 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OR_M = 2194 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS_M = 2195 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_N = 2197 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OF_N = 2198 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ_N = 2199 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS_N = 2201 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OX_N = 2202 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_N_G = 2203 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OF_N_G = 2204 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ_N_G = 2205 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OR_N_G = 2206 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS_N_G = 2207 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_OJ_C = 2209 /*fixed*/, VIETNAMESE_SYLLABLE_DD_O_OF_N_G = 2210 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OJ_T = 2211 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OS_T = 2212 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OO = 2213 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOF = 2214 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ = 2215 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOR = 2216 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS = 2217 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOX = 2218 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ_C = 2219 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_C = 2220 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OO_I = 2221 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOF_I = 2222 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ_I = 2223 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOR_I = 2224 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_I = 2225 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOX_I = 2226 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OO_M = 2227 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOF_M = 2228 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_M = 2231 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OO_N = 2233 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOF_N = 2234 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ_N = 2235 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_N = 2237 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OO_N_G = 2239 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOF_N_G = 2240 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ_N_G = 2241 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOR_N_G = 2242 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_N_G = 2243 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ_P = 2245 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_P = 2246 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOJ_T = 2247 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OOS_T = 2248 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OW = 2249 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWF = 2250 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWJ = 2251 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWS = 2253 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWX = 2254 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWF_I = 2256 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWJ_I = 2257 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWS_I = 2259 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OW_M = 2261 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWF_M = 2262 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OW_N = 2267 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWF_N = 2268 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWR_N = 2270 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWS_N = 2271 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWS_P = 2273 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWJ_T = 2274 /*fixed*/, VIETNAMESE_SYLLABLE_DD_OWS_T = 2275 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U = 2276 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UF = 2277 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UJ = 2278 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UR = 2279 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US = 2280 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_A = 2282 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UF_A = 2283 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US_A = 2286 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UX_A = 2287 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UJ_C = 2288 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US_C = 2289 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_EER_N_H = 2293 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_I = 2296 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UF_I = 2297 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UR_I = 2299 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UX_I = 2301 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UF_M = 2303 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US_M = 2306 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_N = 2308 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UF_N = 2309 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UJ_N = 2310 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_N_G = 2314 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UF_N_G = 2315 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UJ_N_G = 2316 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UR_N_G = 2317 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US_N_G = 2318 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UX_N_G = 2319 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OOS_C = 2321 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OO_I = 2322 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OOR_I = 2325 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OOS_I = 2326 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OOF_N = 2329 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OOX_N = 2333 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OO_N_G = 2334 /*fixed*/, VIETNAMESE_SYLLABLE_DD_U_OOJ_T = 2335 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UJ_P = 2337 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US_P = 2338 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UJ_T = 2339 /*fixed*/, VIETNAMESE_SYLLABLE_DD_US_T = 2340 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWF = 2342 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWR = 2344 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWS = 2345 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_A = 2347 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWS_A = 2351 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWJ_C = 2353 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWS_C = 2354 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_N_G = 2355 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWF_N_G = 2356 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWJ_N_G = 2357 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWS_N_G = 2359 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWJ_C = 2361 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWS_C = 2362 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWF_I = 2364 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWJ_M = 2371 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWF_N = 2375 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWX_N = 2376 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OW_N_G = 2377 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UW_OWF_N_G = 2378 /*fixed*/, VIETNAMESE_SYLLABLE_DD_UWS_T = 2384 /*fixed*/, VIETNAMESE_SYLLABLE_E = 2385 /*fixed*/, VIETNAMESE_SYLLABLE_EF = 2386 /*fixed*/, VIETNAMESE_SYLLABLE_EJ = 2387 /*fixed*/, VIETNAMESE_SYLLABLE_ER = 2388 /*fixed*/, VIETNAMESE_SYLLABLE_ES = 2389 /*fixed*/, VIETNAMESE_SYLLABLE_EX = 2390 /*fixed*/, VIETNAMESE_SYLLABLE_EJ_C = 2391 /*fixed*/, VIETNAMESE_SYLLABLE_ES_C = 2392 /*fixed*/, VIETNAMESE_SYLLABLE_E_M = 2393 /*fixed*/, VIETNAMESE_SYLLABLE_ER_M = 2396 /*fixed*/, VIETNAMESE_SYLLABLE_ES_M = 2397 /*fixed*/, VIETNAMESE_SYLLABLE_E_N = 2399 /*fixed*/, VIETNAMESE_SYLLABLE_ER_N = 2402 /*fixed*/, VIETNAMESE_SYLLABLE_ES_N = 2403 /*fixed*/, VIETNAMESE_SYLLABLE_E_N_G = 2405 /*fixed*/, VIETNAMESE_SYLLABLE_E_O = 2411 /*fixed*/, VIETNAMESE_SYLLABLE_EF_O = 2412 /*fixed*/, VIETNAMESE_SYLLABLE_EJ_O = 2413 /*fixed*/, VIETNAMESE_SYLLABLE_ER_O = 2414 /*fixed*/, VIETNAMESE_SYLLABLE_ES_O = 2415 /*fixed*/, VIETNAMESE_SYLLABLE_EX_O = 2416 /*fixed*/, VIETNAMESE_SYLLABLE_EJ_P = 2417 /*fixed*/, VIETNAMESE_SYLLABLE_ES_P = 2418 /*fixed*/, VIETNAMESE_SYLLABLE_ES_T = 2419 /*fixed*/, VIETNAMESE_SYLLABLE_EE = 2420 /*fixed*/, VIETNAMESE_SYLLABLE_EEF = 2421 /*fixed*/, VIETNAMESE_SYLLABLE_EEJ = 2422 /*fixed*/, VIETNAMESE_SYLLABLE_EER = 2423 /*fixed*/, VIETNAMESE_SYLLABLE_EES = 2424 /*fixed*/, VIETNAMESE_SYLLABLE_EEX = 2425 /*fixed*/, VIETNAMESE_SYLLABLE_EEJ_C_H = 2426 /*fixed*/, VIETNAMESE_SYLLABLE_EES_C_H = 2427 /*fixed*/, VIETNAMESE_SYLLABLE_EE_M = 2428 /*fixed*/, VIETNAMESE_SYLLABLE_EES_M = 2432 /*fixed*/, VIETNAMESE_SYLLABLE_EEF_N_H = 2435 /*fixed*/, VIETNAMESE_SYLLABLE_EEX_N_H = 2439 /*fixed*/, VIETNAMESE_SYLLABLE_G_A = 2440 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF = 2441 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ = 2442 /*fixed*/, VIETNAMESE_SYLLABLE_G_AR = 2443 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS = 2444 /*fixed*/, VIETNAMESE_SYLLABLE_G_AX = 2445 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ_C = 2446 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_C = 2447 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ_C_H = 2448 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_I = 2450 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF_I = 2451 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ_I = 2452 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_I = 2454 /*fixed*/, VIETNAMESE_SYLLABLE_G_AX_I = 2455 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_M = 2456 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_N = 2462 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF_N = 2463 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ_N = 2464 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_N = 2466 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_N_G = 2468 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF_N_G = 2469 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_N_H = 2474 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF_N_H = 2475 /*fixed*/, VIETNAMESE_SYLLABLE_G_AR_N_H = 2477 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_N_H = 2478 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_O = 2480 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF_O = 2481 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ_O = 2482 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_O = 2484 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_P = 2487 /*fixed*/, VIETNAMESE_SYLLABLE_G_AJ_T = 2488 /*fixed*/, VIETNAMESE_SYLLABLE_G_AF_U = 2491 /*fixed*/, VIETNAMESE_SYLLABLE_G_A_Y = 2496 /*fixed*/, VIETNAMESE_SYLLABLE_G_AR_Y = 2499 /*fixed*/, VIETNAMESE_SYLLABLE_G_AS_Y = 2500 /*fixed*/, VIETNAMESE_SYLLABLE_G_AX_Y = 2501 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWJ_C = 2502 /*fixed*/, VIETNAMESE_SYLLABLE_G_AW_M = 2504 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWF_M = 2505 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWJ_M = 2506 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWS_M = 2508 /*fixed*/, VIETNAMESE_SYLLABLE_G_AW_N = 2510 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWF_N = 2511 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWJ_N = 2512 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWS_N = 2514 /*fixed*/, VIETNAMESE_SYLLABLE_G_AW_N_G = 2516 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWJ_N_G = 2518 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWS_N_G = 2520 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWJ_P = 2522 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWS_P = 2523 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWJ_T = 2524 /*fixed*/, VIETNAMESE_SYLLABLE_G_AWS_T = 2525 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAS_C = 2527 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAF_M = 2529 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAJ_M = 2530 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAR_M = 2531 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAS_M = 2532 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAX_M = 2533 /*fixed*/, VIETNAMESE_SYLLABLE_G_AA_N = 2534 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAF_N = 2535 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAJ_P = 2540 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAS_P = 2541 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAJ_T = 2542 /*fixed*/, VIETNAMESE_SYLLABLE_G_AA_U = 2544 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAF_U = 2545 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAS_U = 2548 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAX_U = 2549 /*fixed*/, VIETNAMESE_SYLLABLE_G_AA_Y = 2550 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAF_Y = 2551 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAJ_Y = 2552 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAR_Y = 2553 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAS_Y = 2554 /*fixed*/, VIETNAMESE_SYLLABLE_G_AAX_Y = 2555 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_E = 2556 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EF = 2557 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EJ = 2558 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_ER = 2559 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_ES = 2560 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EX = 2561 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_ES_M = 2566 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_E_N = 2568 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EF_N = 2569 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EJ_O = 2576 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_ES_P = 2581 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_ES_T = 2583 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EE = 2584 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EEF = 2585 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EES = 2588 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EES_C_H = 2591 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EEF_N_H = 2593 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_EER_N_H = 2595 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_I = 2598 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_IF = 2599 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_I_EES_C = 2605 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_I_EEF_N = 2606 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_I_M = 2607 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_IF_M = 2608 /*fixed*/, VIETNAMESE_SYLLABLE_G_H_IJ_T = 2613 /*fixed*/, VIETNAMESE_SYLLABLE_G_I = 2614 /*fixed*/, VIETNAMESE_SYLLABLE_G_IF = 2615 /*fixed*/, VIETNAMESE_SYLLABLE_G_IR = 2617 /*fixed*/, VIETNAMESE_SYLLABLE_G_IS = 2618 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A = 2620 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AF = 2621 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AJ = 2622 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AR = 2623 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS = 2624 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AX = 2625 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_C = 2627 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A_I = 2628 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AJ_I = 2630 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AR_I = 2631 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AX_I = 2633 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A_M = 2634 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AR_M = 2637 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_M = 2638 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A_N = 2640 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AF_N = 2641 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AR_N = 2643 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_N = 2644 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AX_N = 2645 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A_N_G = 2646 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AF_N_G = 2647 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AJ_N_G = 2648 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AR_N_G = 2649 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_N_G = 2650 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A_N_H = 2652 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AF_N_H = 2653 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_A_O = 2658 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AR_O = 2661 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_O = 2662 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AJ_P = 2664 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_P = 2665 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AJ_T = 2666 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AS_T = 2667 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AF_U = 2669 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AF_Y = 2675 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AX_Y = 2679 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWJ_C = 2680 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWS_C = 2681 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AW_M = 2682 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWF_M = 2683 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWJ_M = 2684 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AW_N_G = 2688 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWF_N_G = 2689 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWJ_T = 2694 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AWS_T = 2695 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAS_C = 2697 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AA_M = 2698 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAJ_M = 2700 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAS_M = 2702 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAX_M = 2703 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAF_N = 2705 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAJ_N = 2706 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAS_N = 2708 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAJ_P = 2710 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAS_P = 2711 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAJ_T = 2712 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AA_U = 2714 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAF_U = 2715 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAJ_U = 2716 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAS_U = 2718 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AA_Y = 2720 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAF_Y = 2721 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAS_Y = 2724 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_AAX_Y = 2725 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_ER = 2729 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_ES = 2730 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EF_M = 2733 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_E_O = 2738 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EE = 2744 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EEF = 2745 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EES_C = 2750 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EES_M = 2755 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EEF_N = 2758 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EE_N_G = 2763 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EEF_N_G = 2764 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EES_N_G = 2767 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EES_T = 2770 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_EEX_U = 2776 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_N = 2777 /*fixed*/, VIETNAMESE_SYLLABLE_G_IF_N = 2778 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_O = 2783 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OF = 2784 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OR = 2786 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OS = 2787 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_O_I = 2789 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OF_I = 2790 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OJ_I = 2791 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OR_I = 2792 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OS_I = 2793 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_O_N = 2795 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OF_N = 2796 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OR_N = 2798 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_O_N_G = 2801 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OJ_N_G = 2803 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OR_N_G = 2804 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OS_N_G = 2805 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OJ_T = 2807 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OS_T = 2808 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OOX = 2814 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OOJ_I = 2817 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OOR_I = 2818 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OOS_I = 2819 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OO_N = 2821 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OO_N_G = 2827 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OOF_N_G = 2828 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OOS_N_G = 2831 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OW = 2833 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OWF = 2834 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OWR = 2836 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OWF_I = 2840 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OWS_I = 2843 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_OWX_N = 2850 /*fixed*/, VIETNAMESE_SYLLABLE_G_IS_P = 2852 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_US = 2857 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UX = 2858 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UJ_A = 2861 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UX_A = 2864 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UJ_C = 2865 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UF_I = 2868 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UR_I = 2870 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UF_M = 2873 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_U_N = 2874 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_U_OOJ_C = 2880 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_US_P = 2883 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UWX = 2889 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UWX_A = 2895 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UW_OW_N_G = 2896 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UW_OWF_N_G = 2897 /*fixed*/, VIETNAMESE_SYLLABLE_G_I_UWJ_T = 2902 /*fixed*/, VIETNAMESE_SYLLABLE_G_L_O_N_G = 2904 /*fixed*/, VIETNAMESE_SYLLABLE_G_O = 2905 /*fixed*/, VIETNAMESE_SYLLABLE_G_OF = 2906 /*fixed*/, VIETNAMESE_SYLLABLE_G_OX = 2910 /*fixed*/, VIETNAMESE_SYLLABLE_G_OS_A = 2915 /*fixed*/, VIETNAMESE_SYLLABLE_G_OS_C = 2918 /*fixed*/, VIETNAMESE_SYLLABLE_G_OF_I = 2920 /*fixed*/, VIETNAMESE_SYLLABLE_G_OJ_I = 2921 /*fixed*/, VIETNAMESE_SYLLABLE_G_OR_I = 2922 /*fixed*/, VIETNAMESE_SYLLABLE_G_OS_I = 2923 /*fixed*/, VIETNAMESE_SYLLABLE_G_O_M = 2925 /*fixed*/, VIETNAMESE_SYLLABLE_G_O_N = 2931 /*fixed*/, VIETNAMESE_SYLLABLE_G_OF_N = 2932 /*fixed*/, VIETNAMESE_SYLLABLE_G_OJ_N = 2933 /*fixed*/, VIETNAMESE_SYLLABLE_G_OJ_N_G = 2939 /*fixed*/, VIETNAMESE_SYLLABLE_G_OR_N_G = 2940 /*fixed*/, VIETNAMESE_SYLLABLE_G_O_OF_N_G = 2944 /*fixed*/, VIETNAMESE_SYLLABLE_G_OS_P = 2950 /*fixed*/, VIETNAMESE_SYLLABLE_G_OJ_T = 2951 /*fixed*/, VIETNAMESE_SYLLABLE_G_OS_T = 2952 /*fixed*/, VIETNAMESE_SYLLABLE_G_OO = 2953 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOF = 2954 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOJ = 2955 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOR = 2956 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOX = 2958 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOJ_C = 2959 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOS_C = 2960 /*fixed*/, VIETNAMESE_SYLLABLE_G_OO_I = 2961 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOF_I = 2962 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOJ_I = 2963 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOS_I = 2965 /*fixed*/, VIETNAMESE_SYLLABLE_G_OO_M = 2967 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOF_M = 2968 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOS_M = 2971 /*fixed*/, VIETNAMESE_SYLLABLE_G_OO_N = 2973 /*fixed*/, VIETNAMESE_SYLLABLE_G_OO_N_G = 2979 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOF_N_G = 2980 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOJ_P = 2985 /*fixed*/, VIETNAMESE_SYLLABLE_G_OOJ_T = 2987 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWF = 2990 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWR = 2992 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWX = 2994 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWJ_I = 2997 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWR_I = 2998 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWF_M = 3002 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWS_M = 3005 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWF_N = 3008 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWJ_N = 3009 /*fixed*/, VIETNAMESE_SYLLABLE_G_OWJ_T = 3013 /*fixed*/, VIETNAMESE_SYLLABLE_G_R_A_I = 3014 /*fixed*/, VIETNAMESE_SYLLABLE_G_U = 3015 /*fixed*/, VIETNAMESE_SYLLABLE_G_UF = 3016 /*fixed*/, VIETNAMESE_SYLLABLE_G_UJ = 3017 /*fixed*/, VIETNAMESE_SYLLABLE_G_US = 3019 /*fixed*/, VIETNAMESE_SYLLABLE_G_UJ_C = 3021 /*fixed*/, VIETNAMESE_SYLLABLE_G_UF_I = 3024 /*fixed*/, VIETNAMESE_SYLLABLE_G_UJ_I = 3025 /*fixed*/, VIETNAMESE_SYLLABLE_G_UX_I = 3028 /*fixed*/, VIETNAMESE_SYLLABLE_G_U_N_G = 3029 /*fixed*/, VIETNAMESE_SYLLABLE_G_U_OOJ_C = 3030 /*fixed*/, VIETNAMESE_SYLLABLE_G_U_OOS_C = 3031 /*fixed*/, VIETNAMESE_SYLLABLE_G_U_OOJ_N = 3032 /*fixed*/, VIETNAMESE_SYLLABLE_G_U_OOF_N_G = 3034 /*fixed*/, VIETNAMESE_SYLLABLE_G_U_OOJ_T = 3039 /*fixed*/, VIETNAMESE_SYLLABLE_G_US_T = 3040 /*fixed*/, VIETNAMESE_SYLLABLE_G_UWF = 3042 /*fixed*/, VIETNAMESE_SYLLABLE_G_UWR_I = 3050 /*fixed*/, VIETNAMESE_SYLLABLE_G_UWF_N_G = 3054 /*fixed*/, VIETNAMESE_SYLLABLE_G_UW_OW_M = 3059 /*fixed*/, VIETNAMESE_SYLLABLE_G_UW_OWF_M = 3060 /*fixed*/, VIETNAMESE_SYLLABLE_G_UW_OWJ_M = 3061 /*fixed*/, VIETNAMESE_SYLLABLE_G_UW_OW_N_G = 3065 /*fixed*/, VIETNAMESE_SYLLABLE_G_UW_OWJ_N_G = 3067 /*fixed*/, VIETNAMESE_SYLLABLE_G_UW_OWX_N_G = 3070 /*fixed*/, VIETNAMESE_SYLLABLE_H_A = 3071 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF = 3072 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ = 3073 /*fixed*/, VIETNAMESE_SYLLABLE_H_AR = 3074 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS = 3075 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_C = 3077 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_C = 3078 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_C_H = 3079 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_C_H = 3080 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_I = 3081 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_I = 3082 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_I = 3083 /*fixed*/, VIETNAMESE_SYLLABLE_H_AR_I = 3084 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_I = 3085 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_I = 3086 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_M = 3087 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_M = 3088 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_M = 3089 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_M = 3091 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_M = 3092 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_N = 3093 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_N = 3094 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_N = 3095 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_N = 3097 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_N = 3098 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_N_G = 3099 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_N_G = 3100 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_N_G = 3101 /*fixed*/, VIETNAMESE_SYLLABLE_H_AR_N_G = 3102 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_N_G = 3103 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_N_G = 3104 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_N_H = 3105 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_N_H = 3106 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_N_H = 3107 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_N_H = 3109 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_N_H = 3110 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_O = 3111 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_O = 3112 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_O = 3113 /*fixed*/, VIETNAMESE_SYLLABLE_H_AR_O = 3114 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_O = 3115 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_O = 3116 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_P = 3117 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_P = 3118 /*fixed*/, VIETNAMESE_SYLLABLE_H_AJ_T = 3119 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_T = 3120 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_U = 3121 /*fixed*/, VIETNAMESE_SYLLABLE_H_AF_U = 3122 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_U = 3125 /*fixed*/, VIETNAMESE_SYLLABLE_H_A_Y = 3127 /*fixed*/, VIETNAMESE_SYLLABLE_H_AS_Y = 3131 /*fixed*/, VIETNAMESE_SYLLABLE_H_AX_Y = 3132 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWJ_C = 3133 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWS_C = 3134 /*fixed*/, VIETNAMESE_SYLLABLE_H_AW_M = 3135 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWF_M = 3136 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWR_M = 3138 /*fixed*/, VIETNAMESE_SYLLABLE_H_AW_N = 3141 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWF_N = 3142 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWR_N = 3144 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWS_N = 3145 /*fixed*/, VIETNAMESE_SYLLABLE_H_AW_N_G = 3147 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWF_N_G = 3148 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWS_N_G = 3151 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWX_N_G = 3152 /*fixed*/, VIETNAMESE_SYLLABLE_H_AWS_T = 3154 /*fixed*/, VIETNAMESE_SYLLABLE_H_AA_M = 3155 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAF_M = 3156 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAJ_M = 3157 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAR_M = 3158 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAS_M = 3159 /*fixed*/, VIETNAMESE_SYLLABLE_H_AA_N = 3161 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAJ_N = 3163 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAS_N = 3165 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAR_N_G = 3170 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAX_N_G = 3172 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAJ_P = 3173 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAS_P = 3174 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAS_T = 3176 /*fixed*/, VIETNAMESE_SYLLABLE_H_AA_U = 3177 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAF_U = 3178 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAJ_U = 3179 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAR_U = 3180 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAS_U = 3181 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAX_U = 3182 /*fixed*/, VIETNAMESE_SYLLABLE_H_AA_Y = 3183 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAF_Y = 3184 /*fixed*/, VIETNAMESE_SYLLABLE_H_AAR_Y = 3186 /*fixed*/, VIETNAMESE_SYLLABLE_H_E = 3189 /*fixed*/, VIETNAMESE_SYLLABLE_H_EF = 3190 /*fixed*/, VIETNAMESE_SYLLABLE_H_EJ = 3191 /*fixed*/, VIETNAMESE_SYLLABLE_H_ES = 3193 /*fixed*/, VIETNAMESE_SYLLABLE_H_E_M = 3195 /*fixed*/, VIETNAMESE_SYLLABLE_H_EF_M = 3196 /*fixed*/, VIETNAMESE_SYLLABLE_H_ER_M = 3198 /*fixed*/, VIETNAMESE_SYLLABLE_H_E_N = 3201 /*fixed*/, VIETNAMESE_SYLLABLE_H_EF_N = 3202 /*fixed*/, VIETNAMESE_SYLLABLE_H_EJ_N = 3203 /*fixed*/, VIETNAMESE_SYLLABLE_H_ER_N = 3204 /*fixed*/, VIETNAMESE_SYLLABLE_H_ES_N = 3205 /*fixed*/, VIETNAMESE_SYLLABLE_H_E_O = 3207 /*fixed*/, VIETNAMESE_SYLLABLE_H_EF_O = 3208 /*fixed*/, VIETNAMESE_SYLLABLE_H_ER_O = 3210 /*fixed*/, VIETNAMESE_SYLLABLE_H_ES_O = 3211 /*fixed*/, VIETNAMESE_SYLLABLE_H_EJ_P = 3213 /*fixed*/, VIETNAMESE_SYLLABLE_H_EJ_T = 3215 /*fixed*/, VIETNAMESE_SYLLABLE_H_ES_T = 3216 /*fixed*/, VIETNAMESE_SYLLABLE_H_EE = 3217 /*fixed*/, VIETNAMESE_SYLLABLE_H_EEF = 3218 /*fixed*/, VIETNAMESE_SYLLABLE_H_EEJ = 3219 /*fixed*/, VIETNAMESE_SYLLABLE_H_EER = 3220 /*fixed*/, VIETNAMESE_SYLLABLE_H_EEX = 3222 /*fixed*/, VIETNAMESE_SYLLABLE_H_EEJ_C_H = 3223 /*fixed*/, VIETNAMESE_SYLLABLE_H_EES_C_H = 3224 /*fixed*/, VIETNAMESE_SYLLABLE_H_EE_N = 3225 /*fixed*/, VIETNAMESE_SYLLABLE_H_EER_N = 3228 /*fixed*/, VIETNAMESE_SYLLABLE_H_EES_N = 3229 /*fixed*/, VIETNAMESE_SYLLABLE_H_EE_N_H = 3231 /*fixed*/, VIETNAMESE_SYLLABLE_H_EEF_N_H = 3232 /*fixed*/, VIETNAMESE_SYLLABLE_H_EER_N_H = 3234 /*fixed*/, VIETNAMESE_SYLLABLE_H_EEJ_T = 3237 /*fixed*/, VIETNAMESE_SYLLABLE_H_EES_T = 3238 /*fixed*/, VIETNAMESE_SYLLABLE_H_EES_U = 3243 /*fixed*/, VIETNAMESE_SYLLABLE_H_I = 3245 /*fixed*/, VIETNAMESE_SYLLABLE_H_IF = 3246 /*fixed*/, VIETNAMESE_SYLLABLE_H_IR = 3248 /*fixed*/, VIETNAMESE_SYLLABLE_H_IS = 3249 /*fixed*/, VIETNAMESE_SYLLABLE_H_IX = 3250 /*fixed*/, VIETNAMESE_SYLLABLE_H_IJ_C_H = 3251 /*fixed*/, VIETNAMESE_SYLLABLE_H_IS_C_H = 3252 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EEF_M = 3254 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EER_M = 3256 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EES_M = 3257 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EE_N = 3259 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EEF_N = 3260 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EEJ_N = 3261 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EER_N = 3262 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EES_N = 3263 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EE_N_G = 3265 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EES_N_G = 3269 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EEJ_P = 3271 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EES_P = 3272 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EEJ_U = 3275 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EER_U = 3276 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_EES_U = 3277 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_M = 3279 /*fixed*/, VIETNAMESE_SYLLABLE_H_IX_M = 3284 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_N = 3285 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_N_H = 3291 /*fixed*/, VIETNAMESE_SYLLABLE_H_IF_N_H = 3292 /*fixed*/, VIETNAMESE_SYLLABLE_H_IR_N_H = 3294 /*fixed*/, VIETNAMESE_SYLLABLE_H_IX_N_H = 3296 /*fixed*/, VIETNAMESE_SYLLABLE_H_IS_P = 3298 /*fixed*/, VIETNAMESE_SYLLABLE_H_IS_T = 3300 /*fixed*/, VIETNAMESE_SYLLABLE_H_I_U = 3301 /*fixed*/, VIETNAMESE_SYLLABLE_H_O = 3307 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF = 3308 /*fixed*/, VIETNAMESE_SYLLABLE_H_OJ = 3309 /*fixed*/, VIETNAMESE_SYLLABLE_H_OR = 3310 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS = 3311 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_A = 3313 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF_A = 3314 /*fixed*/, VIETNAMESE_SYLLABLE_H_OJ_A = 3315 /*fixed*/, VIETNAMESE_SYLLABLE_H_OR_A = 3316 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_A = 3317 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AS_C = 3320 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AJ_C_H = 3321 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_A_I = 3323 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AF_I = 3324 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AJ_I = 3325 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AR_I = 3326 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_A_N = 3329 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AF_N = 3330 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AJ_N = 3331 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AS_N = 3333 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AX_N = 3334 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_A_N_G = 3335 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AF_N_G = 3336 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AR_N_G = 3338 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AF_N_H = 3342 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AJ_N_H = 3343 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AR_N_H = 3344 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AS_N_H = 3345 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AJ_T = 3347 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_A_Y = 3349 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AS_Y = 3353 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWJ_C = 3355 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWS_C = 3356 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWS_M = 3361 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWF_N = 3364 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AW_N_G = 3369 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWF_N_G = 3370 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWS_N_G = 3373 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWX_N_G = 3374 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_AWS_T = 3376 /*fixed*/, VIETNAMESE_SYLLABLE_H_OJ_C = 3377 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_C = 3378 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_E = 3379 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF_E = 3380 /*fixed*/, VIETNAMESE_SYLLABLE_H_OJ_E = 3381 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_E_N = 3385 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_ER_N = 3388 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_ES_T = 3392 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_I = 3393 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF_I = 3394 /*fixed*/, VIETNAMESE_SYLLABLE_H_OR_I = 3396 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_I = 3397 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_M = 3399 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF_M = 3400 /*fixed*/, VIETNAMESE_SYLLABLE_H_OR_M = 3402 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_M = 3403 /*fixed*/, VIETNAMESE_SYLLABLE_H_OX_M = 3404 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_N = 3405 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF_N = 3406 /*fixed*/, VIETNAMESE_SYLLABLE_H_OR_N = 3408 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_N_G = 3411 /*fixed*/, VIETNAMESE_SYLLABLE_H_OF_N_G = 3412 /*fixed*/, VIETNAMESE_SYLLABLE_H_OJ_N_G = 3413 /*fixed*/, VIETNAMESE_SYLLABLE_H_OR_N_G = 3414 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_N_G = 3415 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_OS_C = 3417 /*fixed*/, VIETNAMESE_SYLLABLE_H_O_O_N_G = 3418 /*fixed*/, VIETNAMESE_SYLLABLE_H_OJ_P = 3419 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_P = 3420 /*fixed*/, VIETNAMESE_SYLLABLE_H_OS_T = 3422 /*fixed*/, VIETNAMESE_SYLLABLE_H_OO = 3423 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOF = 3424 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOJ = 3425 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOR = 3426 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOS = 3427 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOX = 3428 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOJ_C = 3429 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOS_C = 3430 /*fixed*/, VIETNAMESE_SYLLABLE_H_OO_I = 3431 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOF_I = 3432 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOJ_I = 3433 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOR_I = 3434 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOS_I = 3435 /*fixed*/, VIETNAMESE_SYLLABLE_H_OO_M = 3437 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOR_M = 3440 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOX_M = 3442 /*fixed*/, VIETNAMESE_SYLLABLE_H_OO_N = 3443 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOF_N = 3444 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOR_N = 3446 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOX_N = 3448 /*fixed*/, VIETNAMESE_SYLLABLE_H_OO_N_G = 3449 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOF_N_G = 3450 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOR_N_G = 3452 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOS_N_G = 3453 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOJ_P = 3455 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOJ_T = 3457 /*fixed*/, VIETNAMESE_SYLLABLE_H_OOS_T = 3458 /*fixed*/, VIETNAMESE_SYLLABLE_H_OW = 3459 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWF = 3460 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWR = 3462 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWS = 3463 /*fixed*/, VIETNAMESE_SYLLABLE_H_OW_I = 3465 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWF_I = 3466 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWJ_I = 3467 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWR_I = 3468 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWS_I = 3469 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWX_I = 3470 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWF_M = 3472 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWJ_M = 3473 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWS_M = 3475 /*fixed*/, VIETNAMESE_SYLLABLE_H_OW_N = 3477 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWF_N = 3478 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWR_N = 3480 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWS_N = 3481 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWJ_P = 3483 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWS_P = 3484 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWJ_T = 3485 /*fixed*/, VIETNAMESE_SYLLABLE_H_OWS_T = 3486 /*fixed*/, VIETNAMESE_SYLLABLE_H_U = 3487 /*fixed*/, VIETNAMESE_SYLLABLE_H_UF = 3488 /*fixed*/, VIETNAMESE_SYLLABLE_H_UJ = 3489 /*fixed*/, VIETNAMESE_SYLLABLE_H_UR = 3490 /*fixed*/, VIETNAMESE_SYLLABLE_H_US = 3491 /*fixed*/, VIETNAMESE_SYLLABLE_H_UX = 3492 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_A = 3493 /*fixed*/, VIETNAMESE_SYLLABLE_H_UF_A = 3494 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_AA_N = 3499 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_AAS_N = 3503 /*fixed*/, VIETNAMESE_SYLLABLE_H_UJ_C = 3505 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_C = 3506 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_EE = 3507 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_EEF = 3508 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_EEJ = 3509 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_EES = 3511 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_EES_C_H = 3514 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_EE_N_H = 3515 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_I = 3521 /*fixed*/, VIETNAMESE_SYLLABLE_H_UF_I = 3522 /*fixed*/, VIETNAMESE_SYLLABLE_H_UJ_I = 3523 /*fixed*/, VIETNAMESE_SYLLABLE_H_UR_I = 3524 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_I = 3525 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_M = 3527 /*fixed*/, VIETNAMESE_SYLLABLE_H_UF_M = 3528 /*fixed*/, VIETNAMESE_SYLLABLE_H_UJ_M = 3529 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_M = 3531 /*fixed*/, VIETNAMESE_SYLLABLE_H_UX_M = 3532 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_N = 3533 /*fixed*/, VIETNAMESE_SYLLABLE_H_UF_N = 3534 /*fixed*/, VIETNAMESE_SYLLABLE_H_UR_N = 3536 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_N_G = 3539 /*fixed*/, VIETNAMESE_SYLLABLE_H_UF_N_G = 3540 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_N_G = 3543 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_OOF_I = 3545 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_OOR_I = 3546 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_OOS_N_G = 3551 /*fixed*/, VIETNAMESE_SYLLABLE_H_UJ_P = 3553 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_P = 3554 /*fixed*/, VIETNAMESE_SYLLABLE_H_UJ_T = 3555 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_T = 3556 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y = 3557 /*fixed*/, VIETNAMESE_SYLLABLE_H_UR_Y = 3560 /*fixed*/, VIETNAMESE_SYLLABLE_H_US_Y = 3561 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_YJ_C_H = 3563 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_YS_C_H = 3564 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_EE_N = 3565 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_EEF_N = 3566 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_EEJ_N = 3567 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_EEX_N = 3570 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_EEJ_T = 3571 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_EES_T = 3572 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_Y_N_H = 3573 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_YF_N_H = 3574 /*fixed*/, VIETNAMESE_SYLLABLE_H_U_YS_T = 3580 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW = 3581 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWF = 3582 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWJ = 3583 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWR = 3584 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWS = 3585 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWX = 3586 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWF_A = 3588 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWS_A = 3591 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWJ_C = 3593 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWS_C = 3594 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_N_G = 3595 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWF_N_G = 3596 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWR_N_G = 3598 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWS_N_G = 3599 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWX_N_G = 3600 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OWS_C = 3602 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OW_M = 3603 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OWF_M = 3604 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OWS_M = 3607 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OW_N_G = 3609 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OWF_N_G = 3610 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OWR_N_G = 3612 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OWS_N_G = 3613 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_OW_U = 3615 /*fixed*/, VIETNAMESE_SYLLABLE_H_UW_U = 3621 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWJ_U = 3623 /*fixed*/, VIETNAMESE_SYLLABLE_H_UWX_U = 3626 /*fixed*/, VIETNAMESE_SYLLABLE_H_Y = 3627 /*fixed*/, VIETNAMESE_SYLLABLE_H_YF = 3628 /*fixed*/, VIETNAMESE_SYLLABLE_H_YR = 3630 /*fixed*/, VIETNAMESE_SYLLABLE_H_YS = 3631 /*fixed*/, VIETNAMESE_SYLLABLE_I = 3633 /*fixed*/, VIETNAMESE_SYLLABLE_IF = 3634 /*fixed*/, VIETNAMESE_SYLLABLE_IJ = 3635 /*fixed*/, VIETNAMESE_SYLLABLE_IR = 3636 /*fixed*/, VIETNAMESE_SYLLABLE_IS = 3637 /*fixed*/, VIETNAMESE_SYLLABLE_IX = 3638 /*fixed*/, VIETNAMESE_SYLLABLE_I_A = 3639 /*fixed*/, VIETNAMESE_SYLLABLE_IR_A = 3642 /*fixed*/, VIETNAMESE_SYLLABLE_IJ_C_H = 3645 /*fixed*/, VIETNAMESE_SYLLABLE_IS_C_H = 3646 /*fixed*/, VIETNAMESE_SYLLABLE_I_M = 3647 /*fixed*/, VIETNAMESE_SYLLABLE_IR_M = 3650 /*fixed*/, VIETNAMESE_SYLLABLE_I_N = 3653 /*fixed*/, VIETNAMESE_SYLLABLE_IF_N = 3654 /*fixed*/, VIETNAMESE_SYLLABLE_IR_N = 3656 /*fixed*/, VIETNAMESE_SYLLABLE_IS_N = 3657 /*fixed*/, VIETNAMESE_SYLLABLE_I_N_H = 3659 /*fixed*/, VIETNAMESE_SYLLABLE_IF_N_H = 3660 /*fixed*/, VIETNAMESE_SYLLABLE_IJ_T = 3665 /*fixed*/, VIETNAMESE_SYLLABLE_IS_T = 3666 /*fixed*/, VIETNAMESE_SYLLABLE_I_U = 3667 /*fixed*/, VIETNAMESE_SYLLABLE_IR_U = 3670 /*fixed*/, VIETNAMESE_SYLLABLE_K_A = 3673 /*fixed*/, VIETNAMESE_SYLLABLE_K_A_I = 3679 /*fixed*/, VIETNAMESE_SYLLABLE_K_A_N = 3680 /*fixed*/, VIETNAMESE_SYLLABLE_K_AJ_N = 3682 /*fixed*/, VIETNAMESE_SYLLABLE_K_A_O = 3686 /*fixed*/, VIETNAMESE_SYLLABLE_K_E = 3692 /*fixed*/, VIETNAMESE_SYLLABLE_K_EF = 3693 /*fixed*/, VIETNAMESE_SYLLABLE_K_EJ = 3694 /*fixed*/, VIETNAMESE_SYLLABLE_K_ER = 3695 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES = 3696 /*fixed*/, VIETNAMESE_SYLLABLE_K_EX = 3697 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES_C = 3698 /*fixed*/, VIETNAMESE_SYLLABLE_K_E_M = 3699 /*fixed*/, VIETNAMESE_SYLLABLE_K_EF_M = 3700 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES_M = 3703 /*fixed*/, VIETNAMESE_SYLLABLE_K_EX_M = 3704 /*fixed*/, VIETNAMESE_SYLLABLE_K_E_N = 3705 /*fixed*/, VIETNAMESE_SYLLABLE_K_EF_N = 3706 /*fixed*/, VIETNAMESE_SYLLABLE_K_EJ_N = 3707 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES_N = 3709 /*fixed*/, VIETNAMESE_SYLLABLE_K_E_N_G = 3711 /*fixed*/, VIETNAMESE_SYLLABLE_K_ER_N_G = 3714 /*fixed*/, VIETNAMESE_SYLLABLE_K_E_O = 3717 /*fixed*/, VIETNAMESE_SYLLABLE_K_EF_O = 3718 /*fixed*/, VIETNAMESE_SYLLABLE_K_EJ_O = 3719 /*fixed*/, VIETNAMESE_SYLLABLE_K_ER_O = 3720 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES_O = 3721 /*fixed*/, VIETNAMESE_SYLLABLE_K_EX_O = 3722 /*fixed*/, VIETNAMESE_SYLLABLE_K_EJ_P = 3723 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES_P = 3724 /*fixed*/, VIETNAMESE_SYLLABLE_K_EJ_T = 3725 /*fixed*/, VIETNAMESE_SYLLABLE_K_ES_T = 3726 /*fixed*/, VIETNAMESE_SYLLABLE_K_EE = 3727 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEF = 3728 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEJ = 3729 /*fixed*/, VIETNAMESE_SYLLABLE_K_EER = 3730 /*fixed*/, VIETNAMESE_SYLLABLE_K_EES = 3731 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEJ_C_H = 3733 /*fixed*/, VIETNAMESE_SYLLABLE_K_EES_C_H = 3734 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEF_M = 3736 /*fixed*/, VIETNAMESE_SYLLABLE_K_EE_N = 3741 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEF_N = 3742 /*fixed*/, VIETNAMESE_SYLLABLE_K_EE_N_H = 3747 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEF_N_H = 3748 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEJ_N_H = 3749 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEX_N_H = 3752 /*fixed*/, VIETNAMESE_SYLLABLE_K_EES_P = 3754 /*fixed*/, VIETNAMESE_SYLLABLE_K_EES_T = 3756 /*fixed*/, VIETNAMESE_SYLLABLE_K_EE_U = 3757 /*fixed*/, VIETNAMESE_SYLLABLE_K_EEF_U = 3758 /*fixed*/, VIETNAMESE_SYLLABLE_K_EES_U = 3761 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A = 3763 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AF = 3764 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR = 3766 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS = 3767 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AJ_C = 3769 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_C = 3770 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AJ_C_H = 3771 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_C_H = 3772 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_I = 3773 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_I = 3776 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_I = 3777 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_M = 3779 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_M = 3782 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_M = 3783 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_N = 3785 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AF_N = 3786 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_N = 3788 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_N = 3789 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_N_G = 3791 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AF_N_G = 3792 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AJ_N_G = 3793 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_N_G = 3794 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_N_G = 3795 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AX_N_G = 3796 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_N_H = 3797 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AF_N_H = 3798 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_N_H = 3800 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_N_H = 3801 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_O = 3803 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AF_O = 3804 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AJ_O = 3805 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_O = 3806 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_O = 3807 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AJ_P = 3809 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_P = 3810 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_T = 3812 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_U = 3813 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_U = 3817 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_A_Y = 3819 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AR_Y = 3822 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AS_Y = 3823 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWJ_C = 3825 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWS_C = 3826 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AW_M = 3827 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWR_M = 3830 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWS_M = 3831 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AW_N = 3833 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWF_N = 3834 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWR_N = 3836 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWS_N = 3837 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AW_N_G = 3839 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWF_N_G = 3840 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWR_N_G = 3842 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWS_N_G = 3843 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWS_P = 3846 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AWS_T = 3848 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAS_C = 3850 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AA_M = 3851 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAR_M = 3854 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAS_M = 3855 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AA_N = 3857 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAF_N = 3858 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAR_N = 3860 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAS_N = 3861 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAJ_P = 3863 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAS_P = 3864 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAJ_T = 3865 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAS_T = 3866 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AA_U = 3867 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAR_U = 3870 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAS_U = 3871 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_AAR_Y = 3876 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_E = 3879 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EF = 3880 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_ES = 3883 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EX = 3884 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_E_M = 3885 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_E_N = 3891 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EF_N = 3892 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_E_O = 3897 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_ER_O = 3900 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_ES_O = 3901 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_ES_P = 3904 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EJ_T = 3905 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_ES_T = 3906 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EE = 3907 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EEF = 3908 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EEJ = 3909 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EES = 3911 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EES_N = 3913 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EE_N_H = 3914 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EEJ_N_H = 3916 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EER_N_H = 3917 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EEX_N_H = 3919 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EE_U = 3920 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_EEF_U = 3921 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I = 3926 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IF = 3927 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IR = 3929 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IS = 3930 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IJ_A = 3934 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IS_A = 3936 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IS_C_H = 3939 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EE_M = 3940 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EES_M = 3944 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EE_N = 3946 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EER_N = 3949 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EES_N = 3950 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EE_N_G = 3952 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EEJ_N_G = 3954 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EEX_N_G = 3957 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EES_P = 3959 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EES_T = 3961 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EE_U = 3962 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_EES_U = 3966 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_N = 3968 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IF_N = 3969 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_N_H = 3974 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IR_N_H = 3977 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IJ_T = 3980 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_IS_T = 3981 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_I_U = 3982 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O = 3988 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OF = 3989 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OR = 3991 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OS = 3992 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_A = 3994 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OF_A = 3995 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OR_A = 3997 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OS_A = 3998 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AS_C = 4001 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_A_I = 4002 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AF_I = 4003 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AR_I = 4005 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AS_I = 4006 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_A_N = 4008 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AR_N = 4011 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AS_N = 4012 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_A_N_G = 4014 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AR_N_G = 4017 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AS_N_G = 4018 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_A_N_H = 4020 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AR_N_H = 4023 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AS_T = 4027 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AS_Y = 4032 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AWF_M = 4035 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AWJ_M = 4036 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AW_N = 4040 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AWS_N = 4044 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AWS_N_G = 4050 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_AWS_T = 4053 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OS_C = 4055 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_E = 4056 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OF_E = 4057 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OR_E = 4059 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OS_E = 4060 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_E_N = 4062 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_E_O = 4063 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_EF_O = 4064 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_ER_O = 4066 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_ES_T = 4070 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_I = 4071 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OR_I = 4074 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OS_I = 4075 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_M = 4077 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OF_M = 4078 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OJ_M = 4079 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OS_M = 4081 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_N_G = 4083 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OF_N_G = 4084 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OR_N_G = 4086 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_O_O_N_G = 4089 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OJ_T = 4090 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OO = 4092 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOR = 4095 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOS = 4096 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOS_C = 4099 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OO_I = 4100 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOS_I = 4104 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OO_N = 4106 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOS_N = 4110 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OO_N_G = 4112 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOR_N_G = 4115 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OOS_N_G = 4116 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OW = 4118 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OWF = 4119 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OWS = 4122 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OW_I = 4124 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OWR_I = 4127 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OWS_I = 4128 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OWR_M = 4133 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_OWS_P = 4137 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U = 4138 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UF = 4139 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UJ = 4140 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UR = 4141 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_US = 4142 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_A = 4144 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UR_A = 4147 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_AA_N = 4150 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_AAR_N = 4153 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_AA_N_G = 4156 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_AAS_T = 4163 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_AA_Y = 4164 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_AAS_Y = 4168 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UJ_C = 4170 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_US_C = 4171 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_EE = 4172 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_EES_C_H = 4179 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_I = 4180 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_M = 4181 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_US_M = 4185 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_N = 4187 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_N_G = 4188 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UF_N_G = 4189 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UJ_N_G = 4190 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UR_N_G = 4191 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_US_N_G = 4192 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_OO_N = 4194 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_OO_N_G = 4200 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_OW = 4206 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UJ_T = 4207 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y = 4209 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UJ_Y = 4211 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_A = 4215 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_EES_C_H = 4221 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_EE_N = 4222 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_EER_N = 4225 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_EES_N = 4226 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_EES_T = 4229 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_Y_N_H = 4230 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_YF_N_H = 4231 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_YR_N_H = 4233 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_YS_P = 4236 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_YJ_U = 4239 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_U_YR_U = 4240 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW = 4243 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWF = 4244 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWJ = 4245 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWR = 4246 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWS = 4247 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWF_A = 4250 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWJ_A = 4251 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWS_A = 4253 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWF_N_G = 4256 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWJ_N_G = 4257 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWR_N_G = 4258 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OWS_C = 4262 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OW_I = 4263 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OW_N = 4264 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OW_N_G = 4270 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OWX_N_G = 4275 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OWJ_T = 4276 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OWS_T = 4277 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UW_OWS_U = 4278 /*fixed*/, VIETNAMESE_SYLLABLE_K_H_UWS_U = 4283 /*fixed*/, VIETNAMESE_SYLLABLE_K_I = 4285 /*fixed*/, VIETNAMESE_SYLLABLE_K_IF = 4286 /*fixed*/, VIETNAMESE_SYLLABLE_K_IJ = 4287 /*fixed*/, VIETNAMESE_SYLLABLE_K_IR = 4288 /*fixed*/, VIETNAMESE_SYLLABLE_K_IS = 4289 /*fixed*/, VIETNAMESE_SYLLABLE_K_IX = 4290 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_A = 4291 /*fixed*/, VIETNAMESE_SYLLABLE_K_IF_A = 4292 /*fixed*/, VIETNAMESE_SYLLABLE_K_IJ_C_H = 4297 /*fixed*/, VIETNAMESE_SYLLABLE_K_IS_C_H = 4298 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EE_M = 4299 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEF_M = 4300 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEJ_M = 4301 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EER_M = 4302 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EES_M = 4303 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EE_N = 4305 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEF_N = 4306 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEJ_N = 4307 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EER_N = 4308 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EES_N = 4309 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EE_N_G = 4311 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEF_N_G = 4312 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EER_N_G = 4314 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EES_N_G = 4315 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEX_N_G = 4316 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EES_P = 4318 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEJ_T = 4319 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EES_T = 4320 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EE_U = 4321 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEF_U = 4322 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EEJ_U = 4323 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EER_U = 4324 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_EES_U = 4325 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_M = 4327 /*fixed*/, VIETNAMESE_SYLLABLE_K_IF_M = 4328 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_N = 4333 /*fixed*/, VIETNAMESE_SYLLABLE_K_IF_N = 4334 /*fixed*/, VIETNAMESE_SYLLABLE_K_IS_N = 4337 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_N_H = 4339 /*fixed*/, VIETNAMESE_SYLLABLE_K_IF_N_H = 4340 /*fixed*/, VIETNAMESE_SYLLABLE_K_IR_N_H = 4342 /*fixed*/, VIETNAMESE_SYLLABLE_K_IS_N_H = 4343 /*fixed*/, VIETNAMESE_SYLLABLE_K_IJ_P = 4345 /*fixed*/, VIETNAMESE_SYLLABLE_K_IS_P = 4346 /*fixed*/, VIETNAMESE_SYLLABLE_K_IJ_T = 4347 /*fixed*/, VIETNAMESE_SYLLABLE_K_IS_T = 4348 /*fixed*/, VIETNAMESE_SYLLABLE_K_I_U = 4349 /*fixed*/, VIETNAMESE_SYLLABLE_K_IX_U = 4354 /*fixed*/, VIETNAMESE_SYLLABLE_K_O = 4355 /*fixed*/, VIETNAMESE_SYLLABLE_K_O_N = 4356 /*fixed*/, VIETNAMESE_SYLLABLE_K_OS_T = 4362 /*fixed*/, VIETNAMESE_SYLLABLE_K_OO = 4363 /*fixed*/, VIETNAMESE_SYLLABLE_K_OO_I = 4369 /*fixed*/, VIETNAMESE_SYLLABLE_K_OO_N = 4370 /*fixed*/, VIETNAMESE_SYLLABLE_K_OO_N_G = 4371 /*fixed*/, VIETNAMESE_SYLLABLE_K_U = 4377 /*fixed*/, VIETNAMESE_SYLLABLE_K_Y = 4378 /*fixed*/, VIETNAMESE_SYLLABLE_K_YF = 4379 /*fixed*/, VIETNAMESE_SYLLABLE_K_YJ = 4380 /*fixed*/, VIETNAMESE_SYLLABLE_K_YR = 4381 /*fixed*/, VIETNAMESE_SYLLABLE_K_YS = 4382 /*fixed*/, VIETNAMESE_SYLLABLE_K_YX = 4383 /*fixed*/, VIETNAMESE_SYLLABLE_L_A = 4384 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF = 4385 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ = 4386 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR = 4387 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS = 4388 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX = 4389 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_C = 4390 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_C = 4391 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_C_H = 4392 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_C_H = 4393 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_I = 4394 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_I = 4395 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_I = 4396 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_I = 4397 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_I = 4398 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX_I = 4399 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_M = 4400 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_M = 4401 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_M = 4402 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_M = 4403 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_M = 4404 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX_M = 4405 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_N = 4406 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_N = 4407 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_N = 4408 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_N = 4409 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_N = 4410 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX_N = 4411 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_N_G = 4412 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_N_G = 4413 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_N_G = 4414 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_N_G = 4415 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_N_G = 4416 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX_N_G = 4417 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_N_H = 4418 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_N_H = 4419 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_N_H = 4420 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_N_H = 4421 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_N_H = 4422 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX_N_H = 4423 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_O = 4424 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_O = 4425 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_O = 4426 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_O = 4427 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_O = 4428 /*fixed*/, VIETNAMESE_SYLLABLE_L_AX_O = 4429 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_P = 4430 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_P = 4431 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_T = 4432 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_T = 4433 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_U = 4434 /*fixed*/, VIETNAMESE_SYLLABLE_L_AF_U = 4435 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_U = 4436 /*fixed*/, VIETNAMESE_SYLLABLE_L_AR_U = 4437 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_U = 4438 /*fixed*/, VIETNAMESE_SYLLABLE_L_A_Y = 4440 /*fixed*/, VIETNAMESE_SYLLABLE_L_AJ_Y = 4442 /*fixed*/, VIETNAMESE_SYLLABLE_L_AS_Y = 4444 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWJ_C = 4446 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWS_C = 4447 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWS_K = 4449 /*fixed*/, VIETNAMESE_SYLLABLE_L_AW_M = 4450 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWF_M = 4451 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWJ_M = 4452 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWR_M = 4453 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWS_M = 4454 /*fixed*/, VIETNAMESE_SYLLABLE_L_AW_N = 4456 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWF_N = 4457 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWJ_N = 4458 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWR_N = 4459 /*fixed*/, VIETNAMESE_SYLLABLE_L_AW_N_G = 4462 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWF_N_G = 4463 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWJ_N_G = 4464 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWR_N_G = 4465 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWS_N_G = 4466 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWX_N_G = 4467 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWJ_P = 4468 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWS_P = 4469 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWJ_T = 4470 /*fixed*/, VIETNAMESE_SYLLABLE_L_AWS_T = 4471 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAS_C = 4473 /*fixed*/, VIETNAMESE_SYLLABLE_L_AA_M = 4474 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAF_M = 4475 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAR_M = 4477 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAS_M = 4478 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAX_M = 4479 /*fixed*/, VIETNAMESE_SYLLABLE_L_AA_N = 4480 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAF_N = 4481 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAJ_N = 4482 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAR_N = 4483 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAS_N = 4484 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAX_N = 4485 /*fixed*/, VIETNAMESE_SYLLABLE_L_AA_N_G = 4486 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAJ_P = 4492 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAS_P = 4493 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAJ_T = 4494 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAS_T = 4495 /*fixed*/, VIETNAMESE_SYLLABLE_L_AA_U = 4496 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAF_U = 4497 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAJ_U = 4498 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAR_U = 4499 /*fixed*/, VIETNAMESE_SYLLABLE_L_AA_Y = 4502 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAF_Y = 4503 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAJ_Y = 4504 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAR_Y = 4505 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAS_Y = 4506 /*fixed*/, VIETNAMESE_SYLLABLE_L_AAX_Y = 4507 /*fixed*/, VIETNAMESE_SYLLABLE_L_E = 4508 /*fixed*/, VIETNAMESE_SYLLABLE_L_EF = 4509 /*fixed*/, VIETNAMESE_SYLLABLE_L_EJ = 4510 /*fixed*/, VIETNAMESE_SYLLABLE_L_ER = 4511 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES = 4512 /*fixed*/, VIETNAMESE_SYLLABLE_L_EX = 4513 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_C = 4515 /*fixed*/, VIETNAMESE_SYLLABLE_L_E_M = 4516 /*fixed*/, VIETNAMESE_SYLLABLE_L_EF_M = 4517 /*fixed*/, VIETNAMESE_SYLLABLE_L_EJ_M = 4518 /*fixed*/, VIETNAMESE_SYLLABLE_L_ER_M = 4519 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_M = 4520 /*fixed*/, VIETNAMESE_SYLLABLE_L_E_N = 4522 /*fixed*/, VIETNAMESE_SYLLABLE_L_EF_N = 4523 /*fixed*/, VIETNAMESE_SYLLABLE_L_EJ_N = 4524 /*fixed*/, VIETNAMESE_SYLLABLE_L_ER_N = 4525 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_N = 4526 /*fixed*/, VIETNAMESE_SYLLABLE_L_EX_N = 4527 /*fixed*/, VIETNAMESE_SYLLABLE_L_E_N_G = 4528 /*fixed*/, VIETNAMESE_SYLLABLE_L_EF_N_G = 4529 /*fixed*/, VIETNAMESE_SYLLABLE_L_ER_N_G = 4531 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_N_G = 4532 /*fixed*/, VIETNAMESE_SYLLABLE_L_E_O = 4534 /*fixed*/, VIETNAMESE_SYLLABLE_L_EF_O = 4535 /*fixed*/, VIETNAMESE_SYLLABLE_L_EJ_O = 4536 /*fixed*/, VIETNAMESE_SYLLABLE_L_ER_O = 4537 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_O = 4538 /*fixed*/, VIETNAMESE_SYLLABLE_L_EX_O = 4539 /*fixed*/, VIETNAMESE_SYLLABLE_L_EJ_P = 4540 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_P = 4541 /*fixed*/, VIETNAMESE_SYLLABLE_L_EJ_T = 4542 /*fixed*/, VIETNAMESE_SYLLABLE_L_ES_T = 4543 /*fixed*/, VIETNAMESE_SYLLABLE_L_EE = 4544 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEF = 4545 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEJ = 4546 /*fixed*/, VIETNAMESE_SYLLABLE_L_EER = 4547 /*fixed*/, VIETNAMESE_SYLLABLE_L_EES = 4548 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEX = 4549 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEJ_C_H = 4550 /*fixed*/, VIETNAMESE_SYLLABLE_L_EES_C_H = 4551 /*fixed*/, VIETNAMESE_SYLLABLE_L_EE_N = 4552 /*fixed*/, VIETNAMESE_SYLLABLE_L_EE_N_H = 4558 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEF_N_H = 4559 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEJ_N_H = 4560 /*fixed*/, VIETNAMESE_SYLLABLE_L_EES_N_H = 4562 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEJ_T = 4564 /*fixed*/, VIETNAMESE_SYLLABLE_L_EES_T = 4565 /*fixed*/, VIETNAMESE_SYLLABLE_L_EE_U = 4566 /*fixed*/, VIETNAMESE_SYLLABLE_L_EEF_U = 4567 /*fixed*/, VIETNAMESE_SYLLABLE_L_EER_U = 4569 /*fixed*/, VIETNAMESE_SYLLABLE_L_EES_U = 4570 /*fixed*/, VIETNAMESE_SYLLABLE_L_I = 4572 /*fixed*/, VIETNAMESE_SYLLABLE_L_IF = 4573 /*fixed*/, VIETNAMESE_SYLLABLE_L_IJ = 4574 /*fixed*/, VIETNAMESE_SYLLABLE_L_IS = 4576 /*fixed*/, VIETNAMESE_SYLLABLE_L_IX = 4577 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_A = 4578 /*fixed*/, VIETNAMESE_SYLLABLE_L_IF_A = 4579 /*fixed*/, VIETNAMESE_SYLLABLE_L_IJ_A = 4580 /*fixed*/, VIETNAMESE_SYLLABLE_L_IJ_C_H = 4584 /*fixed*/, VIETNAMESE_SYLLABLE_L_IS_C_H = 4585 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EES_C = 4587 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EE_M = 4588 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEF_M = 4589 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEJ_M = 4590 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EES_M = 4592 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EE_N = 4594 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEF_N = 4595 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EES_N = 4598 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEX_N = 4599 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EE_N_G = 4600 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEJ_N_G = 4602 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EER_N_G = 4603 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EES_N_G = 4604 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEJ_P = 4606 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EES_P = 4607 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEJ_T = 4608 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EE_U = 4610 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEF_U = 4611 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEJ_U = 4612 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_EEX_U = 4615 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_M = 4616 /*fixed*/, VIETNAMESE_SYLLABLE_L_IF_M = 4617 /*fixed*/, VIETNAMESE_SYLLABLE_L_IJ_M = 4618 /*fixed*/, VIETNAMESE_SYLLABLE_L_IR_M = 4619 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_N = 4622 /*fixed*/, VIETNAMESE_SYLLABLE_L_IF_N = 4623 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_N_H = 4628 /*fixed*/, VIETNAMESE_SYLLABLE_L_IF_N_H = 4629 /*fixed*/, VIETNAMESE_SYLLABLE_L_IJ_N_H = 4630 /*fixed*/, VIETNAMESE_SYLLABLE_L_IR_N_H = 4631 /*fixed*/, VIETNAMESE_SYLLABLE_L_IS_N_H = 4632 /*fixed*/, VIETNAMESE_SYLLABLE_L_IX_N_H = 4633 /*fixed*/, VIETNAMESE_SYLLABLE_L_IS_P = 4635 /*fixed*/, VIETNAMESE_SYLLABLE_L_IS_T = 4637 /*fixed*/, VIETNAMESE_SYLLABLE_L_I_U = 4638 /*fixed*/, VIETNAMESE_SYLLABLE_L_IF_U = 4639 /*fixed*/, VIETNAMESE_SYLLABLE_L_IJ_U = 4640 /*fixed*/, VIETNAMESE_SYLLABLE_L_IR_U = 4641 /*fixed*/, VIETNAMESE_SYLLABLE_L_IS_U = 4642 /*fixed*/, VIETNAMESE_SYLLABLE_L_O = 4644 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF = 4645 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ = 4646 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS = 4648 /*fixed*/, VIETNAMESE_SYLLABLE_L_OX = 4649 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_A = 4650 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF_A = 4651 /*fixed*/, VIETNAMESE_SYLLABLE_L_OR_A = 4653 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_A = 4654 /*fixed*/, VIETNAMESE_SYLLABLE_L_OX_A = 4655 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AJ_C = 4656 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_A_I = 4658 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AF_I = 4659 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AJ_I = 4660 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_A_N = 4664 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AF_N = 4665 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AJ_N = 4666 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_A_N_G = 4670 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AF_N_G = 4671 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AJ_N_G = 4672 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AR_N_G = 4673 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AS_N_G = 4674 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AX_N_G = 4675 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_A_N_H = 4676 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AJ_T = 4682 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AS_T = 4683 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_A_Y = 4684 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AW_N = 4690 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AW_N_G = 4696 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AWF_N_G = 4697 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_AWS_T = 4703 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_C = 4704 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_C = 4705 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_E = 4706 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF_E = 4707 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_E = 4710 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_EJ_T = 4712 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_ES_T = 4713 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_I = 4714 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF_I = 4715 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_I = 4716 /*fixed*/, VIETNAMESE_SYLLABLE_L_OR_I = 4717 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_I = 4718 /*fixed*/, VIETNAMESE_SYLLABLE_L_OX_I = 4719 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_M = 4720 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF_M = 4721 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_M = 4722 /*fixed*/, VIETNAMESE_SYLLABLE_L_OR_M = 4723 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_M = 4724 /*fixed*/, VIETNAMESE_SYLLABLE_L_OX_M = 4725 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_N = 4726 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF_N = 4727 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_N = 4728 /*fixed*/, VIETNAMESE_SYLLABLE_L_OR_N = 4729 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_N_G = 4732 /*fixed*/, VIETNAMESE_SYLLABLE_L_OF_N_G = 4733 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_N_G = 4734 /*fixed*/, VIETNAMESE_SYLLABLE_L_OR_N_G = 4735 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_N_G = 4736 /*fixed*/, VIETNAMESE_SYLLABLE_L_OX_N_G = 4737 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_O_N_G = 4738 /*fixed*/, VIETNAMESE_SYLLABLE_L_O_OR_N_G = 4741 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_P = 4744 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_P = 4745 /*fixed*/, VIETNAMESE_SYLLABLE_L_OJ_T = 4746 /*fixed*/, VIETNAMESE_SYLLABLE_L_OS_T = 4747 /*fixed*/, VIETNAMESE_SYLLABLE_L_OO = 4748 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOF = 4749 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ = 4750 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOR = 4751 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS = 4752 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOX = 4753 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_C = 4754 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_C = 4755 /*fixed*/, VIETNAMESE_SYLLABLE_L_OO_I = 4756 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOF_I = 4757 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_I = 4758 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_I = 4760 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOX_I = 4761 /*fixed*/, VIETNAMESE_SYLLABLE_L_OO_M = 4762 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOF_M = 4763 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_M = 4764 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOR_M = 4765 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_M = 4766 /*fixed*/, VIETNAMESE_SYLLABLE_L_OO_N = 4768 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOF_N = 4769 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_N = 4770 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOR_N = 4771 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_N = 4772 /*fixed*/, VIETNAMESE_SYLLABLE_L_OO_N_G = 4774 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOF_N_G = 4775 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_N_G = 4776 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOR_N_G = 4777 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_N_G = 4778 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_P = 4780 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_P = 4781 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOJ_T = 4782 /*fixed*/, VIETNAMESE_SYLLABLE_L_OOS_T = 4783 /*fixed*/, VIETNAMESE_SYLLABLE_L_OW = 4784 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWF = 4785 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWJ = 4786 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWR = 4787 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWS = 4788 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWX = 4789 /*fixed*/, VIETNAMESE_SYLLABLE_L_OW_I = 4790 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWF_I = 4791 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWJ_I = 4792 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWR_I = 4793 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWS_I = 4794 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWF_M = 4797 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWJ_M = 4798 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWR_M = 4799 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWX_M = 4801 /*fixed*/, VIETNAMESE_SYLLABLE_L_OW_N = 4802 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWF_N = 4803 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWJ_N = 4804 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWR_N = 4805 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWS_N = 4806 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWJ_P = 4808 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWS_P = 4809 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWJ_T = 4810 /*fixed*/, VIETNAMESE_SYLLABLE_L_OWS_T = 4811 /*fixed*/, VIETNAMESE_SYLLABLE_L_U = 4812 /*fixed*/, VIETNAMESE_SYLLABLE_L_UF = 4813 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ = 4814 /*fixed*/, VIETNAMESE_SYLLABLE_L_UR = 4815 /*fixed*/, VIETNAMESE_SYLLABLE_L_US = 4816 /*fixed*/, VIETNAMESE_SYLLABLE_L_UX = 4817 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_A = 4818 /*fixed*/, VIETNAMESE_SYLLABLE_L_UF_A = 4819 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_A = 4820 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_A = 4822 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_AA_N = 4824 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_AAJ_N = 4826 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_AAR_N = 4827 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_AAJ_T = 4830 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_C = 4832 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_C = 4833 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_I = 4834 /*fixed*/, VIETNAMESE_SYLLABLE_L_UF_I = 4835 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_I = 4836 /*fixed*/, VIETNAMESE_SYLLABLE_L_UR_I = 4837 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_I = 4838 /*fixed*/, VIETNAMESE_SYLLABLE_L_UX_I = 4839 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_M = 4840 /*fixed*/, VIETNAMESE_SYLLABLE_L_UF_M = 4841 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_M = 4842 /*fixed*/, VIETNAMESE_SYLLABLE_L_UR_M = 4843 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_M = 4844 /*fixed*/, VIETNAMESE_SYLLABLE_L_UX_M = 4845 /*fixed*/, VIETNAMESE_SYLLABLE_L_UF_N = 4847 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_N = 4848 /*fixed*/, VIETNAMESE_SYLLABLE_L_UR_N = 4849 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_N = 4850 /*fixed*/, VIETNAMESE_SYLLABLE_L_UX_N = 4851 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_N_G = 4852 /*fixed*/, VIETNAMESE_SYLLABLE_L_UF_N_G = 4853 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_N_G = 4854 /*fixed*/, VIETNAMESE_SYLLABLE_L_UR_N_G = 4855 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_N_G = 4856 /*fixed*/, VIETNAMESE_SYLLABLE_L_UX_N_G = 4857 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOJ_C = 4858 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOS_C = 4859 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OO_M = 4860 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOJ_M = 4862 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OO_N = 4866 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOF_N = 4867 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OO_N_G = 4872 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOF_N_G = 4873 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOS_N_G = 4876 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOX_N_G = 4877 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_OOS_T = 4879 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_P = 4880 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_P = 4881 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_T = 4882 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_T = 4883 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_Y = 4884 /*fixed*/, VIETNAMESE_SYLLABLE_L_UJ_Y = 4886 /*fixed*/, VIETNAMESE_SYLLABLE_L_US_Y = 4888 /*fixed*/, VIETNAMESE_SYLLABLE_L_UX_Y = 4889 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_Y_EE_N = 4890 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_Y_EEJ_N = 4892 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_Y_EES_N = 4894 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_Y_N = 4896 /*fixed*/, VIETNAMESE_SYLLABLE_L_U_YS_N_H = 4906 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW = 4908 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWF = 4909 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWJ = 4910 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWR = 4911 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWX = 4913 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_A = 4914 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWF_A = 4915 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWJ_A = 4916 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWR_A = 4917 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWS_A = 4918 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWX_A = 4919 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWJ_C = 4920 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWS_C = 4921 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_N_G = 4922 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWF_N_G = 4923 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWJ_N_G = 4924 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWR_N_G = 4925 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWX_N_G = 4927 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWJ_C = 4928 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWF_I = 4931 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWS_I = 4934 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWX_I = 4935 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWF_M = 4937 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWJ_M = 4938 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OW_N = 4942 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWF_N = 4943 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWJ_N = 4944 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OW_N_G = 4948 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWF_N_G = 4949 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWJ_N_G = 4950 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWS_N_G = 4952 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWX_N_G = 4953 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWS_P = 4955 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWJ_T = 4956 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_OWS_T = 4957 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWS_T = 4959 /*fixed*/, VIETNAMESE_SYLLABLE_L_UW_U = 4960 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWF_U = 4961 /*fixed*/, VIETNAMESE_SYLLABLE_L_UWJ_U = 4962 /*fixed*/, VIETNAMESE_SYLLABLE_L_Y = 4966 /*fixed*/, VIETNAMESE_SYLLABLE_L_YJ = 4968 /*fixed*/, VIETNAMESE_SYLLABLE_L_YS = 4970 /*fixed*/, VIETNAMESE_SYLLABLE_M_A = 4972 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF = 4973 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ = 4974 /*fixed*/, VIETNAMESE_SYLLABLE_M_AR = 4975 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS = 4976 /*fixed*/, VIETNAMESE_SYLLABLE_M_AX = 4977 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_C = 4978 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_C = 4979 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_C_H = 4980 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_C_H = 4981 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_I = 4982 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_I = 4983 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_I = 4984 /*fixed*/, VIETNAMESE_SYLLABLE_M_AR_I = 4985 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_I = 4986 /*fixed*/, VIETNAMESE_SYLLABLE_M_AX_I = 4987 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_N = 4988 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_N = 4989 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_N = 4990 /*fixed*/, VIETNAMESE_SYLLABLE_M_AR_N = 4991 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_N = 4992 /*fixed*/, VIETNAMESE_SYLLABLE_M_AX_N = 4993 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_N_G = 4994 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_N_G = 4995 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_N_G = 4996 /*fixed*/, VIETNAMESE_SYLLABLE_M_AR_N_G = 4997 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_N_G = 4998 /*fixed*/, VIETNAMESE_SYLLABLE_M_AX_N_G = 4999 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_N_H = 5000 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_N_H = 5001 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_N_H = 5002 /*fixed*/, VIETNAMESE_SYLLABLE_M_AR_N_H = 5003 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_N_H = 5004 /*fixed*/, VIETNAMESE_SYLLABLE_M_AX_N_H = 5005 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_O = 5006 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_O = 5007 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_O = 5008 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_O = 5010 /*fixed*/, VIETNAMESE_SYLLABLE_M_AX_O = 5011 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_P = 5012 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_T = 5014 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_T = 5015 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_U = 5016 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_U = 5017 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_U = 5020 /*fixed*/, VIETNAMESE_SYLLABLE_M_A_Y = 5022 /*fixed*/, VIETNAMESE_SYLLABLE_M_AF_Y = 5023 /*fixed*/, VIETNAMESE_SYLLABLE_M_AJ_Y = 5024 /*fixed*/, VIETNAMESE_SYLLABLE_M_AR_Y = 5025 /*fixed*/, VIETNAMESE_SYLLABLE_M_AS_Y = 5026 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWJ_C = 5028 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWS_C = 5029 /*fixed*/, VIETNAMESE_SYLLABLE_M_AW_M = 5030 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWS_M = 5034 /*fixed*/, VIETNAMESE_SYLLABLE_M_AW_N = 5036 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWF_N = 5037 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWJ_N = 5038 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWR_N = 5039 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWS_N = 5040 /*fixed*/, VIETNAMESE_SYLLABLE_M_AW_N_G = 5042 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWS_N_G = 5046 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWJ_T = 5048 /*fixed*/, VIETNAMESE_SYLLABLE_M_AWS_T = 5049 /*fixed*/, VIETNAMESE_SYLLABLE_M_AA_M = 5050 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAF_M = 5051 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAJ_M = 5052 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAR_M = 5053 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAX_M = 5055 /*fixed*/, VIETNAMESE_SYLLABLE_M_AA_N = 5056 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAF_N = 5057 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAJ_N = 5058 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAR_N = 5059 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAS_N = 5060 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAX_N = 5061 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAJ_P = 5062 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAS_P = 5063 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAJ_T = 5064 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAS_T = 5065 /*fixed*/, VIETNAMESE_SYLLABLE_M_AA_U = 5066 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAF_U = 5067 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAJ_U = 5068 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAR_U = 5069 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAS_U = 5070 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAX_U = 5071 /*fixed*/, VIETNAMESE_SYLLABLE_M_AA_Y = 5072 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAF_Y = 5073 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAR_Y = 5075 /*fixed*/, VIETNAMESE_SYLLABLE_M_AAS_Y = 5076 /*fixed*/, VIETNAMESE_SYLLABLE_M_E = 5078 /*fixed*/, VIETNAMESE_SYLLABLE_M_EF = 5079 /*fixed*/, VIETNAMESE_SYLLABLE_M_EJ = 5080 /*fixed*/, VIETNAMESE_SYLLABLE_M_ER = 5081 /*fixed*/, VIETNAMESE_SYLLABLE_M_ES = 5082 /*fixed*/, VIETNAMESE_SYLLABLE_M_EX = 5083 /*fixed*/, VIETNAMESE_SYLLABLE_M_EF_M = 5085 /*fixed*/, VIETNAMESE_SYLLABLE_M_ES_M = 5088 /*fixed*/, VIETNAMESE_SYLLABLE_M_E_N = 5090 /*fixed*/, VIETNAMESE_SYLLABLE_M_EF_N = 5091 /*fixed*/, VIETNAMESE_SYLLABLE_M_ES_N = 5094 /*fixed*/, VIETNAMESE_SYLLABLE_M_EF_N_G = 5097 /*fixed*/, VIETNAMESE_SYLLABLE_M_E_O = 5102 /*fixed*/, VIETNAMESE_SYLLABLE_M_EF_O = 5103 /*fixed*/, VIETNAMESE_SYLLABLE_M_EJ_O = 5104 /*fixed*/, VIETNAMESE_SYLLABLE_M_ES_O = 5106 /*fixed*/, VIETNAMESE_SYLLABLE_M_EJ_P = 5108 /*fixed*/, VIETNAMESE_SYLLABLE_M_ES_P = 5109 /*fixed*/, VIETNAMESE_SYLLABLE_M_EJ_T = 5110 /*fixed*/, VIETNAMESE_SYLLABLE_M_ES_T = 5111 /*fixed*/, VIETNAMESE_SYLLABLE_M_EE = 5112 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEF = 5113 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEJ = 5114 /*fixed*/, VIETNAMESE_SYLLABLE_M_EES = 5116 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEX = 5117 /*fixed*/, VIETNAMESE_SYLLABLE_M_EES_C_H = 5119 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEF_M = 5121 /*fixed*/, VIETNAMESE_SYLLABLE_M_EE_N = 5126 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEF_N = 5127 /*fixed*/, VIETNAMESE_SYLLABLE_M_EES_N = 5130 /*fixed*/, VIETNAMESE_SYLLABLE_M_EE_N_H = 5132 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEJ_N_H = 5134 /*fixed*/, VIETNAMESE_SYLLABLE_M_EEJ_T = 5138 /*fixed*/, VIETNAMESE_SYLLABLE_M_EES_T = 5139 /*fixed*/, VIETNAMESE_SYLLABLE_M_EES_U = 5144 /*fixed*/, VIETNAMESE_SYLLABLE_M_I = 5146 /*fixed*/, VIETNAMESE_SYLLABLE_M_IF = 5147 /*fixed*/, VIETNAMESE_SYLLABLE_M_IJ = 5148 /*fixed*/, VIETNAMESE_SYLLABLE_M_IR = 5149 /*fixed*/, VIETNAMESE_SYLLABLE_M_IS = 5150 /*fixed*/, VIETNAMESE_SYLLABLE_M_IX = 5151 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_A = 5152 /*fixed*/, VIETNAMESE_SYLLABLE_M_IR_A = 5155 /*fixed*/, VIETNAMESE_SYLLABLE_M_IS_A = 5156 /*fixed*/, VIETNAMESE_SYLLABLE_M_IJ_C_H = 5158 /*fixed*/, VIETNAMESE_SYLLABLE_M_IS_C_H = 5159 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EE_N = 5160 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEF_N = 5161 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEJ_N = 5162 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EES_N = 5164 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEX_N = 5165 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEJ_N_G = 5168 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EER_N_G = 5169 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EES_N_G = 5170 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEJ_T = 5172 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EES_T = 5173 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EE_U = 5174 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEF_U = 5175 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EES_U = 5178 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_EEX_U = 5179 /*fixed*/, VIETNAMESE_SYLLABLE_M_IR_M = 5183 /*fixed*/, VIETNAMESE_SYLLABLE_M_IS_M = 5184 /*fixed*/, VIETNAMESE_SYLLABLE_M_IX_M = 5185 /*fixed*/, VIETNAMESE_SYLLABLE_M_IF_N = 5187 /*fixed*/, VIETNAMESE_SYLLABLE_M_IJ_N = 5188 /*fixed*/, VIETNAMESE_SYLLABLE_M_I_N_H = 5192 /*fixed*/, VIETNAMESE_SYLLABLE_M_IF_N_H = 5193 /*fixed*/, VIETNAMESE_SYLLABLE_M_IS_P = 5199 /*fixed*/, VIETNAMESE_SYLLABLE_M_IJ_T = 5200 /*fixed*/, VIETNAMESE_SYLLABLE_M_IS_T = 5201 /*fixed*/, VIETNAMESE_SYLLABLE_M_O = 5202 /*fixed*/, VIETNAMESE_SYLLABLE_M_OF = 5203 /*fixed*/, VIETNAMESE_SYLLABLE_M_OJ = 5204 /*fixed*/, VIETNAMESE_SYLLABLE_M_OR = 5205 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS = 5206 /*fixed*/, VIETNAMESE_SYLLABLE_M_OX = 5207 /*fixed*/, VIETNAMESE_SYLLABLE_M_OJ_C = 5208 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS_C = 5209 /*fixed*/, VIETNAMESE_SYLLABLE_M_O_I = 5210 /*fixed*/, VIETNAMESE_SYLLABLE_M_OF_I = 5211 /*fixed*/, VIETNAMESE_SYLLABLE_M_OJ_I = 5212 /*fixed*/, VIETNAMESE_SYLLABLE_M_OR_I = 5213 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS_I = 5214 /*fixed*/, VIETNAMESE_SYLLABLE_M_O_M = 5216 /*fixed*/, VIETNAMESE_SYLLABLE_M_OR_M = 5219 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS_M = 5220 /*fixed*/, VIETNAMESE_SYLLABLE_M_OX_M = 5221 /*fixed*/, VIETNAMESE_SYLLABLE_M_O_N = 5222 /*fixed*/, VIETNAMESE_SYLLABLE_M_OF_N = 5223 /*fixed*/, VIETNAMESE_SYLLABLE_M_OJ_N = 5224 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS_N = 5226 /*fixed*/, VIETNAMESE_SYLLABLE_M_O_N_G = 5228 /*fixed*/, VIETNAMESE_SYLLABLE_M_OF_N_G = 5229 /*fixed*/, VIETNAMESE_SYLLABLE_M_OJ_N_G = 5230 /*fixed*/, VIETNAMESE_SYLLABLE_M_OR_N_G = 5231 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS_N_G = 5232 /*fixed*/, VIETNAMESE_SYLLABLE_M_O_OS_C = 5235 /*fixed*/, VIETNAMESE_SYLLABLE_M_O_O_N_G = 5236 /*fixed*/, VIETNAMESE_SYLLABLE_M_OJ_T = 5237 /*fixed*/, VIETNAMESE_SYLLABLE_M_OS_T = 5238 /*fixed*/, VIETNAMESE_SYLLABLE_M_OO = 5239 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOF = 5240 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOJ = 5241 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOR = 5242 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOS = 5243 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOX = 5244 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOJ_C = 5245 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOS_C = 5246 /*fixed*/, VIETNAMESE_SYLLABLE_M_OO_I = 5247 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOF_I = 5248 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOJ_I = 5249 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOS_I = 5251 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOX_I = 5252 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOF_M = 5254 /*fixed*/, VIETNAMESE_SYLLABLE_M_OO_N = 5259 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOF_N = 5260 /*fixed*/, VIETNAMESE_SYLLABLE_M_OO_N_G = 5265 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOF_N_G = 5266 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOJ_N_G = 5267 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOS_N_G = 5269 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOJ_T = 5271 /*fixed*/, VIETNAMESE_SYLLABLE_M_OOS_T = 5272 /*fixed*/, VIETNAMESE_SYLLABLE_M_OW = 5273 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWF = 5274 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWJ = 5275 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWR = 5276 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWS = 5277 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWX = 5278 /*fixed*/, VIETNAMESE_SYLLABLE_M_OW_I = 5279 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWF_I = 5280 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWS_I = 5283 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWS_M = 5289 /*fixed*/, VIETNAMESE_SYLLABLE_M_OW_N = 5291 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWR_N = 5294 /*fixed*/, VIETNAMESE_SYLLABLE_M_OWS_N = 5295 /*fixed*/, VIETNAMESE_SYLLABLE_M_U = 5297 /*fixed*/, VIETNAMESE_SYLLABLE_M_UF = 5298 /*fixed*/, VIETNAMESE_SYLLABLE_M_UJ = 5299 /*fixed*/, VIETNAMESE_SYLLABLE_M_UR = 5300 /*fixed*/, VIETNAMESE_SYLLABLE_M_US = 5301 /*fixed*/, VIETNAMESE_SYLLABLE_M_UX = 5302 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_A = 5303 /*fixed*/, VIETNAMESE_SYLLABLE_M_UF_A = 5304 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_A = 5307 /*fixed*/, VIETNAMESE_SYLLABLE_M_UJ_C = 5309 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_C = 5310 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_I = 5311 /*fixed*/, VIETNAMESE_SYLLABLE_M_UF_I = 5312 /*fixed*/, VIETNAMESE_SYLLABLE_M_UR_I = 5314 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_I = 5315 /*fixed*/, VIETNAMESE_SYLLABLE_M_UX_I = 5316 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_M = 5317 /*fixed*/, VIETNAMESE_SYLLABLE_M_UR_M = 5320 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_M = 5321 /*fixed*/, VIETNAMESE_SYLLABLE_M_UX_M = 5322 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_N = 5323 /*fixed*/, VIETNAMESE_SYLLABLE_M_UF_N = 5324 /*fixed*/, VIETNAMESE_SYLLABLE_M_UJ_N = 5325 /*fixed*/, VIETNAMESE_SYLLABLE_M_UR_N = 5326 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_N = 5327 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_N_G = 5329 /*fixed*/, VIETNAMESE_SYLLABLE_M_UF_N_G = 5330 /*fixed*/, VIETNAMESE_SYLLABLE_M_UR_N_G = 5332 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OO_I = 5335 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOF_I = 5336 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOJ_I = 5337 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOR_I = 5338 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOS_I = 5339 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOX_I = 5340 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOX_M = 5341 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OO_N = 5342 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOJ_N = 5344 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOS_N = 5346 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OO_N_G = 5348 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOF_N_G = 5349 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOS_N_G = 5352 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOX_N_G = 5353 /*fixed*/, VIETNAMESE_SYLLABLE_M_U_OOS_T = 5355 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_P = 5357 /*fixed*/, VIETNAMESE_SYLLABLE_M_UJ_T = 5358 /*fixed*/, VIETNAMESE_SYLLABLE_M_US_T = 5359 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_A = 5360 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWR_A = 5363 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWS_A = 5364 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWJ_C = 5366 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWS_C = 5367 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWS_N = 5368 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_N_G = 5369 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWF_N_G = 5370 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWR_N_G = 5372 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OW_I = 5375 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWF_I = 5376 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWR_I = 5378 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OW_N = 5381 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWF_N = 5382 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWJ_N = 5383 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWS_N = 5385 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OW_N_G = 5387 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWF_N_G = 5388 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWS_P = 5394 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWJ_T = 5395 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_OWS_T = 5396 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWS_T = 5398 /*fixed*/, VIETNAMESE_SYLLABLE_M_UW_U = 5399 /*fixed*/, VIETNAMESE_SYLLABLE_M_UWS_U = 5403 /*fixed*/, VIETNAMESE_SYLLABLE_M_Y = 5405 /*fixed*/, VIETNAMESE_SYLLABLE_M_YF = 5406 /*fixed*/, VIETNAMESE_SYLLABLE_M_YJ = 5407 /*fixed*/, VIETNAMESE_SYLLABLE_M_YR = 5408 /*fixed*/, VIETNAMESE_SYLLABLE_M_YX = 5410 /*fixed*/, VIETNAMESE_SYLLABLE_N_A = 5411 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF = 5412 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ = 5413 /*fixed*/, VIETNAMESE_SYLLABLE_N_AR = 5414 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS = 5415 /*fixed*/, VIETNAMESE_SYLLABLE_N_AX = 5416 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_C = 5417 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_C = 5418 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_C_H = 5420 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_I = 5421 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF_I = 5422 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_I = 5423 /*fixed*/, VIETNAMESE_SYLLABLE_N_AR_I = 5424 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_I = 5425 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_M = 5427 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_M = 5429 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_M = 5431 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_N = 5433 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF_N = 5434 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_N = 5435 /*fixed*/, VIETNAMESE_SYLLABLE_N_AR_N = 5436 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_N = 5437 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_N_G = 5439 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF_N_G = 5440 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_N_G = 5441 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_N_G = 5443 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_N_H = 5445 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF_N_H = 5446 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_N_H = 5447 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_N_H = 5449 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_O = 5451 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF_O = 5452 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_O = 5453 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_O = 5455 /*fixed*/, VIETNAMESE_SYLLABLE_N_AX_O = 5456 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_P = 5457 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_P = 5458 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_T = 5459 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_T = 5460 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_U = 5465 /*fixed*/, VIETNAMESE_SYLLABLE_N_A_Y = 5467 /*fixed*/, VIETNAMESE_SYLLABLE_N_AF_Y = 5468 /*fixed*/, VIETNAMESE_SYLLABLE_N_AJ_Y = 5469 /*fixed*/, VIETNAMESE_SYLLABLE_N_AR_Y = 5470 /*fixed*/, VIETNAMESE_SYLLABLE_N_AS_Y = 5471 /*fixed*/, VIETNAMESE_SYLLABLE_N_AX_Y = 5472 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWJ_C = 5473 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWS_C = 5474 /*fixed*/, VIETNAMESE_SYLLABLE_N_AW_M = 5475 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWF_M = 5476 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWJ_M = 5477 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWS_M = 5479 /*fixed*/, VIETNAMESE_SYLLABLE_N_AW_N = 5481 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWF_N = 5482 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWJ_N = 5483 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWS_N = 5485 /*fixed*/, VIETNAMESE_SYLLABLE_N_AW_N_G = 5487 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWF_N_G = 5488 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWJ_N_G = 5489 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWS_N_G = 5491 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWX_N_G = 5492 /*fixed*/, VIETNAMESE_SYLLABLE_N_AWS_P = 5494 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_C = 5496 /*fixed*/, VIETNAMESE_SYLLABLE_N_AA_M = 5497 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAF_M = 5498 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAJ_M = 5499 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_M = 5501 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAX_M = 5502 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAF_N = 5504 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_N = 5507 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAX_N = 5508 /*fixed*/, VIETNAMESE_SYLLABLE_N_AA_N_G = 5509 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_N_G = 5513 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAX_N_G = 5514 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAJ_P = 5515 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_P = 5516 /*fixed*/, VIETNAMESE_SYLLABLE_N_AA_U = 5517 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAJ_U = 5519 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_U = 5521 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAX_U = 5522 /*fixed*/, VIETNAMESE_SYLLABLE_N_AA_Y = 5523 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAJ_Y = 5525 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAR_Y = 5526 /*fixed*/, VIETNAMESE_SYLLABLE_N_AAS_Y = 5527 /*fixed*/, VIETNAMESE_SYLLABLE_N_E = 5529 /*fixed*/, VIETNAMESE_SYLLABLE_N_EF = 5530 /*fixed*/, VIETNAMESE_SYLLABLE_N_EJ = 5531 /*fixed*/, VIETNAMESE_SYLLABLE_N_ER = 5532 /*fixed*/, VIETNAMESE_SYLLABLE_N_ES = 5533 /*fixed*/, VIETNAMESE_SYLLABLE_N_E_M = 5535 /*fixed*/, VIETNAMESE_SYLLABLE_N_ES_M = 5539 /*fixed*/, VIETNAMESE_SYLLABLE_N_EF_N = 5542 /*fixed*/, VIETNAMESE_SYLLABLE_N_ES_N = 5545 /*fixed*/, VIETNAMESE_SYLLABLE_N_E_O = 5547 /*fixed*/, VIETNAMESE_SYLLABLE_N_EF_O = 5548 /*fixed*/, VIETNAMESE_SYLLABLE_N_ER_O = 5550 /*fixed*/, VIETNAMESE_SYLLABLE_N_ES_O = 5551 /*fixed*/, VIETNAMESE_SYLLABLE_N_EJ_P = 5553 /*fixed*/, VIETNAMESE_SYLLABLE_N_ES_P = 5554 /*fixed*/, VIETNAMESE_SYLLABLE_N_EJ_T = 5555 /*fixed*/, VIETNAMESE_SYLLABLE_N_ES_T = 5556 /*fixed*/, VIETNAMESE_SYLLABLE_N_EE = 5557 /*fixed*/, VIETNAMESE_SYLLABLE_N_EEF = 5558 /*fixed*/, VIETNAMESE_SYLLABLE_N_EEJ = 5559 /*fixed*/, VIETNAMESE_SYLLABLE_N_EER = 5560 /*fixed*/, VIETNAMESE_SYLLABLE_N_EEX = 5562 /*fixed*/, VIETNAMESE_SYLLABLE_N_EE_M = 5563 /*fixed*/, VIETNAMESE_SYLLABLE_N_EEJ_M = 5565 /*fixed*/, VIETNAMESE_SYLLABLE_N_EES_M = 5567 /*fixed*/, VIETNAMESE_SYLLABLE_N_EE_N = 5569 /*fixed*/, VIETNAMESE_SYLLABLE_N_EEF_N = 5570 /*fixed*/, VIETNAMESE_SYLLABLE_N_EEJ_N = 5571 /*fixed*/, VIETNAMESE_SYLLABLE_N_EES_N = 5573 /*fixed*/, VIETNAMESE_SYLLABLE_N_EES_N_H = 5575 /*fixed*/, VIETNAMESE_SYLLABLE_N_EES_P = 5577 /*fixed*/, VIETNAMESE_SYLLABLE_N_EES_T = 5579 /*fixed*/, VIETNAMESE_SYLLABLE_N_EE_U = 5580 /*fixed*/, VIETNAMESE_SYLLABLE_N_EES_U = 5584 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A = 5586 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF = 5587 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AR = 5589 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AX = 5591 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_C = 5592 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_C = 5593 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_C_H = 5594 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_C_H = 5595 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_I = 5596 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_I = 5597 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_I = 5598 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AR_I = 5599 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_I = 5600 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AX_I = 5601 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_M = 5602 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_M = 5603 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_N = 5608 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_N = 5609 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_N = 5610 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_N = 5612 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_N_G = 5614 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_N_G = 5615 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_N_G = 5618 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AX_N_G = 5619 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_N_H = 5621 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_N_H = 5622 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AR_N_H = 5623 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_O = 5626 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_O = 5627 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_O = 5628 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AR_O = 5629 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_O = 5630 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AX_O = 5631 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_P = 5633 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AJ_T = 5634 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_T = 5635 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_U = 5636 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_U = 5640 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_A_Y = 5642 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AF_Y = 5643 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AS_Y = 5646 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AWS_C = 5649 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AW_M = 5650 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AWS_M = 5654 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AW_N = 5656 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AWF_N = 5657 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AWS_N = 5660 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AWJ_T = 5662 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AWS_T = 5663 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_C = 5664 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AA_M = 5665 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAF_M = 5666 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAJ_M = 5667 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAR_M = 5668 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_M = 5669 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAX_M = 5670 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AA_N = 5671 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAF_N = 5672 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAR_N = 5674 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_N = 5675 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAR_N_G = 5680 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAJ_P = 5683 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_P = 5684 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAJ_T = 5685 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_T = 5686 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AA_U = 5687 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAF_U = 5688 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAJ_U = 5689 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_U = 5691 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAX_U = 5692 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AA_Y = 5693 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAF_Y = 5694 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAJ_Y = 5695 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_AAS_Y = 5697 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_E = 5699 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EF = 5700 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EJ = 5701 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_ES = 5703 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EF_N = 5706 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EJ_N = 5707 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_ES_N = 5709 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EX_N = 5710 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EF_O = 5712 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EJ_O = 5713 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_ER_O = 5714 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EX_O = 5716 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EJ_T = 5717 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_ES_T = 5718 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EE = 5719 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEF = 5720 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEJ = 5721 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EER = 5722 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEX = 5724 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEJ_C_H = 5725 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EES_C_H = 5726 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEF_N = 5728 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEJ_N = 5729 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EER_N = 5730 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EE_N_H = 5733 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEF_N_H = 5734 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EER_N_H = 5736 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEX_N_H = 5738 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EE_U = 5739 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEF_U = 5740 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEJ_U = 5741 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EER_U = 5742 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_EEX_U = 5744 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I = 5745 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IF = 5746 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IJ = 5747 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IR = 5748 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IS = 5749 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IX = 5750 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IS_A = 5755 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IX_A = 5756 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IJ_C_H = 5757 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EE_M = 5759 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EEJ_M = 5761 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EEX_M = 5764 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EE_N = 5765 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EEF_N = 5766 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EEJ_N = 5767 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EES_N = 5769 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EE_N_G = 5771 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EEJ_P = 5777 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_EEJ_T = 5779 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IR_M = 5784 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IF_N = 5788 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_N_H = 5793 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IR_N_H = 5796 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IX_N_H = 5798 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IJ_T = 5799 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_I_U = 5801 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IJ_U = 5803 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_H_IR_U = 5804 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O = 5807 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OF = 5808 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OJ = 5809 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OR = 5810 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS = 5811 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OX = 5812 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_A = 5813 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OJ_A = 5815 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AJ_C = 5819 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AS_C = 5820 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_A_I = 5821 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AF_I = 5822 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AJ_I = 5823 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AR_I = 5824 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AS_I = 5825 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AF_M = 5828 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AJ_M = 5829 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_A_N = 5833 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AJ_N = 5835 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AX_N = 5838 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AR_N_H = 5842 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_A_Y = 5845 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AJ_Y = 5847 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AR_Y = 5848 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AS_Y = 5849 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWJ_C = 5851 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWS_C = 5852 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWF_N = 5854 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWF_N_G = 5860 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWR_N_G = 5862 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWX_N_G = 5864 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWJ_T = 5865 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_AWS_T = 5866 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OJ_C = 5867 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_C = 5868 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_E = 5869 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_E = 5873 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_E_N = 5875 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_ER_N = 5878 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_EF_O = 5882 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_EJ_O = 5883 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_ER_O = 5884 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_ES_O = 5885 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_ES_T = 5888 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_I = 5889 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OF_I = 5890 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_I = 5893 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OF_M = 5896 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OR_M = 5898 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_M = 5899 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_N = 5901 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OF_N = 5902 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OJ_N = 5903 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OR_N = 5904 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_N = 5905 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_O_N_G = 5907 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OF_N_G = 5908 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OJ_N_G = 5909 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OR_N_G = 5910 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_N_G = 5911 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OX_N_G = 5912 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_P = 5914 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OJ_T = 5915 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OS_T = 5916 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OO = 5917 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOF = 5918 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOJ = 5919 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOR = 5920 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOS = 5921 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOX = 5922 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOJ_C = 5923 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOS_C = 5924 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OO_I = 5925 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOF_I = 5926 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOS_I = 5929 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOF_M = 5932 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOR_M = 5934 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OO_N = 5937 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOF_N = 5938 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOJ_N = 5939 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOR_N = 5940 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOS_N = 5941 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OO_N_G = 5943 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOF_N_G = 5944 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOX_N_G = 5948 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOJ_P = 5949 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOJ_T = 5950 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OOS_T = 5951 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OW = 5952 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWF = 5953 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWJ = 5954 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWS = 5956 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWX = 5957 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OW_I = 5958 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWF_I = 5959 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWJ_I = 5960 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OW_M = 5964 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWF_M = 5965 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWJ_M = 5966 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OW_N = 5970 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWS_N = 5974 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWJ_P = 5976 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWS_P = 5977 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_OWS_T = 5979 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U = 5980 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UF = 5981 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ = 5982 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UR = 5983 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UX = 5985 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ_A = 5988 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_AA_Y = 5992 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_AAJ_Y = 5994 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_AAR_Y = 5995 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ_C = 5998 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_US_C = 5999 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_EEJ_C_H = 6000 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UF_I = 6003 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UR_I = 6005 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ_M = 6008 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UR_M = 6009 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_N = 6010 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UF_N = 6011 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UR_N = 6013 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_US_N = 6014 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UF_N_G = 6017 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UR_N_G = 6019 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_US_N_G = 6020 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_OO_I = 6022 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_OOJ_I = 6024 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_OOF_N = 6029 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ_P = 6034 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ_T = 6036 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_US_T = 6037 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_Y = 6038 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UJ_Y = 6040 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_Y_EE_N = 6044 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_Y_EEF_N = 6045 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_Y_EEJ_N = 6046 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_Y_EEX_N = 6049 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_Y_EEJ_T = 6050 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_U_YS_T = 6053 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW = 6054 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWF = 6055 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWJ = 6056 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWS = 6058 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWX = 6059 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_A = 6060 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWF_A = 6061 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWJ_A = 6062 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWR_A = 6063 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWS_A = 6064 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWJ_C = 6066 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWR_I = 6071 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_N_G = 6074 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWF_N_G = 6075 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWR_N_G = 6077 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWJ_C = 6080 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWS_C = 6081 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OW_I = 6082 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWF_I = 6083 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OW_N = 6088 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWF_N_G = 6090 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWJ_N_G = 6091 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWR_N_G = 6092 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_OWX_N_G = 6094 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWS_T = 6095 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UW_U = 6096 /*fixed*/, VIETNAMESE_SYLLABLE_N_G_UWJ_U = 6098 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A = 6102 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF = 6103 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR = 6105 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS = 6106 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AX = 6107 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_C = 6108 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_C = 6109 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_C_H = 6111 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_I = 6112 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_I = 6113 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_I = 6114 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR_I = 6115 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_I = 6116 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AX_I = 6117 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_M = 6118 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_M = 6119 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR_M = 6121 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_M = 6122 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_N = 6124 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_N = 6125 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_N = 6126 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR_N = 6127 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AX_N = 6129 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_N_G = 6130 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_N_G = 6131 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_N_G = 6132 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_N_G = 6134 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AX_N_G = 6135 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_N_H = 6136 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_N_H = 6137 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_N_H = 6138 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR_N_H = 6139 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_N_H = 6140 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_O = 6142 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_O = 6143 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_O = 6144 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_O = 6146 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AX_O = 6147 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_P = 6148 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_P = 6149 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_T = 6150 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_T = 6151 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_U = 6152 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_U = 6153 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR_U = 6155 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_A_Y = 6158 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AF_Y = 6159 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AJ_Y = 6160 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AR_Y = 6161 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AS_Y = 6162 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWS_C = 6165 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AW_M = 6166 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWF_M = 6167 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWJ_M = 6168 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWS_M = 6170 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AW_N = 6172 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWF_N = 6173 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWJ_N = 6174 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWR_N = 6175 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWS_N = 6176 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWX_N = 6177 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AW_N_G = 6178 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWF_N_G = 6179 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWJ_N_G = 6180 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWR_N_G = 6181 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWS_N_G = 6182 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWX_N_G = 6183 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWS_P = 6184 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWJ_T = 6185 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AWS_T = 6186 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAS_C = 6187 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AA_M = 6188 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAF_M = 6189 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAJ_M = 6190 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAR_M = 6191 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAS_M = 6192 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AA_N = 6194 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAF_N = 6195 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAJ_N = 6196 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAR_N = 6197 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAS_N = 6198 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAX_N = 6199 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AA_N_G = 6200 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAJ_P = 6206 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAS_P = 6207 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAJ_T = 6208 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAS_T = 6209 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AA_U = 6210 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAF_U = 6211 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAJ_U = 6212 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAR_U = 6213 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AA_Y = 6216 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAF_Y = 6217 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAJ_Y = 6218 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAR_Y = 6219 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_AAX_Y = 6221 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_E = 6222 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EF = 6223 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EJ = 6224 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ER = 6225 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ES = 6226 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EX = 6227 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_E_M = 6228 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EF_M = 6229 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EJ_M = 6230 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ER_M = 6231 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_E_N = 6234 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EJ_N = 6236 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ES_N = 6238 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_E_O = 6240 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EF_O = 6241 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EJ_O = 6242 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ES_O = 6244 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EX_O = 6245 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EJ_P = 6246 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ES_P = 6247 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EJ_T = 6248 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_ES_T = 6249 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EER = 6253 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EEX = 6255 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EEJ_C_H = 6256 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EES_C_H = 6257 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EEJ_N = 6260 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EE_N_H = 6264 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EER_U = 6273 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_EES_U = 6274 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I = 6276 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IF = 6277 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IJ = 6278 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IR = 6279 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS = 6280 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IX = 6281 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_A = 6286 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_C_H = 6289 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EES_C = 6291 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EEJ_M = 6294 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EEX_M = 6297 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EE_N = 6298 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EEX_N = 6303 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EES_P = 6305 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EEJ_T = 6306 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EE_U = 6308 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EEF_U = 6309 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_EEX_U = 6313 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_M = 6314 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_M = 6318 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_N = 6320 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IF_N = 6321 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IJ_N = 6322 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_N = 6324 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_I_N_H = 6326 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IR_N_H = 6327 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IJ_P = 6328 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_P = 6329 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IJ_T = 6330 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_T = 6331 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IF_U = 6333 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IJ_U = 6334 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_IS_U = 6336 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O = 6338 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OF = 6339 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OJ = 6340 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OR = 6341 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS = 6342 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OF_A = 6345 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_A = 6348 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_A_I = 6350 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_AF_I = 6351 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_A_M = 6356 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_AF_M = 6357 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_A_N_G = 6362 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_AF_N_G = 6363 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_AJ_N_G = 6364 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_AS_N_G = 6366 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_A_Y = 6368 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_AS_Y = 6372 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OJ_C = 6374 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_C = 6375 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_E = 6376 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OF_E = 6377 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_E_N = 6382 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_EF_N = 6383 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_ER_N = 6385 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_EJ_T = 6388 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_ES_T = 6389 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_I = 6390 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_I = 6394 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_M = 6396 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OF_M = 6397 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OR_M = 6399 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_M = 6400 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OX_M = 6401 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_N = 6402 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OF_N = 6403 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OJ_N = 6404 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_N = 6406 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_N_G = 6408 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OF_N_G = 6409 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OR_N_G = 6411 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_N_G = 6412 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OX_N_G = 6413 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_O_N_G = 6414 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_O_OS_N_G = 6415 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_P = 6417 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OJ_T = 6418 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OS_T = 6419 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OO = 6420 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOR = 6423 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOS = 6424 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOS_C = 6427 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OO_I = 6428 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOF_I = 6429 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOJ_I = 6430 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOS_I = 6432 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OO_M = 6434 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOF_M = 6435 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOR_M = 6437 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OO_N = 6440 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOF_N = 6441 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOJ_N = 6442 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOR_N = 6443 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOS_N = 6444 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OO_N_G = 6446 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOF_N_G = 6447 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOJ_N_G = 6448 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOJ_T = 6452 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OOS_T = 6453 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OW = 6454 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWF = 6455 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWJ = 6456 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWR = 6457 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWS = 6458 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWX = 6459 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OW_I = 6460 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWF_I = 6461 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWR_I = 6463 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OW_M = 6466 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWS_M = 6470 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OW_N = 6472 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWF_N = 6473 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWR_N = 6475 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWS_N = 6476 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWX_N = 6477 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWS_P = 6479 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWJ_T = 6480 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_OWS_T = 6481 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U = 6482 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ = 6484 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UR = 6485 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US = 6486 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UX = 6487 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ_A = 6490 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_A = 6492 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_AAF_N = 6495 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_AAJ_N = 6496 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ_C = 6500 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_C = 6501 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_EEJ = 6504 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_EES = 6506 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UF_I = 6509 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ_I = 6510 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UR_I = 6511 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_I = 6512 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_M = 6514 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_M = 6518 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_N = 6520 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UF_N = 6521 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UR_N = 6523 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_N = 6524 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UX_N = 6525 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_N_G = 6526 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UF_N_G = 6527 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ_N_G = 6528 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UR_N_G = 6529 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_N_G = 6530 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UX_N_G = 6531 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_OOS_C = 6533 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_OO_M = 6534 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_OOJ_M = 6536 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_OOS_M = 6538 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ_T = 6540 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_US_T = 6541 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UJ_Y = 6542 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_U_Y_EEX_N = 6548 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW = 6549 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWF = 6550 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWJ = 6551 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWR = 6552 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWS = 6553 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWX = 6554 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWF_A = 6556 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWJ_A = 6557 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWS_C = 6562 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_N_G = 6563 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWX_N_G = 6568 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OWJ_C = 6569 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OWS_N = 6571 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OW_N_G = 6572 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OWF_N_G = 6573 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OWJ_N_G = 6574 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OWS_N_G = 6576 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UW_OWX_N_G = 6577 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWJ_T = 6578 /*fixed*/, VIETNAMESE_SYLLABLE_N_H_UWS_T = 6579 /*fixed*/, VIETNAMESE_SYLLABLE_N_I = 6580 /*fixed*/, VIETNAMESE_SYLLABLE_N_IF = 6581 /*fixed*/, VIETNAMESE_SYLLABLE_N_IR = 6583 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_A = 6586 /*fixed*/, VIETNAMESE_SYLLABLE_N_IX_A = 6591 /*fixed*/, VIETNAMESE_SYLLABLE_N_IJ_C_H = 6592 /*fixed*/, VIETNAMESE_SYLLABLE_N_IS_C_H = 6593 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EE_M = 6594 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EEF_M = 6595 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EEJ_M = 6596 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EE_N = 6600 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EEF_N_G = 6607 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EEX_N_G = 6611 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EEJ_T = 6612 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EES_T = 6613 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EE_U = 6614 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_EEJ_U = 6616 /*fixed*/, VIETNAMESE_SYLLABLE_N_IS_N = 6624 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_N_H = 6626 /*fixed*/, VIETNAMESE_SYLLABLE_N_IF_N_H = 6627 /*fixed*/, VIETNAMESE_SYLLABLE_N_IJ_N_H = 6628 /*fixed*/, VIETNAMESE_SYLLABLE_N_IS_N_H = 6630 /*fixed*/, VIETNAMESE_SYLLABLE_N_IJ_T = 6632 /*fixed*/, VIETNAMESE_SYLLABLE_N_IS_T = 6633 /*fixed*/, VIETNAMESE_SYLLABLE_N_I_U = 6634 /*fixed*/, VIETNAMESE_SYLLABLE_N_IJ_U = 6636 /*fixed*/, VIETNAMESE_SYLLABLE_N_IS_U = 6638 /*fixed*/, VIETNAMESE_SYLLABLE_N_O = 6640 /*fixed*/, VIETNAMESE_SYLLABLE_N_OF = 6641 /*fixed*/, VIETNAMESE_SYLLABLE_N_OJ = 6642 /*fixed*/, VIETNAMESE_SYLLABLE_N_OR = 6643 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS = 6644 /*fixed*/, VIETNAMESE_SYLLABLE_N_OX = 6645 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_AX_N = 6651 /*fixed*/, VIETNAMESE_SYLLABLE_N_OJ_C = 6652 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS_C = 6653 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_I = 6654 /*fixed*/, VIETNAMESE_SYLLABLE_N_OF_I = 6655 /*fixed*/, VIETNAMESE_SYLLABLE_N_OJ_I = 6656 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS_I = 6658 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_M = 6660 /*fixed*/, VIETNAMESE_SYLLABLE_N_OF_M = 6661 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_N = 6666 /*fixed*/, VIETNAMESE_SYLLABLE_N_OJ_N = 6668 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS_N = 6670 /*fixed*/, VIETNAMESE_SYLLABLE_N_OX_N = 6671 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_N_G = 6672 /*fixed*/, VIETNAMESE_SYLLABLE_N_OF_N_G = 6673 /*fixed*/, VIETNAMESE_SYLLABLE_N_OJ_N_G = 6674 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS_N_G = 6676 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_O_N_G = 6678 /*fixed*/, VIETNAMESE_SYLLABLE_N_O_OJ_N_G = 6679 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS_P = 6680 /*fixed*/, VIETNAMESE_SYLLABLE_N_OJ_T = 6681 /*fixed*/, VIETNAMESE_SYLLABLE_N_OS_T = 6682 /*fixed*/, VIETNAMESE_SYLLABLE_N_OO = 6683 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOJ = 6685 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOR = 6686 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOX = 6688 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOS_C = 6690 /*fixed*/, VIETNAMESE_SYLLABLE_N_OO_I = 6691 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOF_I = 6692 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOJ_I = 6693 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOR_I = 6694 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOS_I = 6695 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOX_I = 6696 /*fixed*/, VIETNAMESE_SYLLABLE_N_OO_M = 6697 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOF_M = 6698 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOJ_M = 6699 /*fixed*/, VIETNAMESE_SYLLABLE_N_OO_N = 6703 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOJ_N = 6705 /*fixed*/, VIETNAMESE_SYLLABLE_N_OO_N_G = 6709 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOF_N_G = 6710 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOR_N_G = 6712 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOS_N_G = 6713 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOX_N_G = 6714 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOJ_P = 6715 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOJ_T = 6717 /*fixed*/, VIETNAMESE_SYLLABLE_N_OOS_T = 6718 /*fixed*/, VIETNAMESE_SYLLABLE_N_OW = 6719 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWF = 6720 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWJ = 6721 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWR = 6722 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWS = 6723 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWX = 6724 /*fixed*/, VIETNAMESE_SYLLABLE_N_OW_I = 6725 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWS_I = 6729 /*fixed*/, VIETNAMESE_SYLLABLE_N_OW_M = 6731 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWF_M = 6732 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWX_M = 6736 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWJ_P = 6737 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWS_P = 6738 /*fixed*/, VIETNAMESE_SYLLABLE_N_OWS_T = 6740 /*fixed*/, VIETNAMESE_SYLLABLE_N_U = 6741 /*fixed*/, VIETNAMESE_SYLLABLE_N_UJ = 6743 /*fixed*/, VIETNAMESE_SYLLABLE_N_US = 6745 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_A = 6747 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_A = 6751 /*fixed*/, VIETNAMESE_SYLLABLE_N_UJ_C = 6753 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_C = 6754 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_I = 6755 /*fixed*/, VIETNAMESE_SYLLABLE_N_UF_I = 6756 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_I = 6759 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_M = 6765 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_N_G = 6767 /*fixed*/, VIETNAMESE_SYLLABLE_N_UF_N_G = 6768 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_N_G = 6771 /*fixed*/, VIETNAMESE_SYLLABLE_N_UX_N_G = 6772 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OOJ_C = 6773 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OO_I = 6774 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OOS_I = 6778 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OOS_M = 6780 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OO_N_G = 6781 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OOJ_T = 6787 /*fixed*/, VIETNAMESE_SYLLABLE_N_U_OOS_T = 6788 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_P = 6790 /*fixed*/, VIETNAMESE_SYLLABLE_N_US_T = 6792 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW = 6793 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWJ = 6795 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWX = 6798 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_A = 6799 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWR_A = 6802 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWS_A = 6803 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWX_A = 6804 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWJ_C = 6805 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWS_C = 6806 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWJ_N_G = 6809 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWS_N_G = 6811 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_OWS_C = 6814 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_OWF_M = 6816 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_OW_N_G = 6821 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_OWS_N_G = 6825 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_OWJ_P = 6827 /*fixed*/, VIETNAMESE_SYLLABLE_N_UW_OWS_U = 6829 /*fixed*/, VIETNAMESE_SYLLABLE_N_UWS_T = 6831 /*fixed*/, VIETNAMESE_SYLLABLE_O = 6832 /*fixed*/, VIETNAMESE_SYLLABLE_OF = 6833 /*fixed*/, VIETNAMESE_SYLLABLE_OJ = 6834 /*fixed*/, VIETNAMESE_SYLLABLE_OR = 6835 /*fixed*/, VIETNAMESE_SYLLABLE_OS = 6836 /*fixed*/, VIETNAMESE_SYLLABLE_OX = 6837 /*fixed*/, VIETNAMESE_SYLLABLE_O_A = 6838 /*fixed*/, VIETNAMESE_SYLLABLE_OF_A = 6839 /*fixed*/, VIETNAMESE_SYLLABLE_O_AS_C = 6845 /*fixed*/, VIETNAMESE_SYLLABLE_O_AJ_C_H = 6846 /*fixed*/, VIETNAMESE_SYLLABLE_O_AS_C_H = 6847 /*fixed*/, VIETNAMESE_SYLLABLE_O_A_I = 6848 /*fixed*/, VIETNAMESE_SYLLABLE_O_AJ_I = 6850 /*fixed*/, VIETNAMESE_SYLLABLE_O_AR_I = 6851 /*fixed*/, VIETNAMESE_SYLLABLE_O_AS_I = 6852 /*fixed*/, VIETNAMESE_SYLLABLE_O_AF_M = 6855 /*fixed*/, VIETNAMESE_SYLLABLE_O_A_N = 6860 /*fixed*/, VIETNAMESE_SYLLABLE_O_AR_N = 6863 /*fixed*/, VIETNAMESE_SYLLABLE_O_AS_N = 6864 /*fixed*/, VIETNAMESE_SYLLABLE_O_A_N_G = 6866 /*fixed*/, VIETNAMESE_SYLLABLE_O_AF_N_G = 6867 /*fixed*/, VIETNAMESE_SYLLABLE_O_A_N_H = 6872 /*fixed*/, VIETNAMESE_SYLLABLE_O_AF_N_H = 6873 /*fixed*/, VIETNAMESE_SYLLABLE_O_AS_N_H = 6876 /*fixed*/, VIETNAMESE_SYLLABLE_O_AJ_P = 6878 /*fixed*/, VIETNAMESE_SYLLABLE_O_AW_M = 6880 /*fixed*/, VIETNAMESE_SYLLABLE_O_AWF_N = 6887 /*fixed*/, VIETNAMESE_SYLLABLE_O_AWJ_T = 6892 /*fixed*/, VIETNAMESE_SYLLABLE_O_AWS_T = 6893 /*fixed*/, VIETNAMESE_SYLLABLE_OJ_C = 6894 /*fixed*/, VIETNAMESE_SYLLABLE_OS_C = 6895 /*fixed*/, VIETNAMESE_SYLLABLE_O_E = 6896 /*fixed*/, VIETNAMESE_SYLLABLE_OJ_E = 6898 /*fixed*/, VIETNAMESE_SYLLABLE_OR_E = 6899 /*fixed*/, VIETNAMESE_SYLLABLE_OS_E = 6900 /*fixed*/, VIETNAMESE_SYLLABLE_O_I = 6902 /*fixed*/, VIETNAMESE_SYLLABLE_OR_I = 6905 /*fixed*/, VIETNAMESE_SYLLABLE_OS_I = 6906 /*fixed*/, VIETNAMESE_SYLLABLE_O_M = 6908 /*fixed*/, VIETNAMESE_SYLLABLE_OF_M = 6909 /*fixed*/, VIETNAMESE_SYLLABLE_OR_M = 6911 /*fixed*/, VIETNAMESE_SYLLABLE_O_N = 6914 /*fixed*/, VIETNAMESE_SYLLABLE_OR_N = 6917 /*fixed*/, VIETNAMESE_SYLLABLE_O_N_G = 6920 /*fixed*/, VIETNAMESE_SYLLABLE_OF_N_G = 6921 /*fixed*/, VIETNAMESE_SYLLABLE_OR_N_G = 6923 /*fixed*/, VIETNAMESE_SYLLABLE_OS_N_G = 6924 /*fixed*/, VIETNAMESE_SYLLABLE_OX_N_G = 6925 /*fixed*/, VIETNAMESE_SYLLABLE_OJ_P = 6926 /*fixed*/, VIETNAMESE_SYLLABLE_OS_P = 6927 /*fixed*/, VIETNAMESE_SYLLABLE_OS_T = 6929 /*fixed*/, VIETNAMESE_SYLLABLE_OO = 6930 /*fixed*/, VIETNAMESE_SYLLABLE_OOF = 6931 /*fixed*/, VIETNAMESE_SYLLABLE_OOJ = 6932 /*fixed*/, VIETNAMESE_SYLLABLE_OOR = 6933 /*fixed*/, VIETNAMESE_SYLLABLE_OOS = 6934 /*fixed*/, VIETNAMESE_SYLLABLE_OOX = 6935 /*fixed*/, VIETNAMESE_SYLLABLE_OOJ_C = 6936 /*fixed*/, VIETNAMESE_SYLLABLE_OOS_C = 6937 /*fixed*/, VIETNAMESE_SYLLABLE_OO_I = 6938 /*fixed*/, VIETNAMESE_SYLLABLE_OOR_I = 6941 /*fixed*/, VIETNAMESE_SYLLABLE_OOS_I = 6942 /*fixed*/, VIETNAMESE_SYLLABLE_OO_M = 6944 /*fixed*/, VIETNAMESE_SYLLABLE_OOF_M = 6945 /*fixed*/, VIETNAMESE_SYLLABLE_OOS_M = 6948 /*fixed*/, VIETNAMESE_SYLLABLE_OO_N = 6950 /*fixed*/, VIETNAMESE_SYLLABLE_OOF_N = 6951 /*fixed*/, VIETNAMESE_SYLLABLE_OOR_N = 6953 /*fixed*/, VIETNAMESE_SYLLABLE_OO_N_G = 6956 /*fixed*/, VIETNAMESE_SYLLABLE_OOF_N_G = 6957 /*fixed*/, VIETNAMESE_SYLLABLE_OOR_N_G = 6959 /*fixed*/, VIETNAMESE_SYLLABLE_OOS_N_G = 6960 /*fixed*/, VIETNAMESE_SYLLABLE_OOJ_P = 6962 /*fixed*/, VIETNAMESE_SYLLABLE_OOS_P = 6963 /*fixed*/, VIETNAMESE_SYLLABLE_OOS_T = 6965 /*fixed*/, VIETNAMESE_SYLLABLE_OW = 6966 /*fixed*/, VIETNAMESE_SYLLABLE_OWF = 6967 /*fixed*/, VIETNAMESE_SYLLABLE_OWJ = 6968 /*fixed*/, VIETNAMESE_SYLLABLE_OWR = 6969 /*fixed*/, VIETNAMESE_SYLLABLE_OWS = 6970 /*fixed*/, VIETNAMESE_SYLLABLE_OWX = 6971 /*fixed*/, VIETNAMESE_SYLLABLE_OW_I = 6972 /*fixed*/, VIETNAMESE_SYLLABLE_OWF_I = 6973 /*fixed*/, VIETNAMESE_SYLLABLE_OWJ_I = 6974 /*fixed*/, VIETNAMESE_SYLLABLE_OWS_I = 6976 /*fixed*/, VIETNAMESE_SYLLABLE_OWS_M = 6982 /*fixed*/, VIETNAMESE_SYLLABLE_OWX_M = 6983 /*fixed*/, VIETNAMESE_SYLLABLE_OW_N = 6984 /*fixed*/, VIETNAMESE_SYLLABLE_OWR_N = 6987 /*fixed*/, VIETNAMESE_SYLLABLE_OWS_N = 6988 /*fixed*/, VIETNAMESE_SYLLABLE_OWJ_T = 6990 /*fixed*/, VIETNAMESE_SYLLABLE_OWS_T = 6991 /*fixed*/, VIETNAMESE_SYLLABLE_P_A = 6992 /*fixed*/, VIETNAMESE_SYLLABLE_P_AF = 6993 /*fixed*/, VIETNAMESE_SYLLABLE_P_AR = 6995 /*fixed*/, VIETNAMESE_SYLLABLE_P_AS = 6996 /*fixed*/, VIETNAMESE_SYLLABLE_P_AS_C = 6999 /*fixed*/, VIETNAMESE_SYLLABLE_P_A_I = 7000 /*fixed*/, VIETNAMESE_SYLLABLE_P_AF_I = 7001 /*fixed*/, VIETNAMESE_SYLLABLE_P_AR_I = 7003 /*fixed*/, VIETNAMESE_SYLLABLE_P_A_N = 7006 /*fixed*/, VIETNAMESE_SYLLABLE_P_AS_N = 7010 /*fixed*/, VIETNAMESE_SYLLABLE_P_A_N_G = 7012 /*fixed*/, VIETNAMESE_SYLLABLE_P_AF_N_G = 7013 /*fixed*/, VIETNAMESE_SYLLABLE_P_A_N_H = 7018 /*fixed*/, VIETNAMESE_SYLLABLE_P_AWS_C = 7019 /*fixed*/, VIETNAMESE_SYLLABLE_P_AW_M = 7020 /*fixed*/, VIETNAMESE_SYLLABLE_P_AWF_N = 7021 /*fixed*/, VIETNAMESE_SYLLABLE_P_AAS_C = 7022 /*fixed*/, VIETNAMESE_SYLLABLE_P_E_N_G = 7023 /*fixed*/, VIETNAMESE_SYLLABLE_P_ES_O = 7024 /*fixed*/, VIETNAMESE_SYLLABLE_P_EE = 7025 /*fixed*/, VIETNAMESE_SYLLABLE_P_EES_C_H = 7031 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A = 7032 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF = 7033 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ = 7034 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AR = 7035 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS = 7036 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ_C = 7038 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_C = 7039 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ_C_H = 7040 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_C_H = 7041 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_I = 7042 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF_I = 7043 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AR_I = 7045 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_I = 7046 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF_M = 7049 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ_M = 7050 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_N = 7054 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF_N = 7055 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ_N = 7056 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AR_N = 7057 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_N = 7058 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_N_G = 7060 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF_N_G = 7061 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ_N_G = 7062 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AR_N_G = 7063 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_N_H = 7066 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF_N_H = 7067 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_O = 7072 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AF_O = 7073 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_O = 7076 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_P = 7079 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AJ_T = 7080 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AS_T = 7081 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_U = 7082 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_A_Y = 7088 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AR_Y = 7091 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWJ_C = 7094 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWS_C = 7095 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AW_M = 7096 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWS_N = 7103 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AW_N_G = 7104 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWJ_N_G = 7106 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWR_N_G = 7107 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWS_P = 7111 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AWS_T = 7112 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAF_M = 7114 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAR_M = 7116 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AA_N = 7119 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAF_N = 7120 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAJ_N = 7121 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAS_N = 7123 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAX_N = 7124 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAJ_P = 7125 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAS_P = 7126 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAJ_T = 7127 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAS_T = 7128 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAX_U = 7134 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AA_Y = 7135 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_AAR_Y = 7138 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_E = 7141 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EF = 7142 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_ES_C = 7148 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_E_N = 7149 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EF_N = 7150 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EF_N_G = 7156 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_ES_N_G = 7159 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_E_O = 7161 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EF_O = 7162 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_ES_P = 7168 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EJ_T = 7169 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_ES_T = 7170 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EE = 7171 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEF = 7172 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEJ = 7173 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EES = 7175 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EES_C_H = 7178 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EE_N = 7179 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEF_N_H = 7186 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEJ_N_H = 7187 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEJ_T = 7191 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EES_T = 7192 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEF_U = 7194 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_EEX_U = 7198 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I = 7199 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IF = 7200 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IJ = 7201 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IR = 7202 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IS = 7203 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IJ_A = 7207 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IS_A = 7209 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IJ_C_H = 7211 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IS_C_H = 7212 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EES_M = 7217 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EE_N = 7219 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EEF_N = 7220 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EEJ_N = 7221 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EES_N = 7223 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EE_N_G = 7225 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EEJ_T = 7231 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EE_U = 7233 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_EES_U = 7237 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_M = 7239 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IS_M = 7243 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_N = 7245 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IF_N = 7246 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_N_H = 7251 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IF_N_H = 7252 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IR_N_H = 7254 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IS_N_H = 7255 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IX_N_H = 7256 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_I_U = 7257 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IF_U = 7258 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_IJ_U = 7259 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_O = 7263 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OF = 7264 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OS = 7267 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_O_M = 7269 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OR_M = 7270 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_O_N_G = 7271 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OF_N_G = 7272 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OR_N_G = 7274 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OS_N_G = 7275 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OJ_T = 7277 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OO = 7279 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOR = 7282 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOS = 7283 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOS_C = 7286 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OO_I = 7287 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOR_I = 7290 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOS_I = 7291 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OO_N = 7293 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOF_N = 7294 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OO_N_G = 7299 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOF_N_G = 7300 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOJ_N_G = 7301 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOR_N_G = 7302 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOX_N_G = 7304 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOS_P = 7306 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OOS_T = 7308 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OW = 7309 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWF = 7310 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWR = 7312 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWS = 7313 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OW_I = 7315 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWF_I = 7316 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWS_I = 7319 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OW_N = 7321 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWR_N = 7324 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWS_N = 7325 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWX_N = 7326 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_OWS_T = 7328 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_U = 7329 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UF = 7330 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UJ = 7331 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UR = 7332 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_US = 7333 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UX = 7334 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UJ_C = 7335 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_US_C = 7336 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_U_I = 7337 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UR_I = 7340 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_U_M = 7343 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_U_N = 7349 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UF_N = 7350 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_US_N = 7353 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_U_N_G = 7355 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UF_N_G = 7356 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UJ_N_G = 7357 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_US_N_G = 7359 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UJ_T = 7361 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_US_T = 7362 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_U_Y = 7363 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UWJ_A = 7366 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UWS_A = 7368 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UWS_C = 7371 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OWS_C = 7373 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OWS_N = 7374 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OWX_N = 7375 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OW_N_G = 7376 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OWF_N_G = 7377 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OWJ_N_G = 7378 /*fixed*/, VIETNAMESE_SYLLABLE_P_H_UW_OWJ_T = 7382 /*fixed*/, VIETNAMESE_SYLLABLE_P_I = 7383 /*fixed*/, VIETNAMESE_SYLLABLE_P_IF = 7384 /*fixed*/, VIETNAMESE_SYLLABLE_P_I_EE_U = 7385 /*fixed*/, VIETNAMESE_SYLLABLE_P_I_N = 7391 /*fixed*/, VIETNAMESE_SYLLABLE_P_L_A_O = 7397 /*fixed*/, VIETNAMESE_SYLLABLE_P_L_OO_N_G = 7398 /*fixed*/, VIETNAMESE_SYLLABLE_P_O_M = 7399 /*fixed*/, VIETNAMESE_SYLLABLE_P_OO = 7400 /*fixed*/, VIETNAMESE_SYLLABLE_P_OOF = 7401 /*fixed*/, VIETNAMESE_SYLLABLE_P_OOS = 7404 /*fixed*/, VIETNAMESE_SYLLABLE_P_OOF_N = 7406 /*fixed*/, VIETNAMESE_SYLLABLE_P_OW = 7407 /*fixed*/, VIETNAMESE_SYLLABLE_P_OWF = 7408 /*fixed*/, VIETNAMESE_SYLLABLE_P_R_E = 7409 /*fixed*/, VIETNAMESE_SYLLABLE_P_R_I_N_G = 7410 /*fixed*/, VIETNAMESE_SYLLABLE_P_R_OO_N_G = 7411 /*fixed*/, VIETNAMESE_SYLLABLE_P_U = 7412 /*fixed*/, VIETNAMESE_SYLLABLE_P_UF = 7413 /*fixed*/, VIETNAMESE_SYLLABLE_P_US = 7416 /*fixed*/, VIETNAMESE_SYLLABLE_P_U_I = 7418 /*fixed*/, VIETNAMESE_SYLLABLE_P_U_N = 7419 /*fixed*/, VIETNAMESE_SYLLABLE_P_U_N_G = 7425 /*fixed*/, VIETNAMESE_SYLLABLE_P_US_N_G = 7426 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A = 7427 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF = 7428 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ = 7429 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AR = 7430 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS = 7431 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_C = 7433 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_C = 7434 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_C_H = 7435 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_C_H = 7436 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A_I = 7437 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_I = 7438 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_I = 7439 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AR_I = 7440 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_I = 7441 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A_N = 7443 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_N = 7444 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AR_N = 7446 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_N = 7447 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A_N_G = 7449 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_N_G = 7450 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_N_G = 7451 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AR_N_G = 7452 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_N_G = 7453 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AX_N_G = 7454 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A_N_H = 7455 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_N_H = 7456 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_N_H = 7457 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_N_H = 7459 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A_O = 7461 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_O = 7462 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_T = 7467 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_T = 7468 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_U = 7470 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AJ_U = 7471 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_A_Y = 7475 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AF_Y = 7476 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AS_Y = 7479 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWJ_C = 7481 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWS_C = 7482 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AW_M = 7483 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWF_M = 7484 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWJ_M = 7485 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWS_M = 7487 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AW_N = 7489 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWF_N = 7490 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWJ_N = 7491 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWS_N = 7493 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AW_N_G = 7495 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWJ_N_G = 7497 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWR_N_G = 7498 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWJ_P = 7501 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWS_P = 7502 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWJ_T = 7503 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AWS_T = 7504 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AA_N = 7505 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAF_N = 7506 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAJ_N = 7507 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAR_N = 7508 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAS_N = 7509 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAX_N = 7510 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAF_N_G = 7512 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAR_N_G = 7514 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAJ_T = 7517 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAS_T = 7518 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AA_Y = 7519 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAF_Y = 7520 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAJ_Y = 7521 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAR_Y = 7522 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAS_Y = 7523 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_AAX_Y = 7524 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_E = 7525 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EF = 7526 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_ER = 7528 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_ES = 7529 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EX = 7530 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_E_N = 7531 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EF_N = 7532 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_ES_N = 7535 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_E_O = 7537 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EF_O = 7538 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EJ_O = 7539 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_ES_O = 7541 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EJ_T = 7543 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_ES_T = 7544 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EE = 7545 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EEJ = 7547 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EES = 7549 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EE_N = 7551 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EEJ_N = 7553 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EEF_N_H = 7558 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EEJ_T = 7563 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EES_T = 7564 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_EEF_U = 7566 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OJ = 7573 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OOS_C = 7578 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OW = 7579 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OWF = 7580 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OWR = 7582 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OWS = 7583 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_OWS_I = 7585 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y = 7586 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YF = 7587 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YJ = 7588 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YR = 7589 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YS = 7590 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YX = 7591 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EE_N = 7592 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EEF_N = 7593 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EEJ_N = 7594 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EER_N = 7595 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EES_N = 7596 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EEJ_T = 7598 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_EES_T = 7599 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_Y_N = 7600 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YF_N_H = 7602 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YR_N_H = 7604 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YS_N_H = 7605 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YJ_T = 7607 /*fixed*/, VIETNAMESE_SYLLABLE_Q_U_YS_T = 7608 /*fixed*/, VIETNAMESE_SYLLABLE_R_A = 7609 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF = 7610 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ = 7611 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR = 7612 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS = 7613 /*fixed*/, VIETNAMESE_SYLLABLE_R_AX = 7614 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_C = 7615 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_C = 7616 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_C_H = 7617 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_C_H = 7618 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_I = 7619 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF_I = 7620 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR_I = 7622 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_I = 7623 /*fixed*/, VIETNAMESE_SYLLABLE_R_AX_I = 7624 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_M = 7625 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_M = 7627 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_M = 7629 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_N = 7631 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF_N = 7632 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_N = 7633 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_N = 7635 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_N_G = 7637 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF_N_G = 7638 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_N_G = 7639 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR_N_G = 7640 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_N_G = 7641 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_N_H = 7643 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF_N_H = 7644 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR_N_H = 7646 /*fixed*/, VIETNAMESE_SYLLABLE_R_AX_N_H = 7648 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_O = 7649 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF_O = 7650 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_O = 7651 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR_O = 7652 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_O = 7653 /*fixed*/, VIETNAMESE_SYLLABLE_R_AX_O = 7654 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_P = 7655 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_P = 7656 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_T = 7657 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_T = 7658 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_U = 7659 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR_U = 7662 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_U = 7663 /*fixed*/, VIETNAMESE_SYLLABLE_R_A_Y = 7665 /*fixed*/, VIETNAMESE_SYLLABLE_R_AF_Y = 7666 /*fixed*/, VIETNAMESE_SYLLABLE_R_AJ_Y = 7667 /*fixed*/, VIETNAMESE_SYLLABLE_R_AR_Y = 7668 /*fixed*/, VIETNAMESE_SYLLABLE_R_AS_Y = 7669 /*fixed*/, VIETNAMESE_SYLLABLE_R_AX_Y = 7670 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWJ_C = 7671 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWS_C = 7672 /*fixed*/, VIETNAMESE_SYLLABLE_R_AW_M = 7673 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWF_M = 7674 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWJ_M = 7675 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWS_M = 7677 /*fixed*/, VIETNAMESE_SYLLABLE_R_AW_N = 7679 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWF_N = 7680 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWJ_N = 7681 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWS_N = 7683 /*fixed*/, VIETNAMESE_SYLLABLE_R_AW_N_G = 7685 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWF_N_G = 7686 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWJ_N_G = 7687 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWS_P = 7692 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWJ_T = 7693 /*fixed*/, VIETNAMESE_SYLLABLE_R_AWS_T = 7694 /*fixed*/, VIETNAMESE_SYLLABLE_R_AA_M = 7695 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAF_M = 7696 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAJ_M = 7697 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAR_M = 7698 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAS_M = 7699 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAX_M = 7700 /*fixed*/, VIETNAMESE_SYLLABLE_R_AA_N = 7701 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAF_N = 7702 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAJ_N = 7703 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAS_N = 7705 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAJ_P = 7707 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAS_P = 7708 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAJ_T = 7709 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAS_T = 7710 /*fixed*/, VIETNAMESE_SYLLABLE_R_AA_U = 7711 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAF_U = 7712 /*fixed*/, VIETNAMESE_SYLLABLE_R_AA_Y = 7717 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAF_Y = 7718 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAR_Y = 7720 /*fixed*/, VIETNAMESE_SYLLABLE_R_AAX_Y = 7722 /*fixed*/, VIETNAMESE_SYLLABLE_R_E = 7723 /*fixed*/, VIETNAMESE_SYLLABLE_R_EF = 7724 /*fixed*/, VIETNAMESE_SYLLABLE_R_ER = 7726 /*fixed*/, VIETNAMESE_SYLLABLE_R_ES = 7727 /*fixed*/, VIETNAMESE_SYLLABLE_R_EX = 7728 /*fixed*/, VIETNAMESE_SYLLABLE_R_E_M = 7729 /*fixed*/, VIETNAMESE_SYLLABLE_R_EF_M = 7730 /*fixed*/, VIETNAMESE_SYLLABLE_R_E_N = 7735 /*fixed*/, VIETNAMESE_SYLLABLE_R_EF_N = 7736 /*fixed*/, VIETNAMESE_SYLLABLE_R_ES_N = 7739 /*fixed*/, VIETNAMESE_SYLLABLE_R_E_N_G = 7741 /*fixed*/, VIETNAMESE_SYLLABLE_R_ER_N_G = 7744 /*fixed*/, VIETNAMESE_SYLLABLE_R_E_O = 7747 /*fixed*/, VIETNAMESE_SYLLABLE_R_ER_O = 7750 /*fixed*/, VIETNAMESE_SYLLABLE_R_ES_O = 7751 /*fixed*/, VIETNAMESE_SYLLABLE_R_EJ_T = 7753 /*fixed*/, VIETNAMESE_SYLLABLE_R_ES_T = 7754 /*fixed*/, VIETNAMESE_SYLLABLE_R_EE = 7755 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEF = 7756 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEJ = 7757 /*fixed*/, VIETNAMESE_SYLLABLE_R_EER = 7758 /*fixed*/, VIETNAMESE_SYLLABLE_R_EES = 7759 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEX = 7760 /*fixed*/, VIETNAMESE_SYLLABLE_R_EE_N = 7761 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEF_N = 7762 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEJ_P = 7767 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEJ_T = 7769 /*fixed*/, VIETNAMESE_SYLLABLE_R_EES_T = 7770 /*fixed*/, VIETNAMESE_SYLLABLE_R_EE_U = 7771 /*fixed*/, VIETNAMESE_SYLLABLE_R_EEJ_U = 7773 /*fixed*/, VIETNAMESE_SYLLABLE_R_I = 7777 /*fixed*/, VIETNAMESE_SYLLABLE_R_IF = 7778 /*fixed*/, VIETNAMESE_SYLLABLE_R_IJ = 7779 /*fixed*/, VIETNAMESE_SYLLABLE_R_IR = 7780 /*fixed*/, VIETNAMESE_SYLLABLE_R_IS = 7781 /*fixed*/, VIETNAMESE_SYLLABLE_R_IX = 7782 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_A = 7783 /*fixed*/, VIETNAMESE_SYLLABLE_R_IF_A = 7784 /*fixed*/, VIETNAMESE_SYLLABLE_R_IJ_A = 7785 /*fixed*/, VIETNAMESE_SYLLABLE_R_IR_A = 7786 /*fixed*/, VIETNAMESE_SYLLABLE_R_IJ_C_H = 7789 /*fixed*/, VIETNAMESE_SYLLABLE_R_IS_C_H = 7790 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_EE_N_G = 7791 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_EEF_N_G = 7792 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_EEJ_T = 7797 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_EES_T = 7798 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_EE_U = 7799 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_EES_U = 7803 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_M = 7805 /*fixed*/, VIETNAMESE_SYLLABLE_R_IJ_M = 7807 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_N = 7811 /*fixed*/, VIETNAMESE_SYLLABLE_R_IJ_N = 7813 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_N_H = 7817 /*fixed*/, VIETNAMESE_SYLLABLE_R_IF_N_H = 7818 /*fixed*/, VIETNAMESE_SYLLABLE_R_IR_N_H = 7820 /*fixed*/, VIETNAMESE_SYLLABLE_R_IJ_T = 7823 /*fixed*/, VIETNAMESE_SYLLABLE_R_IS_T = 7824 /*fixed*/, VIETNAMESE_SYLLABLE_R_I_U = 7825 /*fixed*/, VIETNAMESE_SYLLABLE_R_IF_U = 7826 /*fixed*/, VIETNAMESE_SYLLABLE_R_IS_U = 7829 /*fixed*/, VIETNAMESE_SYLLABLE_R_O = 7831 /*fixed*/, VIETNAMESE_SYLLABLE_R_OF = 7832 /*fixed*/, VIETNAMESE_SYLLABLE_R_OJ = 7833 /*fixed*/, VIETNAMESE_SYLLABLE_R_OR = 7834 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS = 7835 /*fixed*/, VIETNAMESE_SYLLABLE_R_OX = 7836 /*fixed*/, VIETNAMESE_SYLLABLE_R_OJ_C = 7837 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS_C = 7838 /*fixed*/, VIETNAMESE_SYLLABLE_R_O_I = 7839 /*fixed*/, VIETNAMESE_SYLLABLE_R_OF_I = 7840 /*fixed*/, VIETNAMESE_SYLLABLE_R_OJ_I = 7841 /*fixed*/, VIETNAMESE_SYLLABLE_R_OR_I = 7842 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS_I = 7843 /*fixed*/, VIETNAMESE_SYLLABLE_R_O_M = 7845 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS_M = 7849 /*fixed*/, VIETNAMESE_SYLLABLE_R_OF_N = 7852 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS_N = 7855 /*fixed*/, VIETNAMESE_SYLLABLE_R_O_N_G = 7857 /*fixed*/, VIETNAMESE_SYLLABLE_R_OF_N_G = 7858 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS_N_G = 7861 /*fixed*/, VIETNAMESE_SYLLABLE_R_OJ_T = 7863 /*fixed*/, VIETNAMESE_SYLLABLE_R_OS_T = 7864 /*fixed*/, VIETNAMESE_SYLLABLE_R_OO = 7865 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOF = 7866 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOJ = 7867 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOR = 7868 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOX = 7870 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOJ_C = 7871 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOS_C = 7872 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOF_I = 7874 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOS_I = 7877 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOX_I = 7878 /*fixed*/, VIETNAMESE_SYLLABLE_R_OO_M = 7879 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOJ_M = 7881 /*fixed*/, VIETNAMESE_SYLLABLE_R_OO_N = 7885 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOJ_N = 7887 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOR_N = 7888 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOS_N = 7889 /*fixed*/, VIETNAMESE_SYLLABLE_R_OO_N_G = 7891 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOF_N_G = 7892 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOJ_N_G = 7893 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOS_N_G = 7895 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOX_N_G = 7896 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOJ_P = 7897 /*fixed*/, VIETNAMESE_SYLLABLE_R_OOS_T = 7899 /*fixed*/, VIETNAMESE_SYLLABLE_R_OW = 7900 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWF = 7901 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWJ = 7902 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWR = 7903 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWS = 7904 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWX = 7905 /*fixed*/, VIETNAMESE_SYLLABLE_R_OW_I = 7906 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWF_I = 7907 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWJ_I = 7908 /*fixed*/, VIETNAMESE_SYLLABLE_R_OW_M = 7912 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWF_M = 7913 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWR_M = 7915 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWS_M = 7916 /*fixed*/, VIETNAMESE_SYLLABLE_R_OW_N = 7918 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWF_N = 7919 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWJ_N = 7920 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWX_N = 7923 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWJ_P = 7924 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWS_P = 7925 /*fixed*/, VIETNAMESE_SYLLABLE_R_OWS_T = 7927 /*fixed*/, VIETNAMESE_SYLLABLE_R_U = 7928 /*fixed*/, VIETNAMESE_SYLLABLE_R_UF = 7929 /*fixed*/, VIETNAMESE_SYLLABLE_R_UR = 7931 /*fixed*/, VIETNAMESE_SYLLABLE_R_US = 7932 /*fixed*/, VIETNAMESE_SYLLABLE_R_UX = 7933 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_A = 7934 /*fixed*/, VIETNAMESE_SYLLABLE_R_UF_A = 7935 /*fixed*/, VIETNAMESE_SYLLABLE_R_UR_A = 7937 /*fixed*/, VIETNAMESE_SYLLABLE_R_UJ_C = 7940 /*fixed*/, VIETNAMESE_SYLLABLE_R_US_C = 7941 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_I = 7942 /*fixed*/, VIETNAMESE_SYLLABLE_R_UF_I = 7943 /*fixed*/, VIETNAMESE_SYLLABLE_R_UJ_I = 7944 /*fixed*/, VIETNAMESE_SYLLABLE_R_UR_I = 7945 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_M = 7948 /*fixed*/, VIETNAMESE_SYLLABLE_R_UF_M = 7949 /*fixed*/, VIETNAMESE_SYLLABLE_R_UJ_M = 7950 /*fixed*/, VIETNAMESE_SYLLABLE_R_US_M = 7952 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_N = 7954 /*fixed*/, VIETNAMESE_SYLLABLE_R_UF_N = 7955 /*fixed*/, VIETNAMESE_SYLLABLE_R_UR_N = 7957 /*fixed*/, VIETNAMESE_SYLLABLE_R_US_N = 7958 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_N_G = 7960 /*fixed*/, VIETNAMESE_SYLLABLE_R_UF_N_G = 7961 /*fixed*/, VIETNAMESE_SYLLABLE_R_UJ_N_G = 7962 /*fixed*/, VIETNAMESE_SYLLABLE_R_UR_N_G = 7963 /*fixed*/, VIETNAMESE_SYLLABLE_R_US_N_G = 7964 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOS_C = 7967 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOF_I = 7969 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOR_I = 7971 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOF_N_G = 7975 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOJ_N_G = 7976 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOX_N_G = 7979 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_OOJ_T = 7980 /*fixed*/, VIETNAMESE_SYLLABLE_R_UJ_T = 7982 /*fixed*/, VIETNAMESE_SYLLABLE_R_US_T = 7983 /*fixed*/, VIETNAMESE_SYLLABLE_R_U_Y = 7984 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWJ_A = 7992 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWR_A = 7993 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWS_A = 7994 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWX_A = 7995 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWJ_C = 7996 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWS_C = 7997 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_N_G = 7998 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWF_N_G = 7999 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWJ_N_G = 8000 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWR_N_G = 8001 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWS_C = 8005 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OW_I = 8006 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWF_I = 8007 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWJ_I = 8008 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWR_I = 8009 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWS_I = 8010 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWX_I = 8011 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWF_M = 8013 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWS_M = 8016 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OW_N = 8018 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWF_N = 8019 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWS_N = 8022 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OW_N_G = 8024 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWF_N_G = 8025 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWJ_T = 8030 /*fixed*/, VIETNAMESE_SYLLABLE_R_UW_OWJ_U = 8034 /*fixed*/, VIETNAMESE_SYLLABLE_R_UWS_T = 8039 /*fixed*/, VIETNAMESE_SYLLABLE_S_A = 8040 /*fixed*/, VIETNAMESE_SYLLABLE_S_AF = 8041 /*fixed*/, VIETNAMESE_SYLLABLE_S_AJ = 8042 /*fixed*/, VIETNAMESE_SYLLABLE_S_AR = 8043
| 20,700
|
https://github.com/forest-fire/universal-fire/blob/master/scripts/packages/lint/src.sh
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
universal-fire
|
forest-fire
|
Shell
|
Code
| 18
| 90
|
#!/user/bin/env bash
echo "┏━━━ 🕵️♀️ LINT: SRC folder in $(pwd) ━━━━━━━"
npx eslint src --ext ts,js,tsx,jsx --fix --no-error-on-unmatched-pattern
| 48,123
|
https://github.com/CadQuery/cymbal/blob/master/cymbal/clangext.py
|
Github Open Source
|
Open Source
|
MIT
| 2,016
|
cymbal
|
CadQuery
|
Python
|
Code
| 79
| 329
|
import clang.cindex
from ctypes import *
__all__ = ['monkeypatch_type', 'monkeypatch_cursor', 'CymbalException']
def find_libclang_function(function):
return getattr(clang.cindex.conf.lib, function)
class CymbalException(Exception):
def __init__(self, msg):
super(CymbalException, self).__init__(msg)
def monkeypatch_helper(classtype, name, library_function, args, result):
if hasattr(classtype, name):
raise CymbalException('failed to add method, %s is already available' % name)
f = find_libclang_function(library_function)
f.argtypes = args
f.restype = result
def impl(*args):
return f(*args)
setattr(classtype, name, impl)
def monkeypatch_type(method_name, library_function, args, result):
monkeypatch_helper(clang.cindex.Type, method_name, library_function, args, result)
def monkeypatch_cursor(method_name, library_function, args, result):
monkeypatch_helper(clang.cindex.Cursor, method_name, library_function, args, result)
| 14,490
|
https://github.com/YashasSamaga/pawn-array-view/blob/master/plugin/natives/tests.hpp
|
Github Open Source
|
Open Source
|
MIT
| 2,019
|
pawn-array-view
|
YashasSamaga
|
C++
|
Code
| 90
| 422
|
#include "main.h"
namespace sample::natives {
cell AMX_NATIVE_CALL test_cell_0(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_256(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_0_0(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_0_128(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_256_128(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_64_0(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_0_0_0(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_0_0_128(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_0_128_0(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_0_64_96(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_16_0_0(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_16_0_48(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_cell_20_30_50(AMX* amx, cell* params);
cell AMX_NATIVE_CALL test_float_20_30_50(AMX* amx, cell* params);
}
| 13,003
|
https://github.com/google/coding-with-chrome/blob/master/src/components/Settings/SettingScreen.js
|
Github Open Source
|
Open Source
|
Apache-2.0, LicenseRef-scancode-unknown-license-reference
| 2,023
|
coding-with-chrome
|
google
|
JavaScript
|
Code
| 457
| 1,438
|
/**
* @license Copyright 2020 The Coding with Chrome 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.
*/
/**
* @fileoverview Setting Screen for Coding with Chrome.
* @author mbordihn@google.com (Markus Bordihn)
*/
import React from 'react';
import Box from '@mui/material/Box';
import Button from '@mui/material/Button';
import Dialog from '@mui/material/Dialog';
import DialogActions from '@mui/material/DialogActions';
import DialogContent from '@mui/material/DialogContent';
import DialogTitle from '@mui/material/DialogTitle';
import Grid from '@mui/material/Grid';
import IconButton from '@mui/material/IconButton';
import PropTypes from 'prop-types';
import SettingsIcon from '@mui/icons-material/Settings';
import TextField from '@mui/material/TextField';
import Typography from '@mui/material/Typography';
import i18next from '../App/i18next';
import { CACHE_SERVICE_WORKER_CACHE_NAME } from '../../constants';
import GameEditorSettings from './GameEditorSettings';
/**
*
*/
export class SettingScreen extends React.PureComponent {
/**
* @param {*} props
* @constructor
*/
constructor(props) {
super(props);
this.state = {
open: false,
gameEditorAutoRefresh: GameEditorSettings.getAutoRefreshDefault(),
};
GameEditorSettings.getAutoRefresh().then((value) => {
if (typeof value != 'undefined') {
this.state.gameEditorAutoRefresh = value;
}
});
}
/**
*
*/
open() {
this.setState({ open: true });
}
/**
*
*/
close() {
this.setState({ open: false });
if (this.props.onClose && typeof this.props.onClose === 'function') {
this.props.onClose();
}
}
/**
*
*/
handleSave() {
this.close();
}
/**
* Clears online and offline cache.
*/
handleClearCache() {
console.log('Clear Cache ...');
caches.open(CACHE_SERVICE_WORKER_CACHE_NAME).then((cache) => {
cache.keys().then(function (names) {
for (const name of names) {
cache.delete(name);
}
});
});
}
/**
* @return {Object}
*/
render() {
return (
<React.StrictMode>
{this.props.showIcon && (
<IconButton
onClick={this.open.bind(this)}
color={this.props.color}
title={'Change Settings'}
>
<SettingsIcon />
</IconButton>
)}
<Dialog
onClose={this.close.bind(this)}
open={this.state.open || this.props.open || false}
fullWidth={true}
>
<DialogTitle>Settings</DialogTitle>
<DialogContent>
<Typography>
The settings screen allows you to change the default settings for
Coding with Chrome.
</Typography>
<Box justify="flex-start" sx={{ flexGrow: 1, paddingTop: 1 }}>
<Grid container spacing={2}>
<Grid item xs={8} md={8}>
<Typography>Cache (including Offline Cache)</Typography>
</Grid>
<Grid item xs={4} md={4}>
<Button
variant="contained"
onClick={this.handleClearCache.bind(this)}
>
Clear Cache
</Button>
</Grid>
<Grid item xs={8} md={8}>
<Typography>Game Editor: auto-refresh time</Typography>
</Grid>
<Grid item xs={4} md={4}>
<TextField
label="auto-refresh time"
variant="standard"
value={this.state.gameEditorAutoRefresh}
onChange={(event) => {
this.setState({
gameEditorAutoRefresh: event.target.value,
});
GameEditorSettings.setAutoRefresh(event.target.value);
}}
/>
ms
</Grid>
</Grid>
</Box>
</DialogContent>
<DialogActions>
<Button color="inherit" onClick={this.close.bind(this)}>
{i18next.t('CANCEL')}
</Button>
<Button
color="inherit"
type="submit"
onClick={this.handleSave.bind(this)}
>
Save
</Button>
</DialogActions>
</Dialog>
</React.StrictMode>
);
}
}
SettingScreen.propTypes = {
/** @type {string} */
color: PropTypes.string,
/** @type {boolean} */
showIcon: PropTypes.bool,
/** @type {boolean} */
open: PropTypes.bool,
/** @type {function} */
onClose: PropTypes.func,
};
export default SettingScreen;
| 8,933
|
https://github.com/kaj/rsass/blob/master/rsass/tests/spec/core_functions/map/values.rs
|
Github Open Source
|
Open Source
|
MIT, Apache-2.0
| 2,023
|
rsass
|
kaj
|
Rust
|
Code
| 264
| 937
|
//! Tests auto-converted from "sass-spec/spec/core_functions/map/values.hrx"
#[allow(unused)]
fn runner() -> crate::TestRunner {
super::runner().with_cwd("values")
}
#[test]
fn empty() {
assert_eq!(
runner().ok("$result: map-values(());\
\na {\
\n value: inspect($result);\
\n separator: list-separator($result);\
\n}\n"),
"a {\
\n value: ();\
\n separator: comma;\
\n}\n"
);
}
mod error {
#[allow(unused)]
use super::runner;
#[test]
fn too_few_args() {
assert_eq!(
runner().err("a {b: map-values()}\n"),
"Error: Missing argument $map.\
\n ,--> input.scss\
\n1 | a {b: map-values()}\
\n | ^^^^^^^^^^^^ invocation\
\n \'\
\n ,--> sass:map\
\n1 | @function values($map) {\
\n | ============ declaration\
\n \'\
\n input.scss 1:7 root stylesheet",
);
}
#[test]
fn too_many_args() {
assert_eq!(
runner().err("a {b: map-values((c: d), (e: f))}\n\n"),
"Error: Only 1 argument allowed, but 2 were passed.\
\n ,--> input.scss\
\n1 | a {b: map-values((c: d), (e: f))}\
\n | ^^^^^^^^^^^^^^^^^^^^^^^^^^ invocation\
\n \'\
\n ,--> sass:map\
\n1 | @function values($map) {\
\n | ============ declaration\
\n \'\
\n input.scss 1:7 root stylesheet",
);
}
#[test]
fn test_type() {
assert_eq!(
runner().err("a {b: map-values(1)}\n"),
"Error: $map: 1 is not a map.\
\n ,\
\n1 | a {b: map-values(1)}\
\n | ^^^^^^^^^^^^^\
\n \'\
\n input.scss 1:7 root stylesheet",
);
}
}
#[test]
fn multiple() {
assert_eq!(
runner().ok("a {b: map-values((c: d, e: f, g: h))}\n"),
"a {\
\n b: d, f, h;\
\n}\n"
);
}
#[test]
fn named() {
assert_eq!(
runner().ok("a {b: map-values($map: (1: 2, 3: 4))}\n"),
"a {\
\n b: 2, 4;\
\n}\n"
);
}
#[test]
fn single() {
assert_eq!(
runner().ok("$result: map-values((1: 2));\
\na {\
\n value: $result;\
\n type: type-of($result);\
\n separator: list-separator($result);\
\n}\n"),
"a {\
\n value: 2;\
\n type: list;\
\n separator: comma;\
\n}\n"
);
}
| 13,511
|
https://github.com/middle-sam/Mediatheque/blob/master/templates/meet_up/new.html.twig
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
Mediatheque
|
middle-sam
|
Twig
|
Code
| 30
| 104
|
{% extends 'back_office/index.html.twig' %}
{% block title %}New MeetUp{% endblock %}
{% block body %}
<h1>Create new MeetUp</h1>
{{ include('meet_up/_form.html.twig') }}
<a href="{{ path('meet_up_index') }}">back to list</a>
{% endblock %}
| 22,325
|
https://github.com/runatlantis/atlantis/blob/master/server/core/runtime/models/shell_command_runner_test.go
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,023
|
atlantis
|
runatlantis
|
Go
|
Code
| 202
| 858
|
package models_test
import (
"fmt"
"os"
"strings"
"testing"
. "github.com/petergtz/pegomock/v4"
"github.com/runatlantis/atlantis/server/core/runtime/models"
"github.com/runatlantis/atlantis/server/events/command"
"github.com/runatlantis/atlantis/server/jobs/mocks"
logmocks "github.com/runatlantis/atlantis/server/logging/mocks"
. "github.com/runatlantis/atlantis/testing"
)
func TestShellCommandRunner_Run(t *testing.T) {
cases := []struct {
Command string
ExpLines []string
Environ map[string]string
}{
{
Command: "echo $HELLO",
Environ: map[string]string{
"HELLO": "world",
},
ExpLines: []string{"world"},
},
{
Command: ">&2 echo this is an error",
ExpLines: []string{"this is an error"},
},
}
for _, c := range cases {
t.Run(c.Command, func(t *testing.T) {
RegisterMockTestingT(t)
log := logmocks.NewMockSimpleLogging()
When(log.With(Any[string](), Any[interface{}]())).ThenReturn(log)
ctx := command.ProjectContext{
Log: log,
Workspace: "default",
RepoRelDir: ".",
}
projectCmdOutputHandler := mocks.NewMockProjectCommandOutputHandler()
cwd, err := os.Getwd()
Ok(t, err)
environ := []string{}
for k, v := range c.Environ {
environ = append(environ, fmt.Sprintf("%s=%s", k, v))
}
expectedOutput := fmt.Sprintf("%s\n", strings.Join(c.ExpLines, "\n"))
// Run once with streaming enabled
runner := models.NewShellCommandRunner(c.Command, environ, cwd, true, projectCmdOutputHandler)
output, err := runner.Run(ctx)
Ok(t, err)
Equals(t, expectedOutput, output)
for _, line := range c.ExpLines {
projectCmdOutputHandler.VerifyWasCalledOnce().Send(ctx, line, false)
}
log.VerifyWasCalledOnce().With(Eq("duration"), Any[interface{}]())
// And again with streaming disabled. Everything should be the same except the
// command output handler should not have received anything
projectCmdOutputHandler = mocks.NewMockProjectCommandOutputHandler()
runner = models.NewShellCommandRunner(c.Command, environ, cwd, false, projectCmdOutputHandler)
output, err = runner.Run(ctx)
Ok(t, err)
Equals(t, expectedOutput, output)
projectCmdOutputHandler.VerifyWasCalled(Never()).Send(Any[command.ProjectContext](), Any[string](), Eq(false))
log.VerifyWasCalled(Twice()).With(Eq("duration"), Any[interface{}]())
})
}
}
| 42,562
|
https://github.com/syssam/yii2-backend/blob/master/common/models/ParkAttribute.php
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| null |
yii2-backend
|
syssam
|
PHP
|
Code
| 87
| 251
|
<?php
namespace common\models;
use Yii;
/**
* This is the model class for table "{{%park_attribute}}".
*
* @property integer $park_id
* @property integer $attribute_id
* @property string $text
* @property integer $language_id
*/
class ParkAttribute extends \yii\db\ActiveRecord
{
/**
* @inheritdoc
*/
public static function tableName()
{
return '{{%park_attribute}}';
}
/**
* @inheritdoc
*/
public function rules()
{
return [
[['attribute_id'], 'required'],
[['park_id', 'attribute_id', 'language_id'], 'integer'],
[['text'], 'string'],
];
}
/**
* @inheritdoc
*/
public function attributeLabels()
{
return [
'text' => Yii::t('app', 'Text'),
];
}
}
| 12,963
|
https://github.com/frame-js/Frame/blob/master/config/rollup.config.js
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
Frame
|
frame-js
|
JavaScript
|
Code
| 33
| 78
|
import build from './build'
import dev from './dev'
import min from './min'
import bootstrap from './bootstrap'
if (process.env.build === 'production')
module.exports = [build, min, bootstrap]
else if (process.env.build === 'dev')
module.exports = dev
| 12,879
|
https://github.com/ladybug/java-pocs/blob/master/pocs/open-nlp-simple/src/main/java/com/github/diegopacheco/opennlp/samples/NameFinderMain.java
|
Github Open Source
|
Open Source
|
Unlicense
| 2,022
|
java-pocs
|
ladybug
|
Java
|
Code
| 65
| 283
|
package com.github.diegopacheco.opennlp.samples;
import java.io.FileInputStream;
import java.io.InputStream;
import opennlp.tools.namefind.NameFinderME;
import opennlp.tools.namefind.TokenNameFinderModel;
import opennlp.tools.util.Span;
public class NameFinderMain {
public static void main(String[] args) throws Throwable{
InputStream is = new FileInputStream("en-ner-person.bin");
TokenNameFinderModel model = new TokenNameFinderModel(is);
is.close();
NameFinderME nameFinder = new NameFinderME(model);
String []sentence = new String[]{
"Mike",
"Smith",
"is",
"a",
"good",
"person"
};
Span nameSpans[] = nameFinder.find(sentence);
for(Span s: nameSpans)
System.out.println("Name Spam: " + s.toString());
}
}
| 48,043
|
https://github.com/coreybruyere/components/blob/master/src/components/Input/Input.tsx
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
components
|
coreybruyere
|
TSX
|
Code
| 394
| 1,263
|
import { useLabelContext } from '@radix-ui/react-label'
import React, { ComponentProps, ElementRef, forwardRef } from 'react'
import type { CSSProps, VariantProps } from '../../stitches.config'
import { css, styled } from '../../stitches.config'
import { Label } from '../Label'
const DEFAULT_TAG = 'input'
const hover = {
boxShadow: 'inset 0px 0px 0px 1px $$active',
'&:-webkit-autofill': {
boxShadow: 'inset 0px 0px 0px 1px $$active, inset 0 0 0 100px $paper',
},
}
const focus = {
backgroundColor: '$background',
boxShadow: 'inset 0px 0px 0px 1px $$active, 0px 0px 0px 1px $$active',
'&:-webkit-autofill': {
boxShadow:
'inset 0px 0px 0px 1px $$active, 0px 0px 0px 1px $$active, inset 0 0 0 100px $paper',
},
}
export const inputStyles = css({
$$inactive: '$colors$grey7',
$$active: '$colors$primary',
// Reset
appearance: 'none',
borderWidth: '0',
boxSizing: 'border-box',
fontFamily: 'inherit',
margin: '0',
outline: 'none',
padding: '0',
width: '100%',
WebkitTapHighlightColor: 'rgba(0,0,0,0)',
pointerEvents: 'auto',
'&::before': {
boxSizing: 'border-box',
},
'&::after': {
boxSizing: 'border-box',
},
// Custom
backgroundColor: '$grey2',
boxShadow: 'inset 0 0 0 1px $$inactive',
borderRadius: '$default',
color: '$text',
fontVariantNumeric: 'tabular-nums',
height: '$7',
fontSize: '$1',
px: '$2',
'&:-webkit-autofill': {
boxShadow: 'inset 0 0 0 1px $$border, inset 0 0 0 100px $$border',
backgroundColor: '$grey2',
},
'&:-webkit-autofill::first-line': {
fontSize: '$1',
fontFamily: '$system',
color: '$text',
},
'&:hover': hover,
'&:focus': focus,
'&::placeholder': {
color: '$grey8',
},
'&:disabled': {
pointerEvents: 'none',
backgroundColor: '$grey7',
color: '$grey9',
cursor: 'not-allowed',
'&::placeholder': {
color: '$grey4',
},
},
'&:read-only': {
backgroundColor: '$grey3',
'&:focus': {
boxShadow: 'inset 0px 0px 0px 1px $colors$grey7',
},
},
variants: {
// Not for general use
force: {
hover,
focus,
},
state: {
invalid: {
backgroundColor: '$errorBackground',
$$inactive: '$colors$errorLowlight',
$$active: '$colors$error',
},
valid: {
$$inactive: '$colors$successLowlight',
$$active: '$colors$success',
},
},
cursor: {
default: {
cursor: 'default',
'&:focus': {
cursor: 'text',
},
},
text: {
cursor: 'text',
},
},
},
})
const StyledInput = styled(DEFAULT_TAG, inputStyles)
type InputVariants = VariantProps<typeof StyledInput>
type InputProps = ComponentProps<typeof StyledInput> &
CSSProps &
InputVariants & {
/** Add a label to the Input */
label?: string
/** Called on input change with new value */
onValueChange?: (value: string) => void
}
export const Input = forwardRef<ElementRef<typeof DEFAULT_TAG>, InputProps>(
({ label, id, onValueChange, ...props }, forwardedRef) => {
const labelId = useLabelContext()
return (
<>
{label && (
<Label variant="above" htmlFor={id || labelId}>
{label}
</Label>
)}
<StyledInput
aria-labelledby={labelId}
onChange={(e: React.ChangeEvent<HTMLInputElement>) =>
onValueChange && onValueChange(e.target.value)
}
{...props}
id={id || label}
ref={forwardedRef}
/>
</>
)
}
)
Input.toString = () => `.${StyledInput.className}`
| 15,541
|
https://github.com/FeatureToggleStudy/halfpipe/blob/master/pipeline/pipeline.go
|
Github Open Source
|
Open Source
|
BSD-3-Clause
| null |
halfpipe
|
FeatureToggleStudy
|
Go
|
Code
| 2,768
| 10,412
|
package pipeline
import (
"fmt"
"regexp"
"strings"
"path/filepath"
"sort"
"path"
cfManifest "code.cloudfoundry.org/cli/util/manifest"
boshTemplate "github.com/cloudfoundry/bosh-cli/director/template"
"github.com/concourse/concourse/atc"
"github.com/spf13/afero"
"github.com/springernature/halfpipe/config"
"github.com/springernature/halfpipe/manifest"
)
type Renderer interface {
Render(manifest manifest.Manifest) atc.Config
}
type CfManifestReader func(pathToManifest string, pathsToVarsFiles []string, vars []boshTemplate.VarKV) ([]cfManifest.Application, error)
type pipeline struct {
fs afero.Afero
readCfManifest CfManifestReader
}
func NewPipeline(cfManifestReader CfManifestReader, fs afero.Afero) pipeline {
return pipeline{readCfManifest: cfManifestReader, fs: fs}
}
const artifactsResourceName = "gcp-resource"
const artifactsName = "artifacts"
const artifactsOutDir = "artifacts-out"
const artifactsInDir = "artifacts"
const artifactsOnFailureName = "artifacts-on-failure"
const artifactsOutDirOnFailure = "artifacts-out-failure"
const gitName = "git"
const gitDir = "git"
const gitGetAttempts = 2
const dockerBuildTmpDir = "docker_build"
const versionName = "version"
const versionGetAttempts = 2
func restoreArtifactTask(man manifest.Manifest) atc.PlanConfig {
// This function is used in pipeline.artifactResource for some reason to lowercase
// and remove chars that are not part of the regex in the folder in the config..
// So we must reuse it.
filter := func(str string) string {
reg := regexp.MustCompile(`[^a-z0-9\-]+`)
return reg.ReplaceAllString(strings.ToLower(str), "")
}
jsonKey := config.ArtifactsJSONKey
if man.ArtifactConfig.JSONKey != "" {
jsonKey = man.ArtifactConfig.JSONKey
}
BUCKET := config.ArtifactsBucket
if man.ArtifactConfig.Bucket != "" {
BUCKET = man.ArtifactConfig.Bucket
}
config := atc.TaskConfig{
Platform: "linux",
RootfsURI: "",
ImageResource: &atc.ImageResource{
Type: "registry-image",
Source: atc.Source{
"repository": config.DockerRegistry + "gcp-resource",
"tag": "stable",
"password": "((halfpipe-gcr.private_key))",
"username": "_json_key",
},
},
Params: map[string]string{
"BUCKET": BUCKET,
"FOLDER": path.Join(filter(man.Team), filter(man.PipelineName())),
"JSON_KEY": jsonKey,
"VERSION_FILE": "git/.git/ref",
},
Run: atc.TaskRunConfig{
Path: "/opt/resource/download",
Dir: artifactsInDir,
Args: []string{"."},
},
Inputs: []atc.TaskInputConfig{
{
Name: gitName,
},
},
Outputs: []atc.TaskOutputConfig{
{
Name: artifactsInDir,
},
},
}
return atc.PlanConfig{
Task: "get artifact",
TaskConfig: &config,
Attempts: 2,
}
}
func (p pipeline) initialPlan(man manifest.Manifest, task manifest.Task) []atc.PlanConfig {
_, isUpdateTask := task.(manifest.Update)
versioningEnabled := man.FeatureToggles.Versioned()
var plan []atc.PlanConfig
for _, trigger := range man.Triggers {
switch trigger := trigger.(type) {
case manifest.GitTrigger:
gitClone := atc.PlanConfig{
Get: trigger.GetTriggerName(),
Attempts: trigger.GetTriggerAttempts(),
}
if trigger.Shallow {
gitClone.Params = map[string]interface{}{
"depth": 1,
}
}
plan = append(plan, gitClone)
case manifest.TimerTrigger:
if isUpdateTask || !versioningEnabled {
plan = append(plan, atc.PlanConfig{
Get: trigger.GetTriggerName(),
Attempts: trigger.GetTriggerAttempts(),
})
}
case manifest.DockerTrigger:
if isUpdateTask || !versioningEnabled {
dockerTrigger := atc.PlanConfig{
Get: trigger.GetTriggerName(),
Attempts: trigger.GetTriggerAttempts(),
Params: map[string]interface{}{
"skip_download": true,
},
}
plan = append(plan, dockerTrigger)
}
case manifest.PipelineTrigger:
if isUpdateTask || !versioningEnabled {
pipelineTrigger := atc.PlanConfig{
Get: trigger.GetTriggerName(),
Attempts: trigger.GetTriggerAttempts(),
}
plan = append(plan, pipelineTrigger)
}
}
}
if !isUpdateTask && man.FeatureToggles.Versioned() {
plan = append(plan, atc.PlanConfig{
Get: versionName,
Attempts: versionGetAttempts,
Timeout: "1m", // Should never take more than 1 min to fetch the version..
})
}
if task.ReadsFromArtifacts() {
plan = append(plan, restoreArtifactTask(man))
}
return plan
}
func (p pipeline) dockerPushResources(tasks manifest.TaskList) (resourceConfigs atc.ResourceConfigs) {
for _, task := range tasks {
switch task := task.(type) {
case manifest.DockerPush:
resourceConfigs = append(resourceConfigs, p.dockerPushResource(task))
case manifest.Parallel:
for _, subTask := range task.Tasks {
switch subTask := subTask.(type) {
case manifest.DockerPush:
resourceConfigs = append(resourceConfigs, p.dockerPushResource(subTask))
}
}
}
}
return resourceConfigs
}
func (p pipeline) pipelineResources(triggers manifest.TriggerList) (resourceTypes atc.ResourceTypes, resourceConfigs atc.ResourceConfigs) {
for _, trigger := range triggers {
switch trigger := trigger.(type) {
case manifest.PipelineTrigger:
resourceConfigs = append(resourceConfigs, p.pipelineTriggerResource(trigger))
}
}
if len(resourceConfigs) > 0 {
resourceTypes = append(resourceTypes, halfpipePipelineTriggerResourceType())
}
return resourceTypes, resourceConfigs
}
func (p pipeline) cfPushResources(tasks manifest.TaskList) (resourceTypes atc.ResourceTypes, resourceConfigs atc.ResourceConfigs) {
var tmpResourceConfigs atc.ResourceConfigs
for _, task := range tasks {
switch task := task.(type) {
case manifest.DeployCF:
resourceName := deployCFResourceName(task)
tmpResourceConfigs = append(tmpResourceConfigs, p.deployCFResource(task, resourceName))
case manifest.Parallel:
_, configs := p.cfPushResources(task.Tasks)
tmpResourceConfigs = append(tmpResourceConfigs, configs...)
case manifest.Sequence:
_, configs := p.cfPushResources(task.Tasks)
tmpResourceConfigs = append(tmpResourceConfigs, configs...)
}
}
if len(tmpResourceConfigs) > 0 {
resourceTypes = append(resourceTypes, halfpipeCfDeployResourceType())
}
for _, tmpResourceConfig := range tmpResourceConfigs {
if _, found := resourceConfigs.Lookup(tmpResourceConfig.Name); !found {
resourceConfigs = append(resourceConfigs, tmpResourceConfig)
}
}
return resourceTypes, resourceConfigs
}
func (p pipeline) resourceConfigs(man manifest.Manifest) (resourceTypes atc.ResourceTypes, resourceConfigs atc.ResourceConfigs) {
for _, trigger := range man.Triggers {
switch trigger := trigger.(type) {
case manifest.GitTrigger:
resourceConfigs = append(resourceConfigs, p.gitResource(trigger))
case manifest.TimerTrigger:
resourceTypes = append(resourceTypes, cronResourceType())
resourceConfigs = append(resourceConfigs, p.cronResource(trigger))
case manifest.DockerTrigger:
resourceConfigs = append(resourceConfigs, p.dockerTriggerResource(trigger))
}
}
if man.Tasks.UsesNotifications() {
resourceTypes = append(resourceTypes, p.slackResourceType())
resourceConfigs = append(resourceConfigs, p.slackResource())
}
if man.Tasks.SavesArtifacts() || man.Tasks.SavesArtifactsOnFailure() {
resourceTypes = append(resourceTypes, p.gcpResourceType())
if man.Tasks.SavesArtifacts() {
resourceConfigs = append(resourceConfigs, p.artifactResource(man))
}
if man.Tasks.SavesArtifactsOnFailure() {
resourceConfigs = append(resourceConfigs, p.artifactResourceOnFailure(man))
}
}
if man.FeatureToggles.Versioned() {
resourceConfigs = append(resourceConfigs, p.versionResource(man))
}
resourceConfigs = append(resourceConfigs, p.dockerPushResources(man.Tasks)...)
cfResourceTypes, cfResources := p.cfPushResources(man.Tasks)
resourceTypes = append(resourceTypes, cfResourceTypes...)
resourceConfigs = append(resourceConfigs, cfResources...)
pipelineResourceTypes, pipelineResources := p.pipelineResources(man.Triggers)
resourceTypes = append(resourceTypes, pipelineResourceTypes...)
resourceConfigs = append(resourceConfigs, pipelineResources...)
return resourceTypes, resourceConfigs
}
func (p pipeline) taskToJobs(task manifest.Task, man manifest.Manifest, previousTaskNames []string) (job *atc.JobConfig) {
initialPlan := p.initialPlan(man, task)
basePath := man.Triggers.GetGitTrigger().BasePath
switch task := task.(type) {
case manifest.Run:
job = p.runJob(task, man, false, basePath)
case manifest.DockerCompose:
job = p.dockerComposeJob(task, man, basePath)
case manifest.DeployCF:
job = p.deployCFJob(task, man, basePath)
case manifest.DockerPush:
job = p.dockerPushJob(task, man, basePath)
case manifest.ConsumerIntegrationTest:
job = p.consumerIntegrationTestJob(task, man, basePath)
case manifest.DeployMLZip:
runTask := ConvertDeployMLZipToRunTask(task, man)
job = p.runJob(runTask, man, false, basePath)
case manifest.DeployMLModules:
runTask := ConvertDeployMLModulesToRunTask(task, man)
job = p.runJob(runTask, man, false, basePath)
case manifest.Update:
job = p.updateJobConfig(task, man.PipelineName(), basePath)
}
onFailureChannels := task.GetNotifications().OnFailure
if task.SavesArtifactsOnFailure() || len(onFailureChannels) > 0 {
sequence := atc.PlanSequence{}
if task.SavesArtifactsOnFailure() {
sequence = append(sequence, saveArtifactOnFailurePlan())
}
for _, onFailureChannel := range onFailureChannels {
sequence = append(sequence, slackOnFailurePlan(onFailureChannel, task.GetNotifications().OnFailureMessage))
}
job.Failure = &atc.PlanConfig{
InParallel: &atc.InParallelConfig{
Steps: sequence,
},
}
}
onSuccessChannels := task.GetNotifications().OnSuccess
if len(onSuccessChannels) > 0 {
sequence := atc.PlanSequence{}
for _, onSuccessChannel := range onSuccessChannels {
sequence = append(sequence, slackOnSuccessPlan(onSuccessChannel, task.GetNotifications().OnSuccessMessage))
}
job.Success = &atc.PlanConfig{
InParallel: &atc.InParallelConfig{
Steps: sequence,
},
}
}
job.Plan = append(initialPlan, job.Plan...)
job.Plan = inParallelGets(job)
configureTriggerOnGets(job, task, man)
addTimeout(job, task.GetTimeout())
addPassedJobsToGets(job, previousTaskNames)
return job
}
func (p pipeline) taskNamesFromTask(task manifest.Task) (taskNames []string) {
switch task := task.(type) {
case manifest.Parallel:
for _, subTask := range task.Tasks {
taskNames = append(taskNames, p.taskNamesFromTask(subTask)...)
}
case manifest.Sequence:
taskNames = append(taskNames, task.Tasks[len(task.Tasks)-1].GetName())
default:
taskNames = append(taskNames, task.GetName())
}
return taskNames
}
func (p pipeline) previousTaskNames(currentIndex int, taskList manifest.TaskList) []string {
if currentIndex == 0 {
return []string{}
}
return p.taskNamesFromTask(taskList[currentIndex-1])
}
func (p pipeline) Render(man manifest.Manifest) (cfg atc.Config) {
resourceTypes, resourceConfigs := p.resourceConfigs(man)
cfg.ResourceTypes = append(cfg.ResourceTypes, resourceTypes...)
cfg.Resources = append(cfg.Resources, resourceConfigs...)
for i, task := range man.Tasks {
switch task := task.(type) {
case manifest.Parallel:
for _, subTask := range task.Tasks {
switch subTask := subTask.(type) {
case manifest.Sequence:
previousTasksName := p.previousTaskNames(i, man.Tasks)
for _, subTask := range subTask.Tasks {
cfg.Jobs = append(cfg.Jobs, *p.taskToJobs(subTask, man, previousTasksName))
previousTasksName = p.taskNamesFromTask(subTask)
}
default:
cfg.Jobs = append(cfg.Jobs, *p.taskToJobs(subTask, man, p.previousTaskNames(i, man.Tasks)))
}
}
default:
cfg.Jobs = append(cfg.Jobs, *p.taskToJobs(task, man, p.previousTaskNames(i, man.Tasks)))
}
}
return cfg
}
func addTimeout(job *atc.JobConfig, timeout string) {
for i := range job.Plan {
job.Plan[i].Timeout = timeout
}
if job.Ensure != nil {
job.Ensure.Timeout = timeout
}
}
func addPassedJobsToGets(job *atc.JobConfig, passedJobs []string) {
if len(passedJobs) > 0 {
inParallel := *job.Plan[0].InParallel
for i := range inParallel.Steps {
inParallel.Steps[i].Passed = passedJobs
}
}
}
func configureTriggerOnGets(job *atc.JobConfig, task manifest.Task, man manifest.Manifest) {
if task.IsManualTrigger() {
return
}
gets := *job.Plan[0].InParallel
versioningEnabled := man.FeatureToggles.Versioned()
manualGitTrigger := man.Triggers.GetGitTrigger().ManualTrigger
switch task.(type) {
case manifest.Update:
for i, step := range gets.Steps {
if step.Get == gitName {
gets.Steps[i].Trigger = !manualGitTrigger
} else {
gets.Steps[i].Trigger = true
}
}
default:
for i, step := range gets.Steps {
if step.Get == versionName {
gets.Steps[i].Trigger = true
} else if step.Get == gitName {
gets.Steps[i].Trigger = !versioningEnabled && !manualGitTrigger
} else {
gets.Steps[i].Trigger = !versioningEnabled
}
}
}
}
func inParallelGets(job *atc.JobConfig) atc.PlanSequence {
var numberOfGets int
for i, plan := range job.Plan {
if plan.Get == "" {
numberOfGets = i
break
}
}
sequence := job.Plan[:numberOfGets]
inParallelPlan := atc.PlanSequence{atc.PlanConfig{
InParallel: &atc.InParallelConfig{
Steps: sequence,
FailFast: true,
},
}}
job.Plan = append(inParallelPlan, job.Plan[numberOfGets:]...)
return job.Plan
}
func (p pipeline) runJob(task manifest.Run, man manifest.Manifest, isDockerCompose bool, basePath string) *atc.JobConfig {
jobConfig := atc.JobConfig{
Name: task.GetName(),
Serial: true,
Plan: atc.PlanSequence{},
}
taskPath := "/bin/sh"
if isDockerCompose {
taskPath = "docker.sh"
}
taskEnv := make(atc.TaskEnv)
for key, value := range task.Vars {
taskEnv[key] = value
}
runPlan := atc.PlanConfig{
Attempts: task.GetAttempts(),
Task: task.GetName(),
Privileged: task.Privileged,
TaskConfig: &atc.TaskConfig{
Platform: "linux",
Params: taskEnv,
ImageResource: p.imageResource(task.Docker),
Run: atc.TaskRunConfig{
Path: taskPath,
Dir: path.Join(gitDir, basePath),
Args: runScriptArgs(task, man, !isDockerCompose, basePath),
},
Inputs: []atc.TaskInputConfig{
{Name: gitName},
},
Caches: config.CacheDirs,
}}
if task.RestoreArtifacts {
runPlan.TaskConfig.Inputs = append(runPlan.TaskConfig.Inputs, atc.TaskInputConfig{Name: artifactsName})
}
if man.FeatureToggles.Versioned() {
runPlan.TaskConfig.Inputs = append(runPlan.TaskConfig.Inputs, atc.TaskInputConfig{Name: versionName})
}
jobConfig.Plan = append(jobConfig.Plan, runPlan)
if len(task.SaveArtifacts) > 0 {
jobConfig.Plan[0].TaskConfig.Outputs = append(jobConfig.Plan[0].TaskConfig.Outputs, atc.TaskOutputConfig{Name: artifactsOutDir})
artifactPut := atc.PlanConfig{
Put: artifactsName,
Params: atc.Params{
"folder": artifactsOutDir,
"version_file": path.Join(gitDir, ".git", "ref"),
},
Attempts: 2,
}
jobConfig.Plan = append(jobConfig.Plan, artifactPut)
}
if len(task.SaveArtifactsOnFailure) > 0 {
jobConfig.Plan[0].TaskConfig.Outputs = append(jobConfig.Plan[0].TaskConfig.Outputs, atc.TaskOutputConfig{Name: artifactsOutDirOnFailure})
}
return &jobConfig
}
func (p pipeline) deployCFJob(task manifest.DeployCF, man manifest.Manifest, basePath string) *atc.JobConfig {
resourceName := deployCFResourceName(task)
manifestPath := path.Join(gitDir, basePath, task.Manifest)
if strings.HasPrefix(task.Manifest, fmt.Sprintf("../%s/", artifactsInDir)) {
manifestPath = strings.TrimPrefix(task.Manifest, "../")
}
vars := convertVars(task.Vars)
appPath := path.Join(gitDir, basePath)
if len(task.DeployArtifact) > 0 {
appPath = path.Join(artifactsInDir, basePath, task.DeployArtifact)
}
job := atc.JobConfig{
Name: task.GetName(),
Serial: true,
}
push := atc.PlanConfig{
Put: "cf halfpipe-push",
Attempts: task.GetAttempts(),
Resource: resourceName,
Params: atc.Params{
"command": "halfpipe-push",
"testDomain": task.TestDomain,
"manifestPath": manifestPath,
"appPath": appPath,
"gitRefPath": path.Join(gitDir, ".git", "ref"),
},
}
if len(vars) > 0 {
push.Params["vars"] = vars
}
if task.Timeout != "" {
push.Params["timeout"] = task.Timeout
}
if len(task.PreStart) > 0 {
push.Params["preStartCommand"] = strings.Join(task.PreStart, "; ")
}
if man.FeatureToggles.Versioned() {
push.Params["buildVersionPath"] = path.Join("version", "version")
}
job.Plan = append(job.Plan, push)
check := atc.PlanConfig{
Put: "cf halfpipe-check",
Attempts: task.GetAttempts(),
Resource: resourceName,
Params: atc.Params{
"command": "halfpipe-check",
"manifestPath": manifestPath,
},
}
if task.Timeout != "" {
check.Params["timeout"] = task.Timeout
}
job.Plan = append(job.Plan, check)
// saveArtifactInPP and restoreArtifactInPP are needed to make sure we don't run pre-promote tasks in parallel when the first task saves an artifact and the second restores it.
var prePromoteTasks atc.PlanSequence
var saveArtifactInPP bool
var restoreArtifactInPP bool
for _, t := range task.PrePromote {
applications, e := p.readCfManifest(task.Manifest, nil, nil)
if e != nil {
panic(e)
}
testRoute := buildTestRoute(applications[0].Name, task.Space, task.TestDomain)
var ppJob *atc.JobConfig
switch ppTask := t.(type) {
case manifest.Run:
if len(ppTask.Vars) == 0 {
ppTask.Vars = make(map[string]string)
}
ppTask.Vars["TEST_ROUTE"] = testRoute
ppJob = p.runJob(ppTask, man, false, basePath)
restoreArtifactInPP = saveArtifactInPP && ppTask.RestoreArtifacts
saveArtifactInPP = saveArtifactInPP || len(ppTask.SaveArtifacts) > 0
case manifest.DockerCompose:
if len(ppTask.Vars) == 0 {
ppTask.Vars = make(map[string]string)
}
ppTask.Vars["TEST_ROUTE"] = testRoute
ppJob = p.dockerComposeJob(ppTask, man, basePath)
restoreArtifactInPP = saveArtifactInPP && ppTask.RestoreArtifacts
saveArtifactInPP = saveArtifactInPP || len(ppTask.SaveArtifacts) > 0
case manifest.ConsumerIntegrationTest:
if ppTask.ProviderHost == "" {
ppTask.ProviderHost = testRoute
}
ppJob = p.consumerIntegrationTestJob(ppTask, man, basePath)
}
planConfig := atc.PlanConfig{Do: &ppJob.Plan}
prePromoteTasks = append(prePromoteTasks, planConfig)
}
if len(prePromoteTasks) > 0 && !restoreArtifactInPP {
inParallelJob := atc.PlanConfig{
InParallel: &atc.InParallelConfig{
Steps: prePromoteTasks,
},
}
job.Plan = append(job.Plan, inParallelJob)
} else if len(prePromoteTasks) > 0 {
job.Plan = append(job.Plan, prePromoteTasks...)
}
promote := atc.PlanConfig{
Put: "cf halfpipe-promote",
Attempts: task.GetAttempts(),
Resource: resourceName,
Params: atc.Params{
"command": "halfpipe-promote",
"testDomain": task.TestDomain,
"manifestPath": manifestPath,
},
}
if task.Timeout != "" {
promote.Params["timeout"] = task.Timeout
}
job.Plan = append(job.Plan, promote)
cleanup := atc.PlanConfig{
Put: "cf halfpipe-cleanup",
Attempts: task.GetAttempts(),
Resource: resourceName,
Params: atc.Params{
"command": "halfpipe-cleanup",
"manifestPath": manifestPath,
},
}
if task.Timeout != "" {
cleanup.Params["timeout"] = task.Timeout
}
job.Ensure = &cleanup
return &job
}
func buildTestRoute(appName, space, testDomain string) string {
return fmt.Sprintf("%s-%s-CANDIDATE.%s", appName, space, testDomain)
}
func dockerComposeToRunTask(task manifest.DockerCompose, man manifest.Manifest) manifest.Run {
if task.Vars == nil {
task.Vars = make(map[string]string)
}
task.Vars["GCR_PRIVATE_KEY"] = "((halfpipe-gcr.private_key))"
task.Vars["HALFPIPE_CACHE_TEAM"] = man.Team
return manifest.Run{
Retries: task.Retries,
Name: task.GetName(),
Script: dockerComposeScript(task, man.FeatureToggles.Versioned()),
Docker: manifest.Docker{
Image: config.DockerRegistry + config.DockerComposeImage,
Username: "_json_key",
Password: "((halfpipe-gcr.private_key))",
},
Privileged: true,
Vars: task.Vars,
SaveArtifacts: task.SaveArtifacts,
RestoreArtifacts: task.RestoreArtifacts,
SaveArtifactsOnFailure: task.SaveArtifactsOnFailure,
}
}
func (p pipeline) dockerComposeJob(task manifest.DockerCompose, man manifest.Manifest, basePath string) *atc.JobConfig {
return p.runJob(dockerComposeToRunTask(task, man), man, true, basePath)
}
func dockerPushJobWithoutRestoreArtifacts(task manifest.DockerPush, resourceName string, man manifest.Manifest, basePath string) *atc.JobConfig {
job := atc.JobConfig{
Name: task.GetName(),
Serial: true,
Plan: atc.PlanSequence{
atc.PlanConfig{
Attempts: task.GetAttempts(),
Put: resourceName,
Params: atc.Params{
"build": path.Join(gitDir, basePath, task.BuildPath),
"dockerfile": path.Join(gitDir, basePath, task.DockerfilePath),
"tag_as_latest": true,
}},
},
}
if len(task.Vars) > 0 {
job.Plan[0].Params["build_args"] = convertVars(task.Vars)
}
if man.FeatureToggles.Versioned() {
job.Plan[0].Params["tag_file"] = "version/number"
}
return &job
}
func dockerPushJobWithRestoreArtifacts(task manifest.DockerPush, resourceName string, man manifest.Manifest, basePath string) *atc.JobConfig {
job := atc.JobConfig{
Name: task.GetName(),
Serial: true,
Plan: atc.PlanSequence{
atc.PlanConfig{
Task: "Copying git repo and artifacts to a temporary build dir",
TaskConfig: &atc.TaskConfig{
Platform: "linux",
ImageResource: &atc.ImageResource{
Type: "docker-image",
Source: atc.Source{
"repository": "alpine",
},
},
Run: atc.TaskRunConfig{
Path: "/bin/sh",
Args: []string{"-c", strings.Join([]string{
fmt.Sprintf("cp -r %s/. %s", gitDir, dockerBuildTmpDir),
fmt.Sprintf("cp -r %s/. %s", artifactsInDir, dockerBuildTmpDir),
}, "\n")},
},
Inputs: []atc.TaskInputConfig{
{Name: gitDir},
{Name: artifactsName},
},
Outputs: []atc.TaskOutputConfig{
{Name: dockerBuildTmpDir},
},
}},
atc.PlanConfig{
Attempts: task.GetAttempts(),
Put: resourceName,
Params: atc.Params{
"build": path.Join(dockerBuildTmpDir, basePath, task.BuildPath),
"dockerfile": path.Join(dockerBuildTmpDir, basePath, task.DockerfilePath),
"tag_as_latest": true,
}},
},
}
putIndex := 1
if len(task.Vars) > 0 {
job.Plan[putIndex].Params["build_args"] = convertVars(task.Vars)
}
if man.FeatureToggles.Versioned() {
job.Plan[putIndex].Params["tag_file"] = "version/number"
}
return &job
}
func (p pipeline) dockerPushJob(task manifest.DockerPush, man manifest.Manifest, basePath string) *atc.JobConfig {
resourceName := dockerResourceName(task.Image)
if task.RestoreArtifacts {
return dockerPushJobWithRestoreArtifacts(task, resourceName, man, basePath)
}
return dockerPushJobWithoutRestoreArtifacts(task, resourceName, man, basePath)
}
func pathToArtifactsDir(repoName string, basePath string, artifactsDir string) (artifactPath string) {
fullPath := path.Join(repoName, basePath)
numberOfParentsToConcourseRoot := len(strings.Split(fullPath, "/"))
for i := 0; i < numberOfParentsToConcourseRoot; i++ {
artifactPath = path.Join(artifactPath, "../")
}
return path.Join(artifactPath, artifactsDir)
}
func fullPathToArtifactsDir(repoName string, basePath string, artifactsDir string, artifactPath string) (fullArtifactPath string) {
artifactPath = strings.TrimRight(artifactPath, "/")
fullArtifactPath = path.Join(pathToArtifactsDir(repoName, basePath, artifactsDir), basePath)
if subfolderPath := path.Dir(artifactPath); subfolderPath != "." {
fullArtifactPath = path.Join(fullArtifactPath, subfolderPath)
}
return fullArtifactPath
}
func relativePathToRepoRoot(repoName string, basePath string) (relativePath string) {
relativePath, _ = filepath.Rel(path.Join(repoName, basePath), repoName)
return relativePath
}
func pathToGitRef(repoName string, basePath string) (gitRefPath string) {
p := path.Join(relativePathToRepoRoot(repoName, basePath), ".git", "ref")
return windowsToLinuxPath(p)
}
func pathToVersionFile(repoName string, basePath string) (gitRefPath string) {
p := path.Join(relativePathToRepoRoot(repoName, basePath), path.Join("..", "version", "version"))
return windowsToLinuxPath(p)
}
func windowsToLinuxPath(path string) (unixPath string) {
return strings.Replace(path, `\`, "/", -1)
}
func dockerComposeScript(task manifest.DockerCompose, versioningEnabled bool) string {
envStrings := []string{"-e GIT_REVISION"}
for key := range task.Vars {
if key == "GCR_PRIVATE_KEY" {
continue
}
envStrings = append(envStrings, fmt.Sprintf("-e %s", key))
}
if versioningEnabled {
envStrings = append(envStrings, "-e BUILD_VERSION")
}
sort.Strings(envStrings)
var cacheVolumeFlags []string
for _, cacheVolume := range config.DockerComposeCacheDirs {
cacheVolumeFlags = append(cacheVolumeFlags, fmt.Sprintf("-v %s:%s", cacheVolume, cacheVolume))
}
composeFileOption := ""
if task.ComposeFile != "docker-compose.yml" {
composeFileOption = "-f " + task.ComposeFile
}
envOption := strings.Join(envStrings, " ")
volumeOption := strings.Join(cacheVolumeFlags, " ")
composeCommand := fmt.Sprintf("docker-compose %s run %s %s %s",
composeFileOption,
envOption,
volumeOption,
task.Service,
)
if task.Command != "" {
composeCommand = fmt.Sprintf("%s %s", composeCommand, task.Command)
}
return fmt.Sprintf(`\docker login -u _json_key -p "$GCR_PRIVATE_KEY" https://eu.gcr.io
%s
`, composeCommand)
}
func runScriptArgs(task manifest.Run, man manifest.Manifest, checkForBash bool, basePath string) []string {
script := task.Script
if !strings.HasPrefix(script, "./") && !strings.HasPrefix(script, "/") && !strings.HasPrefix(script, `\`) {
script = "./" + script
}
var out []string
if checkForBash {
out = append(out, `which bash > /dev/null
if [ $? != 0 ]; then
echo "WARNING: Bash is not present in the docker image"
echo "If your script depends on bash you will get a strange error message like:"
echo " sh: yourscript.sh: command not found"
echo "To fix, make sure your docker image contains bash!"
echo ""
echo ""
fi
`)
}
out = append(out, `if [ -e /etc/alpine-release ]
then
echo "WARNING: you are running your build in a Alpine image or one that is based on the Alpine"
echo "There is a known issue where DNS resolving does not work as expected"
echo "https://github.com/gliderlabs/docker-alpine/issues/255"
echo "If you see any errors related to resolving hostnames the best course of action is to switch to another image"
echo "we recommend debian:stretch-slim as an alternative"
echo ""
echo ""
fi
`)
if len(task.SaveArtifacts) != 0 || len(task.SaveArtifactsOnFailure) != 0 {
out = append(out, `copyArtifact() {
ARTIFACT=$1
ARTIFACT_OUT_PATH=$2
if [ -e $ARTIFACT ] ; then
mkdir -p $ARTIFACT_OUT_PATH
cp -r $ARTIFACT $ARTIFACT_OUT_PATH
else
echo "ERROR: Artifact '$ARTIFACT' not found. Try fly hijack to check the filesystem."
exit 1
fi
}
`)
}
if task.RestoreArtifacts {
out = append(out, fmt.Sprintf("# Copying in artifacts from previous task"))
out = append(out, fmt.Sprintf("cp -r %s/. %s\n", pathToArtifactsDir(gitDir, basePath, artifactsInDir), relativePathToRepoRoot(gitDir, basePath)))
}
out = append(out,
fmt.Sprintf("export GIT_REVISION=`cat %s`", pathToGitRef(gitDir, basePath)),
)
if man.FeatureToggles.Versioned() {
out = append(out,
fmt.Sprintf("export BUILD_VERSION=`cat %s`", pathToVersionFile(gitDir, basePath)),
)
}
scriptCall := fmt.Sprintf(`
%s
EXIT_STATUS=$?
if [ $EXIT_STATUS != 0 ] ; then
%s
fi
`, script, onErrorScript(task.SaveArtifactsOnFailure, basePath))
out = append(out, scriptCall)
if len(task.SaveArtifacts) != 0 {
out = append(out, "# Artifacts to copy from task")
}
for _, artifactPath := range task.SaveArtifacts {
out = append(out, fmt.Sprintf("copyArtifact %s %s", artifactPath, fullPathToArtifactsDir(gitDir, basePath, artifactsOutDir, artifactPath)))
}
return []string{"-c", strings.Join(out, "\n")}
}
func onErrorScript(artifactPaths []string, basePath string) string {
var returnScript []string
if len(artifactPaths) != 0 {
returnScript = append(returnScript, " # Artifacts to copy in case of failure")
}
for _, artifactPath := range artifactPaths {
returnScript = append(returnScript, fmt.Sprintf(" copyArtifact %s %s", artifactPath, fullPathToArtifactsDir(gitDir, basePath, artifactsOutDirOnFailure, artifactPath)))
}
returnScript = append(returnScript, " exit 1")
return strings.Join(returnScript, "\n")
}
| 43,142
|
https://github.com/intelligentplant/IndustrialAppStore.ClientTools.DotNet/blob/master/src/IntelligentPlant.DataCore.HttpClient/Queries/FindAssetModelElementsRequest.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
IndustrialAppStore.ClientTools.DotNet
|
intelligentplant
|
C#
|
Code
| 50
| 132
|
using System.ComponentModel.DataAnnotations;
namespace IntelligentPlant.DataCore.Client.Queries {
public class FindAssetModelElementsRequest : DataSourceRequest {
public string ParentId { get; set; }
[MaxLength(200)]
public string NameFilter { get; set; }
[MaxLength(200)]
public string PropertyNameFilter { get; set; }
public bool LoadProperties { get; set; }
public bool LoadChildren { get; set; }
}
}
| 38,655
|
https://github.com/actarian/qix/blob/master/src/js/game/geometry/vector2.js
|
Github Open Source
|
Open Source
|
MIT
| null |
qix
|
actarian
|
JavaScript
|
Code
| 794
| 2,578
|
export default class Vector2 {
constructor(x = 0, y = 0) {
this.x = x;
this.y = y;
}
set(x, y) {
this.x = x;
this.y = y;
return this;
}
setScalar(scalar) {
this.x = scalar;
this.y = scalar;
return this;
}
setX(x) {
this.x = x;
return this;
}
setY(y) {
this.y = y;
return this;
}
setComponent(index, value) {
switch (index) {
case 0:
this.x = value;
break;
case 1:
this.y = value;
break;
default:
throw new Error('index is out of range: ' + index);
}
return this;
}
getComponent(index) {
switch (index) {
case 0:
return this.x;
case 1:
return this.y;
default:
throw new Error('index is out of range: ' + index);
}
}
clone() {
return new this.constructor(this.x, this.y);
}
copy(v) {
this.x = v.x;
this.y = v.y;
return this;
}
add(v, w) {
if (w !== undefined) {
console.warn('THREE.Vector2: .add() now only accepts one argument. Use .addVectors( a, b ) instead.');
return this.addVectors(v, w);
}
this.x += v.x;
this.y += v.y;
return this;
}
addScalar(s) {
this.x += s;
this.y += s;
return this;
}
addVectors(a, b) {
this.x = a.x + b.x;
this.y = a.y + b.y;
return this;
}
addScaledVector(v, s) {
this.x += v.x * s;
this.y += v.y * s;
return this;
}
sub(v, w) {
if (w !== undefined) {
console.warn('THREE.Vector2: .sub() now only accepts one argument. Use .subVectors( a, b ) instead.');
return this.subVectors(v, w);
}
this.x -= v.x;
this.y -= v.y;
return this;
}
subScalar(s) {
this.x -= s;
this.y -= s;
return this;
}
subVectors(a, b) {
this.x = a.x - b.x;
this.y = a.y - b.y;
return this;
}
multiply(v) {
this.x *= v.x;
this.y *= v.y;
return this;
}
multiplyScalar(scalar) {
this.x *= scalar;
this.y *= scalar;
return this;
}
divide(v) {
this.x /= v.x;
this.y /= v.y;
return this;
}
divideScalar(scalar) {
return this.multiplyScalar(1 / scalar);
}
applyMatrix3(m) {
var x = this.x,
y = this.y;
var e = m.elements;
this.x = e[0] * x + e[3] * y + e[6];
this.y = e[1] * x + e[4] * y + e[7];
return this;
}
min(v) {
this.x = Math.min(this.x, v.x);
this.y = Math.min(this.y, v.y);
return this;
}
max(v) {
this.x = Math.max(this.x, v.x);
this.y = Math.max(this.y, v.y);
return this;
}
clamp(min, max) {
// assumes min < max, componentwise
this.x = Math.max(min.x, Math.min(max.x, this.x));
this.y = Math.max(min.y, Math.min(max.y, this.y));
return this;
}
clampScalar(minVal, maxVal) {
this.x = Math.max(minVal, Math.min(maxVal, this.x));
this.y = Math.max(minVal, Math.min(maxVal, this.y));
return this;
}
clampLength(min, max) {
var length = this.length();
return this.divideScalar(length || 1).multiplyScalar(Math.max(min, Math.min(max, length)));
}
floor() {
this.x = Math.floor(this.x);
this.y = Math.floor(this.y);
return this;
}
ceil() {
this.x = Math.ceil(this.x);
this.y = Math.ceil(this.y);
return this;
}
round() {
this.x = Math.round(this.x);
this.y = Math.round(this.y);
return this;
}
roundToZero() {
this.x = (this.x < 0) ? Math.ceil(this.x) : Math.floor(this.x);
this.y = (this.y < 0) ? Math.ceil(this.y) : Math.floor(this.y);
return this;
}
negate() {
this.x = -this.x;
this.y = -this.y;
return this;
}
dot(v) {
return this.x * v.x + this.y * v.y;
}
cross(v) {
return this.x * v.y - this.y * v.x;
}
lengthSq() {
return this.x * this.x + this.y * this.y;
}
length() {
return Math.sqrt(this.x * this.x + this.y * this.y);
}
manhattanLength() {
return Math.abs(this.x) + Math.abs(this.y);
}
normalize() {
return this.divideScalar(this.length() || 1);
}
angle() {
// computes the angle in radians with respect to the positive x-axis
var angle = Math.atan2(-this.y, -this.x) + Math.PI;
return angle;
}
distanceTo(v) {
return Math.sqrt(this.distanceToSquared(v));
}
distanceToSquared(v) {
var dx = this.x - v.x,
dy = this.y - v.y;
return dx * dx + dy * dy;
}
manhattanDistanceTo(v) {
return Math.abs(this.x - v.x) + Math.abs(this.y - v.y);
}
setLength(length) {
return this.normalize().multiplyScalar(length);
}
lerp(v, alpha) {
this.x += (v.x - this.x) * alpha;
this.y += (v.y - this.y) * alpha;
return this;
}
lerpVectors(v1, v2, alpha) {
return this.subVectors(v2, v1).multiplyScalar(alpha).add(v1);
}
equals(v) {
return ((v.x === this.x) && (v.y === this.y));
}
fromArray(array, offset) {
if (offset === undefined) offset = 0;
this.x = array[offset];
this.y = array[offset + 1];
return this;
}
toArray(array, offset) {
if (array === undefined) array = [];
if (offset === undefined) offset = 0;
array[offset] = this.x;
array[offset + 1] = this.y;
return array;
}
fromBufferAttribute(attribute, index, offset) {
if (offset !== undefined) {
console.warn('THREE.Vector2: offset has been removed from .fromBufferAttribute().');
}
this.x = attribute.getX(index);
this.y = attribute.getY(index);
return this;
}
rotateAround(center, angle) {
var c = Math.cos(angle),
s = Math.sin(angle);
var x = this.x - center.x;
var y = this.y - center.y;
this.x = x * c - y * s + center.x;
this.y = x * s + y * c + center.y;
return this;
}
random() {
this.x = Math.random();
this.y = Math.random();
return this;
}
}
| 34,975
|
https://github.com/dagver/dagver/blob/master/index.ts
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,017
|
dagver
|
dagver
|
TypeScript
|
Code
| 266
| 702
|
import "tslib";
import * as Git from "nodegit";
interface Version {
readonly height: number;
readonly merge: number;
readonly local: number;
}
type GetVersion = (commit: Git.Commit) => Promise<Version>;
function createGetVersion(): GetVersion {
const cache : { [id: string]: Version } = {};
async function getUnknown(commit: Git.Commit): Promise<Version> {
const n = commit.parentcount();
if (n === 0) {
return {
height: 0,
merge: 0,
local: 0,
};
} else if (n === 1) {
const p = await get(await commit.parent(0));
return {
height: p.height + 1,
merge: p.merge,
local: p.local + 1,
};
} else {
let height = 0;
let major = 0;
for (let i = 0; i < n; ++i) {
const p = await get(await commit.parent(i));
height = Math.max(height, p.height);
major = Math.max(major, p.merge);
}
return {
height: height + 1,
merge: major + 1,
local: 0
}
}
}
async function get(commit: Git.Commit): Promise<Version> {
const id = commit.id().tostrS();
const v = cache[id];
if (v !== undefined)
{
return v;
}
const nv = await getUnknown(commit);
cache[id] = nv;
return nv;
};
return get;
}
export async function main()
{
try {
const argv = process.argv;
const path = await Git.Repository.discover(".", 0, "");
const rep = await Git.Repository.open(path);
const commit = await rep.getHeadCommit();
const getVersion = createGetVersion();
const v = await getVersion(commit);
const array : string[] = [];
argv.forEach((arg, i) => {
if (i >= 2) {
switch (arg) {
case "h":
array.push(v.height.toString());
break;
case "m":
array.push(v.merge.toString());
break;
case "l":
array.push(v.local.toString());
break;
case "c":
const id = parseInt(commit.id().tostrS().substr(0, 4), 16);
array.push(id.toString());
break;
}
}
});
console.log(array.join("."));
} catch(e) {
console.error(e);
}
}
| 3,879
|
https://github.com/jg1uaa/NoraSeries/blob/master/src/NoraCommon/src/main/java/org/jp/illg/util/ambe/dv3k/model/DV3KProcessState.java
|
Github Open Source
|
Open Source
|
MIT
| null |
NoraSeries
|
jg1uaa
|
Java
|
Code
| 15
| 77
|
package org.jp.illg.util.ambe.dv3k.model;
public enum DV3KProcessState {
Initialize,
SoftReset,
ReadProductionID,
ReadVerstionString,
SetRATEP,
MainState,
Wait,
;
}
| 3,235
|
https://github.com/asajadi84/Clubinvite/blob/master/app/src/main/java/com/ashkansajadi/clubinvite/InviteApi.java
|
Github Open Source
|
Open Source
|
MIT
| null |
Clubinvite
|
asajadi84
|
Java
|
Code
| 34
| 172
|
package com.ashkansajadi.clubinvite;
import retrofit2.Call;
import retrofit2.Retrofit;
import retrofit2.converter.gson.GsonConverterFactory;
import retrofit2.http.GET;
import retrofit2.http.Query;
public interface InviteApi {
String apiUrl = "https://club.xnull.xyz/";
Retrofit retrofit = new Retrofit.Builder()
.baseUrl(apiUrl)
.addConverterFactory(GsonConverterFactory.create())
.build();
@GET(".")
Call<InviteResponse> getInvitation(@Query("phone") String phoneNumber);
}
| 11,823
|
https://github.com/jpreecedev/webpack-scratch/blob/master/client/index.mobile.js
|
Github Open Source
|
Open Source
|
MIT
| null |
webpack-scratch
|
jpreecedev
|
JavaScript
|
Code
| 15
| 45
|
import React from 'react'
import ReactDOM from 'react-dom'
import Mobile from './components/Mobile'
ReactDOM.render(<Mobile />, document.getElementById('root'))
| 9,161
|
https://github.com/retropipes/older-java-games/blob/master/LoopChute/src/com/puttysoftware/loopchute/generic/GenericWall.java
|
Github Open Source
|
Open Source
|
Unlicense
| 2,021
|
older-java-games
|
retropipes
|
Java
|
Code
| 187
| 623
|
/* loopchute: A Maze-Solving Game
Copyright (C) 2008-2012 Eric Ahnell
Any questions should be directed to the author via email at: products@puttysoftware.com
*/
package com.puttysoftware.loopchute.generic;
import com.puttysoftware.loopchute.LoopChute;
import com.puttysoftware.loopchute.game.ObjectInventory;
import com.puttysoftware.loopchute.maze.MazeConstants;
import com.puttysoftware.loopchute.resourcemanagers.SoundConstants;
import com.puttysoftware.loopchute.resourcemanagers.SoundManager;
public abstract class GenericWall extends MazeObject {
// Constructors
protected GenericWall(final int tc) {
super(true, true);
this.setTemplateColor(tc);
}
protected GenericWall(final boolean sightBlock) {
super(true, sightBlock);
}
protected GenericWall(final boolean isDestroyable,
final boolean doesChainReact) {
super(true, false, false, false, false, false, false, true, false, 0,
isDestroyable, doesChainReact, true);
}
@Override
public String getBaseName() {
return "wall_on";
}
@Override
public void postMoveAction(final boolean ie, final int dirX, final int dirY,
final ObjectInventory inv) {
// Do nothing
}
@Override
public void moveFailedAction(final boolean ie, final int dirX,
final int dirY, final ObjectInventory inv) {
LoopChute.getApplication().showMessage("Can't go that way");
// Play move failed sound, if it's enabled
SoundManager.playSound(SoundConstants.SOUND_CATEGORY_SOLVING_MAZE,
SoundConstants.SOUND_WALK_FAILED);
}
@Override
public abstract String getName();
@Override
public int getLayer() {
return MazeConstants.LAYER_OBJECT;
}
@Override
protected void setTypes() {
this.type.set(TypeConstants.TYPE_WALL);
}
@Override
public int getCustomProperty(final int propID) {
return MazeObject.DEFAULT_CUSTOM_VALUE;
}
@Override
public void setCustomProperty(final int propID, final int value) {
// Do nothing
}
}
| 10,740
|
https://github.com/icterguru/BiBlerUnittests/blob/master/SyrianiApp/app/UserInterface.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
BiBlerUnittests
|
icterguru
|
Python
|
Code
| 233
| 888
|
'''
Created on Jan 13, 2014
@author: Eugene Syriani
@version: 0.2.5
This module represents the interface to the L{gui} package.
'''
from gui.app_interface import IApplication
from ReferenceManager import ReferenceManager
from Importer import Importer
from Exporter import Exporter
from FieldName import FieldName
from utils import settings
prefs = settings.Preferences()
class UserInterface(IApplication):
def __init__(self):
super(UserInterface, self).__init__()
self.referenceManager = ReferenceManager()
pass
def start(self):
pass
def exit(self):
pass
def importFile(self, path, importFormat):
total = 0
importer = Importer(path, self.referenceManager)
if importFormat == settings.ImportFormat.BIBTEX:
total = importer.bibtexImport()
elif importFormat == settings.ImportFormat.CSV:
total = importer.csvImport()
return total > 0
def exportFile(self, path, exportFormat):
total = 0
exporter = Exporter(path, self.referenceManager.iterEntryList())
if exportFormat == settings.ExportFormat.BIBTEX:
total = exporter.bibtexExport()
elif exportFormat == settings.ExportFormat.CSV:
total = exporter.csvExport()
elif exportFormat == settings.ExportFormat.HTML:
if prefs.bibStyle == settings.BibStyle.ACM:
total = exporter.htmlACMExport()
elif prefs.bibStyle == settings.BibStyle.IEEE:
total = exporter.htmlIEEETransExport()
return total > 0
def addEntry(self, entryBibTeX):
return self.referenceManager.add(entryBibTeX)
def duplicateEntry(self, entryId):
return self.referenceManager.duplicate(entryId)
def updateEntry(self, entryId, entryBibTeX):
return self.referenceManager.update(entryId, entryBibTeX)
def deleteEntry(self, entryId):
return self.referenceManager.delete(entryId)
def previewEntry(self, entryId):
entry = self.referenceManager.getEntry(entryId)
if prefs.bibStyle == settings.BibStyle.ACM:
return entry.toHTMLACM()
elif prefs.bibStyle == settings.BibStyle.IEEE:
return entry.toHTMLIEEETrans()
def getEntryPaperURL(self, entryId):
return self.referenceManager.getEntry(entryId).getField(FieldName.Paper)
def search(self, query):
return self.referenceManager.search(query)
def sort(self, field):
return self.referenceManager.sort(field)
def getEntry(self, entryId):
return self.referenceManager.getEntry(entryId).toEntryDict()
def getBibTeX(self, entryId):
return self.referenceManager.getEntry(entryId).toBibTeX()
def getAllEntries(self):
entries = []
for entry in self.referenceManager.iterEntryList():
entries.append(entry.toEntryDict())
return entries
def getEntryCount(self):
return self.referenceManager.getEntryCount()
def getSearchResult(self):
entries = []
for entry in self.referenceManager.iterSearchResult():
entries.append(entry.toEntryDict())
return entries
| 46,882
|
https://github.com/DouglasCarvalhoPereira/Especializaco-Python/blob/master/oop_modulos_e_mais/contabanco.py
|
Github Open Source
|
Open Source
|
MIT
| null |
Especializaco-Python
|
DouglasCarvalhoPereira
|
Python
|
Code
| 298
| 1,109
|
#SISTEMA CONTA CORRENTE
from datetime import datetime, timezone
import pytz
from random import randint
class ContaCorrente():
"""
Cria um objeto conta corrente para gerencia as contas correntes.
Attributos:
nome: (str) Nome do Cliente
cpf: (str) Cpf do Cliente com pontos e traço
Agencia: (int) Agencia responsável pela conta do cliente.
num_conta: (int) Número da conta corrente do cliente
saldo: (float) Saldo atual da conta do cliente
limite: (float) Limite de cheque especial
tansacoes: (list) Extrato de transações da conta do cliente
"""
@staticmethod
def _data_hora():
"""
Pega data e hora atual no formato adequado.
"""
data_hora = datetime.now().strftime('%d-%m-%Y %H:%M:%S')
return data_hora
def __init__(self, nome, cpf, agencia, num_conta) -> None:
self.nome = nome
self.cpf = cpf
self._limite = None
self._saldo = 0
self.agencia = agencia
self.num_conta = num_conta
self._transacoes = []
self.cartoes = []
def consultar_saldo(self):
return f"_saldo: R$ {self._saldo}"
def depositar(self, valor_deposito):
self._saldo += valor_deposito
self._transacoes.append((valor_deposito, self._saldo, ContaCorrente._data_hora()))
def _limite_conta(self):
self._limite = -1000
return self._limite
def sacar(self, valor_sacado):
if self._saldo - valor_sacado < self._limite_conta():
print('Você não tem aldo suficiente para sacar esse valor.')
self.consultar_saldo()
else:
self._saldo -= valor_sacado
self._transacoes.append((valor_sacado, self._saldo, ContaCorrente._data_hora()))
def transferir(self, valor, conta_destino):
self._saldo -= valor
self._transacoes.append((valor, self._saldo, ContaCorrente._data_hora()))
conta_destino._saldo += valor
conta_destino._transacoes.append((valor, self._saldo, ContaCorrente._data_hora()))
def consultar_limite_chequeespecial(self):
print(f'Seu limite de Cheque especial é de R$ {self._limite_conta():.2f}')
def extrato_bancario(self):
print('EXTRATO BANCÁRIO')
for transacao in self._transacoes:
print(transacao)
class CartaoCredito:
@staticmethod
def _data_hora():
"""
Pega data e hora atual no formato adequado.
"""
data_hora = datetime.now().strftime('%d-%m-%Y %H:%M:%S')
return data_hora
def __init__(self, titular, conta_corrente) -> None:
self.numero = randint(1000000000000000, 9999999999999999)
self.titular = titular
self.validade = '{}/{}'.format(CartaoCredito._data_hora()[3:5], int(CartaoCredito._data_hora()[6:10]) + 4)
self.cod_seguranca = '{}{}{}'.format(randint(0, 9), randint(0, 9), randint(0, 9))
self._senha = '1234'
self.conta_corrente = conta_corrente
conta_corrente.cartoes.append(self)
@property
def senha(self):
return self._senha
@senha.setter
def senha(self, valor):
if len(valor) == 4 and valor.isnumeric():
self._senha = valor
print("Senha alterada com sucesso.")
else:
print("Nova senha inválida.")
| 23,268
|
https://github.com/sooftware/tacotron2/blob/master/tacotron2/decoder.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
tacotron2
|
sooftware
|
Python
|
Code
| 824
| 3,177
|
# Copyright (c) 2020, Soohwan Kim. 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.
import random
import torch
import torch.nn as nn
import torch.nn.functional as F
from torch import Tensor
from tacotron2.modules import Linear
from typing import Optional, Tuple, Dict, Any
from tacotron2.attention import LocationSensitiveAttention
from tacotron2.prenet import PreNet
class Decoder(nn.Module):
"""
The decoder is an autoregressive recurrent neural network which predicts
a mel spectrogram from the encoded input sequence one frame at a time.
Args:
num_mel_bins: number of mel filters
prenet_dim: dimension of prenet
decoder_lstm_dim: dimension of decoder lstm network
attn_lstm_dim: dimension of attention lstm network
embedding_dim: dimension of embedding network
attn_dim: dimension of attention layer
location_conv_filter_size: size of location convolution filter
location_conv_kernel_size: size of location convolution kernel
prenet_dropout_p: dropout probability of prenet
attn_dropout_p: dropout probability of attention network
decoder_dropout_p: dropout probability of decoder network
max_decoding_step: max decoding step
stop_threshold: stop threshold
Inputs:
- **encoder_outputs**: tensor containing the encoded features of the input character sequences
- **inputs**: target mel-spectrogram for training
Returns:
- **output**: dictionary contains mel_outputs, stop_outputs, alignments
"""
def __init__(
self,
num_mel_bins: int = 80, # number of mel filters
prenet_dim: int = 256, # dimension of prenet
decoder_lstm_dim: int = 1024, # dimension of decoder lstm network
attn_lstm_dim: int = 1024, # dimension of attention lstm network
embedding_dim: int = 512, # dimension of embedding network
attn_dim: int = 128, # dimension of attention layer
location_conv_filter_size: int = 32, # size of location convolution filter
location_conv_kernel_size: int = 31, # size of location convolution kernel
prenet_dropout_p: float = 0.5, # dropout probability of prenet
attn_dropout_p: float = 0.1, # dropout probability of attention network
decoder_dropout_p: float = 0.1, # dropout probability of decoder network
max_decoding_step: int = 1000, # max decoding step
stop_threshold: float = 0.5 # stop threshold
) -> None:
super(Decoder, self).__init__()
self.num_mel_bins = num_mel_bins
self.max_decoding_step = max_decoding_step
self.decoder_lstm_dim = decoder_lstm_dim
self.attn_lstm_dim = attn_lstm_dim
self.embedding_dim = embedding_dim
self.attn_dropout_p = attn_dropout_p
self.decoder_dropout_p = decoder_dropout_p
self.stop_threshold = stop_threshold
self.prenet = PreNet(self.num_mel_bins, prenet_dim, prenet_dropout_p)
self.lstm = nn.ModuleList([
nn.LSTMCell(prenet_dim + embedding_dim, attn_lstm_dim, bias=True),
nn.LSTMCell(attn_lstm_dim + embedding_dim, decoder_lstm_dim, bias=True)
])
self.attention = LocationSensitiveAttention(
lstm_hidden_dim=decoder_lstm_dim,
embedding_dim=embedding_dim,
attn_dim=attn_dim,
location_conv_filter_size=location_conv_filter_size,
location_conv_kernel_size=location_conv_kernel_size
)
self.mel_generator = Linear(decoder_lstm_dim + embedding_dim, num_mel_bins)
self.stop_generator = Linear(decoder_lstm_dim + embedding_dim, 1)
def _init_decoder_states(self, encoder_outputs: Tensor) -> Dict[str, Any]:
lstm_outputs = list()
lstm_hiddens = list()
batch_size = encoder_outputs.size(0)
seq_length = encoder_outputs.size(1)
lstm_outputs.append(encoder_outputs.new_zeros(batch_size, self.attn_lstm_dim))
lstm_outputs.append(encoder_outputs.new_zeros(batch_size, self.decoder_lstm_dim))
lstm_hiddens.append(encoder_outputs.new_zeros(batch_size, self.attn_lstm_dim))
lstm_hiddens.append(encoder_outputs.new_zeros(batch_size, self.decoder_lstm_dim))
alignment = encoder_outputs.new_zeros(batch_size, seq_length)
alignment_cum = encoder_outputs.new_zeros(batch_size, seq_length)
context = encoder_outputs.new_zeros(batch_size, self.embedding_dim)
return {
"lstm_outputs": lstm_outputs,
"lstm_hiddens": lstm_hiddens,
"alignment": alignment,
"alignment_cum": alignment_cum,
"context": context
}
def parse_decoder_outputs(self, mel_outputs: list, stop_outputs: list, alignment: list) -> Dict[str, Tensor]:
stop_outputs = torch.stack(stop_outputs).transpose(0, 1).contiguous()
alignment = torch.stack(alignment).transpose(0, 1)
mel_outputs = torch.stack(mel_outputs).transpose(0, 1).contiguous()
mel_outputs = mel_outputs.view(mel_outputs.size(0), -1, self.num_mel_bins)
mel_outputs = mel_outputs.transpose(1, 2)
return {
"mel_outputs": mel_outputs,
"stop_outputs": stop_outputs,
"alignments": alignment
}
def forward_step(
self, input_var: Tensor,
encoder_outputs: Tensor,
lstm_outputs: list,
lstm_hiddens: list,
alignment: Tensor,
alignment_cum: Tensor,
context: Tensor
) -> Dict[str, Any]:
input_var = input_var.squeeze(1)
input_var = torch.cat((input_var, context), dim=-1)
lstm_outputs[0], lstm_hiddens[0] = self.lstm[0](input_var, (lstm_outputs[0], lstm_hiddens[0]))
lstm_outputs[0] = F.dropout(lstm_outputs[0], self.attn_dropout_p)
concated_alignment = torch.cat((alignment.unsqueeze(1), alignment_cum.unsqueeze(1)), dim=1)
context, alignment = self.attention(lstm_outputs[0], encoder_outputs, concated_alignment)
alignment_cum += alignment
input_var = torch.cat((lstm_outputs[0], context), dim=-1)
lstm_outputs[1], lstm_hiddens[1] = self.lstm[1](input_var, (lstm_outputs[1], lstm_hiddens[1]))
lstm_outputs[1] = F.dropout(lstm_outputs[1], p=self.decoder_dropout_p)
output = torch.cat((lstm_hiddens[1], context), dim=-1)
mel_output = self.mel_generator(output)
stop_output = self.stop_generator(output)
return {
"mel_output": mel_output,
"stop_output": stop_output,
"alignment": alignment,
"alignment_cum": alignment_cum,
"context": context,
"lstm_outputs": lstm_outputs,
"lstm_hiddens": lstm_hiddens
}
def forward(
self,
encoder_outputs: Tensor,
inputs: Optional[Tensor] = None,
teacher_forcing_ratio: float = 1.0
) -> Dict[str, Tensor]:
mel_outputs, stop_outputs, alignments = list(), list(), list()
use_teacher_forcing = True if random.random() < teacher_forcing_ratio else False
inputs, max_decoding_step = self.validate_args(encoder_outputs, inputs, teacher_forcing_ratio)
decoder_states = self._init_decoder_states(encoder_outputs)
if use_teacher_forcing:
inputs = self.prenet(inputs)
for di in range(max_decoding_step):
input_var = inputs[:, di, :].unsqueeze(1)
decoder_states = self.forward_step(
input_var=input_var,
encoder_outputs=encoder_outputs,
lstm_outputs=decoder_states["lstm_outputs"],
lstm_hiddens=decoder_states["lstm_hiddens"],
alignment=decoder_states["alignment"],
alignment_cum=decoder_states["alignment_cum"],
context=decoder_states["context"]
)
mel_outputs.append(decoder_states["mel_outputs"])
stop_outputs.append(decoder_states["stop_output"])
alignments.append(decoder_states["alignment"])
else:
input_var = inputs
for di in range(max_decoding_step):
input_var = self.prenet(input_var)
decoder_states = self.forward_step(
input_var=input_var,
encoder_outputs=encoder_outputs,
lstm_outputs=decoder_states["lstm_outputs"],
lstm_hiddens=decoder_states["lstm_hiddens"],
alignment=decoder_states["alignment"],
alignment_cum=decoder_states["alignment_cum"],
context=decoder_states["context"]
)
mel_outputs.append(decoder_states["mel_output"])
stop_outputs.append(decoder_states["stop_output"])
alignments.append(decoder_states["alignment"])
if torch.sigmoid(decoder_states["stop_output"]).item() > self.stop_threshold:
break
input_var = decoder_states["mel_output"]
return self.parse_decoder_outputs(mel_outputs, stop_outputs, alignments)
def validate_args(
self,
encoder_outputs: Tensor,
inputs: Optional[Any] = None,
teacher_forcing_ratio: float = 1.0
) -> Tuple[Optional[Any], int]:
assert encoder_outputs is not None
batch_size = encoder_outputs.size(0)
if input is None: # inference
inputs = encoder_outputs.new_zeros(batch_size, self.num_mel_bins)
max_decoding_step = self.max_decoding_step
if teacher_forcing_ratio > 0:
raise ValueError("Teacher forcing has to be disabled (set 0) when no inputs is provided.")
else: # training
go_frame = encoder_outputs.new_zeros(batch_size, self.num_mel_bins).unsqueeze(1)
inputs = inputs.view(batch_size, int(inputs.size(1)), -1)
inputs = torch.cat((go_frame, inputs), dim=1)
max_decoding_step = inputs.size(1) - 1
return inputs, max_decoding_step
| 31,470
|
https://github.com/kdelacerdajetco/masterTruckList/blob/master/react-src/src/components/FilterUser/SearchUser2.js
|
Github Open Source
|
Open Source
|
MIT
| null |
masterTruckList
|
kdelacerdajetco
|
JavaScript
|
Code
| 170
| 550
|
import React, { Component } from 'react';
let users = this.props.users; // trying to put users in the global scope to see if that helps
class SearchUser2 extends Component {
constructor (props) {
super(props);
this.state = {
// data: this.props.data,
search: ''
};
this.handleSearch = this.handleSearch.bind(this);
}
handleSearch(event) {
const target = event.target;
const value = target.type === 'checkbox' ? target.checked : target.value;
const truck_num = target.truck_num;
this.setState({search: event.target.value}); // this was originally the only thing here
this.setState({ [truck_num]: value });
}
render() {
// users = users.map((user) =>
// {user.truck_num});
// new and not working below
// let users = this.props.users;
users = users.slice().filter(
// users = users.slice().filter(
(user) =>
{return user.truck_num.toLowerCase().indexOf(this.state.search.toLowerCase()) !== -1}
)
// old below
let filteredUsers = this.props.users.filter(
(user) => {
// return user.truck_num.indexOf(this.state.search) !== -1;
return user.truck_num.toLowerCase().indexOf(this.state.search.toLowerCase()) !== -1
}
);
return (
<div className="row">
<div className="input-field">
<label>Search: </label>
<ul>
{filteredUsers.map((user)=> {
return <user user = {user} key={user.id}/>
})}
</ul>
<input type="text"
// value={this.props.search}
value={query}
onKeyUp={this.handleSearch.bind(this)}/>
</div>
</div>
)
}
}
export default SearchUser2;
| 19,496
|
https://github.com/galaymv/AzureStorage/blob/master/src/Lykke.AzureStorage/Tables/Templates/Index/AzureIndex.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,018
|
AzureStorage
|
galaymv
|
C#
|
Code
| 592
| 2,018
|
using System;
using System.Collections;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Common;
using Lykke.AzureStorage.Tables;
using Microsoft.WindowsAzure.Storage.Table;
namespace AzureStorage.Tables.Templates.Index
{
public interface IAzureIndex
{
string PrimaryPartitionKey { get; }
string PrimaryRowKey { get; }
}
public class AzureIndex : TableEntity, IAzureIndex
{
public AzureIndex()
{
}
public AzureIndex(string partitionKey, string rowKey, string primaryPartitionKey, string primaryRowKey)
{
PartitionKey = partitionKey;
RowKey = rowKey;
PrimaryPartitionKey = primaryPartitionKey;
PrimaryRowKey = primaryRowKey;
}
public AzureIndex(string partitionKey, string rowKey, ITableEntity tableEntity)
{
PartitionKey = partitionKey;
RowKey = rowKey;
PrimaryPartitionKey = tableEntity.PartitionKey;
PrimaryRowKey = tableEntity.RowKey;
}
public string PrimaryPartitionKey { get; set; }
public string PrimaryRowKey { get; set; }
public static AzureIndex Create(string partitionKey, string rowKey, ITableEntity tableEntity)
{
return new AzureIndex
{
PartitionKey = partitionKey,
RowKey = rowKey,
PrimaryPartitionKey = tableEntity.PartitionKey,
PrimaryRowKey = tableEntity.RowKey
};
}
public static AzureIndex Create(string partitionKey, string rowKey, string primaryPartitionKey, string primaryRowKey)
{
return new AzureIndex
{
PartitionKey = partitionKey,
RowKey = rowKey,
PrimaryPartitionKey = primaryPartitionKey,
PrimaryRowKey = primaryRowKey
};
}
}
public class AzureIndexData
{
public string Pk { get; set; }
public string Rk { get; set; }
public static AzureIndexData Create(ITableEntity tableEntity)
{
return new AzureIndexData
{
Pk = tableEntity.PartitionKey,
Rk = tableEntity.RowKey
};
}
}
public class AzureMultiIndex : TableEntity
{
public string Data { get; set; }
public void SetData(IEnumerable<AzureIndexData> data)
{
Data = data.ToJson();
}
private static AzureIndexData[] _emptyArray = new AzureIndexData[0];
public AzureIndexData[] GetData()
{
try
{
return Data.DeserializeJson<AzureIndexData[]>();
}
catch (Exception)
{
return _emptyArray;
}
}
public static AzureMultiIndex Create(string partitionKey, string rowKey, params ITableEntity[] items)
{
var indices = items.Select(AzureIndexData.Create);
var result = new AzureMultiIndex
{
PartitionKey = partitionKey,
RowKey = rowKey
};
result.SetData(indices);
return result;
}
}
public static class AzureIndexUtils
{
public static Task<T> DeleteAsync<T>(this INoSQLTableStorage<T> tableStorage, IAzureIndex index) where T : ITableEntity, new()
{
return tableStorage.DeleteAsync(index.PrimaryPartitionKey, index.PrimaryRowKey);
}
/// <summary>
/// Gets data for array of indecies
/// </summary>
/// <typeparam name="T"></typeparam>
/// <param name="tableStorage">Table storage</param>
/// <param name="indices">Array of indecies</param>
/// <param name="pieces"></param>
/// <param name="filter"></param>
/// <returns></returns>
public static Task<IEnumerable<T>> GetDataAsync<T>(this INoSQLTableStorage<T> tableStorage,
IEnumerable<IAzureIndex> indices, int pieces = 15, Func<T, bool> filter = null) where T : ITableEntity, new()
{
return tableStorage.GetDataAsync(indices.Select(x => x.ToTuple()), pieces, filter);
}
public static async Task<T> FindByIndex<T>(this INoSQLTableStorage<AzureIndex> tableIndex,
INoSQLTableStorage<T> tableStorage, string partitionKey, string rowKey) where T : class, ITableEntity, new()
{
var indexEntity = await tableIndex.GetDataAsync(partitionKey, rowKey);
if (indexEntity == null)
return null;
return await tableStorage.GetDataAsync(indexEntity);
}
public static Task<T> GetDataAsync<T>(this INoSQLTableStorage<T> tableStorage, IAzureIndex index) where T : class, ITableEntity, new()
{
if (index == null)
return Task.FromResult<T>(null);
return tableStorage.GetDataAsync(index.PrimaryPartitionKey, index.PrimaryRowKey);
}
public static async Task<T> GetDataAsync<T>(this INoSQLTableStorage<T> tableStorage, INoSQLTableStorage<AzureIndex> indexTableStorage,
string indexPartitionKey, string indexRowKey) where T : class, ITableEntity, new()
{
var indexEntity = await indexTableStorage.GetDataAsync(indexPartitionKey, indexRowKey);
return await tableStorage.GetDataAsync(indexEntity);
}
public static async Task<T> ReplaceAsync<T>(this INoSQLTableStorage<AzureIndex> indexTableStorage, string indexPartitionKey, string indexRowKey, INoSQLTableStorage<T> tableStorage, Func<T, T> action) where T : class, ITableEntity, new()
{
var indexEntity = await indexTableStorage.GetDataAsync(indexPartitionKey, indexRowKey);
return await tableStorage.ReplaceAsync(indexEntity, action);
}
public static Task<T> ReplaceAsync<T>(this INoSQLTableStorage<T> tableStorage, IAzureIndex index, Func<T, T> action) where T : class, ITableEntity, new()
{
if (index == null)
return Task.FromResult<T>(null);
return tableStorage.ReplaceAsync(index.PrimaryPartitionKey, index.PrimaryRowKey, action);
}
/// <summary>
/// Delete index and entity
/// </summary>
/// <typeparam name="T">Entity type</typeparam>
/// <param name="indexTableStorage">Table storage with indexes</param>
/// <param name="indexPartitionKey">Index partition key</param>
/// <param name="indexRowKey">Index row key</param>
/// <param name="tableStorage">Table storage with entities</param>
/// <returns>Deleted entity</returns>
public static async Task<T> DeleteAsync<T>(this INoSQLTableStorage<AzureIndex> indexTableStorage,
string indexPartitionKey, string indexRowKey, INoSQLTableStorage<T> tableStorage)
where T : class, ITableEntity, new()
{
var indexEntity = await indexTableStorage.DeleteAsync(indexPartitionKey, indexRowKey);
if (indexEntity == null)
return null;
return await tableStorage.DeleteAsync(indexEntity.PrimaryPartitionKey, indexEntity.PrimaryRowKey);
}
}
}
| 29,461
|
https://github.com/jmfee-usgs/earthquake-processing-formats/blob/master/cpp/src/TravelTimeData.cpp
|
Github Open Source
|
Open Source
|
CC0-1.0
| 2,020
|
earthquake-processing-formats
|
jmfee-usgs
|
C++
|
Code
| 813
| 3,515
|
#include <TravelTimeData.h>
#include <string>
#include <limits>
#include <exception>
#include <vector>
// JSON Keys
#define TYPE_KEY "Type"
#define PHASE_KEY "Phase"
#define TRAVELTIME_KEY "TravelTime"
#define DISTANCEDERIVATIVE_KEY "DistanceDerivative"
#define DEPTHDERIVATIVE_KEY "DepthDerivative"
#define RAYDERIVATIVE_KEY "RayDerivative"
#define STATISTICALSPREAD_KEY "StatisticalSpread"
#define OBSERVABILITY_KEY "Observability"
#define TELESEISMICPHASEGROUP_KEY "TeleseismicPhaseGroup"
#define AUXILIARYPHASEGROUP_KEY "AuxiliaryPhaseGroup"
#define LOCATIONUSEFLAG_KEY "LocationUseFlag"
#define ASSOCIATIONWEIGHTFLAG_KEY "AssociationWeightFlag"
namespace processingformats {
TravelTimeData::TravelTimeData() {
type = "TTData";
phase = "";
travelTime = std::numeric_limits<double>::quiet_NaN();
distanceDerivative = std::numeric_limits<double>::quiet_NaN();
depthDerivative = std::numeric_limits<double>::quiet_NaN();
rayDerivative = std::numeric_limits<double>::quiet_NaN();
statisticalSpread = std::numeric_limits<double>::quiet_NaN();
observability = std::numeric_limits<double>::quiet_NaN();
teleseismicPhaseGroup = "";
auxiliaryPhaseGroup = "";
locationUseFlag = false;
associationWeightFlag = false;
}
TravelTimeData::TravelTimeData(std::string newPhase, double newTravelTime,
double newDistanceDerivative,
double newDepthDerivative,
double newRayDerivative,
double newStatisticalSpread,
double newObservability,
std::string newTeleseismicPhaseGroup,
std::string newAuxiliaryPhaseGroup,
bool newLocationUseFlag,
bool newAssociationWeightFlag) {
type = "TTData";
phase = newPhase;
travelTime = newTravelTime;
distanceDerivative = newDistanceDerivative;
depthDerivative = newDepthDerivative;
rayDerivative = newRayDerivative;
statisticalSpread = newStatisticalSpread;
observability = newObservability;
teleseismicPhaseGroup = newTeleseismicPhaseGroup;
auxiliaryPhaseGroup = newAuxiliaryPhaseGroup;
locationUseFlag = newLocationUseFlag;
associationWeightFlag = newAssociationWeightFlag;
}
TravelTimeData::TravelTimeData(rapidjson::Value &json) {
// required values
// type
if ((json.HasMember(TYPE_KEY) == true)
&& (json[TYPE_KEY].IsString() == true)) {
type = std::string(json[TYPE_KEY].GetString(),
json[TYPE_KEY].GetStringLength());
} else {
type = "";
}
// phase
if ((json.HasMember(PHASE_KEY) == true)
&& (json[PHASE_KEY].IsString() == true)) {
phase = std::string(json[PHASE_KEY].GetString(),
json[PHASE_KEY].GetStringLength());
} else {
phase = "";
}
// travelTime
if ((json.HasMember(TRAVELTIME_KEY) == true)
&& (json[TRAVELTIME_KEY].IsNumber() == true)
&& (json[TRAVELTIME_KEY].IsDouble() == true))
travelTime = json[TRAVELTIME_KEY].GetDouble();
else
travelTime = std::numeric_limits<double>::quiet_NaN();
// distanceDerivative
if ((json.HasMember(DISTANCEDERIVATIVE_KEY) == true)
&& (json[DISTANCEDERIVATIVE_KEY].IsNumber() == true)
&& (json[DISTANCEDERIVATIVE_KEY].IsDouble() == true))
distanceDerivative = json[DISTANCEDERIVATIVE_KEY].GetDouble();
else
distanceDerivative = std::numeric_limits<double>::quiet_NaN();
// depthDerivative
if ((json.HasMember(DEPTHDERIVATIVE_KEY) == true)
&& (json[DEPTHDERIVATIVE_KEY].IsNumber() == true)
&& (json[DEPTHDERIVATIVE_KEY].IsDouble() == true))
depthDerivative = json[DEPTHDERIVATIVE_KEY].GetDouble();
else
depthDerivative = std::numeric_limits<double>::quiet_NaN();
// rayDerivative
if ((json.HasMember(RAYDERIVATIVE_KEY) == true)
&& (json[RAYDERIVATIVE_KEY].IsNumber() == true)
&& (json[RAYDERIVATIVE_KEY].IsDouble() == true))
rayDerivative = json[RAYDERIVATIVE_KEY].GetDouble();
else
rayDerivative = std::numeric_limits<double>::quiet_NaN();
// statisticalSpread
if ((json.HasMember(STATISTICALSPREAD_KEY) == true)
&& (json[STATISTICALSPREAD_KEY].IsNumber() == true)
&& (json[STATISTICALSPREAD_KEY].IsDouble() == true))
statisticalSpread = json[STATISTICALSPREAD_KEY].GetDouble();
else
statisticalSpread = std::numeric_limits<double>::quiet_NaN();
// observability
if ((json.HasMember(OBSERVABILITY_KEY) == true)
&& (json[OBSERVABILITY_KEY].IsNumber() == true)
&& (json[OBSERVABILITY_KEY].IsDouble() == true))
observability = json[OBSERVABILITY_KEY].GetDouble();
else
observability = std::numeric_limits<double>::quiet_NaN();
// teleseismicPhaseGroup
if ((json.HasMember(TELESEISMICPHASEGROUP_KEY) == true)
&& (json[TELESEISMICPHASEGROUP_KEY].IsString() == true))
teleseismicPhaseGroup = std::string(
json[TELESEISMICPHASEGROUP_KEY].GetString(),
json[TELESEISMICPHASEGROUP_KEY].GetStringLength());
else
teleseismicPhaseGroup = "";
// auxiliaryPhaseGroup
if ((json.HasMember(AUXILIARYPHASEGROUP_KEY) == true)
&& (json[AUXILIARYPHASEGROUP_KEY].IsString() == true))
auxiliaryPhaseGroup = std::string(
json[AUXILIARYPHASEGROUP_KEY].GetString(),
json[AUXILIARYPHASEGROUP_KEY].GetStringLength());
else
auxiliaryPhaseGroup = "";
// locationUseFlag
if ((json.HasMember(LOCATIONUSEFLAG_KEY) == true)
&& (json[LOCATIONUSEFLAG_KEY].IsBool() == true)) {
locationUseFlag = json[LOCATIONUSEFLAG_KEY].GetBool();
} else {
locationUseFlag = true;
}
// associationWeightFlag
if ((json.HasMember(ASSOCIATIONWEIGHTFLAG_KEY) == true)
&& (json[ASSOCIATIONWEIGHTFLAG_KEY].IsBool() == true)) {
associationWeightFlag = json[ASSOCIATIONWEIGHTFLAG_KEY].GetBool();
} else {
associationWeightFlag = true;
}
}
TravelTimeData::TravelTimeData(const TravelTimeData & newTravelTimeData) {
type = "TTData";
phase = newTravelTimeData.phase;
travelTime = newTravelTimeData.travelTime;
distanceDerivative = newTravelTimeData.distanceDerivative;
depthDerivative = newTravelTimeData.depthDerivative;
rayDerivative = newTravelTimeData.rayDerivative;
statisticalSpread = newTravelTimeData.statisticalSpread;
observability = newTravelTimeData.observability;
teleseismicPhaseGroup = newTravelTimeData.teleseismicPhaseGroup;
auxiliaryPhaseGroup = newTravelTimeData.auxiliaryPhaseGroup;
locationUseFlag = newTravelTimeData.locationUseFlag;
associationWeightFlag = newTravelTimeData.associationWeightFlag;
}
TravelTimeData::~TravelTimeData() {
}
rapidjson::Value & TravelTimeData::toJSON(
rapidjson::Value &json,
rapidjson::MemoryPoolAllocator<rapidjson::CrtAllocator> &allocator) {
json.SetObject();
// required values
// type
rapidjson::Value typevalue;
typevalue.SetString(rapidjson::StringRef(type.c_str()), allocator);
json.AddMember(TYPE_KEY, typevalue, allocator);
// phase
if (phase != "") {
rapidjson::Value phasevalue;
phasevalue.SetString(rapidjson::StringRef(phase.c_str()), allocator);
json.AddMember(PHASE_KEY, phasevalue, allocator);
}
// travelTime
if (std::isnan(travelTime) != true)
json.AddMember(TRAVELTIME_KEY, travelTime, allocator);
// distanceDerivative
if (std::isnan(distanceDerivative) != true)
json.AddMember(DISTANCEDERIVATIVE_KEY, distanceDerivative, allocator);
// depthDerivative
if (std::isnan(depthDerivative) != true)
json.AddMember(DEPTHDERIVATIVE_KEY, depthDerivative, allocator);
// rayDerivative
if (std::isnan(rayDerivative) != true)
json.AddMember(RAYDERIVATIVE_KEY, rayDerivative, allocator);
// statisticalSpread
if (std::isnan(statisticalSpread) != true)
json.AddMember(STATISTICALSPREAD_KEY, statisticalSpread, allocator);
// observability
if (std::isnan(observability) != true)
json.AddMember(OBSERVABILITY_KEY, observability, allocator);
// teleseismicPhaseGroup
if (teleseismicPhaseGroup != "") {
rapidjson::Value televalue;
televalue.SetString(rapidjson::StringRef(teleseismicPhaseGroup.c_str()),
allocator);
json.AddMember(TELESEISMICPHASEGROUP_KEY, televalue, allocator);
}
// snr
if (auxiliaryPhaseGroup != "") {
rapidjson::Value auxvalue;
auxvalue.SetString(rapidjson::StringRef(auxiliaryPhaseGroup.c_str()),
allocator);
json.AddMember(AUXILIARYPHASEGROUP_KEY, auxvalue, allocator);
}
// locationUseFlag
json.AddMember(LOCATIONUSEFLAG_KEY, locationUseFlag, allocator);
// associationWeightFlag
json.AddMember(ASSOCIATIONWEIGHTFLAG_KEY, associationWeightFlag, allocator);
return (json);
}
std::vector<std::string> TravelTimeData::getErrors() {
std::vector<std::string> errorlist;
// required data
// type
if (type == "") {
// type empty
errorlist.push_back("Empty Type in TravelTimeData Class.");
} else if (type != "TTData") {
// wrong type
errorlist.push_back("Non-TTData type in TravelTimeData Class.");
}
// phase
if (phase == "") {
// phase empty
errorlist.push_back("Empty Phase in TravelTimeData Class.");
}
// travel time
if (std::isnan(travelTime) == true) {
// travel time not found
errorlist.push_back("No Travel Time in TravelTimeData Class.");
}
// distance derivative
if (std::isnan(distanceDerivative) == true) {
// distance derivative not found
errorlist.push_back("No Distance Derivative in TravelTimeData Class.");
}
// depth derivative
if (std::isnan(depthDerivative) == true) {
// depth derivative not found
errorlist.push_back("No Depth Derivative in TravelTimeData Class.");
}
// ray derivative
if (std::isnan(rayDerivative) == true) {
// ray derivative not found
errorlist.push_back("No Ray Derivative in TravelTimeData Class.");
}
// statistical spread
if (std::isnan(statisticalSpread) == true) {
// statistical spread not found
errorlist.push_back("No Statistical Spread in TravelTimeData Class.");
}
// observability
if (std::isnan(observability) == true) {
// observability not found
errorlist.push_back("No Observability in TravelTimeData Class.");
}
// teleseismic phase group
if (teleseismicPhaseGroup == "") {
// teleseismic phase group not found
errorlist.push_back(
"No Teleseismic Phase Group in TravelTimeData Class.");
}
// auxiliary phase group
if (auxiliaryPhaseGroup == "") {
// auxiliary phase group not found
errorlist.push_back(
"No Auxiliary Phase Group in TravelTimeData Class.");
}
return (errorlist);
}
} // namespace processingformats
| 25,050
|
https://github.com/gelldur/cocos2dx-components/blob/master/samples/TouchComponent.h
|
Github Open Source
|
Open Source
|
MIT
| 2,014
|
cocos2dx-components
|
gelldur
|
C++
|
Code
| 142
| 365
|
/*
* TouchComponent.h
*
* Created on: Dec 17, 2013
* Author: Dawid Drozd
*/
#ifndef TOUCHCOMPONENT_H_
#define TOUCHCOMPONENT_H_
#include "component/Component.h"
#include "utils/Utils.h"
using namespace KoalaComponent;
namespace KoalaJump
{
/**
* We must inherit from CCTouchDelegate because we want receive touch information.
*/
class TouchComponent : public Component, public CCTouchDelegate
{
public:
//KK_CREATE_METHOD is similar to CREATE_FUNC but we don't call init()
KK_CREATE_METHOD( TouchComponent );
virtual ~TouchComponent();
/**
* Initialize your component
* @param manager manager that is owner of this Component
*/
virtual void initComponent( ComponentManager& manager ) override;
virtual bool ccTouchBegan( CCTouch* pTouch, CCEvent* pEvent ) override;
virtual void ccTouchMoved( CCTouch* pTouch, CCEvent* pEvent ) override;
virtual void ccTouchEnded( CCTouch* pTouch, CCEvent* pEvent ) override;
virtual void ccTouchCancelled( CCTouch* pTouch, CCEvent* pEvent ) override;
private:
void onEnter();
void onExit();
TouchComponent();
};
} /* namespace KoalaJump */
#endif /* TOUCHCOMPONENT_H_ */
| 6,644
|
https://github.com/pablocarracci/click-to-chat/blob/master/app/src/main/java/com/ingoox/clicktochat/ui/theme/Color.kt
|
Github Open Source
|
Open Source
|
MIT
| null |
click-to-chat
|
pablocarracci
|
Kotlin
|
Code
| 16
| 74
|
package com.ingoox.clicktochat.ui.theme
import androidx.compose.ui.graphics.Color
val Teal200 = Color(0xFF03DAC5)
val Teal500 = Color(0xFF009688)
val Teal700 = Color(0xFF00796B)
| 21,396
|
https://github.com/giahuydo1379/laravel/blob/master/resources/views/product_create.php
|
Github Open Source
|
Open Source
|
MIT
| null |
laravel
|
giahuydo1379
|
PHP
|
Code
| 226
| 1,159
|
<!DOCTYPE html>
<html>
<head>
<title>Product Management | Add</title>
</head>
<body>
<div class="container">
<form action = "/create" method = "post">
<input type = "hidden" name = "_token" value = "<?php echo csrf_token(); ?>">
<table class="table table-bordered">
<tr>
<td> Name</td>
<th><input type='text' name='name' /></th>
<tr>
<td>Description</td>
<td><input type="text" name='description'/></td>
</tr>
<tr>
<td>Quantity</td>
<td><input type="number_format" name='quantity'/></td>
</tr>
<tr>
<td>Created_at</td>
<td><input type="datetime" name='created_at'/></td>
</tr>
<tr>
<td>Updated_at</td>
<td><input type="datetime" name='updated_at'/></td>
</tr>
<tr>
<td>Product_Status</td>
<td>
<select name="product_status">
<option value="1">còn hàng</option>
<option value="2">hết hàng</option>
<option value="3">tiêu thụ mạnh</option>
</select>
</td>
</tr>
<tr>
<td>Manufacture_id</td>
<td>
<select name="manufacture_id">
<option value="1">1</option>
<option value="2">2</option>
</select>
</td>
</tr>
<tr>
<td>Category_id</td>
<td>
<select name="category_CategoryID">
<option value="1">laptop-máy tính</option>
<option value="2">dell</option>
<option value="3">hp</option>
<option value="4">mac</option>
<option value="5">điện thoại</option>
<option value="6">samsung</option>
<option value="7">iphone</option>
<option value="8">nokia</option>
<option value="9">iphone_X</option>
<option value="10">iphone_7</option>
</select>
</td>
</tr>
<!-- <tr>
<td> optiongroup_name</td>
<td>
<select name="optiongroup_name">
<option value="thiết kế">thiết kế</option>
<option value="màn hình">màn hình</option>
<option value="camemra">cammera</option>
<option value="cpu">cpu</option>
<option value= "bộ nhớ">bộ nhớ</option>
<option value="ram">ram</option>
<option value="sim">sim </option>
<option value="tính năng">tính năng</option>
<option value="chip">chip</option>
<option value="ram_laptop">ram_laptop</option>
<option value="chipset_đồ họa">chipset đồ họa</option>
<option value="màn hình laptop">màn hình laptop</option>
<option value="hệ điều hành">hệ điều hành</option>
<option value="pin">pin</option>
<option value="màu">màu</option>
</select>
</td>
</tr> -->
<!-- <tr>
<td> option_name</td>
<th><input type='text' name='option_name' /></th>
</tr>
<tr>
<td> Price</td>
<th><input type='text' name='price' /></th>
</tr> -->
<tr>
<td colspan = '2'>
<input type = 'submit' value = "Add product"/>
</td>
</tr>
</table>
</form>
</div>
</body>
</html>
| 17,681
|
https://github.com/aya-mrah/pfe-symfony/blob/master/src/AnnonceBundle/Resources/views/colis/transp.html.twig
|
Github Open Source
|
Open Source
|
MIT
| null |
pfe-symfony
|
aya-mrah
|
Twig
|
Code
| 601
| 2,533
|
{% extends 'base.html.twig' %}
{% block main %}
<link rel="stylesheet" href=" {{ asset('coli/css/6.css') }}">
<br><br><br>
<div class="container-fluid">
<div class="row">
<div class="col-3" >
{% for msg in app.session.flashBag.get('success') %}
<div class="alert alert-success">
{{ msg }}
</div>
{% endfor %}
{% for msg in app.session.flashBag.get('error') %}
<div class="alert alert-warning">
<b style="color:red"> {{ msg }}</b>
</div>
{% endfor %}
</div>
<div class="col-9 ">
{% for col in col %}
{% for noti in noti %}
{% if col.id == noti.idcoli.id and col.etat == 'Accepter' and noti.isdeleted == 1 %}
<div class="card w-100">
<div class = 'col-lg-12'>
<div class="card-body" style="color:black;background-color:white; height: 289px;width:950px;">
<form method="POST" action="{{ path('CodeColi',{'id':col.id ,'idd': col.idannonceur.id }) }}">
<i class="far fa-clock" style="font-size:20px"> {{ col.dateDebut|date('Y/m/d')}}<i style="font-size:20px"></i>
{% if col.etat =="Colis Arriver" %}
<img src="{{ asset('assets/images/img/niveauMaxi2@2x.png') }}" height="30" width="20">
{% elseif col.etat =="encours" %}
<img src="{{ asset('assets/images/img/icon66@2x.png') }}" height="30" width="20">
{% else %}
<img src="{{ asset('assets/images/img/niveauMaxi1@2x.png') }}"height="30" width="20">
{% endif %}
<strong style="margin-left:200px;"> De: {{ col.paysDepart }}</strong> <i class="fas fa-arrow-right"> </i><strong> A :{{ col.paysDestination}} </strong></i>
<input type="password" placeholder="Entrée code colis" name="codelivraison">
<input type="submit" value="valider" class="btn btn-warning" style="color:white;border-radius:3px; margin-bottom:5px; color:white; font-size:12px; border: none;">
</form>
{% if app.request.attributes.get('_route') == "hagep" %}
<a data-toggle="tooltip" title="Plus d'information!" class="fas fa-plus" style="color:#d6ab13;font-size:17px;margin-left:100px;" href="{{ path('donner',{'id': col.id }) }}" > Plus d'information</a>
{% endif %}
{% if app.request.attributes.get('_route') == "mescolis" %}
<i class="fa fa-key" style="font-size:20px">Code livraison: <span style="color:green;">{{ col.codelivraison}}</span> </i>
{% endif %}
<link href='https://fonts.googleapis.com/css?family=Lato' rel='stylesheet' type='text/css'>
<div class='container'>
<div class='list-card'>
<iframe class="col-md-6 text-center" style="position: relative;margin-left:10px;height:160px; width:300px; overflow: hidden;"
width="100%"
height="250%"
frameborder="0" style="border:0"
src="https://www.google.com/maps/embed/v1/directions?origin={{ col.paysDepart }}&destination={{ col.paysDestination }}&key=AIzaSyAktdnmCXhrY38dpfCFTBidPuXG27YFmqw&mode=driving&avoid=tolls|highways" allowfullscreen>
</iframe>
<div class='list-details'>
<div class='list-name'>Date debut : {{ col.dateDebut|date('d/m/Y')}} <i class="fas fa-arrow-right"> </i> Date Fin :{{ col.dateFin|date('d/m/Y')}}</div>
<div class='list-bottom'>
<div class='list-bottom-section'>
<span>Nom Annonceur: </span>
<span>{{ col.idannonceur.nom}} {{ col.idannonceur.prenom}}</span>
</div>
<div class='list-bottom-section'>
<span> Télèphone:</i></span>
<span>{{ col.idannonceur.telephone}}</span>
</div>
<div class='list-bottom-section'>
<span>mail:</span>
<span>{{ col.idannonceur.email}}</span>
</div>
</div>
</div>
</div>
</div>
</link>
<a data-toggle="tooltip" title="Plus d'information!" class="fas fa-plus" style="color:#d6ab13;font-size:17px;margin-left:700px;" href="{{ path('donner',{'id': col.id }) }}" > Plus d'information</a>
{% if app.request.attributes.get('_route') == "hagep" %}
<a href="{{ path('send_notification', { 'id' : col.idannonceur.id, 'idd' : col.id, 'type': 2 }) }}" style="background-color:#d6ab13;border-radius:13px; margin-bottom:5px; color:white; font-size:12px; border: none;margin-right:680px;" class="btn btn-danger">Profiter</a>
{% endif %}
{% if ( app.request.attributes.get('_route') == "hagep") or ( app.request.attributes.get('_route') == "coli_rech") %}
<i class="fas fa-envelope" style="color:#cc5819;font-size:17px"></i>
{% if fav is not empty %}
{% set break = 0 %}
{% set breaked = 0 %}
{% set breaking = 0 %}
{% for fav in fav %}
{% set breaked = breaked + 1 %}
{% if fav.idcoli is not empty %}
{% if fav.idcoli.id == col.id and fav.idannonceur.id == app.user.id %}
{% set break = 1 %}
<a class="fa fa-heart" data-toggle="tooltip" title="favorise colis!" style="color:red;font-size:17px" href={{ path('supfavcoli', {'id':fav.id, 'page':2 }) }} ></a>
{% elseif break == 0 and comp == breaked %}
<a class="far fa-heart" data-toggle="tooltip" title="favorise colis!" style="color:red;font-size:17px" href={{ path('favtcoli', {'id':col.id}) }} ></a>
{% endif %}
{% elseif break == 0 and breaking == 0 and comp == breaked %}
{% set breaking = breaking + 1 %}
<a class="far fa-heart" data-toggle="tooltip" title="favorise colis!" style="color:red;font-size:17px" href={{ path('favtcoli', {'id':col.id}) }} ></a>
{% endif %}
{% endfor %}
{% else %}
<a class="far fa-heart" data-toggle="tooltip" title="favorise colis!" style="color:red;font-size:17px" href={{ path('favtcoli', {'id':col.id}) }} ></a>
{% endif %}
<i class="fas fa-thumbs-down" data-toggle="collapse" data-target="#demo" style="color:blue;font-size:17px;" ></i>
<div id="demo" class="collapse">
<form method="POST" action ="{{ path('signalerColi', {'id':col.id}) }}"><br>
<center>
<strong style="color:black;"> <i style="font-size:40px;" class="fab fa-fort-awesome-alt"></i> Signaler cette publication?!</strong><br>
<h4 class="modal-title"></h4>
<big>Raison:</big><br>
<input type="text" style="width:400px" name="raison" placeholder="Donner ta raison s'il vous plaît" required>
<input class"btn" style="margin-left: 400px;margin-right: 300px;margin-bottom: 15px;background-color:#e5b60d; border:0px;color:white;" type="Submit" name="Envoyer" value="Envoyer">
</center>
</form>
</div>
{% else %}
{% endif %}
<br>
</div></div>
</div>
</head>
<body>
<div class="container">
<br>
</div>
{% endif %}
{% endfor %}
{% endfor %}
</div>
</div>
</div>
<script>
$('.collapse').collapse(){
};
</script>
{% endblock %}
| 1,633
|
https://github.com/vkDreamInCode/WorldK/blob/master/api/procedural/Layers/HeightContrast.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,022
|
WorldK
|
vkDreamInCode
|
C#
|
Code
| 109
| 273
|
// Licensed under the Non-Profit Open Software License version 3.0
using WorldKit.api.procedural.Builders;
using WorldKit.api.procedural.Layers.Base;
namespace WorldKit.api.procedural.Layers
{
/// <summary>
/// Layer to add more contrast to the heights
/// </summary>
public class HeightContrast : ALayer<ABuilder>
{
private readonly float _contrast;
/// <summary>
/// Add more contrast to a height map. Darker values get darker and bright values get brighter
/// </summary>
/// <param name="contrast">The amount of contrast to add. 1 means that the contrast stays the same. > 1 for more contrast></param>
public HeightContrast(float contrast)
{
_contrast = contrast;
}
public override string Kernel()
{
return Constants.HeightContrastKernel;
}
public override void SetAttributes(int kernel)
{
Shader.SetFloat(Constants.HeightContrastAttribute, _contrast);
}
}
}
| 33,401
|
https://github.com/bmw46033/amplify-js/blob/master/packages/aws-amplify-angular/dist/src/components/authenticator/confirm-sign-in-component/confirm-sign-in.class.d.ts
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
amplify-js
|
bmw46033
|
TypeScript
|
Code
| 8
| 19
|
export declare class ConfirmSignInClass {
data: any;
}
| 38,138
|
https://github.com/Brain-up/brn/blob/master/frontend/app/models/group.ts
|
Github Open Source
|
Open Source
|
CC0-1.0, LicenseRef-scancode-public-domain
| 2,023
|
brn
|
Brain-up
|
TypeScript
|
Code
| 96
| 251
|
import { hasMany, attr, SyncHasMany } from '@ember-data/model';
import CompletionDependent from './completion-dependent';
import SeriesModel from './series';
export default class Group extends CompletionDependent {
parent = null;
sortChildrenBy = 'id';
@attr('string') name!: string;
@attr('string') description!: string;
@attr('string') locale!: string;
@hasMany('series', { async: false }) series!: SyncHasMany<SeriesModel>;
// @ts-expect-error childern owerride
get children(): SeriesModel[] {
return this.series.toArray();
}
get sortedSeries(): SeriesModel[] {
return this.sortedChildren as unknown as SeriesModel[];
}
}
// DO NOT DELETE: this is how TypeScript knows how to look up your models.
declare module 'ember-data/types/registries/model' {
export default interface ModelRegistry {
group: Group;
}
}
| 1,782
|
https://github.com/meiry/Cocos2d-x-EarthWarrior3D-win-desktop-version/blob/master/cocos2d/cocos/math/kazmath/src/vec2.c
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
Cocos2d-x-EarthWarrior3D-win-desktop-version
|
meiry
|
C
|
Code
| 917
| 2,557
|
/*
Copyright (c) 2008, Luke Benstead.
All rights reserved.
Redistribution and use in source and binary forms, with or without modification,
are permitted provided that the following conditions are met:
* Redistributions of source code must retain the above copyright notice,
this list of conditions and the following disclaimer.
* Redistributions in binary form must reproduce the above copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.
THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR
ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
(INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON
ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*/
#include <assert.h>
#include <stdlib.h>
#include "mat3.h"
#include "vec2.h"
#include "utility.h"
const kmVec2 KM_VEC2_POS_Y = { 0, 1 };
const kmVec2 KM_VEC2_NEG_Y = { 0, -1 };
const kmVec2 KM_VEC2_NEG_X = { -1, 0 };
const kmVec2 KM_VEC2_POS_X = { 1, 0 };
const kmVec2 KM_VEC2_ZERO = { 0, 0 };
kmVec2* kmVec2Fill(kmVec2* pOut, kmScalar x, kmScalar y)
{
pOut->x = x;
pOut->y = y;
return pOut;
}
kmScalar kmVec2Length(const kmVec2* pIn)
{
return sqrtf(kmSQR(pIn->x) + kmSQR(pIn->y));
}
kmScalar kmVec2LengthSq(const kmVec2* pIn)
{
return kmSQR(pIn->x) + kmSQR(pIn->y);
}
kmVec2* kmVec2Lerp(kmVec2* pOut, const kmVec2* pV1, const kmVec2* pV2, kmScalar t) {
pOut->x = pV1->x + t * ( pV2->x - pV1->x );
pOut->y = pV1->y + t * ( pV2->y - pV1->y );
return pOut;
}
kmVec2* kmVec2Normalize(kmVec2* pOut, const kmVec2* pIn)
{
kmVec2 v;
kmScalar l;
if (!pIn->x && !pIn->y)
return kmVec2Assign(pOut, pIn);
l = 1.0f / kmVec2Length(pIn);
v.x = pIn->x * l;
v.y = pIn->y * l;
pOut->x = v.x;
pOut->y = v.y;
return pOut;
}
kmVec2* kmVec2Add(kmVec2* pOut, const kmVec2* pV1, const kmVec2* pV2)
{
pOut->x = pV1->x + pV2->x;
pOut->y = pV1->y + pV2->y;
return pOut;
}
kmScalar kmVec2Dot(const kmVec2* pV1, const kmVec2* pV2)
{
return pV1->x * pV2->x + pV1->y * pV2->y;
}
kmScalar kmVec2Cross(const kmVec2* pV1, const kmVec2* pV2)
{
return pV1->x * pV2->y - pV1->y * pV2->x;
}
kmVec2* kmVec2Subtract(kmVec2* pOut, const kmVec2* pV1, const kmVec2* pV2)
{
pOut->x = pV1->x - pV2->x;
pOut->y = pV1->y - pV2->y;
return pOut;
}
kmVec2* kmVec2Mul( kmVec2* pOut,const kmVec2* pV1, const kmVec2* pV2 ) {
pOut->x = pV1->x * pV2->x;
pOut->y = pV1->y * pV2->y;
return pOut;
}
kmVec2* kmVec2Div( kmVec2* pOut,const kmVec2* pV1, const kmVec2* pV2 ) {
if ( pV2->x && pV2->y ){
pOut->x = pV1->x / pV2->x;
pOut->y = pV1->y / pV2->y;
}
return pOut;
}
kmVec2* kmVec2Transform(kmVec2* pOut, const kmVec2* pV, const kmMat3* pM)
{
kmVec2 v;
v.x = pV->x * pM->mat[0] + pV->y * pM->mat[3] + pM->mat[6];
v.y = pV->x * pM->mat[1] + pV->y * pM->mat[4] + pM->mat[7];
pOut->x = v.x;
pOut->y = v.y;
return pOut;
}
kmVec2* kmVec2TransformCoord(kmVec2* pOut, const kmVec2* pV, const kmMat3* pM)
{
assert(0);
return NULL;
}
kmVec2* kmVec2Scale(kmVec2* pOut, const kmVec2* pIn, const kmScalar s)
{
pOut->x = pIn->x * s;
pOut->y = pIn->y * s;
return pOut;
}
int kmVec2AreEqual(const kmVec2* p1, const kmVec2* p2)
{
return (
(p1->x < p2->x + kmEpsilon && p1->x > p2->x - kmEpsilon) &&
(p1->y < p2->y + kmEpsilon && p1->y > p2->y - kmEpsilon)
);
}
/**
* Assigns pIn to pOut. Returns pOut. If pIn and pOut are the same
* then nothing happens but pOut is still returned
*/
kmVec2* kmVec2Assign(kmVec2* pOut, const kmVec2* pIn) {
if (pOut == pIn) {
return pOut;
}
pOut->x = pIn->x;
pOut->y = pIn->y;
return pOut;
}
/**
* Rotates the point anticlockwise around a center
* by an amount of degrees.
*
* Code ported from Irrlicht: http://irrlicht.sourceforge.net/
*/
kmVec2* kmVec2RotateBy(kmVec2* pOut, const kmVec2* pIn,
const kmScalar degrees, const kmVec2* center)
{
kmScalar x, y;
const kmScalar radians = kmDegreesToRadians(degrees);
const kmScalar cs = cosf(radians), sn = sinf(radians);
pOut->x = pIn->x - center->x;
pOut->y = pIn->y - center->y;
x = pOut->x * cs - pOut->y * sn;
y = pOut->x * sn + pOut->y * cs;
pOut->x = x + center->x;
pOut->y = y + center->y;
return pOut;
}
/**
* Returns the angle in degrees between the two vectors
*/
kmScalar kmVec2DegreesBetween(const kmVec2* v1, const kmVec2* v2) {
kmVec2 t1, t2;
kmScalar cross ;
kmScalar dot;
if(kmVec2AreEqual(v1, v2)) {
return 0.0;
}
kmVec2Normalize(&t1, v1);
kmVec2Normalize(&t2, v2);
cross = kmVec2Cross(&t1, &t2);
dot = kmVec2Dot(&t1, &t2);
/*
* acos is only defined for -1 to 1. Outside the range we
* get NaN even if that's just because of a floating point error
* so we clamp to the -1 - 1 range
*/
if(dot > 1.0) dot = 1.0;
if(dot < -1.0) dot = -1.0;
return kmRadiansToDegrees(atan2(cross, dot));
}
/**
* Returns the distance between the two points
*/
kmScalar kmVec2DistanceBetween(const kmVec2* v1, const kmVec2* v2) {
kmVec2 diff;
kmVec2Subtract(&diff, v2, v1);
return fabs(kmVec2Length(&diff));
}
/**
* Returns the point mid-way between two others
*/
kmVec2* kmVec2MidPointBetween(kmVec2* pOut, const kmVec2* v1, const kmVec2* v2) {
kmVec2 sum;
kmVec2Add(&sum, v1, v2);
pOut->x = sum.x / 2.0f;
pOut->y = sum.y / 2.0f;
return pOut;
}
| 17,249
|
https://github.com/swimly/mui/blob/master/src/utils/keycode.ts
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
mui
|
swimly
|
TypeScript
|
Code
| 983
| 3,044
|
const keyCode = {
'uppercase': [[{
key: '1',
keyCode: 49,
}, {
key: '2',
keyCode: 50,
}, {
key: '3',
keyCode: 51,
}, {
key: '4',
keyCode: 52,
}, {
key: '5',
keyCode: 53,
}, {
key: '6',
keyCode: 54,
}, {
key: '7',
keyCode: 55,
}, {
key: '8',
keyCode: 56,
}, {
key: '9',
keyCode: 57,
}, {
key: '0',
keyCode: 48,
}], [{
key: 'Q',
keyCode: 81,
}, {
key: 'W',
keyCode: 87,
}, {
key: 'E',
keyCode: 69,
}, {
key: 'R',
keyCode: 82,
}, {
key: 'T',
keyCode: 84,
}, {
key: 'Y',
keyCode: 89,
}, {
key: 'U',
keyCode: 85,
}, {
key: 'I',
keyCode: 73,
}, {
key: 'O',
keyCode: 79,
}, {
key: 'P',
keyCode: 80,
}], [{
key: 'A',
keyCode: 65,
}, {
key: 'S',
keyCode: 83,
}, {
key: 'D',
keyCode: 68,
}, {
key: 'F',
keyCode: 70,
}, {
key: 'G',
keyCode: 71,
}, {
key: 'H',
keyCode: 72,
}, {
key: 'J',
keyCode: 74,
}, {
key: 'K',
keyCode: 75,
}, {
key: 'L',
keyCode: 76,
}], [{
key: '↑',
keyCode: 20,
id: 'case',
type: 'button',
width: 'auto',
icon: 'arrow-up'
}, {
key: 'Z',
keyCode: 90,
}, {
key: 'X',
keyCode: 88,
}, {
key: 'C',
keyCode: 67,
}, {
key: 'V',
keyCode: 86,
}, {
key: 'B',
keyCode: 66,
}, {
key: 'N',
keyCode: 78,
}, {
key: 'M',
keyCode: 77,
}, {
key: '←',
keyCode: 8,
type: 'button',
icon: 'tuige',
width: 'auto'
}], [{
key: '!?#',
id: 'symbol',
keyCode: 321,
type: 'button',
width: '2em'
}, {
key: '123',
id: 'number',
keyCode: 321,
type: 'button',
width: '2em'
}, {
key: '.',
keyCode: 190,
}, {
key: ' ',
keyCode: 32,
width: 'auto',
icon: 'kongge'
}, {
key: '@',
keyCode: 229,
}, {
key: '完成',
keyCode: 13,
type: 'button',
// icon: 'enter',
width: '3em'
}]],
'password': [[{
key: '1',
keyCode: 49,
}, {
key: '2',
keyCode: 50,
}, {
key: '3',
keyCode: 51,
}, {
key: '4',
keyCode: 52,
}, {
key: '5',
keyCode: 53,
}, {
key: '6',
keyCode: 54,
}, {
key: '7',
keyCode: 55,
}, {
key: '8',
keyCode: 56,
}, {
key: '9',
keyCode: 57,
}, {
key: '0',
keyCode: 48,
}], [{
key: 'q',
keyCode: 81,
}, {
key: 'w',
keyCode: 87,
}, {
key: 'e',
keyCode: 69,
}, {
key: 'r',
keyCode: 82,
}, {
key: 't',
keyCode: 84,
}, {
key: 'y',
keyCode: 89,
}, {
key: 'u',
keyCode: 85,
}, {
key: 'i',
keyCode: 73,
}, {
key: 'o',
keyCode: 79,
}, {
key: 'p',
keyCode: 80,
}], [{
key: 'a',
keyCode: 65,
}, {
key: 's',
keyCode: 83,
}, {
key: 'd',
keyCode: 68,
}, {
key: 'f',
keyCode: 70,
}, {
key: 'g',
keyCode: 71,
}, {
key: 'h',
keyCode: 72,
}, {
key: 'j',
keyCode: 74,
}, {
key: 'k',
keyCode: 75,
}, {
key: 'l',
keyCode: 76,
}], [{
key: '↑',
keyCode: 20,
id: 'case',
type: 'button',
width: 'auto',
icon: 'arrow-up'
}, {
key: 'z',
keyCode: 90,
}, {
key: 'x',
keyCode: 88,
}, {
key: 'c',
keyCode: 67,
}, {
key: 'v',
keyCode: 86,
}, {
key: 'b',
keyCode: 66,
}, {
key: 'n',
keyCode: 78,
}, {
key: 'm',
keyCode: 77,
}, {
key: '←',
keyCode: 8,
type: 'button',
icon: 'leftarrow',
width: 'auto'
}], [{
key: '!?#',
id: 'symbol',
keyCode: 321,
type: 'button',
width: '2em'
}, {
key: '123',
id: 'number',
keyCode: 321,
type: 'button',
width: '2em'
}, {
key: '.',
keyCode: 190,
}, {
key: ' ',
keyCode: 32,
width: 'auto',
icon: 'kongge'
}, {
key: '@',
keyCode: 229,
}, {
key: '完成',
keyCode: 13,
type: 'button',
// icon: 'enter',
width: '3em'
}]],
'symbol': [[{
key: '^',
keyCode: 230,
}, {
key: '\\',
keyCode: 230,
}, {
key: '|',
keyCode: 230,
}, {
key: '<',
keyCode: 230,
}, {
key: '>',
keyCode: 230,
}, {
key: '£',
keyCode: 230,
}, {
key: '€',
keyCode: 230,
}, {
key: '¥',
keyCode: 230,
}, {
key: '℃',
keyCode: 230,
}, {
key: '$',
keyCode: 230,
}], [{
key: '[',
keyCode: 230,
}, {
key: ']',
keyCode: 230,
}, {
key: '{',
keyCode: 230,
}, {
key: '}',
keyCode: 230,
}, {
key: '#',
keyCode: 230,
}, {
key: '%',
keyCode: 230,
}, {
key: '+',
keyCode: 230,
}, {
key: '=',
keyCode: 230,
}, {
key: '~',
keyCode: 230,
}, {
key: '_',
keyCode: 230,
}], [{
key: '-',
keyCode: 230,
}, {
key: '/',
keyCode: 230,
}, {
key: ':',
keyCode: 230,
}, {
key: ';',
keyCode: 230,
}, {
key: '(',
keyCode: 230,
}, {
key: ')',
keyCode: 230,
}, {
key: '$',
keyCode: 230,
}, {
key: '&',
keyCode: 230,
}, {
key: '"',
keyCode: 230,
}], [{
key: '*',
keyCode: 230,
width: 'auto',
}, {
key: '?',
keyCode: 230,
}, {
key: '!',
keyCode: 230,
}, {
key: '@',
keyCode: 230,
}, {
key: ',',
keyCode: 230,
}, {
key: '`',
keyCode: 230,
}, {
key: '÷',
keyCode: 230,
}, {
key: '×',
keyCode: 230,
}, {
key: '←',
keyCode: 8,
type: 'button',
icon: 'tuige',
width: 'auto'
}], [{
key: '返回',
id: 'back',
keyCode: 100,
type: 'button',
width: '2.5em'
}, {
key: '♂',
keyCode: 230
}, {
key: '♀',
keyCode: 230,
}, {
key: ' ',
keyCode: 32,
width: 'auto',
icon: 'kongge'
}, {
key: '.',
keyCode: 230,
}, {
key: '完成',
keyCode: 13,
type: 'button',
// icon: 'enter',
width: '3em'
}]],
'number': [[{
key: '1',
keyCode: 49,
}, {
key: '2',
keyCode: 50,
}, {
key: '3',
keyCode: 51,
}], [{
key: '4',
keyCode: 52,
}, {
key: '5',
keyCode: 53,
}, {
key: '6',
keyCode: 54,
}], [{
key: '7',
keyCode: 55,
}, {
key: '8',
keyCode: 56,
}, {
key: '9',
keyCode: 57,
}], [{
key: '返回',
id: 'back',
keyCode: 321,
type: 'button'
}, {
key: '0',
keyCode: 48,
}, {
key: 'x',
keyCode: 8,
type: 'button',
icon: 'tuige'
}]]
}
export default keyCode;
| 22,853
|
https://github.com/pasirauhala/artadvisor/blob/master/src/sass/admin/typography.scss
|
Github Open Source
|
Open Source
|
MIT
| null |
artadvisor
|
pasirauhala
|
SCSS
|
Code
| 7
| 28
|
body {
font-family: $defaultFontFamily;
font-size: $defaultFontSize;
}
| 16,483
|
https://github.com/CalenGolden/discord-gcloud-commands/blob/master/src/web-server.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
discord-gcloud-commands
|
CalenGolden
|
JavaScript
|
Code
| 99
| 382
|
// Imports
const { SlashCreator, ExpressServer } = require('slash-create');
const path = require('path');
const execSync = require('child_process').execSync;
const DISCORD_APPLICATION_ID = process.env.DISCORD_APPLICATION_ID;
const DISCORD_PUBLIC_KEY = process.env.DISCORD_PUBLIC_KEY;
const DISCORD_TOKEN = process.env.DISCORD_TOKEN;
const SERVER_HOST = process.env.SERVER_HOST || "0.0.0.0"
const PORT = process.env.PORT || 8080;
const ENDPOINT_PATH = process.env.ENDPOINT_PATH || "";
const DEFAULT_COMPUTE_ZONE = process.env.DEFAULT_COMPUTE_ZONE || 'us-west2-a';
const creator = new SlashCreator({
applicationID: DISCORD_APPLICATION_ID,
publicKey: DISCORD_PUBLIC_KEY,
token: DISCORD_TOKEN,
serverHost: SERVER_HOST,
serverPort: PORT,
endpointPath: ENDPOINT_PATH
});
console.log("Starting server on " + SERVER_HOST + ":" + PORT + ENDPOINT_PATH);
execSync("gcloud config set compute/zone " + DEFAULT_COMPUTE_ZONE);
creator
.registerCommandsIn(path.join(__dirname, 'commands'))
.syncCommands()
.withServer(new ExpressServer())
.startServer();
console.log("server started!");
| 34,793
|
https://github.com/Wahap/Supplier.PL/blob/master/src/app/layout/vendorBills/vendor-bills-list/vendor-bills-list.component.ts
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
Supplier.PL
|
Wahap
|
TypeScript
|
Code
| 425
| 1,713
|
import { Component, OnInit, Input } from '@angular/core';
import { ConfigService, IConfig } from '../../../app.config';
import { VendorBillService } from '../vendor-bill.service';
import { VendorBill } from '../../../shared/DTOs/vendorBill';
import { Payment } from '../../../shared/DTOs/payment';
import { PaymentType } from '../../../shared/DTOs/paymentType';
import { CommonService } from '../../../shared/common.service';
import { Totals } from '../../../shared/DTOs/totals';
@Component({
selector: 'app-vendor-bills-list',
templateUrl: './vendor-bills-list.component.html',
styleUrls: ['./vendor-bills-list.component.scss']
})
export class VendorBillsListComponent implements OnInit {
config: IConfig;
loading: boolean = true;
billListColumns: any[];
existsInputData: boolean = false;
@Input() allBills: VendorBill[] = [];
selectedBill: VendorBill;
selectedBillForPayment: VendorBill;
showUpdateBillDialog: boolean = false;
showPrintDialog: boolean = false;
showPaymentDialog: boolean = false;
payment: Payment = new Payment();
paymentTypes: PaymentType[] = [];
paymentTotals:Totals=new Totals();
constructor(private configService: ConfigService, private vendorBillService: VendorBillService, private commonService: CommonService) { }
ngOnInit() {
this.config = this.configService.getAppConfig();
if (!this.existsInputData)//if this component not calling from other components
{
this.fillAllVendorBills();
}
else//Data coming from another component
{
this.loading = false;
}
this.billListColumns = [
{ field: 'billNumber', header: 'Fatura.No' },
{ field: 'billDate', header: 'Tarih' },
{ field: 'totalPurchasePrice', header: 'Tutar(€)' },
{ field: 'supplier', header: 'Toptancı' },
{ field: 'isPaid', header: 'Ödenme Durumu' },
{ field: 'update', header: 'Güncelle' },
{ field: 'print', header: 'Yazdır' },
{ field: 'delete', header: 'Sil' }
];
}
ngOnChanges() {
//Called before any other lifecycle hook. Use it to inject dependencies, but avoid any serious work here.
//Add '${implements OnChanges}' to the class.
this.existsInputData = true;
}
fillAllVendorBills() {
this.vendorBillService.getAllVendorBills(this.config.getAllVendorBillsUrl, null).subscribe(bills => {
this.allBills = bills;
this.loading = false;
});
}
onIsPaidChange(bill) {
this.vendorBillService.saveVendorBill(this.config.saveVendorBillUrl, bill).subscribe(response => {
});
}
deleteBill(bill: VendorBill) {
if (confirm("Faturayı Silmek istediğinize emin misiniz?")) {
this.loading = true;
this.vendorBillService.deleteVendorBill(this.config.deleteVendorBillUrl, bill).subscribe(result => {
this.fillAllVendorBills();
});
}
}
updateBill(bill: VendorBill) {
this.selectedBill = bill;
this.showUpdateBillDialog = true;
// this.waybillService.getWaybill(this.config.getWaybillUrl, waybill.id).subscribe(response=>{
// });
}
onBillPreview(bill: VendorBill) {
this.selectedBill = bill;
this.showPrintDialog = true;
}
onCloseNewBillDialog() {
this.selectedBill = null;
}
onBillSaved(editedBill:VendorBill)
{
let bill = this.allBills.find(x => x.id == editedBill.id);
bill.billNumber=editedBill.billNumber;
bill.supplierId=editedBill.supplierId;
bill.billDate=editedBill.billDate;
bill.totalPurchasePrice=editedBill.totalPurchasePrice;
this.showUpdateBillDialog = false;
}
openPaymentDialog(vendorbill) {
this.selectedBillForPayment = vendorbill;
this.showPaymentDialog = true;
this.getVendorBillPayments(vendorbill);
//get payment types
if (this.paymentTypes.length < 1)//Just fill once
{
this.commonService.getAllPaymentTypes(this.config.getPaymentTypesUrl, null).subscribe(paymentTypes => {
this.paymentTypes = paymentTypes;
});
}
}
setPayment(payment:Payment)
{
this.payment=payment;//
this.payment.paymentDate=new Date(payment.paymentDate);//Because p-calendar only supports Date Type
}
deletePayment(payment)
{
this.vendorBillService.deleteVendorBillPayment(this.config.deletePaymentUrl,payment).subscribe(response=>{
//refresh payments table
this.getVendorBillPayments(this.selectedBillForPayment);
this.payment=new Payment();
});
}
savePayment()
{
this.payment.billId=this.selectedBillForPayment.id;
this.payment.documentType=2;
this.vendorBillService.saveVendorBillPayment(this.config.savePaymentUrl,this.payment).subscribe(response=>{
//refresh payments table
this.payment=new Payment();//reset payment
this.getVendorBillPayments(this.selectedBillForPayment);
});
}
getVendorBillPayments(vendorbill)
{
this.vendorBillService.getVendorBillPayments(this.config.getVendorBillPaymentsUrl,vendorbill).subscribe((payments:Payment[])=>{
this.selectedBillForPayment.payments=payments;
this.paymentTotals=new Totals();//make all properties 0
this.paymentTotals.totalItems=payments.length;
payments.forEach(payment=>{
this.paymentTotals.totalGrossPrice+=payment.amount;
});
});
}
windowsHeight() {
return (window.screen.height * 0.80 - 120) + "px";
}
windowsWidth() {
return (window.screen.width * 0.80 - 120) + "px";
}
}
| 46,030
|
https://github.com/lgsilvestre/StudentTimeLine_G3/blob/master/app/Http/Controllers/RolController.php
|
Github Open Source
|
Open Source
|
MIT
| null |
StudentTimeLine_G3
|
lgsilvestre
|
PHP
|
Code
| 351
| 1,243
|
<?php
namespace App\Http\Controllers;
use Illuminate\Http\Request;
use Caffeinated\Shinobi\Models\Role;
use App\User;
use DataTables;
class RolController extends Controller
{
/**
* Display a listing of the resource.
*
* @return \Illuminate\Http\Response
*/
public function index(Request $request)
{
/* $roles = Role::all();
return view('rol.index',compact('roles')); */
//por si se usara server process de datatables
if($request->ajax()){
return datatables()->eloquent(Role::query())->toJson();
}
return view('rol.index');
}
/**
* Show the form for creating a new resource.
*
* @return \Illuminate\Http\Response
*/
public function create()
{
return view('roles.create');
}
/**
* Store a newly created resource in storage.
*
* @param \Illuminate\Http\Request $request
* @return \Illuminate\Http\Response
*/
public function store(Request $request)
{
$validatedData = $request->validate([
'slug' => 'required|unique:roles|max:18',
'name' => 'required|unique:roles|min:3|max:45',
]);
$Role = Role::create($request->all());
$roles = Role::all();
return redirect()->route('roles.index',$roles)
->with('info','Role guardado con éxito');
}
/**
* Display the specified resource.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function show(Role $Role)
{
$users = User::all();
$cantidad_usuarios = 0;
$permisos = $Role->special;
if($permisos==null){
$permisos = $Role->permissions;
}
foreach($users as $user){
if($user->hasRole($Role->slug)){
$cantidad_usuarios+=1;
return view('roles.show',compact('Role','cantidad_usuarios','permisos'));
}
}
return view('roles.show',compact('Role','cantidad_usuarios','permisos'));
}
/**
* Show the form for editing the specified resource.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function edit(Role $Role)
{
$permissions = Permission::get();
return view('roles.edit',compact('Role','permissions'));
}
/**
* Update the specified resource in storage.
*
* @param \Illuminate\Http\Request $request
* @param int $id
* @return \Illuminate\Http\Response
*/
public function update(Request $request, $id)
{
//no validar nada si se mantienen los mismos parametros
if($Role->slug == $request->slug && $nombreantiguo == $nombrenuevo){
}
//solo validar el nombre si los slugs son iguales
elseif($Role->slug == $request->slug){
$validatedData = $request->validate([
'name' => 'required|unique:roles|min:3|max:190',
]);
}
//validar solo los slugs si los nombres son iguales
elseif($nombreantiguo == $nombrenuevo){
$validatedData = $request->validate([
'slug' => 'required|unique:roles|max:18|min:3',
]);
}
//si ambos son diferentes
else{
$validatedData = $request->validate([
'slug' => 'required|unique:roles|max:18|min:3',
'name' => 'required|unique:roles|min:3|max:190',
]);
}
//actualizar rol
$Role->update($request->all());
//actualizar permisos
$Role->permissions()->sync($request->get('permissions'));
return redirect()->route('roles.index',$roles)
->with('success','Role actualizado con éxito');
}
/**
* Remove the specified resource from storage.
*
* @param int $id
* @return \Illuminate\Http\Response
*/
public function destroy(Request $request)
{
$rol = Role::findOrFail($request->get('idrol'));
$rol-> delete();
$roles = Role::all();
return redirect()->action('RolController@index')
->with('success','Rol eliminado con éxito');
}
}
| 7,025
|
https://github.com/GingerBoy14/mui-form-generator/blob/master/.eslintrc.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
mui-form-generator
|
GingerBoy14
|
JavaScript
|
Code
| 86
| 380
|
module.exports = {
extends: [
'airbnb/hooks',
'prettier',
'prettier/standard',
'prettier/react',
'plugin:prettier/recommended'
],
parser: 'babel-eslint',
env: {
node: true
},
parserOptions: {
ecmaVersion: 2020,
ecmaFeatures: {
legacyDecorators: true,
jsx: true
}
},
settings: {
react: {
version: '16'
}
},
rules: {
semi: [2, 'never'],
// 'no-console': 'error',
'react/forbid-prop-types': 0,
'react/require-default-props': 0,
'react/jsx-filename-extension': 0,
'import/no-named-as-default': 0,
'no-return-await': 2,
'react-hooks/rules-of-hooks': 'error',
'react-hooks/exhaustive-deps': 'warn',
'prettier/prettier': [
'error',
{
singleQuote: true,
trailingComma: 'none',
semi: false,
bracketSpacing: true,
jsxBracketSameLine: true,
printWidth: 80,
tabWidth: 2,
useTabs: false,
endOfLine: 'auto'
}
]
}
}
| 7,644
|
https://github.com/tend2infinity/Rate-It-Project/blob/master/src/components/Header/styles/header.js
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
Rate-It-Project
|
tend2infinity
|
JavaScript
|
Code
| 130
| 403
|
import styled from 'styled-components/macro'
import { Link as ReactRouterLink } from 'react-router-dom';
export const Background = styled.div`
display: flex;
flex-direction: column;
background:linear-gradient(to right, #000 30%, transparent 70%), url(${({ src }) => (src ? `/pictures/${src}.jpg` : '/pictures/header2.jpg')}) top right / cover
no-repeat;
`;
export const Inner = styled.div`
display: flex;
height: 100px;
padding: 18px 5px;
margin: 0 56px;
justify-content: space-between;
align-items: center;
a{
display: flex;
}
@media (max-width: 1000px) {
margin: 0 30px;
}
`;
export const Logo = styled.img`
height: 93px;
width: 100px;
margin-right: 40px;
`;
export const Button = styled(ReactRouterLink)`
display: block;
font-weight: 900;
font-family: 'Hind Siliguri', sans-serif;
background-color: #3FF6E3;
width: 120px;
color: black;
border: 0;
font-size: 17px;
border-radius: 3px;
padding: 15px 33px;
cursor: pointer;
text-decoration: none;
box-sizing: border-box;
transition-duration: 0.4s;
&:hover {
background-color: #35EABF;
transform: scale(1.15);
}
`;
| 22,746
|
https://github.com/hakonhagland/aws-sdk-perl/blob/master/auto-lib/Paws/GuardDuty/Member.pm
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
aws-sdk-perl
|
hakonhagland
|
Perl
|
Code
| 344
| 791
|
package Paws::GuardDuty::Member;
use Moose;
has AccountId => (is => 'ro', isa => 'Str', request_name => 'accountId', traits => ['NameInRequest'], required => 1);
has DetectorId => (is => 'ro', isa => 'Str', request_name => 'detectorId', traits => ['NameInRequest']);
has Email => (is => 'ro', isa => 'Str', request_name => 'email', traits => ['NameInRequest'], required => 1);
has InvitedAt => (is => 'ro', isa => 'Str', request_name => 'invitedAt', traits => ['NameInRequest']);
has MasterId => (is => 'ro', isa => 'Str', request_name => 'masterId', traits => ['NameInRequest'], required => 1);
has RelationshipStatus => (is => 'ro', isa => 'Str', request_name => 'relationshipStatus', traits => ['NameInRequest'], required => 1);
has UpdatedAt => (is => 'ro', isa => 'Str', request_name => 'updatedAt', traits => ['NameInRequest'], required => 1);
1;
### main pod documentation begin ###
=head1 NAME
Paws::GuardDuty::Member
=head1 USAGE
This class represents one of two things:
=head3 Arguments in a call to a service
Use the attributes of this class as arguments to methods. You shouldn't make instances of this class.
Each attribute should be used as a named argument in the calls that expect this type of object.
As an example, if Att1 is expected to be a Paws::GuardDuty::Member object:
$service_obj->Method(Att1 => { AccountId => $value, ..., UpdatedAt => $value });
=head3 Results returned from an API call
Use accessors for each attribute. If Att1 is expected to be an Paws::GuardDuty::Member object:
$result = $service_obj->Method(...);
$result->Att1->AccountId
=head1 DESCRIPTION
This class has no description
=head1 ATTRIBUTES
=head2 B<REQUIRED> AccountId => Str
Member account ID.
=head2 DetectorId => Str
Member account's detector ID.
=head2 B<REQUIRED> Email => Str
Member account's email address.
=head2 InvitedAt => Str
Timestamp at which the invitation was sent
=head2 B<REQUIRED> MasterId => Str
Master account ID.
=head2 B<REQUIRED> RelationshipStatus => Str
The status of the relationship between the member and the master.
=head2 B<REQUIRED> UpdatedAt => Str
Member last updated timestamp.
=head1 SEE ALSO
This class forms part of L<Paws>, describing an object used in L<Paws::GuardDuty>
=head1 BUGS and CONTRIBUTIONS
The source code is located here: L<https://github.com/pplu/aws-sdk-perl>
Please report bugs to: L<https://github.com/pplu/aws-sdk-perl/issues>
=cut
| 47,220
|
https://github.com/Agilefreaks/Aquarium/blob/master/aquarium/spec/aquarium/aspects/advice_spec.rb
|
Github Open Source
|
Open Source
|
MIT
| 2,020
|
Aquarium
|
Agilefreaks
|
Ruby
|
Code
| 1,060
| 3,722
|
require File.dirname(__FILE__) + '/../spec_helper'
require 'aquarium/spec_example_types'
require 'aquarium/aspects/advice'
require 'aquarium/aspects/aspect'
include Aquarium::Aspects
describe Advice, "#sort_by_priority_order" do
it "should return an empty array for empty input" do
Advice.sort_by_priority_order([]).should == []
end
it "should return a properly-sorted array for arbitrary input of valid advice kind symbols" do
Advice.sort_by_priority_order([:after_raising, :after_returning, :before, :after, :around]).should == [:around, :before, :after, :after_returning, :after_raising]
end
it "should accept strings for the advice kinds, but return sorted symbols" do
Advice.sort_by_priority_order(["after_raising", "after_returning", "before", "after", "around"]).should == [:around, :before, :after, :after_returning, :after_raising]
end
end
def puts_advice_chain aspect, label
puts label
aspect.pointcuts.each do |pc|
pc.join_points_matched.each do |jp|
chain = Aspect.get_advice_chain(jp)
chain.each do |a|
puts "advice_node: #{a.inspect}"
end
puts "last: #{chain.last}"
end
end
puts ""
end
describe Advice, "#invoke_original_join_point" do
class InvocationCounter
def initialize; @counter = 0; end
def increment; @counter += 1; end
def counter; @counter; end
end
it "should invoke the original join_point with multiple advices" do
aspect1 = Aspect.new :before, :type => InvocationCounter, :method => :increment do |jp, o|
jp.invoke_original_join_point
end
aspect2 = Aspect.new :around, :type => InvocationCounter, :method => :increment do |jp, o|
jp.invoke_original_join_point
jp.proceed
end
ic = InvocationCounter.new
ic.increment
ic.counter == 3
aspect1.unadvise
aspect2.unadvise
end
Advice.kinds.each do |kind|
it "should invoke the original join_point with #{kind} advice" do
aspect = Aspect.new kind, :type => InvocationCounter, :method => :increment do |jp, o|
jp.invoke_original_join_point
end
ic = InvocationCounter.new
ic.increment
ic.counter == 1
aspect.unadvise
end
end
end
def should_raise_expected_exception_with_message message
begin
yield ; fail
rescue => e
e.message.should include(message)
end
end
describe Advice, "that raises an exception" do
context "when debug_backtraces is true" do
before do
@debug_backtraces_orig = Aquarium::Aspects::Advice.debug_backtraces
Aquarium::Aspects::Advice.debug_backtraces = true
end
after do
Aquarium::Aspects::Advice.debug_backtraces = @debug_backtraces_orig
end
it "should add the kind of advice to the exception message." do
aspect = Aspect.new :before, :pointcut => {:type => Watchful, :methods => :public_watchful_method} do |jp, obj, *args|
raise SpecExceptionForTesting.new("advice called with args: #{args.inspect}")
end
should_raise_expected_exception_with_message("\"before\" advice") {Watchful.new.public_watchful_method(:a1, :a2)}
aspect.unadvise
end
it "should add the \"Class#method\" of the advised object's type and method to the exception message." do
aspect = Aspect.new :before, :pointcut => {:type => Watchful, :methods => :public_watchful_method} do |jp, obj, *args|
raise "advice called with args: #{args.inspect}"
end
should_raise_expected_exception_with_message("Watchful#public_watchful_method") {Watchful.new.public_watchful_method(:a1, :a2)}
aspect.unadvise
end
it "should add the \"Class.method\" of the advised type's class method to the exception message." do
aspect = Aspect.new :before, :pointcut => {:type => Watchful, :methods => :public_class_watchful_method, :method_options => [:class]} do |jp, obj, *args|
raise "advice called with args: #{args.inspect}"
end
should_raise_expected_exception_with_message("Watchful.public_class_watchful_method") {Watchful.public_class_watchful_method(:a1, :a2)}
aspect.unadvise
end
end
it "should rethrow an exception of the same type as the original exception." do
class MyException1 < Exception; end
aspect = Aspect.new :before, :pointcut => {:type => Watchful, :methods => :public_class_watchful_method, :method_options => [:class]} do |jp, obj, *args|
raise MyException1.new("advice called with args: #{args.inspect}")
end
expect { Watchful.public_class_watchful_method :a1, :a2 }.to raise_error(MyException1)
aspect.unadvise
end
it "should rethrow an exception with the same backtrace as the original exception." do
class MyException2 < Exception; end
@backtrace = nil
aspect = Aspect.new :before, :pointcut => {:type => Watchful, :methods => :public_class_watchful_method, :method_options => [:class]} do |jp, obj, *args|
begin
exception = MyException2.new("advice called with args: #{args.inspect}")
raise exception
rescue Exception => e
@backtrace = e.backtrace
raise e
end
end
begin
Watchful.public_class_watchful_method(:a1, :a2) ; fail
rescue Exception => e
e.backtrace.should == @backtrace
end
aspect.unadvise
end
end
describe Advice, "#invoke_original_join_point that raises an exception" do
class InvokeOriginalJoinPointRaisingException
class IOJPRException < Exception; end
def raise_exception *args
raise IOJPRException.new(":raise_exception called with args: #{args.inspect}")
end
def self.class_raise_exception *args
raise IOJPRException.new(":class_raise_exception called with args: #{args.inspect}")
end
end
context "when debug_backtraces is true" do
before do
@debug_backtraces_orig = Aquarium::Aspects::Advice.debug_backtraces
Aquarium::Aspects::Advice.debug_backtraces = true
end
after do
Aquarium::Aspects::Advice.debug_backtraces = @debug_backtraces_orig
end
it "should add the kind of advice to the exception message." do
aspect = Aspect.new :before,
:pointcut => {:type => InvokeOriginalJoinPointRaisingException, :methods => :raise_exception} do |jp, obj, *args|
jp.invoke_original_join_point
end
begin
InvokeOriginalJoinPointRaisingException.new.raise_exception(:a1, :a2) ; fail
rescue InvokeOriginalJoinPointRaisingException::IOJPRException => e
e.message.should include("\"before\" advice")
end
aspect.unadvise
end
it "should add the \"Class#method\" of the advised object's type and method to the exception message." do
aspect = Aspect.new :before,
:pointcut => {:type => InvokeOriginalJoinPointRaisingException, :methods => :raise_exception} do |jp, obj, *args|
jp.invoke_original_join_point
end
begin
InvokeOriginalJoinPointRaisingException.new.raise_exception(:a1, :a2) ; fail
rescue InvokeOriginalJoinPointRaisingException::IOJPRException => e
e.message.should include("InvokeOriginalJoinPointRaisingException#raise_exception")
end
aspect.unadvise
end
it "should add the \"Class.method\" of the advised type's class method to the exception message." do
aspect = Aspect.new :before,
:pointcut => {:type => InvokeOriginalJoinPointRaisingException, :methods => :class_raise_exception,
:method_options => [:class]} do |jp, obj, *args|
jp.invoke_original_join_point
end
begin
InvokeOriginalJoinPointRaisingException.class_raise_exception(:a1, :a2) ; fail
rescue InvokeOriginalJoinPointRaisingException::IOJPRException => e
e.message.should include("InvokeOriginalJoinPointRaisingException.class_raise_exception")
end
aspect.unadvise
end
end
it "should rethrow an exception of the same type as the original exception." do
aspect = Aspect.new :before,
:pointcut => {:type => InvokeOriginalJoinPointRaisingException, :methods => :class_raise_exception,
:method_options => [:class]} do |jp, obj, *args|
jp.invoke_original_join_point
end
expect { InvokeOriginalJoinPointRaisingException.class_raise_exception :a1, :a2 }.to raise_error(InvokeOriginalJoinPointRaisingException::IOJPRException)
aspect.unadvise
end
it "should rethrow an exception with the same backtrace as the original exception." do
@backtrace = nil
aspect = Aspect.new :before,
:pointcut => {:type => InvokeOriginalJoinPointRaisingException, :methods => :class_raise_exception,
:method_options => [:class]} do |jp, obj, *args|
begin
jp.invoke_original_join_point
rescue Exception => e
@backtrace = e.backtrace
raise e
end
end
begin
InvokeOriginalJoinPointRaisingException.class_raise_exception(:a1, :a2) ; fail
rescue Exception => e
e.backtrace.should == @backtrace
end
aspect.unadvise
end
end
describe Advice, ".compare_advice_kinds with nil or UNKNOWN_ADVICE_KIND" do
it "should return 0 when comparing nil to nil" do
Advice.compare_advice_kinds(nil, nil).should == 0
end
it "should return 0 when comparing UNKNOWN_ADVICE_KIND to UNKNOWN_ADVICE_KIND" do
Advice.compare_advice_kinds(Advice::UNKNOWN_ADVICE_KIND, Advice::UNKNOWN_ADVICE_KIND).should == 0
end
it "should return 1 when comparing UNKNOWN_ADVICE_KIND to nil" do
Advice.compare_advice_kinds(Advice::UNKNOWN_ADVICE_KIND, nil).should == 1
end
it "should return -1 when comparing nil to UNKNOWN_ADVICE_KIND" do
Advice.compare_advice_kinds(nil, Advice::UNKNOWN_ADVICE_KIND).should == -1
end
Advice::KINDS_IN_PRIORITY_ORDER.each do |kind|
it "should return 1 when comparing :#{kind} to UNKNOWN_ADVICE_KIND" do
Advice.compare_advice_kinds(kind, Advice::UNKNOWN_ADVICE_KIND).should == 1
end
end
Advice::KINDS_IN_PRIORITY_ORDER.each do |kind|
it "should return -1 when comparing UNKNOWN_ADVICE_KIND to :#{kind}" do
Advice.compare_advice_kinds(Advice::UNKNOWN_ADVICE_KIND, kind).should == -1
end
end
end
describe Advice, ".compare_advice_kinds between 'real' advice kinds" do
Advice::KINDS_IN_PRIORITY_ORDER.each do |kind1|
Advice::KINDS_IN_PRIORITY_ORDER.each do |kind2|
expected = Advice::KINDS_IN_PRIORITY_ORDER.index(kind1) <=> Advice::KINDS_IN_PRIORITY_ORDER.index(kind2)
it "should return #{expected} when comparing :#{kind1} to :#{kind2} (using priority order)" do
Advice.compare_advice_kinds(kind1, kind2).should == expected
end
end
end
end
describe AdviceChainNodeFactory, "#make_node" do
it "should raise if an unknown advice kind is specified" do
expect {AdviceChainNodeFactory.make_node :advice_kind => :foo}.to raise_error(Aquarium::Utils::InvalidOptions)
end
it "should return a node of the type corresponding to the input advice kind" do
AdviceChainNodeFactory.make_node(:advice_kind => :no).kind_of?(NoAdviceChainNode).should be_truthy
AdviceChainNodeFactory.make_node(:advice_kind => :none).kind_of?(NoAdviceChainNode).should be_truthy
AdviceChainNodeFactory.make_node(:advice_kind => :before).kind_of?(BeforeAdviceChainNode).should be_truthy
AdviceChainNodeFactory.make_node(:advice_kind => :after).kind_of?(AfterAdviceChainNode).should be_truthy
AdviceChainNodeFactory.make_node(:advice_kind => :after_raising).kind_of?(AfterRaisingAdviceChainNode).should be_truthy
AdviceChainNodeFactory.make_node(:advice_kind => :after_returning).kind_of?(AfterReturningAdviceChainNode).should be_truthy
AdviceChainNodeFactory.make_node(:advice_kind => :around).kind_of?(AroundAdviceChainNode).should be_truthy
end
end
| 26,079
|
https://github.com/aphenriques/atlas/blob/master/sample/clientSyncTemporaryRedirection/main.cpp
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
atlas
|
aphenriques
|
C++
|
Code
| 378
| 1,022
|
//
// clientSyncTemporaryRedirection/main.cpp
// atlas
//
// MIT License
//
// Copyright (c) 2021 André Pereira Henriques (aphenriques (at) outlook (dot) com)
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
#include <cstdlib>
#include <iostream>
#include <exception/Exception.hpp>
#include <atlas/client/sync/Connection.hpp>
#include <atlas/client/sync/SecureConnection.hpp>
#include <atlas/client/sync/temporaryRedirection.hpp>
#include <atlas/Url.hpp>
template<typename Connection, typename ...SslContextOrNothing>
void request(boost::asio::io_context &ioContext, const atlas::Url &url, SslContextOrNothing &...sslContextOrNothing) {
atlas::client::sync::Client<Connection> client(ioContext, url, sslContextOrNothing...);
boost::beast::http::request<boost::beast::http::string_body> request(boost::beast::http::verb::get, url.getTarget(), 11);
// HTTP 1.1 requires the Host field
// https://serverfault.com/a/163655
request.set(boost::beast::http::field::host, url.getHost());
const auto onShutdown = [] (boost::system::error_code errorCode) {
if (errorCode.value() != 0) {
std::cout << "shutdown error: " << errorCode.message() << std::endl;
}
};
std::cout << "request:\n" << request << "--\n"
<< "response:\n"
<< atlas::client::sync::temporaryRedirection::request(
ioContext,
client,
request,
5,
onShutdown,
sslContextOrNothing...
) << "--" << std::endl;
}
int main(int argc, char** argv) {
try {
if (argc == 2) {
boost::asio::io_context ioContext;
boost::asio::ssl::context sslContext(boost::asio::ssl::context::sslv23_client);
sslContext.set_verify_mode(boost::asio::ssl::verify_none);
const atlas::Url url(argv[1]);
if (url.getScheme() == "http") {
request<atlas::client::sync::Connection>(ioContext, url);
} else if (url.getScheme() == "https") {
request<atlas::client::sync::SecureConnection>(ioContext, url, sslContext);
} else {
throw exception::RuntimeException(__FILE__, __LINE__, __func__, "unexpected scheme: ", url.getScheme());
}
return EXIT_SUCCESS;
} else {
std::cerr << "usage: clientSyncTemporaryRedirection <url>" << std::endl;
return EXIT_FAILURE;
}
} catch (const std::exception &exception) {
std::cerr << "Error: " << exception.what() << std::endl;
return EXIT_FAILURE;
}
}
| 48,764
|
https://github.com/wjiec/packages/blob/master/python/xml_.py
|
Github Open Source
|
Open Source
|
MIT
| null |
packages
|
wjiec
|
Python
|
Code
| 58
| 230
|
#!/usr/bin/env python3
from xml.parsers.expat import ParserCreate
def startElementEvent(name, attrs):
print('Start Element Event', name, attrs)
def charDataEvent(text):
print(' Char Data Event', text)
def endElementEvent(name):
print('End Element Event', name)
xml = r'''<?xml version="1.0"?>
<languages count='2'>
<language description='true'>
<name>Python</name>
<description>Simple</description>
</language>
<language description='true'>
<name>C</name>
<description>Low-Level</description>
</language>
</languages>
'''
parser = ParserCreate()
parser.StartElementHandler = startElementEvent
parser.CharacterDataHandler = charDataEvent
parser.EndElementHandler = endElementEvent
parser.Parse(xml)
| 65
|
https://github.com/sixprime/machine_learning_course/blob/master/image_classification/app.py
|
Github Open Source
|
Open Source
|
Apache-2.0
| null |
machine_learning_course
|
sixprime
|
Python
|
Code
| 53
| 169
|
# coding=utf-8
from __future__ import division, print_function
from flask import Flask, render_template
from gevent.pywsgi import WSGIServer
# Define a flask app
app = Flask(__name__)
@app.route('/', methods=['GET'])
def index():
# Main page
return render_template('index.html')
if __name__ == '__main__':
print('App ready. Check http://127.0.0.1:5000/')
# Serve the app with gevent
http_server = WSGIServer(('0.0.0.0', 5000), app)
http_server.serve_forever()
| 33,489
|
https://github.com/ryoon/toHankakuKana-jscript/blob/master/wsh-test.js
|
Github Open Source
|
Open Source
|
BSD-3-Clause, BSD-2-Clause
| 2,018
|
toHankakuKana-jscript
|
ryoon
|
JavaScript
|
Code
| 1
| 90
|
WScript.Echo(toHankakuKana('笹アイウエオカキクケコサシスセソタチツテトナニヌネノハヒフヘホマミムメモヤユヨワヲンガギグゲゴザジズゼゾダヂヅデドパピプペポ'));
| 16,736
|
https://github.com/prepare/Ajcek_manufakturalibraries/blob/master/Manufaktura.Controls/Rendering/Strategies/RestRenderStrategy.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
Ajcek_manufakturalibraries
|
prepare
|
C#
|
Code
| 498
| 1,468
|
/*
* Copyright 2018 Manufaktura Programów Jacek Salamon http://musicengravingcontrols.com/
* MIT LICENCE
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.
*/
using Manufaktura.Controls.Model;
using Manufaktura.Controls.Model.Fonts;
using Manufaktura.Controls.Primitives;
using Manufaktura.Controls.Services;
using Manufaktura.Music.Model;
using System;
using System.Linq;
namespace Manufaktura.Controls.Rendering
{
/// <summary>
/// Strategy for rendering a Rest.
/// </summary>
public class RestRenderStrategy : MusicalSymbolRenderStrategy<Rest>
{
private readonly IMeasurementService measurementService;
/// <summary>
/// Initializes a new instance of RestRenderStrategy
/// </summary>
/// <param name="measurementService"></param>
/// <param name="scoreService"></param>
public RestRenderStrategy(IMeasurementService measurementService, IScoreService scoreService) : base(scoreService)
{
this.measurementService = measurementService;
}
/// <summary>
/// Renders a rest with specific score renderer
/// </summary>
/// <param name="element"></param>
/// <param name="renderer"></param>
public override void Render(Rest element, ScoreRendererBase renderer, FontProfile fontProfile)
{
var isOnlyElementInMeasure = element.Measure?.Elements?.OfType<NoteOrRest>().Count() == 1;
if (!renderer.Settings.IgnoreCustomElementPositions && element.DefaultXPosition.HasValue) //Jeśli ustalono default-x, to pozycjonuj wg default-x, a nie automatycznie
{
scoreService.CursorPositionX = measurementService.LastMeasurePositionX +
element.DefaultXPosition.Value * renderer.Settings.CustomElementPositionRatio;
}
else if (isOnlyElementInMeasure && (element.Measure?.Width.HasValue ?? false))
{
scoreService.CursorPositionX = measurementService.LastMeasurePositionX + (element.Measure.Width.Value / 2) * renderer.Settings.CustomElementPositionRatio;
}
if (scoreService.CurrentMeasure.FirstNoteInMeasureXPosition == 0) scoreService.CurrentMeasure.FirstNoteInMeasureXPosition = scoreService.CursorPositionX;
//If it's second voice, rewind position to the beginning of measure (but only if default-x is not set or is ignored):
if (element.Voice > scoreService.CurrentVoice && (renderer.Settings.IgnoreCustomElementPositions || !element.DefaultXPosition.HasValue))
{
scoreService.CursorPositionX = scoreService.CurrentMeasure.FirstNoteInMeasureXPosition;
measurementService.LastNoteInMeasureEndXPosition = measurementService.LastNoteEndXPosition;
}
scoreService.CurrentVoice = element.Voice;
double restPositionY = scoreService.CurrentLinePositions[0] +
(element.DefaultYPosition.HasValue ? renderer.TenthsToPixels(element.DefaultYPosition.Value) : renderer.LinespacesToPixels(2));
renderer.DrawCharacter(element.GetCharacter(fontProfile.MusicFont), MusicFontStyles.MusicFont, scoreService.CursorPositionX, restPositionY, element);
measurementService.LastNotePositionX = scoreService.CursorPositionX;
element.TextBlockLocation = new Point(scoreService.CursorPositionX, restPositionY);
//Draw number of measures for multimeasure rests / Rysuj ilość taktów dla pauz wielotaktowych:
if (element.MultiMeasure > 1)
{
renderer.DrawString(Convert.ToString(element.MultiMeasure), MusicFontStyles.DirectionFont, scoreService.CursorPositionX + 6, restPositionY, element);
}
//Draw dots / Rysuj kropki:
if (element.NumberOfDots > 0) scoreService.CursorPositionX += 16;
for (int i = 0; i < element.NumberOfDots; i++)
{
renderer.DrawCharacter(fontProfile.MusicFont.AugmentationDot, MusicFontStyles.MusicFont, scoreService.CursorPositionX, restPositionY, element);
scoreService.CursorPositionX += 6;
}
if (renderer.Settings.IgnoreCustomElementPositions || !element.DefaultXPosition.HasValue) //Pozycjonowanie automatyczne tylko, gdy nie określono default-x
{
if (element.Duration == RhythmicDuration.Whole) scoreService.CursorPositionX += 48;
else if (element.Duration == RhythmicDuration.Half) scoreService.CursorPositionX += 28;
else if (element.Duration == RhythmicDuration.Quarter) scoreService.CursorPositionX += 17;
else if (element.Duration == RhythmicDuration.Eighth) scoreService.CursorPositionX += 15;
else scoreService.CursorPositionX += 14;
}
measurementService.LastNoteEndXPosition = scoreService.CursorPositionX;
}
}
}
| 43,935
|
https://github.com/v4rden/Ange/blob/master/Ange.Application/ChatMessage/Queries/GetChatMessageList/GetChatMessageListQueryHandler.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
Ange
|
v4rden
|
C#
|
Code
| 101
| 410
|
namespace Ange.Application.ChatMessage.Queries.GetChatMessageList
{
using System;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using AutoMapper;
using AutoMapper.QueryableExtensions;
using Domain.Entities;
using Interfaces;
using MediatR;
using Microsoft.EntityFrameworkCore;
public class GetChatMessageListQueryHandler : IRequestHandler<GetChatMessageListQuery, ChatMessageListViewModel>
{
private readonly IAngeDbContext _context;
private readonly IMapper _mapper;
public GetChatMessageListQueryHandler(IAngeDbContext context, IMapper mapper)
{
_context = context;
_mapper = mapper;
}
public async Task<ChatMessageListViewModel> Handle(GetChatMessageListQuery request,
CancellationToken cancellationToken)
{
return new ChatMessageListViewModel
{
ChatMessages = await GetQuery(request)
.ProjectTo<ChatMessageLookupModel>(_mapper.ConfigurationProvider)
.ToListAsync(cancellationToken)
};
}
private IQueryable<ChatMessage> GetQuery(GetChatMessageListQuery request)
{
if (!string.IsNullOrEmpty(request.SubString))
{
return _context.ChatMessages.Where(m => m.MessageText.Contains(request.SubString));
}
if (request.RoomId != Guid.Empty)
{
return _context.ChatMessages.Where(m => m.RoomId == request.RoomId);
}
return _context.ChatMessages;
}
}
}
| 507
|
https://github.com/frankygregory/exp/blob/master/application/views/admin.php
|
Github Open Source
|
Open Source
|
MIT
| null |
exp
|
frankygregory
|
PHP
|
Code
| 53
| 238
|
<div id="page-wrapper">
<div class="container-fluid">
<div class="page-title"><?= $page_title ?></div>
<div class="content">
<?php
if ($this->session->flashdata("flash_message")) {
echo "<div class='flash-message'>";
echo $this->session->flashdata("flash_message");
echo "</div>";
}
?>
<form action="<?php echo base_url("admin/login_as"); ?>" method="POST">
<div class="form-item form-item-login-as">
<div class="form-item-label">Login sebagai : </div>
<input type="text" name="username_or_email" class="" placeholder="username / email" />
<button class="btn-default btn-login-as">Login</button>
</div>
</form>
</div>
</div>
</div>
| 8,764
|
https://github.com/Ultis/rawr/blob/master/Rawr.DPSDK/DKAbilities/AbilityDK.FrostStrike.cs
|
Github Open Source
|
Open Source
|
blessing, Apache-2.0, MIT
| 2,019
|
rawr
|
Ultis
|
C#
|
Code
| 304
| 993
|
using System;
using System.Collections.Generic;
using System.Text;
namespace Rawr.DK
{
/// <summary>
/// This class is the implmentation of the Frost Strike Ability based on the AbilityDK_Base class.
/// </summary>
class AbilityDK_FrostStrike : AbilityDK_Base
{
public AbilityDK_FrostStrike(CombatState CS)
{
this.CState = CS;
this.szName = "Frost Strike";
this.uBaseDamage = 0;
this.tDamageType = ItemDamageType.Frost;
this.bWeaponRequired = true;
this.fWeaponDamageModifier = 1.3f;
this.bTriggersGCD = true;
this.AbilityIndex = (int)DKability.FrostStrike;
UpdateCombatState(CS);
}
private int m_iToT = 0;
public override void UpdateCombatState(CombatState CS)
{
base.UpdateCombatState(CS);
this.wMH = CS.MH;
this.wOH = CS.OH;
this.AbilityCost[(int)DKCostTypes.RunicPower] = (40 - (CState.m_Talents.GlyphofFrostStrike ? 8 : 0));
}
/// <summary>
/// Get the average value between Max and Min damage
/// For DOTs damage is on a per-tick basis.
/// </summary>
override public uint uBaseDamage
{
get
{
m_iToT = CState.m_Talents.ThreatOfThassarian;
uint WDam = (uint)((277 + this.wMH.damage) * this.fWeaponDamageModifier);
// Off-hand damage is only effective if we have Threat of Thassaurian
// And only for specific strikes as defined by the talent.
float iToTMultiplier = 0;
if (m_iToT > 0 && null != this.wOH) // DW
{
if (m_iToT == 1)
iToTMultiplier = .30f;
if (m_iToT == 2)
iToTMultiplier = .60f;
if (m_iToT == 3)
iToTMultiplier = 1f;
}
if (this.wOH != null)
WDam += (uint)(this.wOH.damage * iToTMultiplier * this.fWeaponDamageModifier * (1 + (CState.m_Talents.NervesOfColdSteel * .25 / 3)));
return WDam;
}
}
public override float DamageMultiplierModifer
{
get
{
float DMM = base.DamageMultiplierModifer;
if (CState.m_Talents.MercilessCombat > 0)
DMM = DMM * (1 + ((CState.m_Talents.MercilessCombat * .06f) * .35f));
return DMM;
}
set
{
base.DamageMultiplierModifer = value;
}
}
public override float GetTotalDamage()
{
if (CState.m_Spec == Rotation.Type.Frost)
return base.GetTotalDamage();
else
return 0;
}
private float _BonusCritChance;
public override float CritChance
{
get
{
return Math.Min(1, base.CritChance + CState.m_Stats.BonusCritChanceFrostStrike + _BonusCritChance + (CState.m_Stats.b2T11_DPS ? .05f : 0));
}
}
public void SetKMCritChance(float value)
{
_BonusCritChance = value;
}
}
}
| 42,466
|
https://github.com/dangweijian/easy-generator/blob/master/src/main/java/com/dwj/generator/common/utils/ConvertUtil.java
|
Github Open Source
|
Open Source
|
Apache-2.0
| 2,021
|
easy-generator
|
dangweijian
|
Java
|
Code
| 142
| 584
|
package com.dwj.generator.common.utils;
import cn.hutool.core.util.StrUtil;
import java.util.regex.Matcher;
import java.util.regex.Pattern;
/**
* @author: dangweijian
* @description: 驼峰下划线处理工具
* @create: 2020-01-02 22:33
**/
public class ConvertUtil {
private static Pattern linePattern = Pattern.compile("_(\\w)");
/**
* 下划线转驼峰
*/
public static String lineToHump(String str) {
str = str.toLowerCase();
Matcher matcher = linePattern.matcher(str);
StringBuffer sb = new StringBuffer();
while (matcher.find()) {
matcher.appendReplacement(sb, matcher.group(1).toUpperCase());
}
matcher.appendTail(sb);
return sb.toString();
}
/**
* 驼峰转下划线(简单写法,效率低于{@link #humpToLine2(String)})
*/
public static String humpToLine(String str) {
return str.replaceAll("[A-Z]", "_$0").toLowerCase();
}
private static Pattern humpPattern = Pattern.compile("[A-Z]");
/**
* 驼峰转下划线,效率比上面高
*/
public static String humpToLine2(String str) {
Matcher matcher = humpPattern.matcher(str);
StringBuffer sb = new StringBuffer();
while (matcher.find()) {
matcher.appendReplacement(sb, "_" + matcher.group(0).toLowerCase());
}
matcher.appendTail(sb);
return sb.toString();
}
public static String lowerCaseFirstLetter(String str){
if(StrUtil.isNotBlank(str)){
str = str.trim();
String result = str.substring(0, 1).toLowerCase();
if(str.length() > 1){
result += str.substring(1);
}
return result;
}
return null;
}
}
| 47,020
|
https://github.com/riseshia/isucon9q/blob/master/webapp/frontend/src/components/TransactionComponent/index.tsx
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
isucon9q
|
riseshia
|
TypeScript
|
Code
| 4
| 9
|
export * from './TransactionComponent';
| 431
|
https://github.com/tosher/Mediawiker/blob/master/lib/browser_cookie3/__init__.py
|
Github Open Source
|
Open Source
|
MIT
| 2,023
|
Mediawiker
|
tosher
|
Python
|
Code
| 2,093
| 8,145
|
# *- coding: utf-8 -*-
__doc__ = 'Load browser cookies into a cookiejar'
import os
import sys
import time
import glob
import http.cookiejar
import tempfile
import configparser
import base64
import json
import platform
try:
# should use pysqlite2 to read the cookies.sqlite on Windows
# otherwise will raise the "sqlite3.DatabaseError: file is encrypted or is not a database" exception
from pysqlite2 import dbapi2 as sqlite3
except ImportError:
import sqlite3
import warnings
warnings.simplefilter("ignore", DeprecationWarning)
import shutil
# external libs
sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..')))
sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..', 'keyring.zip')))
sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..', 'pyaes.zip')))
# sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..', 'lz4.zip')))
import keyring
import pyaes
if platform.system() == 'Windows':
sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..', 'Crypto.win.x64')))
elif platform.system() == 'Darwin':
sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..', 'Crypto.osx.x64')))
keyring.core.set_keyring(keyring.core.load_keyring('keyring.backends.OS_X.Keyring'))
elif platform.system() == 'Linux':
sys.path.insert(0, os.path.normpath(os.path.join(os.path.abspath(os.path.dirname(__file__)), '..', 'Crypto.lin.x64')))
# NOTE: Used for Chrome class only
CRYPTO_AVAILABLE = False
try:
from Crypto.Cipher import AES
from Crypto.Protocol.KDF import PBKDF2
# import lz4.block
CRYPTO_AVAILABLE = True
except Exception:
pass
class TLDLazy(object):
# https://en.wikipedia.org/wiki/Second-level_domain
sld = [
"asn.au",
"com.au",
"net.au",
"id.au",
"org.au",
"edu.au",
"gov.au",
"csiro.au",
"act.au",
"nsw.au",
"nt.au",
"qld.au",
"sa.au",
"tas.au",
"vic.au",
"wa.au",
"co.at",
"or.at",
"priv.at",
"ac.at",
"gv.at",
"avocat.fr",
"aeroport.fr",
"veterinaire.fr",
"co.hu",
"film.hu",
"lakas.hu",
"ingatlan.hu",
"sport.hu",
"hotel.hu",
"nz",
"ac.nz",
"co.nz",
"geek.nz",
"gen.nz",
"kiwi.nz",
"maori.nz",
"net.nz",
"org.nz",
"school.nz",
"cri.nz",
"govt.nz",
"health.nz",
"iwi.nz",
"mil.nz",
"parliament.nz",
"ac.il",
"co.il",
"org.il",
"net.il",
"k12.il",
"gov.il",
"muni.il",
"idf.il",
"ac.za",
"gov.za",
"law.za",
"mil.za",
"nom.za",
"school.za",
"net.za",
"org.es",
"gob.es",
"nic.tr",
"co.uk",
"org.uk",
"me.uk",
"ltd.uk",
"plc.uk",
"net.uk",
"sch.uk",
"ac.uk",
"gov.uk",
"mod.uk",
"mil.uk",
"nhs.uk",
"police.uk"
"conf.au",
"info.au",
"otc.au",
"telememo.au",
"ab.ca",
"bc.ca",
"mb.ca",
"nb.ca",
"nf.ca",
"nl.ca",
"ns.ca",
"nt.ca",
"nu.ca",
"on.ca",
"pe.ca",
"qc.ca",
"sk.ca",
"yk.ca",
"tm.fr",
"com.fr",
"asso.fr",
"co.nl",
"ac.yu",
"co.yu",
"org.yu",
"cg.yu",
"co.tv "
]
def get_tld_domain(self, domain_name):
# only prev level
_parts = domain_name.split('.')
_tld = '.'.join(_parts[1:])
return _tld if _tld not in self.sld else domain_name
class BrowserCookieError(Exception):
pass
def create_local_copy(cookie_file, copy_path=None):
"""Make a local copy of the sqlite cookie database and return the new filename.
This is necessary in case this database is still being written to while the user browses
to avoid sqlite locking errors.
"""
if copy_path is not None and os.path.exists(copy_path):
cookie_tmp = os.path.join(copy_path, '__mediawiker_tmp.sqlite')
if os.path.exists(cookie_file):
shutil.copy2(cookie_file, cookie_tmp)
else:
raise BrowserCookieError('Can not find cookie file at: ' + cookie_file)
# .sqlite-shm not needed
# cookie_file_shm = cookie_file.replace('.sqlite', '.sqlite-shm')
# cookie_tmp_shm = os.path.join(copy_path, '__mediawiker_tmp.sqlite-shm')
# if os.path.exists(cookie_file_shm):
# shutil.copy2(cookie_file_shm, cookie_tmp_shm)
cookie_file_wal = cookie_file.replace('.sqlite', '.sqlite-wal')
cookie_tmp_wal = os.path.join(copy_path, '__mediawiker_tmp.sqlite-wal')
if os.path.exists(cookie_file_wal):
shutil.copy2(cookie_file_wal, cookie_tmp_wal)
# yield cookie_tmp
return cookie_tmp
# wal and shm will be deleted automatically after db disconnect
# os.remove(cookie_tmp)
# check if cookie file exists
elif os.path.exists(cookie_file):
# copy to random name in tmp folder
tmp_cookie_file = tempfile.NamedTemporaryFile(suffix='.sqlite').name
open(tmp_cookie_file, 'wb').write(open(cookie_file, 'rb').read())
return tmp_cookie_file
else:
raise BrowserCookieError('Can not find cookie file at: ' + cookie_file)
def windows_group_policy_path():
# we know that we're running under windows at this point so it's safe to do these imports
from winreg import ConnectRegistry, HKEY_LOCAL_MACHINE, OpenKeyEx, QueryValueEx, REG_EXPAND_SZ, REG_SZ
try:
root = ConnectRegistry(None, HKEY_LOCAL_MACHINE)
policy_key = OpenKeyEx(root, r"SOFTWARE\Policies\Google\Chrome")
user_data_dir, type_ = QueryValueEx(policy_key, "UserDataDir")
if type_ == REG_EXPAND_SZ:
user_data_dir = os.path.expandvars(user_data_dir)
elif type_ != REG_SZ:
return None
except OSError:
return None
return os.path.join(user_data_dir, "Default", "Cookies")
# Code adapted slightly from https://github.com/Arnie97/chrome-cookies
def crypt_unprotect_data(
cipher_text=b'', entropy=b'', reserved=None, prompt_struct=None, is_key=False
):
# we know that we're running under windows at this point so it's safe to try these imports
import ctypes
import ctypes.wintypes
class DataBlob(ctypes.Structure):
_fields_ = [
('cbData', ctypes.wintypes.DWORD),
('pbData', ctypes.POINTER(ctypes.c_char))
]
blob_in, blob_entropy, blob_out = map(
lambda x: DataBlob(len(x), ctypes.create_string_buffer(x)),
[cipher_text, entropy, b'']
)
desc = ctypes.c_wchar_p()
CRYPTPROTECT_UI_FORBIDDEN = 0x01
if not ctypes.windll.crypt32.CryptUnprotectData(
ctypes.byref(blob_in), ctypes.byref(
desc), ctypes.byref(blob_entropy),
reserved, prompt_struct, CRYPTPROTECT_UI_FORBIDDEN, ctypes.byref(
blob_out)
):
raise RuntimeError('Failed to decrypt the cipher text with DPAPI')
description = desc.value
buffer_out = ctypes.create_string_buffer(int(blob_out.cbData))
ctypes.memmove(buffer_out, blob_out.pbData, blob_out.cbData)
map(ctypes.windll.kernel32.LocalFree, [desc, blob_out.pbData])
if is_key:
return description, buffer_out.raw
else:
return description, buffer_out.value
def get_linux_pass(browser="Chrome"):
# Try to get pass from Gnome / libsecret if it seems available
# https://github.com/n8henrie/pycookiecheat/issues/12
my_pass = None
try:
import gi
gi.require_version("Secret", "1")
from gi.repository import Secret
except (ImportError, AttributeError):
pass
else:
flags = Secret.ServiceFlags.LOAD_COLLECTIONS
service = Secret.Service.get_sync(flags)
gnome_keyring = service.get_collections()
unlocked_keyrings = service.unlock_sync(gnome_keyring).unlocked
keyring_name = "{} Safe Storage".format(browser.capitalize())
for unlocked_keyring in unlocked_keyrings:
for item in unlocked_keyring.get_items():
if item.get_label() == keyring_name:
item.load_secret_sync()
my_pass = item.get_secret().get_text()
break
else:
# Inner loop didn't `break`, keep looking
continue
# Inner loop did `break`, so `break` outer loop
break
# Try to get pass from keyring, which should support KDE / KWallet
# if dbus-python is installed.
if not my_pass:
try:
my_pass = keyring.get_password(
"{} Keys".format(browser), "{} Safe Storage".format(browser)
)
except RuntimeError:
pass
if my_pass:
return my_pass
else:
return "peanuts"
class Chrome(object):
cols_before_55 = 'host_key, path, secure, expires_utc, name, value, encrypted_value'
cols_after_55 = 'host_key, path, is_secure, expires_utc, name, value, encrypted_value'
SQLREQ_FULL = "SELECT {cols} FROM cookies"
SQLREQ_DOMAIN = "SELECT {cols} FROM cookies WHERE host_key like ?"
def __init__(self, cookie_file=None, domain_name=""):
self.salt = b'saltysalt'
self.iv = b' ' * 16
self.length = 16
# domain name to filter cookies by
# self.domain_name = domain_name
self.domain_name = TLDLazy().get_tld_domain(domain_name) if domain_name else None
if sys.platform == 'darwin':
# running Chrome on OSX
my_pass = keyring.get_password('Chrome Safe Storage', 'Chrome').encode('utf8') # get key from keyring
iterations = 1003 # number of pbkdf2 iterations on mac
# self.key = PBKDF2(my_pass, self.salt, iterations=iterations).read(self.length)
self.key = PBKDF2(my_pass, self.salt, count=iterations, dkLen=self.length)
cookie_file = cookie_file or os.path.expanduser('~/Library/Application Support/Google/Chrome/Default/Cookies')
elif sys.platform.startswith('linux'):
# running Chrome on Linux
# chrome linux is encrypted with the key peanuts
my_pass = get_linux_pass().encode('utf8')
iterations = 1
self.key = PBKDF2(my_pass, self.salt, count=iterations, dkLen=self.length)
paths = map(os.path.expanduser, [
'~/.config/google-chrome/Default/Cookies',
'~/.config/chromium/Default/Cookies',
'~/.config/google-chrome-beta/Default/Cookies'
])
cookie_file = cookie_file or next(
filter(os.path.exists, paths), None)
elif sys.platform == "win32":
# Read key from file
key_file = (
glob.glob(os.path.join(os.getenv('APPDATA', ''), r'..\Local\Google\Chrome\User Data\Local State'))
or glob.glob(os.path.join(os.getenv('LOCALAPPDATA', ''), r'Google\Chrome\User Data\Local State'))
or glob.glob(os.path.join(os.getenv('APPDATA', ''), r'Google\Chrome\User Data\Local State'))
)
if isinstance(key_file, list):
if key_file:
key_file = key_file[0]
if key_file:
# f = open(key_file, 'rb')
# key_file_json = json.load(f)
key_file_json = json.loads(open(key_file, 'rb').read().decode())
key64 = key_file_json['os_crypt']['encrypted_key'].encode('utf-8')
# Decode Key, get rid of DPAPI prefix, unprotect data
keydpapi = base64.standard_b64decode(key64)[5:]
_, self.key = crypt_unprotect_data(keydpapi, is_key=True)
# get cookie file from APPDATA
# Note: in windows the \\ is required before a u to stop unicode errors
cookie_file = (
cookie_file
or windows_group_policy_path()
or glob.glob(os.path.join(os.getenv('APPDATA', ''), r'..\Local\Google\Chrome\User Data\Default\Cookies'))
or glob.glob(os.path.join(os.getenv('LOCALAPPDATA', ''), r'Google\Chrome\User Data\Default\Cookies'))
or glob.glob(os.path.join(os.getenv('APPDATA', ''), r'Google\Chrome\User Data\Default\Cookies'))
)
else:
raise BrowserCookieError("OS not recognized. Works on Chrome for OSX, Windows, and Linux.")
# if the type of cookie_file is list, use the first element in the list
if isinstance(cookie_file, list):
if not cookie_file:
raise BrowserCookieError('Failed to find Chrome cookie')
cookie_file = cookie_file[0]
self.tmp_cookie_file = create_local_copy(cookie_file)
def __del__(self):
# remove temporary backup of sqlite cookie database
if hasattr(self, 'tmp_cookie_file'): # if there was an error till here
os.remove(self.tmp_cookie_file)
def __str__(self):
return 'chrome'
def load(self):
"""Load sqlite cookies into a cookiejar
"""
con = sqlite3.connect(self.tmp_cookie_file)
con.text_factory = bytes # get all columns as bytes
cur = con.cursor()
_query = self.SQLREQ_DOMAIN if self.domain_name else self.SQLREQ_FULL
try:
_request = [_query.format(cols=self.cols_after_55)]
if self.domain_name:
_request.append(('%{}'.format(self.domain_name),))
# chrome >=56
cur.execute(*tuple(_request))
except sqlite3.OperationalError:
# chrome <=55
_request = [_query.format(cols=self.cols_before_55)]
if self.domain_name:
_request.append(('%{}'.format(self.domain_name),))
cur.execute(*tuple(_request))
cj = http.cookiejar.CookieJar()
# epoch_start = datetime.datetime(1601, 1, 1)
for item in cur.fetchall():
host, path, secure, expires, name = item[:5]
# FIXME: OverflowError: timestamp out of range
# if item[3] != 0:
# # ensure dates don't exceed the datetime limit of year 10000
# try:
# offset = min(int(item[3]), 265000000000000000)
# delta = datetime.timedelta(microseconds=offset)
# expires = epoch_start + delta
# expires = expires.timestamp()
# # Windows 7 has a further constraint
# except OSError:
# offset = min(int(item[3]), 32536799999000000)
# delta = datetime.timedelta(microseconds=offset)
# expires = epoch_start + delta
# expires = expires.timestamp()
expires = str(int(time.time()) + 3600 * 24 * 7)
# value = self._decrypt(item[5], item[6].encode('utf-8'))
value = self._decrypt(item[5], item[6])
c = create_cookie(host.decode('utf-8'), path.decode('utf-8'), secure, expires, name.decode('utf-8'), value)
cj.set_cookie(c)
con.close()
return cj
@staticmethod
def _decrypt_windows_chrome(value, encrypted_value):
if len(value) != 0:
return value
if encrypted_value == "":
return ""
_, data = crypt_unprotect_data(encrypted_value)
assert isinstance(data, bytes)
return data.decode()
def _decrypt(self, value, encrypted_value):
"""Decrypt encoded cookies
"""
if sys.platform == 'win32':
try:
return self._decrypt_windows_chrome(value, encrypted_value)
# Fix for change in Chrome 80
except RuntimeError as e: # Failed to decrypt the cipher text with DPAPI
if not self.key:
raise RuntimeError('Failed to decrypt the cipher text with DPAPI and no AES key: {}'.format(e))
# Encrypted cookies should be prefixed with 'v10' according to the
# Chromium code. Strip it off.
encrypted_value = encrypted_value[3:]
nonce, tag = encrypted_value[:12], encrypted_value[-16:]
aes = AES.new(self.key, AES.MODE_GCM, nonce=nonce)
data = aes.decrypt_and_verify(encrypted_value[12:-16], tag)
return data.decode()
if value or (encrypted_value[:3] not in [b'v11', b'v10']):
return value
# Encrypted cookies should be prefixed with 'v10' according to the
# Chromium code. Strip it off.
encrypted_value = encrypted_value[3:]
encrypted_value_half_len = int(len(encrypted_value) / 2)
# NOTE: Error: "invalid padding byte"
# run chrome with basic pass storage
# google-chrome --password-store=basic
# https://github.com/borisbabic/browser_cookie3/issues/16
# "The issue may be that chrome is using the keystore from the DE (desktop environment).
# This package doesn't yet support using those keystores."
cipher = pyaes.Decrypter(
pyaes.AESModeOfOperationCBC(self.key, self.iv))
decrypted = cipher.feed(encrypted_value[:encrypted_value_half_len])
decrypted += cipher.feed(encrypted_value[encrypted_value_half_len:])
decrypted += cipher.feed()
return decrypted.decode("utf-8")
class Firefox(object):
SQLREQ_FULL = "SELECT host, path, isSecure, expiry, name, value FROM moz_cookies"
SQLREQ_DOMAIN = "SELECT host, path, isSecure, expiry, name, value FROM moz_cookies WHERE host like ?"
def __init__(self, cookie_file=None, domain_name="", copy_path=None):
self.tmp_cookie_file = None
cookie_file = cookie_file or self.find_cookie_file()
self.tmp_cookie_file = create_local_copy(cookie_file, copy_path)
# current sessions are saved in sessionstore.js
self.session_file = os.path.join(
os.path.dirname(cookie_file), 'sessionstore.js')
self.session_file_lz4 = os.path.join(os.path.dirname(
cookie_file), 'sessionstore-backups', 'recovery.jsonlz4')
# domain name to filter cookies by
# self.domain_name = domain_name
self.domain_name = TLDLazy().get_tld_domain(domain_name) if domain_name else None
def __del__(self):
# remove temporary backup of sqlite cookie database
if self.tmp_cookie_file:
os.remove(self.tmp_cookie_file)
def __str__(self):
return 'firefox'
@staticmethod
def get_default_profile(user_data_path):
config = configparser.ConfigParser()
profiles_ini_path = glob.glob(os.path.join(user_data_path + '**', 'profiles.ini'))
fallback_path = user_data_path + '**'
if not profiles_ini_path:
return fallback_path
profiles_ini_path = profiles_ini_path[0]
config.read(profiles_ini_path)
profile_path = None
for section in config.sections():
if section.startswith('Install'):
profile_path = config[section].get('Default')
break
# in ff 72.0.1, if both an Install section and one with Default=1 are present, the former takes precedence
elif config[section].get('Default') == '1' and not profile_path:
profile_path = config[section].get('Path')
for section in config.sections():
# the Install section has no relative/absolute info, so check the profiles
if config[section].get('Path') == profile_path:
absolute = config[section].get('IsRelative') == '0'
return profile_path if absolute else os.path.join(os.path.dirname(profiles_ini_path), profile_path)
return fallback_path
@staticmethod
def find_cookie_file():
cookie_files = []
if sys.platform == 'darwin':
user_data_path = os.path.expanduser('~/Library/Application Support/Firefox')
elif sys.platform.startswith('linux'):
user_data_path = os.path.expanduser('~/.mozilla/firefox')
elif sys.platform == 'win32':
user_data_path = os.path.join(os.environ.get('APPDATA'), 'Mozilla', 'Firefox')
# legacy firefox <68 fallback
# C:\\Users\\[USERNAME]\\AppData\\Roaming\\Mozilla\\Firefox\\Profiles\\[PROFILE FOLDER]\\cookies.sqlite
cookie_files = (
glob.glob(os.path.join(os.environ.get('PROGRAMFILES'), 'Mozilla Firefox', 'profile', 'cookies.sqlite'))
or glob.glob(os.path.join(os.environ.get('PROGRAMFILES(X86)'), 'Mozilla Firefox', 'profile', 'cookies.sqlite'))
)
else:
raise BrowserCookieError('Unsupported operating system: {}'.format(sys.platform))
cookie_files = (
glob.glob(os.path.join(Firefox.get_default_profile(user_data_path), 'cookies.sqlite'))
or cookie_files
)
if cookie_files:
return cookie_files[0]
else:
raise BrowserCookieError('Failed to find Firefox cookie')
@staticmethod
def __create_session_cookie(cookie_json):
expires = str(int(time.time()) + 3600 * 24 * 7)
return create_cookie(cookie_json.get('host', ''), cookie_json.get('path', ''), False, expires,
cookie_json.get('name', ''), cookie_json.get('value', ''))
def __add_session_cookies(self, cj):
if not os.path.exists(self.session_file):
return
try:
json_data = json.loads(
open(self.session_file, 'rb').read().decode())
except ValueError as e:
print('Error parsing firefox session JSON:', str(e))
else:
for window in json_data.get('windows', []):
for cookie in window.get('cookies', []):
if not self.domain_name or cookie.get('host', '').endswith(self.domain_name):
cj.set_cookie(Firefox.__create_session_cookie(cookie))
for cookie in json_data.get('cookies', []):
if not self.domain_name or cookie.get('host', '').endswith(self.domain_name):
cj.set_cookie(Firefox.__create_session_cookie(cookie))
# TODO: build lz4 deps
# def __add_session_cookies_lz4(self, cj):
# if not os.path.exists(self.session_file_lz4):
# return
# try:
# file_obj = open(self.session_file_lz4, 'rb')
# file_obj.read(8)
# json_data = json.loads(lz4.block.decompress(file_obj.read()))
# except ValueError as e:
# print('Error parsing firefox session JSON LZ4:', str(e))
# else:
# for cookie in json_data.get('cookies', []):
# cj.set_cookie(Firefox.__create_session_cookie(cookie))
def load(self):
con = sqlite3.connect(self.tmp_cookie_file)
cur = con.cursor()
# cur.execute('select host, path, isSecure, expiry, name, value from moz_cookies '
# 'where host like "%{}%"'.format(self.domain_name))
_request = [self.SQLREQ_DOMAIN if self.domain_name else self.SQLREQ_FULL]
if self.domain_name:
_request.append(('%{}'.format(self.domain_name),))
cur.execute(*tuple(_request))
cj = http.cookiejar.CookieJar()
for item in cur.fetchall():
c = create_cookie(*item)
cj.set_cookie(c)
con.close()
self.__add_session_cookies(cj)
# self.__add_session_cookies_lz4(cj)
return cj
def create_cookie(host, path, secure, expires, name, value):
"""Shortcut function to create a cookie
"""
return http.cookiejar.Cookie(0, name, value, None, False, host, host.startswith('.'), host.startswith('.'), path,
True, secure, expires, False, None, None, {})
def chrome(cookie_file=None, domain_name=""):
"""Returns a cookiejar of the cookies used by Chrome. Optionally pass in a
domain name to only load cookies from the specified domain
"""
if not CRYPTO_AVAILABLE:
print('Unable to process Chrome cookies, Crypto library not available')
return
return Chrome(cookie_file, domain_name).load()
def firefox(cookie_file=None, domain_name="", copy_path=None):
"""Returns a cookiejar of the cookies and sessions used by Firefox. Optionally
pass in a domain name to only load cookies from the specified domain
"""
return Firefox(cookie_file, domain_name, copy_path).load()
def load(domain_name=""):
"""Try to load cookies from all supported browsers and return combined cookiejar
Optionally pass in a domain name to only load cookies from the specified domain
"""
cj = http.cookiejar.CookieJar()
for cookie_fn in [chrome, firefox]:
try:
for cookie in cookie_fn(domain_name=domain_name):
cj.set_cookie(cookie)
except BrowserCookieError:
pass
return cj
if __name__ == '__main__':
print(load())
| 8,949
|
https://github.com/tamarakatic/CrewServiceFabric/blob/master/Crew/Crew.WebService/OwinComunicationListener.cs
|
Github Open Source
|
Open Source
|
MIT
| 2,017
|
CrewServiceFabric
|
tamarakatic
|
C#
|
Code
| 145
| 566
|
using System;
using System.Fabric;
using System.Globalization;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.Owin.Hosting;
using Microsoft.ServiceFabric.Services.Communication.Runtime;
namespace Crew.WebService
{
internal class OwinComunicationListener : ICommunicationListener
{
private readonly IOwinAppBuilder _company;
private readonly string _appRoot;
private readonly StatelessServiceContext _parametars;
private string _listeningAdress;
private IDisposable _serverHandle;
public OwinComunicationListener(string appRoot,
IOwinAppBuilder company,
StatelessServiceContext parametars)
{
_company = company;
_appRoot = appRoot;
_parametars = parametars;
}
public Task<string> OpenAsync(CancellationToken cancellationToken)
{
var serviceEndpoint =
_parametars
.CodePackageActivationContext
.GetEndpoint("ServiceEndpoint");
var port = serviceEndpoint.Port;
var root = String.IsNullOrWhiteSpace(_appRoot)
? String.Empty
: _appRoot.TrimEnd('/') + '/';
_listeningAdress = String.Format(CultureInfo.InvariantCulture,
"http://+:{0}/{1}",
port,
root);
_serverHandle = WebApp.Start(
_listeningAdress,
appBuilder => _company.Configuration(appBuilder));
var publishAdress = _listeningAdress.Replace(
"+",
FabricRuntime.GetNodeContext().IPAddressOrFQDN);
ServiceEventSource.Current.Message("Listening on {0}", publishAdress);
return Task.FromResult(publishAdress);
}
public Task CloseAsync(CancellationToken cancellationToken)
{
StopWebServer();
return Task.FromResult(true);
}
public void Abort()
{
StopWebServer();
}
private void StopWebServer()
{
if (_serverHandle == null)
return;
try
{
_serverHandle.Dispose();
}
catch (ObjectDisposedException) { }
}
}
}
| 120
|
https://github.com/JoshKarpel/quandary/blob/master/setup.py
|
Github Open Source
|
Open Source
|
MIT
| 2,017
|
quandary
|
JoshKarpel
|
Python
|
Code
| 88
| 237
|
from setuptools import setup, find_packages
import os
THIS_DIR = os.path.abspath(os.path.dirname(__file__))
setup(
name = 'quandary',
version = '0.1.2',
author = 'Josh Karpel',
author_email = 'josh.karpel@gmail.com',
license = '',
description = 'A truly terrible switch/case statement for Python.',
long_description = '',
url = 'https://github.com/JoshKarpel/quandary',
classifiers = [
'Development Status :: 2 - Pre-Alpha',
'Natural Language :: English',
'Programming Language :: Python :: 3 :: Only',
'Programming Language :: Python :: 3.6',
'Operating System :: Microsoft :: Windows',
'Operating System :: POSIX',
],
packages = find_packages('src'),
package_dir = {'': 'src'},
)
| 18,490
|
https://github.com/uruzahe/carla/blob/master/Co-Simulation/Sumo/sumo-1.7.0/src/traci-server/TraCIServerAPI_Edge.cpp
|
Github Open Source
|
Open Source
|
MIT
| null |
carla
|
uruzahe
|
C++
|
Code
| 951
| 3,568
|
/****************************************************************************/
// Eclipse SUMO, Simulation of Urban MObility; see https://eclipse.org/sumo
// Copyright (C) 2002-2020 German Aerospace Center (DLR) and others.
// This program and the accompanying materials are made available under the
// terms of the Eclipse Public License 2.0 which is available at
// https://www.eclipse.org/legal/epl-2.0/
// This Source Code may also be made available under the following Secondary
// Licenses when the conditions for such availability set forth in the Eclipse
// Public License 2.0 are satisfied: GNU General Public License, version 2
// or later which is available at
// https://www.gnu.org/licenses/old-licenses/gpl-2.0-standalone.html
// SPDX-License-Identifier: EPL-2.0 OR GPL-2.0-or-later
/****************************************************************************/
/// @file TraCIServerAPI_Edge.cpp
/// @author Daniel Krajzewicz
/// @author Jakob Erdmann
/// @author Jerome Haerri
/// @author Michael Behrisch
/// @author Laura Bieker
/// @author Mario Krumnow
/// @author Gregor Laemmel
/// @date Sept 2002
///
// APIs for getting/setting edge values via TraCI
/****************************************************************************/
#include <config.h>
#include <utils/common/StdDefs.h>
#include <microsim/MSNet.h>
#include <microsim/MSEdgeControl.h>
#include <microsim/MSEdge.h>
#include <microsim/MSLane.h>
#include <microsim/MSVehicle.h>
#include <microsim/transportables/MSPerson.h>
#include <libsumo/TraCIConstants.h>
#include "TraCIServerAPI_Edge.h"
#include <microsim/MSEdgeWeightsStorage.h>
#include <utils/emissions/HelpersHarmonoise.h>
#include <libsumo/Edge.h>
// ===========================================================================
// method definitions
// ===========================================================================
bool
TraCIServerAPI_Edge::processGet(TraCIServer& server, tcpip::Storage& inputStorage,
tcpip::Storage& outputStorage) {
const int variable = inputStorage.readUnsignedByte();
const std::string id = inputStorage.readString();
server.initWrapper(libsumo::RESPONSE_GET_EDGE_VARIABLE, variable, id);
try {
if (!libsumo::Edge::handleVariable(id, variable, &server)) {
switch (variable) {
case libsumo::VAR_EDGE_TRAVELTIME: {
double time = 0.;
if (!server.readTypeCheckingDouble(inputStorage, time)) {
return server.writeErrorStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE,
"The message must contain the time definition.", outputStorage);
}
server.getWrapperStorage().writeUnsignedByte(libsumo::TYPE_DOUBLE);
server.getWrapperStorage().writeDouble(libsumo::Edge::getAdaptedTraveltime(id, time));
break;
}
case libsumo::VAR_EDGE_EFFORT: {
double time = 0.;
if (!server.readTypeCheckingDouble(inputStorage, time)) {
return server.writeErrorStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE,
"The message must contain the time definition.", outputStorage);
}
server.getWrapperStorage().writeUnsignedByte(libsumo::TYPE_DOUBLE);
server.getWrapperStorage().writeDouble(libsumo::Edge::getEffort(id, time));
break;
}
case libsumo::VAR_PARAMETER: {
std::string paramName;
if (!server.readTypeCheckingString(inputStorage, paramName)) {
return server.writeErrorStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE,
"Retrieval of a parameter requires its name.",
outputStorage);
}
server.getWrapperStorage().writeUnsignedByte(libsumo::TYPE_STRING);
server.getWrapperStorage().writeString(libsumo::Edge::getParameter(id, paramName));
break;
}
case libsumo::VAR_PARAMETER_WITH_KEY: {
std::string paramName;
if (!server.readTypeCheckingString(inputStorage, paramName)) {
return server.writeErrorStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE,
"Retrieval of a parameter requires its name.",
outputStorage);
}
server.getWrapperStorage().writeUnsignedByte(libsumo::TYPE_COMPOUND);
server.getWrapperStorage().writeInt(2); /// length
server.getWrapperStorage().writeUnsignedByte(libsumo::TYPE_STRING);
server.getWrapperStorage().writeString(paramName);
server.getWrapperStorage().writeUnsignedByte(libsumo::TYPE_STRING);
server.getWrapperStorage().writeString(libsumo::Edge::getParameter(id, paramName));
break;
}
default:
return server.writeErrorStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE,
"Get Edge Variable: unsupported variable " + toHex(variable, 2)
+ " specified", outputStorage);
}
}
} catch (libsumo::TraCIException& e) {
return server.writeErrorStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE, e.what(), outputStorage);
}
server.writeStatusCmd(libsumo::CMD_GET_EDGE_VARIABLE, libsumo::RTYPE_OK, "", outputStorage);
server.writeResponseWithLength(outputStorage, server.getWrapperStorage());
return true;
}
bool
TraCIServerAPI_Edge::processSet(TraCIServer& server, tcpip::Storage& inputStorage,
tcpip::Storage& outputStorage) {
std::string warning; // additional description for response
// variable
int variable = inputStorage.readUnsignedByte();
if (variable != libsumo::VAR_EDGE_TRAVELTIME && variable != libsumo::VAR_EDGE_EFFORT && variable != libsumo::VAR_MAXSPEED
&& variable != libsumo::VAR_PARAMETER) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Change Edge State: unsupported variable " + toHex(variable, 2)
+ " specified", outputStorage);
}
// id
std::string id = inputStorage.readString();
try {
// process
switch (variable) {
case libsumo::LANE_ALLOWED: {
// read and set allowed vehicle classes
std::vector<std::string> classes;
if (!server.readTypeCheckingStringList(inputStorage, classes)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Allowed vehicle classes must be given as a list of strings.",
outputStorage);
}
libsumo::Edge::setAllowedVehicleClasses(id, classes);
break;
}
case libsumo::LANE_DISALLOWED: {
// read and set disallowed vehicle classes
std::vector<std::string> classes;
if (!server.readTypeCheckingStringList(inputStorage, classes)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Not allowed vehicle classes must be given as a list of strings.",
outputStorage);
}
libsumo::Edge::setDisallowedVehicleClasses(id, classes);
break;
}
case libsumo::VAR_EDGE_TRAVELTIME: {
// read and set travel time
if (inputStorage.readUnsignedByte() != libsumo::TYPE_COMPOUND) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Setting travel time requires a compound object.", outputStorage);
}
const int parameterCount = inputStorage.readInt();
if (parameterCount == 3) {
// bound by time
double begTime = 0., endTime = 0., value = 0.;
if (!server.readTypeCheckingDouble(inputStorage, begTime)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The first variable must be the begin time given as double.",
outputStorage);
}
if (!server.readTypeCheckingDouble(inputStorage, endTime)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The second variable must be the end time given as double.",
outputStorage);
}
if (!server.readTypeCheckingDouble(inputStorage, value)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The third variable must be the value given as double",
outputStorage);
}
libsumo::Edge::adaptTraveltime(id, value, begTime, endTime);
} else if (parameterCount == 1) {
// unbound
double value = 0;
if (!server.readTypeCheckingDouble(inputStorage, value)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The variable must be the value given as double", outputStorage);
}
libsumo::Edge::adaptTraveltime(id, value, 0., std::numeric_limits<double>::max());
} else {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Setting travel time requires either begin time, end time, and value, or only value as parameter.",
outputStorage);
}
break;
}
case libsumo::VAR_EDGE_EFFORT: {
// read and set effort
if (inputStorage.readUnsignedByte() != libsumo::TYPE_COMPOUND) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Setting effort requires a compound object.",
outputStorage);
}
const int parameterCount = inputStorage.readInt();
if (parameterCount == 3) {
// bound by time
double begTime = 0., endTime = 0., value = 0.;
if (!server.readTypeCheckingDouble(inputStorage, begTime)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The first variable must be the begin time given as double.",
outputStorage);
}
if (!server.readTypeCheckingDouble(inputStorage, endTime)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The second variable must be the end time given as double.",
outputStorage);
}
if (!server.readTypeCheckingDouble(inputStorage, value)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The third variable must be the value given as double",
outputStorage);
}
libsumo::Edge::setEffort(id, value, begTime, endTime);
} else if (parameterCount == 1) {
// unbound
double value = 0.;
if (!server.readTypeCheckingDouble(inputStorage, value)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The variable must be the value given as double", outputStorage);
}
libsumo::Edge::setEffort(id, value, 0., std::numeric_limits<double>::max());
} else {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"Setting effort requires either begin time, end time, and value, or only value as parameter.",
outputStorage);
}
break;
}
case libsumo::VAR_MAXSPEED: {
// read and set max. speed
double value = 0.;
if (!server.readTypeCheckingDouble(inputStorage, value)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE, "The speed must be given as a double.",
outputStorage);
}
libsumo::Edge::setMaxSpeed(id, value);
break;
}
case libsumo::VAR_PARAMETER: {
if (inputStorage.readUnsignedByte() != libsumo::TYPE_COMPOUND) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"A compound object is needed for setting a parameter.",
outputStorage);
}
//readt itemNo
inputStorage.readInt();
std::string name;
if (!server.readTypeCheckingString(inputStorage, name)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The name of the parameter must be given as a string.",
outputStorage);
}
std::string value;
if (!server.readTypeCheckingString(inputStorage, value)) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE,
"The value of the parameter must be given as a string.",
outputStorage);
}
libsumo::Edge::setParameter(id, name, value);
break;
}
default:
break;
}
} catch (libsumo::TraCIException& e) {
return server.writeErrorStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE, e.what(), outputStorage);
}
server.writeStatusCmd(libsumo::CMD_SET_EDGE_VARIABLE, libsumo::RTYPE_OK, warning, outputStorage);
return true;
}
/****************************************************************************/
| 39,542
|
https://github.com/godartg/CookingClass/blob/master/core/src/com/bees/game/Presentacion/MenuScreen.java
|
Github Open Source
|
Open Source
|
MIT
| null |
CookingClass
|
godartg
|
Java
|
Code
| 176
| 886
|
package com.bees.game.presentacion;
import com.badlogic.gdx.Gdx;
import com.badlogic.gdx.graphics.Texture;
import com.badlogic.gdx.scenes.scene2d.InputEvent;
import com.badlogic.gdx.scenes.scene2d.InputListener;
import com.badlogic.gdx.scenes.scene2d.ui.Image;
import com.badlogic.gdx.scenes.scene2d.ui.ImageButton;
import com.badlogic.gdx.scenes.scene2d.ui.Skin;
import com.badlogic.gdx.scenes.scene2d.ui.TextButton;
import com.bees.game.assets.MenuAssets;
import com.bees.game.utils.ScreenEnum;
import com.bees.game.utils.UIFactory;
import net.dermetfan.gdx.assets.AnnotationAssetManager;
/**
* Pantalla Menu para seleccionar si jugar o no
* @author Edwin César Condori Vilcapuma
* @author Mauricio García Silva
* Creado por Edwin César Condori Vilcapuma y Mauricio García Silva 20/03/2018.
*/
public class MenuScreen extends BaseScreen{
private Skin skin;
private Texture fondoPantalla, imagenBotonJugar, imagenBotonTutorial, imagenBotonSalir;
AnnotationAssetManager manager;
public MenuScreen() {
super();
manager= new AnnotationAssetManager();
loadAssets();
skin = new Skin(Gdx.files.internal("orange/skin/uiskin.json"));
fondoPantalla= manager.get(MenuAssets.PANTALLA_PRINCIPAL);
imagenBotonJugar= manager.get(MenuAssets.BOTON_JUGAR);
imagenBotonTutorial= manager.get(MenuAssets.BOTON_TUTORIAL);
imagenBotonSalir= manager.get(MenuAssets.BOTON_SALIR);
}
private void loadAssets() {
manager.load(MenuAssets.class);
manager.finishLoading();
}
@Override
public void buildStage() {
Image imagenFondo;
ImageButton btnPlay, btnTutorial, btnSalir;
btnPlay = UIFactory.createButton(imagenBotonJugar);
btnTutorial = UIFactory.createButton(imagenBotonTutorial);
btnSalir = UIFactory.createButton(imagenBotonSalir);
btnPlay.setSize(100, 120);
btnPlay.setPosition(150, 75);
btnSalir.setSize(100, 120);
btnSalir.setPosition(300, 75);
imagenFondo= new Image(fondoPantalla);
imagenFondo.setSize(640, 360);
imagenFondo.setPosition(0, 0);
addActor(imagenFondo);
addActor(btnPlay);
addActor(btnSalir);
btnPlay.addListener(UIFactory.createListener(ScreenEnum.SELECCION_LEVEL_SCREEN));
btnSalir.addListener(new InputListener() {
@Override
public boolean touchDown(InputEvent event, float x, float y, int pointer, int button) {
Gdx.app.exit();
return false;
}
});
}
@Override
public void dispose() {
super.dispose();
skin.dispose();
manager.dispose();
}
}
| 42,324
|
https://github.com/H4m5t3r/cses-cli/blob/master/src/api/mod.rs
|
Github Open Source
|
Open Source
|
MIT
| 2,021
|
cses-cli
|
H4m5t3r
|
Rust
|
Code
| 847
| 3,411
|
mod escape;
mod trace_send;
use escape::Escape;
use miniserde::{json, Deserialize, Serialize};
use minreq::Response;
#[cfg(test)]
use mockall::automock;
use thiserror::Error;
use trace_send::TraceSend;
use crate::entities::{
CourseList, Language, Scope, ScopeContent, SubmissionInfo, SubmissionList, TaskStatement,
TemplateResponse, TestCaseList, UserOutline,
};
pub struct CsesHttpApi {
url: String,
trace: bool,
}
impl CsesHttpApi {
pub fn new(url: String, trace: bool) -> Self {
Self { url, trace }
}
}
#[derive(Error, Debug)]
pub enum ApiError {
#[error("Internet connection error")]
HttpError(#[from] minreq::Error),
#[error("Could not parse server response")]
JsonError(#[from] miniserde::Error),
#[error("API key pending authentication")]
PendingApiKeyError,
#[error("Invalid API key. Log in again.")]
ApiKeyError,
#[error("Server error: \"{}\"", .0)]
ServerError(String),
#[error("API request failed: \"{}\"", .0)]
ClientError(String),
#[error("Task deduction error: \"{}\"", .0)]
TaskDeductionError(String),
#[error("Language deduction error: \"{}\"", .0)]
LanguageDeductionError(String),
}
pub type ApiResult<T> = Result<T, ApiError>;
#[allow(clippy::needless_lifetimes)]
#[cfg_attr(test, automock)]
pub trait CsesApi {
fn login(&self) -> ApiResult<LoginResponse>;
fn login_status(&self, token: &str) -> ApiResult<UserOutline>;
fn logout(&self, token: &str) -> ApiResult<()>;
fn submit_task<'a>(
&self,
token: &str,
scope: &Scope,
task_id: Option<&'a str>,
submission: &CodeSubmit,
) -> ApiResult<SubmissionInfo>;
fn get_submit(
&self,
token: &str,
scope: &Scope,
submission_id: u64,
poll: bool,
) -> ApiResult<SubmissionInfo>;
fn get_submit_list(
&self,
token: &str,
scope: &Scope,
task_id: &str,
) -> ApiResult<SubmissionList>;
fn get_courses<'a>(&self, token: Option<&'a str>) -> ApiResult<CourseList>;
fn get_content<'a>(&self, token: Option<&'a str>, scope: &Scope) -> ApiResult<ScopeContent>;
fn get_template<'a>(
&self,
token: Option<&'a str>,
scope: &Scope,
task_id: Option<&'a str>,
language: Option<&'a str>,
filename: Option<&'a str>,
) -> ApiResult<TemplateResponse>;
fn get_task_statement<'a>(
&self,
token: Option<&'a str>,
scope: &Scope,
task_id: &str,
) -> ApiResult<TaskStatement>;
fn get_samples<'a>(
&self,
token: Option<&'a str>,
scope: &Scope,
task_id: &str,
) -> ApiResult<TestCaseList>;
}
impl CsesApi for CsesHttpApi {
fn login(&self) -> ApiResult<LoginResponse> {
let response = minreq::post(format!("{}/login", self.url)).trace_send(self.trace)?;
check_error(&response)?;
Ok(json::from_str(response.as_str()?)?)
}
fn login_status(&self, token: &str) -> ApiResult<UserOutline> {
let response = minreq::get(format!("{}/login", self.url))
.with_header("X-Auth-Token", token)
.trace_send(self.trace)?;
check_error(&response)?;
let response: UserOutline = json::from_str(response.as_str()?)?;
Ok(response)
}
fn logout(&self, token: &str) -> ApiResult<()> {
let response = minreq::post(format!("{}/logout", self.url))
.with_header("X-Auth-Token", token)
.trace_send(self.trace)?;
check_error(&response)?;
Ok(())
}
fn submit_task(
&self,
token: &str,
scope: &Scope,
task_id: Option<&str>,
submission: &CodeSubmit,
) -> ApiResult<SubmissionInfo> {
let mut request = minreq::post(format_url(&self.url, scope, "submissions"))
.with_body(json::to_string(submission))
.with_header("X-Auth-Token", token)
.with_header("Content-Type", "application/json");
if let Some(task_id) = task_id {
request = request.with_param("task", Escape(task_id));
}
let response = request.trace_send(self.trace)?;
check_error(&response)?;
let response_body: SubmissionInfo = json::from_str(response.as_str()?)?;
Ok(response_body)
}
fn get_submit(
&self,
token: &str,
scope: &Scope,
submission_id: u64,
poll: bool,
) -> ApiResult<SubmissionInfo> {
let poll = if poll { "true" } else { "false" };
let response = minreq::get(format_url(
&self.url,
scope,
&format!("submissions/{}", submission_id),
))
.with_header("X-Auth-Token", token)
.with_param("poll", poll)
.trace_send(self.trace)?;
check_error(&response)?;
let response_body: SubmissionInfo = json::from_str(response.as_str()?)?;
Ok(response_body)
}
fn get_submit_list(
&self,
token: &str,
scope: &Scope,
task_id: &str,
) -> ApiResult<SubmissionList> {
let response = minreq::get(format_url(&self.url, scope, "submissions"))
.with_header("X-Auth-Token", token)
.with_param("task", Escape(task_id))
.trace_send(self.trace)?;
check_error(&response)?;
let response_body: SubmissionList = json::from_str(response.as_str()?)?;
Ok(response_body)
}
fn get_courses(&self, token: Option<&str>) -> ApiResult<CourseList> {
match token {
Some(token) => {
let response = minreq::get(format!("{}/courses", self.url))
.with_header("X-Auth-Token", token)
.trace_send(self.trace)?;
check_error(&response)?;
let course_list: CourseList = json::from_str(response.as_str()?)?;
Ok(course_list)
}
None => {
let response =
minreq::get(format!("{}/courses", self.url)).trace_send(self.trace)?;
check_error(&response)?;
let course_list: CourseList = json::from_str(response.as_str()?)?;
Ok(course_list)
}
}
}
fn get_content<'a>(&self, token: Option<&'a str>, scope: &Scope) -> ApiResult<ScopeContent> {
let mut request = minreq::get(format_url(&self.url, scope, "list"));
if let Some(token) = token {
request = request.with_header("X-Auth-Token", token);
}
let response = request.trace_send(self.trace)?;
check_error(&response)?;
let scope_content: ScopeContent = json::from_str(response.as_str()?)?;
Ok(scope_content)
}
fn get_template<'a>(
&self,
token: Option<&'a str>,
scope: &Scope,
task_id: Option<&'a str>,
language: Option<&'a str>,
filename: Option<&'a str>,
) -> ApiResult<TemplateResponse> {
let mut request = minreq::get(format_url(&self.url, scope, "templates"));
if let Some(token) = token {
request = request.with_header("X-Auth-Token", token);
}
if let Some(task_id) = task_id {
request = request.with_param("task", Escape(task_id));
}
if let Some(language) = language {
request = request.with_param("language", Escape(language));
}
if let Some(filename) = filename {
request = request.with_param("filename", Escape(filename));
}
let response = request.trace_send(self.trace)?;
check_error(&response)?;
Ok(json::from_str(response.as_str()?)?)
}
fn get_task_statement<'a>(
&self,
token: Option<&'a str>,
scope: &Scope,
task_id: &str,
) -> ApiResult<TaskStatement> {
let mut request = minreq::get(format_url(&self.url, scope, "statement"))
.with_param("task", Escape(task_id));
if let Some(token) = token {
request = request.with_header("X-Auth-Token", token);
}
let response = request.trace_send(self.trace)?;
check_error(&response)?;
Ok(json::from_str(response.as_str()?)?)
}
fn get_samples<'a>(
&self,
token: Option<&'a str>,
scope: &Scope,
task_id: &str,
) -> ApiResult<TestCaseList> {
let mut request = minreq::get(format_url(&self.url, scope, "samples"))
.with_param("task", Escape(task_id));
if let Some(token) = token {
request = request.with_header("X-Auth-Token", token);
}
let response = request.trace_send(self.trace)?;
check_error(&response)?;
let response_body: TestCaseList = json::from_str(response.as_str()?)?;
Ok(response_body)
}
}
fn check_error(response: &Response) -> ApiResult<()> {
if successful_response(response) {
Ok(())
} else {
let error: ErrorResponse = json::from_str(response.as_str()?)?;
Err(match error.code {
ErrorCode::InvalidApiKey => ApiError::ApiKeyError,
ErrorCode::PendingApiKey => ApiError::PendingApiKeyError,
ErrorCode::ServerError => ApiError::ServerError(error.message),
ErrorCode::ClientError => ApiError::ClientError(error.message),
ErrorCode::TaskDeductionError => ApiError::TaskDeductionError(error.message),
ErrorCode::LanguageDeductionError => ApiError::LanguageDeductionError(error.message),
})
}
}
fn successful_response(response: &Response) -> bool {
(200..300).contains(&response.status_code)
}
fn format_url(base_url: &str, scope: &Scope, path: &str) -> String {
match scope {
Scope::Course(course_id) => {
format!("{}/courses/{}/{}", base_url, Escape(course_id), path)
}
Scope::Contest(contest_id) => {
format!("{}/contests/{}/{}", base_url, contest_id, path)
}
}
}
#[derive(Debug, Deserialize)]
pub struct ErrorResponse {
pub message: String,
pub code: ErrorCode,
}
#[derive(Debug, Deserialize)]
pub enum ErrorCode {
#[serde(rename = "invalid_api_key")]
InvalidApiKey,
#[serde(rename = "pending_api_key")]
PendingApiKey,
#[serde(rename = "server_error")]
ServerError,
#[serde(rename = "client_error")]
ClientError,
#[serde(rename = "task_deduction_error")]
TaskDeductionError,
#[serde(rename = "language_deduction_error")]
LanguageDeductionError,
}
#[derive(Debug, Serialize)]
pub struct CodeSubmit {
pub language: Language,
pub filename: String,
pub content: String,
}
#[derive(Deserialize)]
pub struct LoginResponse {
#[serde(rename = "X-Auth-Token")]
pub token: String,
pub authentication_url: String,
}
| 27,972
|
https://github.com/OwNet/qtownet/blob/master/Modules/PortalModule/sharedfilesupdatelistener.cpp
|
Github Open Source
|
Open Source
|
MIT
| 2,019
|
qtownet
|
OwNet
|
C++
|
Code
| 155
| 779
|
#include "sharedfilesupdatelistener.h"
#include "idatabaseupdatequery.h"
#include "iproxyconnection.h"
#include "isession.h"
#include "idatabaseselectquery.h"
#include "idatabasesettings.h"
#include "isettings.h"
#include <QNetworkAccessManager>
#include <QNetworkRequest>
#include <QNetworkReply>
#include <QNetworkProxy>
SharedFilesUpdateListener::SharedFilesUpdateListener() :
m_networkAccessManager(NULL),
m_proxyConnection(NULL)
{
}
void SharedFilesUpdateListener::execute()
{
QStringList urls(m_urlsToDownload);
m_urlsToDownload.clear();
foreach (QString url, urls) {
m_networkAccessManager->get(QNetworkRequest(QUrl(url)));
}
}
void SharedFilesUpdateListener::setProxyConnection(IProxyConnection *proxyConnection)
{
m_proxyConnection = proxyConnection;
int port = m_proxyConnection->settings()->value("application/multicast_port", 8081).toInt();
m_networkAccessManager = new QNetworkAccessManager(this);
m_networkAccessManager->setProxy(QNetworkProxy(QNetworkProxy::HttpProxy, "localhost", port));
connect(m_networkAccessManager, SIGNAL(finished(QNetworkReply*)), this, SLOT(downloadFinished(QNetworkReply*)));
connect(this, SIGNAL(newSharedFileSig(QString)), this, SLOT(newSharedFile(QString)), Qt::QueuedConnection);
}
void SharedFilesUpdateListener::tableUpdated(IDatabaseUpdateQuery *query)
{
if (query->type() == IDatabaseUpdateQuery::InsertOrUpdate) {
QVariantList columns = query->columnsForListeners();
for (int i = 0; i < columns.count(); ++i) {
emit newSharedFileSig(columns.at(i).toMap().value("url").toString());
}
}
}
void SharedFilesUpdateListener::newSharedFile(const QString &url)
{
QObject parent;
if (!m_proxyConnection->session(&parent)->isServer())
return;
IDatabaseSelectQuery *query = m_proxyConnection->databaseSelect("client_caches", &parent);
query->singleWhere("cache_id", m_proxyConnection->cacheId(url));
QString myClientId = m_proxyConnection->databaseSettings(&parent)->clientId();
QVariantMap availableClients = m_proxyConnection->session(&parent)->availableClients();
bool foundAvailableClient = false;
while (query->next()) {
if (query->value("client_id").toString() == myClientId)
return;
if (availableClients.contains(query->value("client_id").toString())) {
foundAvailableClient = true;
break;
}
}
if (foundAvailableClient)
m_urlsToDownload.append(url);
}
void SharedFilesUpdateListener::downloadFinished(QNetworkReply *reply)
{
reply->deleteLater();
}
| 36,157
|
https://github.com/abruere/sicp-exercises/blob/master/1.1/sicp-ex-1.2.scm
|
Github Open Source
|
Open Source
|
MIT
| null |
sicp-exercises
|
abruere
|
Scheme
|
Code
| 31
| 64
|
;; SICP Exercise 1.2
;; -(14.8/60) or -(37/150)
(/
(+ 5 4 (-
2 (- 3 (+ 6 (/ 4 5)))
))
(* 3 (- 6 2) (- 2 7))
)
| 4,378
|
https://github.com/JonkiPro/popcorn/blob/master/popcorn-common/src/test/java/com/jonki/popcorn/common/dto/movie/OtherTitleUnitTests.java
|
Github Open Source
|
Open Source
|
MIT
| 2,019
|
popcorn
|
JonkiPro
|
Java
|
Code
| 245
| 940
|
package com.jonki.popcorn.common.dto.movie;
import com.jonki.popcorn.common.dto.TitleAttribute;
import com.jonki.popcorn.common.dto.movie.type.CountryType;
import com.jonki.popcorn.test.category.UnitTest;
import com.jonki.popcorn.test.supplier.RandomSupplier;
import org.hamcrest.Matchers;
import org.junit.Assert;
import org.junit.Test;
import org.junit.experimental.categories.Category;
import java.util.Optional;
/**
* Tests for the OtherTitle DTO.
*/
@Category(UnitTest.class)
public class OtherTitleUnitTests {
private static final String TITLE = RandomSupplier.STRING.get();
private static final CountryType COUNTRY_TYPE = CountryType.USA;
/**
* Test to make sure we can build an other title using the default builder constructor.
*/
@Test
public void canBuildOtherTitle() {
final OtherTitle otherTitle = new OtherTitle.Builder(
TITLE,
COUNTRY_TYPE
).build();
Assert.assertThat(otherTitle.getTitle(), Matchers.is(TITLE));
Assert.assertThat(otherTitle.getCountry(), Matchers.is(COUNTRY_TYPE));
Assert.assertFalse(Optional.ofNullable(otherTitle.getAttribute()).isPresent());
}
/**
* Test to make sure we can build a other title with all optional parameters.
*/
@Test
public void canBuildOtherTitleWithOptionals() {
final OtherTitle.Builder builder = new OtherTitle.Builder(
TITLE,
COUNTRY_TYPE
);
final TitleAttribute titleAttribute = TitleAttribute.ORIGINAL_TITLE;
builder.withAttribute(titleAttribute);
final OtherTitle otherTitle = builder.build();
Assert.assertThat(otherTitle.getTitle(), Matchers.is(TITLE));
Assert.assertThat(otherTitle.getCountry(), Matchers.is(COUNTRY_TYPE));
Assert.assertThat(otherTitle.getAttribute(), Matchers.is(titleAttribute));
}
/**
* Test to make sure we can build an other title with null collection parameters.
*/
@Test
public void canBuildOtherTitleNullOptionals() {
final OtherTitle.Builder builder = new OtherTitle.Builder(
TITLE,
COUNTRY_TYPE
);
builder.withAttribute(null);
final OtherTitle otherTitle = builder.build();
Assert.assertThat(otherTitle.getTitle(), Matchers.is(TITLE));
Assert.assertThat(otherTitle.getCountry(), Matchers.is(COUNTRY_TYPE));
Assert.assertFalse(Optional.ofNullable(otherTitle.getAttribute()).isPresent());
}
/**
* Test equals.
*/
@Test
public void canFindEquality() {
final OtherTitle.Builder builder = new OtherTitle.Builder(
TITLE,
COUNTRY_TYPE
);
builder.withAttribute(null);
final OtherTitle otherTitle1 = builder.build();
final OtherTitle otherTitle2 = builder.build();
Assert.assertTrue(otherTitle1.equals(otherTitle2));
Assert.assertTrue(otherTitle2.equals(otherTitle1));
}
/**
* Test hash code.
*/
@Test
public void canUseHashCode() {
final OtherTitle.Builder builder = new OtherTitle.Builder(
TITLE,
COUNTRY_TYPE
);
builder.withAttribute(null);
final OtherTitle otherTitle1 = builder.build();
final OtherTitle otherTitle2 = builder.build();
Assert.assertEquals(otherTitle1.hashCode(), otherTitle2.hashCode());
}
}
| 29,479
|
https://github.com/ManuelFerreras/blockchain-gntx-dapp/blob/master/src/TopBlock.js
|
Github Open Source
|
Open Source
|
MIT
| null |
blockchain-gntx-dapp
|
ManuelFerreras
|
JavaScript
|
Code
| 45
| 145
|
import React from "react";
export default () => {
return(
<>
<div className="container bg-top">
<div className="content">
<h1 className="text-center">Project Name Here</h1>
<p>Lorem ipsum dolor sit amet, consectetur adipiscing elit. Donec nunc nulla, efficitur ut placerat vitae.</p>
<button className="btn btn-primary top-mint-btn" href="#mint">Mint</button>
</div>
</div>
</>
);
}
| 39,410
|
https://github.com/andreafoschi00/OOP20-alt-sim-C-Sharp/blob/master/Foschi/Foschi/src/airstrip/BasicAirStrip.cs
|
Github Open Source
|
Open Source
|
MIT
| null |
OOP20-alt-sim-C-Sharp
|
andreafoschi00
|
C#
|
Code
| 110
| 246
|
namespace Foschi.airstrip
{
public class BasicAirStrip: AirStrip
{
/// <summary>
/// Width of the strip.
/// </summary>
public double Width { get; set; }
/// <summary>
/// Length of the strip.
/// </summary>
public double Length { get; set; }
public BasicAirStrip(string url, double width, double length): base(url)
{
this.Width = width;
this.Length = length;
}
public BasicAirStrip(double width, double length): this(StandardUrl, width, length)
{
}
/// <inheritdoc />
public override double CalculateArea()
{
return Width * Length;
}
public override string ToString() => "BasicAirStrip[Width: " + Width + ", Length: " + Length + ", Score: " +
Score + ", Status: " + Status + "]";
}
}
| 38,707
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.