content
stringlengths 5
1.05M
|
---|
local event = require("__flib__.event")
local gui = require("__flib__.gui-beta")
local migration = require("__flib__.migration")
local translation = require("__flib__.translation")
local global_data = require("scripts.global-data")
local infinity_filter = require("scripts.infinity-filter")
local migrations = require("scripts.migrations")
local player_data = require("scripts.player-data")
local logistic_request = require("scripts.logistic-request")
local search = require("scripts.search")
local infinity_filter_gui = require("scripts.gui.infinity-filter")
local logistic_request_gui = require("scripts.gui.logistic-request")
local search_gui = require("scripts.gui.search")
-- -----------------------------------------------------------------------------
-- COMMANDS
commands.add_command("QuickItemSearch", {"command-help.QuickItemSearch"}, function(e)
if e.parameter == "refresh-player-data" then
local player = game.get_player(e.player_index)
player.print{"message.qis-refreshing-player-data"}
player_data.refresh(player, global.players[e.player_index])
else
game.get_player(e.player_index).print{"message.qis-invalid-parameter"}
end
end)
-- -----------------------------------------------------------------------------
-- EVENT HANDLERS
-- BOOTSTRAP
event.on_init(function()
translation.init()
global_data.init()
global_data.build_strings()
for i in pairs(game.players) do
player_data.init(i)
player_data.refresh(game.get_player(i), global.players[i])
end
end)
event.on_configuration_changed(function(e)
if migration.on_config_changed(e, migrations) then
-- reset running translations
translation.init()
global_data.build_strings()
for i, player_table in pairs(global.players) do
player_data.refresh(game.get_player(i), player_table)
end
end
end)
-- CUSTOM INPUT
event.register({"qis-confirm", "qis-shift-confirm", "qis-control-confirm"}, function(e)
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
-- HACK: This makes it easy to check if we should close the search GUI or not
player_table.confirmed_tick = game.ticks_played
local is_shift = e.input_name == "qis-shift-confirm"
local is_control = e.input_name == "qis-control-confirm"
local opened = player.opened
if opened and player.opened_gui_type == defines.gui_type.custom then
if opened.name == "qis_search_window" then
search_gui.select_item(player, player_table, {shift = is_shift, control = is_control})
elseif opened.name == "qis_request_window" then
if is_control then
logistic_request_gui.clear_request(player, player_table)
else
logistic_request_gui.set_request(player, player_table, is_shift)
end
elseif opened.name == "qis_infinity_filter_window" then
if is_control then
infinity_filter_gui.clear_filter(player, player_table)
else
infinity_filter_gui.set_filter(player, player_table, is_shift)
end
end
end
end)
event.register("qis-cycle-infinity-filter-mode", function(e)
local player_table = global.players[e.player_index]
local gui_data = player_table.guis.infinity_filter
if gui_data then
local state = gui_data.state
if state.visible then
infinity_filter_gui.cycle_filter_mode(gui_data)
end
end
end)
event.register("qis-search", function(e)
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
if player_table.flags.can_open_gui then
search_gui.toggle(player, player_table)
else
player_table.flags.show_message_after_translation = true
player.print{"message.qis-cannot-open-gui"}
end
end)
event.register({"qis-nav-up", "qis-nav-down"}, function(e)
local player_table = global.players[e.player_index]
if player_table.flags.can_open_gui then
local gui_data = player_table.guis.search
if gui_data.state.visible then
local offset = string.find(e.input_name, "down") and 1 or -1
search_gui.handle_action({player_index = e.player_index}, {action = "update_selected_index", offset = offset})
end
end
end)
event.register("qis-quick-trash-all", function(e)
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
if player.controller_type == defines.controllers.character and player.force.character_logistic_requests then
logistic_request.quick_trash_all(player, player_table)
elseif player.controller_type == defines.controllers.editor then
infinity_filter.quick_trash_all(player, player_table)
end
end)
-- ENTITY
event.on_entity_logistic_slot_changed(function(e)
local entity = e.entity
if entity and entity.valid and entity.type == "character" then
local player = entity.player -- event does not provide player_index every time
-- sometimes the player won't exist because it's in a cutscene
if player then
local player_table = global.players[player.index]
if player_table then
logistic_request.update(player, player_table, e.slot_index)
end
end
end
end)
-- GUI
gui.hook_events(function(e)
local msg = gui.read_action(e)
if msg then
if msg.gui == "infinity_filter" then
infinity_filter_gui.handle_action(e, msg)
elseif msg.gui == "request" then
logistic_request_gui.handle_action(e, msg)
elseif msg.gui == "search" then
search_gui.handle_action(e, msg)
end
if msg.reopen_after_subwindow then
search_gui.reopen_after_subwindow(e)
end
end
end)
-- PLAYER
event.on_player_created(function(e)
player_data.init(e.player_index)
player_data.refresh(game.get_player(e.player_index), global.players[e.player_index])
end)
event.on_player_joined_game(function(e)
local player_table = global.players[e.player_index]
if player_table.flags.translate_on_join then
player_table.flags.translate_on_join = false
player_data.start_translations(e.player_index)
end
end)
event.on_player_left_game(function(e)
local player_table = global.players[e.player_index]
if translation.is_translating(e.player_index) then
translation.cancel(e.player_index)
player_table.flags.translate_on_join = true
end
end)
event.on_player_removed(function(e)
global.players[e.player_index] = nil
end)
event.register(
{
defines.events.on_player_display_resolution_changed,
defines.events.on_player_display_scale_changed
},
function(e)
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
logistic_request_gui.update_focus_frame_size(player, player_table)
end
)
event.register(
{
defines.events.on_player_ammo_inventory_changed,
defines.events.on_player_armor_inventory_changed,
defines.events.on_player_gun_inventory_changed,
defines.events.on_player_main_inventory_changed
},
function(e)
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
local main_inventory = player.get_main_inventory()
if main_inventory and main_inventory.valid then
-- avoid getting the contents until they're actually needed
local combined_contents
local function get_combined_contents()
if not combined_contents then
combined_contents = search.get_combined_inventory_contents(player, main_inventory)
end
return combined_contents
end
if player.controller_type == defines.controllers.editor then
if next(player_table.infinity_filters.temporary) then
infinity_filter.update_temporaries(player, player_table)
end
infinity_filter.update(player, player_table)
elseif player.controller_type == defines.controllers.character then
if next(player_table.logistic_requests.temporary) then
logistic_request.update_temporaries(player, player_table, get_combined_contents())
end
end
local gui_data = player_table.guis.search
if gui_data then
local state = gui_data.state
if state.visible and not state.subwindow_open then
search_gui.perform_search(player, player_table, false, get_combined_contents())
end
end
end
end
)
-- SETTINGS
event.on_runtime_mod_setting_changed(function(e)
if string.sub(e.setting, 1, 4) == "qis-" and e.setting_type == "runtime-per-user" then
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
player_data.update_settings(player, player_table)
end
end)
-- SHORTCUT
event.on_lua_shortcut(function(e)
if e.prototype_name == "qis-search" then
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
if player_table.flags.can_open_gui then
search_gui.toggle(player, player_table)
end
end
end)
-- TICK
event.on_tick(function(e)
if translation.translating_players_count() > 0 then
translation.iterate_batch(e)
end
if next(global.update_search_results) then
search_gui.update_for_active_players()
end
end)
-- TRANSLATIONS
event.on_string_translated(function(e)
local names, finished = translation.process_result(e)
if names then
local player_table = global.players[e.player_index]
local translations = player_table.translations
local internal_names = names.items
for i = 1, #internal_names do
local internal_name = internal_names[i]
translations[internal_name] = e.translated and e.result or internal_name
end
end
if finished then
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
-- show message if needed
if player_table.flags.show_message_after_translation then
player.print{"message.qis-can-open-gui"}
end
-- update flags
player_table.flags.can_open_gui = true
player_table.flags.translate_on_join = false
player_table.flags.show_message_after_translation = false
-- create GUIs
infinity_filter_gui.build(player, player_table)
logistic_request_gui.build(player, player_table)
search_gui.build(player, player_table)
-- enable shortcut
player.set_shortcut_available("qis-search", true)
end
end)
|
--[[
遗留BUG:
1. [《openresty的unescape_uri函数处理百分号后面字符的小特性》](https://www.cnxct.com/openresty-unescape_uri-feature-to-decode-char-after-percent-sign/) 未解决 可以按照该篇文章中的方法重新编译OpenResty解决。
]]
setGlobalHeader()
if isWhiteIp() then
elseif isBlackIp() then
ngx.exit(403)
elseif isCcAttack() then
ngx.exit(503)
elseif isScanner() then
ngx.exit(444)
elseif isWhiteUri() then
elseif isBlackUa() then
log('UA', ngx.var.request_uri, '-', 'BlackUa')
say_html()
elseif isBlackUri() then
log('GET', ngx.var.request_uri, '-', 'BlackUri')
say_html()
elseif isBlackGetArgs() then
log('GET', ngx.var.request_uri, '-', 'BlackGetArgs')
say_html()
elseif isBlackCookieArgs() then
log('Cookie', ngx.var.request_uri, ngx.var.http_cookie, 'BlackCookieArgs')
say_html()
else
local post_status, post_data = isBlackPostArgs()
if post_status then
log('POST', ngx.var.request_uri, post_data, 'BlackPostArgs')
say_html()
else
return
end
end
|
-- Mutate a memory table per the operation at the current program
-- counter, and return the next program counter.
local brianvm = (function()
local OPS = {
function(m, pc)
io.write(string.char(m[1+m[2+pc]]))
return pc + 2
end,
function(m, pc)
m[1+m[2+pc]] = m[1+m[3+pc]]
return pc + 3
end,
function(m, pc)
m[1+m[2+pc]] = (m[1+m[2+pc]] + m[3+pc]) % 256
return pc + 3
end,
function(m, pc)
m[1+m[2+pc]] = (m[1+m[2+pc]] - m[3+pc]) % 256
return pc + 3
end,
function(m, pc)
m[1+m[2+pc]] = (m[1+m[2+pc]] * m[3+pc]) % 256
return pc + 3
end,
function(m, pc)
m[1+m[2+pc]] = math.floor(m[1+m[2+pc]] / m[3+pc])
return pc + 3
end,
function(m, pc)
m[1+m[2+pc]] = m[1+m[2+pc]] % m[3+pc]
return pc + 3
end,
function(m, pc)
m[1+m[2+pc]] = math.floor(math.random() * 256)
return pc + 2
end,
function(m, pc)
local e = os.clock() + m[2+pc]/1000.0
while os.clock() < e do end
return pc + 2
end,
function(m, pc)
return m[2+pc]
end,
function(m, pc)
if m[1+m[2+pc]] == 0 then
return m[3+pc]
else
return pc + 3
end
end
}
return function(m, pc)
return OPS[1+m[1+pc]](m, pc)
end
end)()
-- Demo program
local pc = 0
local m = {
0x01, 0x04, 0x07, 0x0a, 0x00, 0x0d, 0x00, 0xf8,
0x02, 0x07, 0x01, 0x09, 0x00, 0x04, 0x07, 0x00,
0x02, 0x07, 0xf8, 0x07, 0xe0, 0x06, 0xe0, 0x3a,
0x07, 0xdf, 0x06, 0xdf, 0x18, 0x01, 0xff, 0xdf,
0x06, 0xff, 0x0a, 0x02, 0xff, 0x30, 0x01, 0xd9,
0xff, 0x05, 0xdf, 0x0a, 0x02, 0xdf, 0x30, 0x01,
0xd8, 0xdf, 0x01, 0xff, 0xe0, 0x06, 0xff, 0x0a,
0x02, 0xff, 0x30, 0x01, 0xdc, 0xff, 0x05, 0xe0,
0x0a, 0x02, 0xe0, 0x30, 0x01, 0xdb, 0xe0, 0x01,
0x4b, 0x4e, 0x0a, 0x00, 0x54, 0x00, 0xd6, 0x02,
0x4e, 0x01, 0x09, 0x47, 0x04, 0x4e, 0x00, 0x02,
0x4e, 0xd6, 0x07, 0xff, 0x06, 0xff, 0x08, 0x02,
0xff, 0x30, 0x01, 0xd1, 0xff, 0x01, 0x69, 0x6c,
0x0a, 0x00, 0x72, 0x00, 0xce, 0x02, 0x6c, 0x01,
0x09, 0x65, 0x04, 0x6c, 0x00, 0x02, 0x6c, 0xce,
0x01, 0x7c, 0x7f, 0x0a, 0x00, 0x87, 0x00, 0xe1,
0x02, 0x7f, 0x01, 0x08, 0x8c, 0x09, 0x78, 0x04,
0x7f, 0x00, 0x02, 0x7f, 0xe1, 0x08, 0xfa, 0x08,
0xfa, 0x09, 0x13, 0x6a, 0xba, 0x1f, 0x6d, 0xa3,
0xe6, 0xad, 0x3b, 0xae, 0x4d, 0x6e, 0xc1, 0xfa,
0x11, 0xed, 0x22, 0x2e, 0x6d, 0xa3, 0xed, 0x48,
0x3d, 0xf9, 0x4d, 0xed, 0x24, 0x29, 0x2a, 0x16,
0xe3, 0x09, 0x25, 0xc6, 0x31, 0x62, 0xb5, 0x21,
0x2e, 0xa0, 0x47, 0x5b, 0xa2, 0x02, 0x3c, 0x82,
0x83, 0x4f, 0x58, 0x2a, 0x65, 0x87, 0x25, 0x43,
0x6d, 0xde, 0xa9, 0x31, 0x81, 0x09, 0x1b, 0x5b,
0x39, 0x63, 0x3b, 0x31, 0x6d, 0x00, 0x1b, 0x5b,
0x78, 0x78, 0x3b, 0x79, 0x79, 0x48, 0x00, 0x18,
0x55, 0x47, 0x65, 0x74, 0x20, 0x77, 0x65, 0x6c,
0x6c, 0x20, 0x73, 0x6f, 0x6f, 0x6e, 0x2c, 0x20,
0x42, 0x72, 0x69, 0x61, 0x6e, 0x21, 0x0a, 0x00,
0x1b, 0x5b, 0x32, 0x4a, 0x1b, 0x5b, 0x48, 0x00,
}
while true do
pc = brianvm(m, pc)
end
|
if a then
if {} then
print("x")
end
end
|
--*****************************************************************************
--* _______ __
--* |_ _| |--.----.---.-.--.--.--.-----.-----.
--* | | | | _| _ | | | | |__ --|
--* |___| |__|__|__| |___._|________|__|__|_____|
--* ______
--* | __ \.-----.--.--.-----.-----.-----.-----.
--* | <| -__| | | -__| | _ | -__|
--* |___|__||_____|\___/|_____|__|__|___ |_____|
--* |_____|
--*
--* @Author: [EaWX]Pox
--* @Date: 2020-12-23
--* @Project: Empire at War Expanded
--* @Filename: PluginLoader.lua
--* @License: MIT
--*****************************************************************************
require("deepcore/std/class")
---@class PluginLoader
PluginLoader = class()
function PluginLoader:new(ctx, plugin_folder)
self.plugin_folder = plugin_folder
self.loaded_plugins = {}
self.plugin_containers = {}
self.planet_dependent_plugin_containers = {}
self.context = ctx or {}
end
---@param plugin_list string[] @(Optional) A table with plugin folder names
function PluginLoader:load(plugin_list)
if not plugin_list then
plugin_list = require(self.plugin_folder .. "/InstalledPlugins")
end
local unresolved_plugins = {}
for _, plugin_name in pairs(plugin_list) do
self:load_plugin(plugin_name, unresolved_plugins)
end
DebugMessage("Loaded %s plugins", tostring(table.getn(self.plugin_containers)))
end
function PluginLoader:get_plugin_containers()
return self.plugin_containers
end
function PluginLoader:get_planet_dependent_plugin_containers()
return self.planet_dependent_plugin_containers
end
---@private
function PluginLoader:load_plugin(plugin_name, unresolved_plugins)
if unresolved_plugins[plugin_name] then
error("Cyclic Dependency!")
return
end
if self.loaded_plugins[plugin_name] then
return
end
unresolved_plugins[plugin_name] = true
local plugin_def = require(self.plugin_folder .. "/" .. plugin_name .. "/init")
local loaded_dependencies = {}
if plugin_def.dependencies and table.getn(plugin_def.dependencies) > 0 then
for _, dependency in pairs(plugin_def.dependencies) do
if not self.loaded_plugins[dependency] then
self:load_plugin(dependency, unresolved_plugins)
end
table.insert(loaded_dependencies, self.loaded_plugins[dependency])
end
end
self.loaded_plugins[plugin_name] = plugin_def:init(self.context, unpack(loaded_dependencies))
local container = {
target = plugin_def.target,
plugin = self.loaded_plugins[plugin_name]
}
if plugin_def.requires_planets then
table.insert(self.planet_dependent_plugin_containers, container)
else
table.insert(self.plugin_containers, container)
end
unresolved_plugins[plugin_name] = nil
end
|
local highlight = {}
---@type table<string,boolean>
local registered_highlight = {}
---register highlight object to nvim
---@param hl HighlightOpt
---@return string highlight group name
function highlight.register(hl)
vim.validate({
fg = { hl.fg, 'string', true },
bg = { hl.bg, 'string', true },
style = { hl.style, 'string', true },
})
local group = string.gsub(string.format('TabbyHl_%s_%s_%s', hl.fg or '', hl.bg or '', hl.style or ''), '#', '')
if group == 'TabbyHl___' then -- all param is empty, return Normal
return 'Normal'
end
if registered_highlight[group] == true then
return group
end
local cmd = { 'hi', group }
if hl.fg ~= nil and hl.fg ~= '' then
table.insert(cmd, 'guifg=' .. hl.fg)
end
if hl.bg ~= nil and hl.bg ~= '' then
table.insert(cmd, 'guibg=' .. hl.bg)
end
if hl.style ~= nil and hl.style ~= '' then
table.insert(cmd, 'gui=' .. hl.style)
end
vim.cmd(table.concat(cmd, ' '))
registered_highlight[group] = true
return group
end
---@param group_name string
---@return HighlightOpt
function highlight.extract(group_name)
local hl_str = vim.api.nvim_exec('highlight ' .. group_name, true)
local hl = {
fg = hl_str:match('guifg=([^%s]+)') or '',
bg = hl_str:match('guibg=([^%s]+)') or '',
style = hl_str:match('gui=([^%s]+)') or '',
}
return hl
end
return highlight
|
local forest = {}
forest.mt = {__index = forest}
function forest.new()
return setmetatable({
ents = {},
branches = {},
_nextbit = 0,
_ent_set = {},
_dead = {},
_ent_masks = {},
}, forest.mt)
end
function forest:definebranch(name, requires, default)
assert(self._nextbit <= 31)
assert(not self.branches[name])
local mask = bit.lshift(1, self._nextbit)
for _, r in ipairs(requires) do
local b = self.branches[r]
mask = bit.bor(mask, b.mask)
end
self.branches[name] = {
name = name,
bit = self._nextbit,
mask = mask,
requires = requires or {},
default = default,
}
self._nextbit = self._nextbit + 1
end
function forest:clearents()
self.ents = {}
self._ent_masks = {}
self._ent_set = {}
self._dead = {}
end
function forest:clearbranches()
self.branches = {}
self._nextbit = 0
end
function forest:growent()
local e = {}
table.insert(self.ents, e)
self._ent_set[e] = #self.ents
self._ent_masks[e] = 0
return e
end
function forest:killent(ent)
self._dead[ent] = true
end
function forest:growbranch(ent, name, data)
local branch = self.branches[name]
local d = data or (branch and branch.default())
assert(d, "cannot grow nil")
for _, r in ipairs(branch.requires) do
local b = self.branches[r]
if not ent[b.name] then
self:growbranch(ent, b.name)
end
end
self._ent_masks[ent] = bit.bor(self._ent_masks[ent], bit.lshift(1, branch.bit))
ent[branch.name] = ent[branch.name] or d
end
function forest:prune(ent)
local continue = true
while continue do
continue = false
for bname in pairs(ent) do
if not self:hasfullbranch(ent, bname) then
self:trimbranch(ent, bname)
continue = true
end
end
end
end
function forest:trimbranch(ent, name, prune)
ent[name] = nil
local b = self.branches[name]
self._ent_masks[ent] = bit.band(self._ent_masks[ent], bit.bnot(bit.lshift(1, b.bit)))
if prune then
self:prune(ent)
end
end
function forest:hasfullbranch(ent, name)
return bit.band(self._ent_masks[ent], self.branches[name].mask) == self.branches[name].mask
end
function forest:isdead(ent)
return not self._ent_set[ent] or self._dead[ent]
end
function forest:burn(ent)
self._dead[ent] = nil
local repl = self.ents[#self.ents]
self._ent_set[repl] = self._ent_set[ent]
self.ents[self._ent_set[ent]] = repl
self._ent_set[ent] = nil
self._ent_masks[ent] = nil
self.ents[#self.ents] = nil
end
function forest:iter(branch)
local idx = #self.ents
local function n()
while true do
if idx < 1 then
break
end
local e = self.ents[idx]
if self._dead[e] then
self:burn(e)
idx = idx - 1
else
idx = idx - 1
if not branch or (branch and self:hasfullbranch(e, branch)) then
return e
end
end
end
end
return n
end
function forest:each(branch, func)
for idx=#self.ents, 1, -1 do
local e = self.ents[idx]
if self._dead[e] then
self:burn(e)
idx = idx - 1
else
idx = idx - 1
if not branch or (branch and self:hasfullbranch(e, branch)) then
func(e)
end
end
end
end
if type(package.loaded[...]) ~= "userdata" then
local f = forest.new()
f:definebranch("pos", {}, function() return {x = 0, y = 0} end)
f:definebranch("vel", {"pos"}, function() return {x = 0, y = 0} end)
do -- test masks
local e = f:growent()
f:growbranch(e, "vel")
assert(f:hasfullbranch(e, "vel"))
assert(f:hasfullbranch(e, "pos"))
assert(e.pos and e.vel)
end
do -- test removal
local e = f:growent()
f:growbranch(e, "vel")
f:trimbranch(e, "vel")
assert(not f:hasfullbranch(e, "vel"))
assert(f:hasfullbranch(e, "pos"))
assert(e.pos)
end
do -- test prune removal
local e = f:growent()
f:growbranch(e, "vel")
f:trimbranch(e, "pos", true)
assert(not f:hasfullbranch(e, "vel"))
assert(not f:hasfullbranch(e, "pos"))
assert(not e.pos and not e.vel)
end
do -- test additions
assert(#f.ents == 3)
local count = 0
for e in f:iter("vel") do
count = count + 1
end
assert(count == 1)
end
do -- test clear
f:clearents()
assert(#f.ents == 0)
end
end
return {
forest = forest,
_VERSION = 1.0,
_DESCRIPTION = "Lua ECS inspired by froggy",
_AUTHOR = "Michael Patraw <[email protected]>",
}
|
object_mobile_dressed_npe_tiasris = object_mobile_shared_dressed_npe_tiasris:new {
}
ObjectTemplates:addTemplate(object_mobile_dressed_npe_tiasris, "object/mobile/dressed_npe_tiasris.iff")
|
local PLUGIN = PLUGIN
local find, ipairs, IsValid = ents.FindByClass, ipairs, IsValid
local tSimple = timer.Simple
if (PLUGIN.showAnom) then
function PLUGIN:PlayerLoadedChar(player)
netstream.Start(player, "showAnomalyChecked", false)
if (timer.Exists("checkedAnom_"..player:SteamID())) then --safe
timer.Remove("checkedAnom_"..player:SteamID())
end
timer.Create("checkedAnom_"..player:SteamID(), 5, 0, function()
for _, v in ipairs(find("nut_item")) do
if (IsValid(v) and v.nutItemID) then
local itm = nut.item.instances[v.nutItemID]
if (itm and itm.isAnomaly and itm:getData("anomPickup")) then
netstream.Start(player, "showAnomalyResult", v, true)
end
end
end
end)
end
function PLUGIN:OnCharDisconnect(player)
if (timer.Exists("checkedAnom_"..player:SteamID())) then
timer.Remove("checkedAnom_"..player:SteamID())
end
end
function PLUGIN:OnEntityCreated(entity)
local class = entity:GetClass()
tSimple(0.01, function()
if (class == "nut_item") then
local id = entity.nutItemID
if (id) then
local item = nut.item.instances[id]
if (item and item.isAnomaly and !item:getData("anomPickup")) then
entity:SetCollisionGroup(20)
netstream.Start(nil, "showAnomalyResult", entity, false)
end
end
end
end)
end
function PLUGIN:OnItemSpawned(entity)
tSimple(0.1, function() --safe
local id = entity.nutItemID
if (id) then
local item = nut.item.instances[id]
if (item and item.isAnomaly and item:getData("anomPickup")) then
netstream.Start(nil, "showAnomalyResult", entity, true)
end
end
end)
end
if (PLUGIN.clearAnom) then
function PLUGIN:Tick()
for _, v in ipairs(find("nut_item")) do
if (IsValid(v) and v.nutItemID) then
local itm = nut.item.instances[v.nutItemID]
if (itm and itm.isAnomaly) then
if (itm.delArtif and CurTime() >= itm.delArtif) then
v:Remove()
end
end
end
end
end
end
local time = nut.config.get("clearAnom", 3600)
function PLUGIN:OnPlayerInteractItem(client, action, item)
if (action == "take" or action == "drop") then
if (type(item) == "Entity") then
if (IsValid(item)) then
local itemID = item.nutItemID
item = nut.item.instances[itemID]
end
elseif (type(item) == "number") then
item = nut.item.instances[item]
end
if (!item or !item.isAnomaly) then return end
if (!item:getData("anomPickup")) then item:setData("anomPickup", true) end
if (self.clearAnom) then
if (action == "drop") then item.delArtif = CurTime() + time
elseif (action == "take") then item.delArtif = nil end
end
end
end
end
|
AddCSLuaFile( 'goldenhudv3/sh_config.lua' )
AddCSLuaFile( 'goldenhudv3/sh_initialize.lua' )
include( 'goldenhudv3/sh_initialize.lua' )
Msg( "[goldenhudv3] sh_initialize.lua load !\n" )
local GoldenV1Version = "1.2" -- NEVER TOUCH THIS!
if SERVER then
util.AddNetworkString( "goldenhudv3version" )
hook.Add( "PlayerInitialSpawn", "GoldenHudV3.Version", function(ply)
timer.Simple(5, function()
if !IsValid(ply) then return end
net.Start("goldenhudv3version")
net.Send(ply)
if !ply:IsSuperAdmin() then return end
http.Fetch( "https://raw.githubusercontent.com/chredeur0/goldenhud-etc/main/goldenhudv3-version.txt", function( body, len, headers, code )
local GoldenReceive = string.gsub( body, "\n", "" )
if (GoldenReceive != "400: Invalid request") and (GoldenReceive != "404: Not Found") and (GoldenReceive != GoldenV1Version) then
ply:ChatPrint( GoldenHUDV3.Language[ GoldenHUDV3.ConfigLanguage ][ "version_1" ] ..GoldenV1Version.. GoldenHUDV3.Language[ GoldenHUDV3.ConfigLanguage ][ "version_2" ] ..GoldenReceive )
end
end,
function( error )
print("GoldenHudV3 HTTP (error) : " , error)
end)
end)
end)
end
|
#!/usr/bin/env lua
local slt2 = require('slt2')
if #arg > 1 then
print('Usage: slt2dep.lua filename')
os.exit(1)
end
local content
if #arg == 1 then
local fin = assert(io.open(arg[1]))
content = fin:read('*a')
fin:close()
else
content = io.read('*a')
end
print(table.concat(slt2.get_dependency(content), '\t'))
|
require("deepcore/std/class")
---@class DeepCoreTechLevelTransitionPolicy : DeepCoreTransitionPolicy
DeepCoreTechLevelTransitionPolicy = class()
---@param target_level number
---@param faction PlayerObject
---@param transition_function fun(state_context: table<string, any>)
function DeepCoreTechLevelTransitionPolicy:new(target_level, faction, transition_function)
---@private
self.target_level = target_level
---@private
---@type number
self.level_on_enter = nil
---@private
---@type PlayerObject
self.faction = faction
---@private
self.transition_function = transition_function or function()
end
end
---@param state_context table<string, any>
function DeepCoreTechLevelTransitionPolicy:on_origin_entered(state_context)
self.level_on_enter = self.faction.Get_Tech_Level()
end
---@param state_context table<string, any>
function DeepCoreTechLevelTransitionPolicy:should_transition(state_context)
return self.faction.Get_Tech_Level() == self.target_level
end
---@param state_context table<string, any>
function DeepCoreTechLevelTransitionPolicy:on_transition(state_context)
self.transition_function(state_context)
end
|
-------------------------------------------------
-- Weather Widget based on the OpenWeatherMap
-- https://openweathermap.org/
--
-- @author Pavel Makhov
-- @copyright 2018 Pavel Makhov
-------------------------------------------------
local socket = require("socket")
local http = require("socket.http")
local ltn12 = require("ltn12")
local json = require("json")
local naughty = require("naughty")
local wibox = require("wibox")
local gears = require("gears")
local secrets = require("awesome-wm-widgets.secrets")
local weather_api_url = (
'https://api.openweathermap.org/data/2.5/weather'
.. '?q=' .. secrets.weather_widget_city
.. '&appid=' .. secrets.weather_widget_api_key
.. '&units=' .. secrets.weather_widget_units
)
local path_to_icons = "/usr/share/icons/Arc/status/symbolic/"
local icon_widget = wibox.widget {
{
id = "icon",
resize = false,
widget = wibox.widget.imagebox,
},
layout = wibox.container.margin(_ , 0, 0, 3),
set_image = function(self, path)
self.icon.image = path
end,
}
local temp_widget = wibox.widget{
font = "Play 9",
widget = wibox.widget.textbox,
}
local weather_widget = wibox.widget {
icon_widget,
temp_widget,
layout = wibox.layout.fixed.horizontal,
}
--- Maps openWeatherMap icons to Arc icons
local icon_map = {
["01d"] = "weather-clear-symbolic.svg",
["02d"] = "weather-few-clouds-symbolic.svg",
["03d"] = "weather-clouds-symbolic.svg",
["04d"] = "weather-overcast-symbolic.svg",
["09d"] = "weather-showers-scattered-symbolic.svg",
["10d"] = "weather-showers-symbolic.svg",
["11d"] = "weather-storm-symbolic.svg",
["13d"] = "weather-snow-symbolic.svg",
["50d"] = "weather-fog-symbolic.svg",
["01n"] = "weather-clear-night-symbolic.svg",
["02n"] = "weather-few-clouds-night-symbolic.svg",
["03n"] = "weather-clouds-night-symbolic.svg",
["04n"] = "weather-overcast-symbolic.svg",
["09n"] = "weather-showers-scattered-symbolic.svg",
["10n"] = "weather-showers-symbolic.svg",
["11n"] = "weather-storm-symbolic.svg",
["13n"] = "weather-snow-symbolic.svg",
["50n"] = "weather-fog-symbolic.svg"
}
--- Return wind direction as a string.
local function to_direction(degrees)
-- Ref: https://www.campbellsci.eu/blog/convert-wind-directions
if degrees == nil then
return "Unknown dir"
end
local directions = {
"N",
"NNE",
"NE",
"ENE",
"E",
"ESE",
"SE",
"SSE",
"S",
"SSW",
"SW",
"WSW",
"W",
"WNW",
"NW",
"NNW",
"N",
}
return directions[math.floor((degrees % 360) / 22.5) + 1]
end
local weather_timer = gears.timer({ timeout = 60 })
local resp
weather_timer:connect_signal("timeout", function ()
local resp_json = {}
local res, status = http.request{
url=weather_api_url,
sink=ltn12.sink.table(resp_json),
-- ref:
-- http://w3.impa.br/~diego/software/luasocket/old/luasocket-2.0/http.html
create=function()
-- ref: https://stackoverflow.com/a/6021774/595220
local req_sock = socket.tcp()
-- 't' — overall timeout
req_sock:settimeout(0.2, 't')
-- 'b' — block timeout
req_sock:settimeout(0.001, 'b')
return req_sock
end
}
if (resp_json ~= nil) then
resp_json = table.concat(resp_json)
end
if (status ~= 200 and resp_json ~= nil and resp_json ~= '') then
local err_resp = json.decode(resp_json)
naughty.notify{
title = 'Weather Widget Error',
text = err_resp.message,
preset = naughty.config.presets.critical,
}
elseif (resp_json ~= nil and resp_json ~= '') then
resp = json.decode(resp_json)
icon_widget.image = path_to_icons .. icon_map[resp.weather[1].icon]
temp_widget:set_text(string.gsub(resp.main.temp, "%.%d+", "")
.. '°'
.. (secrets.weather_widget_units == 'metric' and 'C' or 'F'))
end
end)
weather_timer:start()
weather_timer:emit_signal("timeout")
--- Notification with weather information. Popups when mouse hovers over the icon
local notification
weather_widget:connect_signal("mouse::enter", function()
notification = naughty.notify{
icon = path_to_icons .. icon_map[resp.weather[1].icon],
icon_size=20,
text =
'<big>' .. resp.weather[1].main .. ' (' .. resp.weather[1].description .. ')</big><br>' ..
'<b>Humidity:</b> ' .. resp.main.humidity .. '%<br>' ..
'<b>Temperature:</b> ' .. resp.main.temp .. '°'
.. (secrets.weather_widget_units == 'metric' and 'C' or 'F') .. '<br>' ..
'<b>Pressure:</b> ' .. resp.main.pressure .. 'hPa<br>' ..
'<b>Clouds:</b> ' .. resp.clouds.all .. '%<br>' ..
'<b>Wind:</b> ' .. resp.wind.speed .. 'm/s (' .. to_direction(resp.wind.deg) .. ')',
timeout = 5, hover_timeout = 10,
width = 200
}
end)
weather_widget:connect_signal("mouse::leave", function()
naughty.destroy(notification)
end)
return weather_widget
|
Ambi.Timer = AMB.Timer or {}
setmetatable( Ambi.Timer, { __index = timer } )
--[[
!!! DON'T UPDATE THIS FILE !!!
This is I used replace original methods, because it file need updating only one time!
If a file updated, when reset all methods, which used here!
]]--
-- -------------------------------------------------------------------------------------
local timer_create, timer_remove = timer.Create, timer.Remove
-- -------------------------------------------------------------------------------------
function timer.Create( sID, nDelay, nRep, fCallback )
timer_create( sID, nDelay, nRep, fCallback )
hook.Call( '[Ambi.Timer.Create]', nil, sID, nDelay, nRep, fCallback )
end
function timer.Remove( sID )
timer_remove( sID )
hook.Call( '[Ambi.Timer.Remove]', nil, sID )
end
|
RegisterClientScript()
local pidmeta = RegisterMetatable("pidcontroller")
pidmeta.__index = pidmeta
function pidmeta:Update(currentError, elapsedTime)
local incrIntegral = currentError * elapsedTime
if (self.integral) then
self.integral = self.integral + incrIntegral
else
self.integral = incrIntegral
end
local deriv
if (self.lastError) then
deriv = (currentError - self.lastError) / elapsedTime
else
deriv = currentError / elapsedTime
end
self.lastError = currentError
return currentError * self.p + self.integral * self.i + deriv * self.d
end
function pidmeta:__tostring()
return "PID"
end
function PID(p, i, d)
return setmetatable({
p = p,
i = i,
d = d
}, pidmeta)
end
|
-- Prosody IM
-- Copyright (C) 2008-2014 Matthew Wild
-- Copyright (C) 2008-2014 Waqas Hussain
--
-- This project is MIT/X11 licensed. Please see the
-- COPYING file in the source package for more information.
--
local ok, crand = pcall(require, "util.crand");
if ok then return crand; end
local urandom, urandom_err = io.open("/dev/urandom", "r");
local function bytes(n)
return urandom:read(n);
end
if not urandom then
function bytes()
error("Unable to obtain a secure random number generator, please see https://prosody.im/doc/random ("..urandom_err..")");
end
end
return {
bytes = bytes;
_source = "/dev/urandom";
};
|
---@class CS.FairyEditor.View.ResourceMenu
---@field public realMenu CS.FairyEditor.Component.IMenu
---@field public targetItems CS.System.Collections.Generic.List_CS.FairyEditor.FPackageItem
---@type CS.FairyEditor.View.ResourceMenu
CS.FairyEditor.View.ResourceMenu = { }
---@return CS.FairyEditor.View.ResourceMenu
function CS.FairyEditor.View.ResourceMenu.New() end
function CS.FairyEditor.View.ResourceMenu:Show() end
return CS.FairyEditor.View.ResourceMenu
|
local gui = require("__flib__.gui-beta")
local math = require("__flib__.math")
local constants = require("constants")
local logistic_request = require("scripts.logistic-request")
local logistic_request_gui = {}
function logistic_request_gui.build(player, player_table)
local resolution = player.display_resolution
local scale = player.display_scale
local focus_frame_size = {resolution.width / scale, resolution.height / scale}
local refs = gui.build(player.gui.screen, {
{
type = "frame",
style = "invisible_frame",
style_mods = {size = focus_frame_size},
ref = {"focus_frame"},
visible = false,
actions = {
on_click = {gui = "request", action = "close", reopen_after_subwindow = true}
}
},
{
type = "frame",
name = "qis_request_window",
direction = "vertical",
visible = false,
ref = {"window"},
actions = {
on_closed = {gui = "request", action = "close", reopen_after_subwindow = true}
},
children = {
{
type = "flow",
style = "flib_titlebar_flow",
ref = {"titlebar_flow"},
actions = {
on_click = {gui = "request", action = "recenter"}
},
children = {
{
type = "label",
style = "frame_title",
caption = {"gui.qis-edit-logistic-request"},
ignored_by_interaction = true
},
{type = "empty-widget", style = "flib_titlebar_drag_handle", ignored_by_interaction = true},
{
type = "sprite-button",
style = "frame_action_button",
sprite = "utility/close_white",
hovered_sprite = "utility/close_black",
clicked_sprite = "utility/close_black",
actions = {
on_click = {gui = "request", action = "close", reopen_after_subwindow = true}
}
}
}
},
{type = "frame", style = "inside_shallow_frame", direction = "vertical", children = {
{type = "frame", style = "subheader_frame", children = {
{type = "label", style = "subheader_caption_label", ref = {"item_label"}},
{type = "empty-widget", style = "flib_horizontal_pusher"}
}},
{
type = "flow",
style_mods = {vertical_align = "center", horizontal_spacing = 8, padding = 12},
children = {
{
type = "textfield",
style = "slider_value_textfield",
numeric = true,
clear_and_focus_on_right_click = true,
text = "0",
tags = {bound = "min"},
ref = {"logistic_setter", "min", "textfield"},
actions = {
on_confirmed = {gui = "request", action = "update_request"}
}
},
{type = "flow", direction = "vertical", children = {
{
type = "slider",
style = "notched_slider",
style_mods = {horizontally_stretchable = true},
minimum_value = 0,
maximum_value = 500,
value_step = 50,
value = 0,
discrete_slider = true,
discrete_values = true,
tags = {bound = "max"},
ref = {"logistic_setter", "max", "slider"},
actions = {
on_value_changed = {gui = "request", action = "update_request"}
}
},
{
type = "slider",
style = "notched_slider",
style_mods = {horizontally_stretchable = true},
minimum_value = 0,
maximum_value = 500,
value_step = 50,
value = 500,
discrete_slider = true,
discrete_values = true,
tags = {bound = "min"},
ref = {"logistic_setter", "min", "slider"},
actions = {
on_value_changed = {gui = "request", action = "update_request"}
}
}
}},
{
type = "textfield",
style = "slider_value_textfield",
numeric = true,
clear_and_focus_on_right_click = true,
text = constants.infinity_rep,
tags = {bound = "max"},
ref = {"logistic_setter", "max", "textfield"},
actions = {
on_confirmed = {gui = "request", action = "update_request"}
}
},
{
type = "sprite-button",
style = "item_and_count_select_confirm",
sprite = "utility/check_mark",
tooltip = {"", {"gui.qis-set-request"}, {"gui.qis-confirm"}},
ref = {"logistic_setter", "set_request_button"},
actions = {
on_click = {gui = "request", action = "set_request"}
}
},
{
type = "sprite-button",
style = "flib_tool_button_light_green",
style_mods = {top_margin = 1},
sprite = "qis_temporary_request",
tooltip = {"", {"gui.qis-set-temporary-request"}, {"gui.qis-shift-confirm"}},
ref = {"logistic_setter", "set_temporary_request_button"},
actions = {
on_click = {gui = "request", action = "set_request", temporary = true}
}
},
{
type = "sprite-button",
style = "tool_button_red",
style_mods = {top_margin = 1},
sprite = "utility/trash",
tooltip = {"", {"gui.qis-clear-request"}, {"gui.qis-control-confirm"}},
actions = {
on_click = {gui = "request", action = "clear_request"}
}
}
}
}
}}
}
}
})
refs.window.force_auto_center()
refs.titlebar_flow.drag_target = refs.window
player_table.guis.request = {
refs = refs,
state = {
item_data = nil,
visible = false
}
}
end
function logistic_request_gui.destroy(player_table)
player_table.guis.request.refs.window.destroy()
player_table.guis.request = nil
end
function logistic_request_gui.open(player, player_table, item_data)
local gui_data = player_table.guis.request
local refs = gui_data.refs
local state = gui_data.state
-- update state
local stack_size = game.item_prototypes[item_data.name].stack_size
item_data.stack_size = stack_size
state.item_data = item_data
local request_data = item_data.request or {min = 0, max = math.max_uint}
state.request = request_data
state.visible = true
-- update item label
refs.item_label.caption = "[item="..item_data.name.."] "..item_data.translation
-- update logistic setter
local logistic_setter = refs.logistic_setter
for _, type in ipairs{"min", "max"} do
local elems = logistic_setter[type]
local count = request_data[type]
elems.textfield.enabled = true
if count == math.max_uint then
elems.textfield.text = constants.infinity_rep
else
elems.textfield.text = tostring(count)
end
elems.slider.enabled = true
elems.slider.set_slider_value_step(1)
elems.slider.set_slider_minimum_maximum(0, stack_size * 10)
elems.slider.set_slider_value_step(stack_size)
elems.slider.slider_value = math.round(count / stack_size) * stack_size
end
refs.logistic_setter.min.textfield.select_all()
refs.logistic_setter.min.textfield.focus()
-- update window
refs.focus_frame.visible = true
refs.focus_frame.bring_to_front()
refs.window.visible = true
refs.window.bring_to_front()
-- set opened
player.opened = refs.window
end
function logistic_request_gui.close(player, player_table)
local gui_data = player_table.guis.request
gui_data.state.visible = false
gui_data.refs.focus_frame.visible = false
gui_data.refs.window.visible = false
if not player.opened then
player.opened = player_table.guis.search.refs.window
end
end
function logistic_request_gui.update_focus_frame_size(player, player_table)
local gui_data = player_table.guis.request
if gui_data then
local resolution = player.display_resolution
local scale = player.display_scale
local size = {resolution.width / scale, resolution.height / scale}
gui_data.refs.focus_frame.style.size = size
end
end
function logistic_request_gui.set_request(player, player_table, is_temporary, skip_sound)
if not skip_sound then
player.play_sound{path = "utility/confirm"}
end
local gui_data = player_table.guis.request
local refs = gui_data.refs
local state = gui_data.state
-- get the latest values from each textfield
logistic_request_gui.update_request(refs, state, refs.logistic_setter.min.textfield)
logistic_request_gui.update_request(refs, state, refs.logistic_setter.max.textfield)
-- set the request
logistic_request.set(player, player_table, state.item_data.name, state.request, is_temporary)
-- close this window
if is_temporary then
player.opened = nil
end
end
function logistic_request_gui.clear_request(player, player_table)
player.play_sound{path = "utility/confirm"}
logistic_request.clear(player, player_table, player_table.guis.request.state.item_data.name)
player.opened = nil
end
function logistic_request_gui.update_request(refs, state, element)
local item_data = state.item_data
local request_data = state.request
local bound = gui.get_tags(element).bound
local elems = refs.logistic_setter[bound]
local count
if element.type == "textfield" then
count = tonumber(element.text)
if not count then
count = bound == "min" and 0 or math.max_uint
end
elems.slider.slider_value = math.round(count / item_data.stack_size) * item_data.stack_size
else
count = element.slider_value
local text
if bound == "max" and count == item_data.stack_size * 10 then
count = math.max_uint
text = constants.infinity_rep
else
text = tostring(count)
end
elems.textfield.text = text
end
request_data[bound] = count
-- sync border
if bound == "min" and count > request_data.max then
request_data.max = count
refs.logistic_setter.max.textfield.text = tostring(count)
refs.logistic_setter.max.slider.slider_value = math.round(count / item_data.stack_size) * item_data.stack_size
elseif bound == "max" and count < request_data.min then
request_data.min = count
refs.logistic_setter.min.textfield.text = tostring(count)
refs.logistic_setter.min.slider.slider_value = math.round(count / item_data.stack_size) * item_data.stack_size
end
-- switch textfield
if element.type == "textfield" then
if bound == "min" then
refs.logistic_setter.max.textfield.select_all()
refs.logistic_setter.max.textfield.focus()
else
refs.logistic_setter.min.textfield.select_all()
refs.logistic_setter.min.textfield.focus()
end
end
end
function logistic_request_gui.handle_action(e, msg)
local player = game.get_player(e.player_index)
local player_table = global.players[e.player_index]
local gui_data = player_table.guis.request
local refs = gui_data.refs
local state = gui_data.state
if msg.action == "close" then
logistic_request_gui.close(player, player_table)
elseif msg.action == "bring_to_front" then
refs.window.bring_to_front()
elseif msg.action == "recenter" and e.button == defines.mouse_button_type.middle then
refs.window.force_auto_center()
elseif msg.action == "update_request" then
logistic_request_gui.update_request(refs, state, e.element)
elseif msg.action == "clear_request" then
logistic_request.clear(player, player_table, state.item_data.name)
-- invoke `on_gui_closed` so the search GUI will be refocused
player.opened = nil
elseif msg.action == "set_request" then
-- HACK: Makes it easy for the search GUI to tell that this was confirmed
player_table.confirmed_tick = game.ticks_played
logistic_request_gui.set_request(player, player_table, msg.temporary, true)
-- invoke `on_gui_closed` if the above function did not
if not msg.temporary then
player.opened = nil
end
end
end
return logistic_request_gui
|
-- Generated By protoc-gen-lua Do not Edit
local protobuf = require "protobuf"
module('BceGuildBagTake_pb', package.seeall)
local BCEGUILDBAGTAKE = protobuf.Descriptor();
local BCEGUILDBAGTAKE_GUILDID_FIELD = protobuf.FieldDescriptor();
local BCEGUILDBAGTAKE_INDEX_FIELD = protobuf.FieldDescriptor();
BCEGUILDBAGTAKE_GUILDID_FIELD.name = "guildID"
BCEGUILDBAGTAKE_GUILDID_FIELD.full_name = ".com.xinqihd.sns.gameserver.proto.BceGuildBagTake.guildID"
BCEGUILDBAGTAKE_GUILDID_FIELD.number = 1
BCEGUILDBAGTAKE_GUILDID_FIELD.index = 0
BCEGUILDBAGTAKE_GUILDID_FIELD.label = 1
BCEGUILDBAGTAKE_GUILDID_FIELD.has_default_value = false
BCEGUILDBAGTAKE_GUILDID_FIELD.default_value = ""
BCEGUILDBAGTAKE_GUILDID_FIELD.type = 9
BCEGUILDBAGTAKE_GUILDID_FIELD.cpp_type = 9
BCEGUILDBAGTAKE_INDEX_FIELD.name = "index"
BCEGUILDBAGTAKE_INDEX_FIELD.full_name = ".com.xinqihd.sns.gameserver.proto.BceGuildBagTake.index"
BCEGUILDBAGTAKE_INDEX_FIELD.number = 2
BCEGUILDBAGTAKE_INDEX_FIELD.index = 1
BCEGUILDBAGTAKE_INDEX_FIELD.label = 1
BCEGUILDBAGTAKE_INDEX_FIELD.has_default_value = false
BCEGUILDBAGTAKE_INDEX_FIELD.default_value = 0
BCEGUILDBAGTAKE_INDEX_FIELD.type = 5
BCEGUILDBAGTAKE_INDEX_FIELD.cpp_type = 1
BCEGUILDBAGTAKE.name = "BceGuildBagTake"
BCEGUILDBAGTAKE.full_name = ".com.xinqihd.sns.gameserver.proto.BceGuildBagTake"
BCEGUILDBAGTAKE.nested_types = {}
BCEGUILDBAGTAKE.enum_types = {}
BCEGUILDBAGTAKE.fields = {BCEGUILDBAGTAKE_GUILDID_FIELD, BCEGUILDBAGTAKE_INDEX_FIELD}
BCEGUILDBAGTAKE.is_extendable = false
BCEGUILDBAGTAKE.extensions = {}
BceGuildBagTake = protobuf.Message(BCEGUILDBAGTAKE)
_G.BCEGUILDBAGTAKE_PB_BCEGUILDBAGTAKE = BCEGUILDBAGTAKE
|
local IInput = require("api.gui.IInput")
local IInputHandler = require("api.gui.IInputHandler")
local KeyHandler = require("api.gui.KeyHandler")
local MouseHandler = require("api.gui.MouseHandler")
local InputHandler = class.class("InputHandler", {IInput, IInputHandler})
InputHandler:delegate("keys", {
"bind_keys",
"unbind_keys",
"receive_key",
"run_key_action",
"run_text_action",
"run_keybind_action",
"key_held_frames",
"is_modifier_held",
"is_shift_delayed_key",
"ignore_modifiers",
"release_key",
})
InputHandler:delegate("mouse", {
"bind_mouse",
"receive_mouse_movement",
"receive_mouse_button",
"run_mouse_action",
"run_mouse_element_action",
"run_mouse_movement_action",
"bind_mouse_elements",
"unbind_mouse_elements"
})
function InputHandler:init(keys)
self.keys = keys or KeyHandler:new()
self.mouse = MouseHandler:new()
self:bind_keys {
repl = function()
require("game.field"):query_repl()
end
}
end
function InputHandler:focus()
self.keys:focus()
self.mouse:focus()
end
function InputHandler:forward_to(handler, keys)
self.keys:forward_to(handler, keys)
self.mouse:forward_to(handler)
end
function InputHandler:halt_input()
self.keys:halt_input()
self.mouse:halt_input()
end
function InputHandler:update_repeats(dt)
self.keys:update_repeats(dt)
self.mouse:update_repeats(dt)
end
function InputHandler:run_actions(dt, player)
local ran, result = self.keys:run_actions(dt, player)
self.mouse:run_actions()
return ran, result
end
function InputHandler:enqueue_macro(action)
return self.keys:enqueue_macro(action)
end
function InputHandler:clear_macro_queue()
self.keys:clear_macro_queue()
end
return InputHandler
|
class("GuildEventStartCommand", pm.SimpleCommand).execute = function (slot0, slot1)
if getProxy(GuildProxy):getData() then
pg.TipsMgr.GetInstance():ShowTips(i18n("guild_boss_appear"))
slot2.eventTip = true
slot0:sendNotification(GAME.BOSS_EVENT_START_DONE)
end
end
return class("GuildEventStartCommand", pm.SimpleCommand)
|
local awful = require('awful')
local ruled = require('ruled')
local beautiful = require('beautiful')
local app = require('configuration.apps').default.quake
local client_keys = require('configuration.client.keys')
local client_buttons = require('configuration.client.buttons')
local quake_id = nil
local quake_client = nil
local quake_opened = false
local quake_properties = function()
return {
skip_decoration = true,
titlebars_enabled = false,
switch_to_tags = true,
opacity = 0.95,
floating = true,
skip_taskbar = true,
ontop = true,
above = true,
sticky = true,
hidden = not quake_opened,
maximized_horizontal = true,
skip_center = true,
round_corners = false,
keys = client_keys,
buttons = client_buttons,
placement = awful.placement.top,
shape = beautiful.client_shape_rectangle
}
end
ruled.client.connect_signal(
'request::rules',
function()
ruled.client.append_rule {
id = 'quake_terminal',
rule_any = {
instance = {
'QuakeTerminal'
}
},
properties = quake_properties()
}
end
)
local create_quake = function()
-- Check if there's already an instance of 'QuakeTerminal'.
-- If yes, recover it - use it again.
local quake_term = function (c)
return ruled.client.match(c, {instance = 'QuakeTerminal'})
end
for c in awful.client.iterate(quake_term) do
-- 'QuakeTerminal' instance detected
-- Re-apply its properties
ruled.client.execute(c, quake_properties())
quake_id = c.pid
c:emit_signal('request::activate')
return
end
-- No 'QuakeTerminal' instance, spawn one
quake_id = awful.spawn(app, quake_properties())
end
local quake_open = function()
quake_client.hidden = false
quake_client:emit_signal('request::activate')
end
local quake_close = function()
quake_client.hidden = true
end
local quake_toggle = function()
quake_opened = not quake_opened
if not quake_client then
create_quake()
else
if quake_opened then
quake_open()
else
quake_close()
end
end
end
awesome.connect_signal(
'module::quake_terminal:toggle',
function()
quake_toggle();
end
)
client.connect_signal(
'manage',
function(c)
if c.pid == quake_id then
quake_client = c
end
end
)
client.connect_signal(
'unmanage',
function(c)
if c.pid == quake_id then
quake_opened = false
quake_client = nil
end
end
)
|
function yGatherIcon_OnClick(this, button, ignoreShift)
if (button=="RBUTTON") then
ToggleDropDownMenu(yGatherIconMenu);
end
end
function yGatherIconMenu_OnLoad(this)
UIDropDownMenu_Initialize( this, yGatherIconMenu_OnShow, "MENU");
end
local function RemoveMarker(info)
local stackInfo = info.arg1;
yGather.database.RemoveEntry(stackInfo[1], stackInfo[2], stackInfo[3] * 1000, stackInfo[4] * 1000);
end;
local function EditDescription(info)
yGatherIconTextEdit.stackInfo = info.arg1;
ShowUIPanel(yGatherIconTextEdit);
end;
function yGatherIconMenu_OnShow(this)
local icon = this.icon;
if (icon ~= nil) then
local info = {};
if( UIDROPDOWNMENU_MENU_LEVEL == 1 ) then
yGatherIconMenu:ClearAllAnchors();
yGatherIconMenu:SetAnchor("TOPLEFT", "TOPRIGHT", icon, 0, -40);
info = {};
info.text = yGather.matdb.GetResourceName(icon.yGMatId);
info.isTitle = 1;
info.value = 1;
info.notCheckable = 1;
UIDropDownMenu_AddButton( info, 1 );
info = {};
info.text = yGather.translate("iconContext/deleteMarker");
info.arg1 = {icon.yGZoneId, icon.yGMatId, icon.yGWorldMapX, icon.yGWorldMapY};
info.func = RemoveMarker;
info.owner = DropDownframe;
info.notCheckable = 1;
UIDropDownMenu_AddButton( info, 1 );
info = {};
info.text = yGather.translate("iconContext/editDescription");
info.arg1 = {icon.yGZoneId, icon.yGMatId, icon.yGWorldMapX, icon.yGWorldMapY, icon.yGName};
info.func = EditDescription;
info.owner = DropDownframe;
info.notCheckable = 1;
UIDropDownMenu_AddButton( info, 1 );
end
end --nil icon
end
|
--luacheck: ignore describe it setup teardown
describe('rapidjson.dump()', function()
local rapidjson = require('rapidjson')
local function check(filename, ...)
local e = rapidjson.load(filename)
local df = 'dump.json'
rapidjson.dump(e, df, ...)
local a = rapidjson.load(df)
--os.remove(df)
return e, a
end
setup(function()
os.remove('dump.json')
end)
teardown(function()
os.remove('dump.json')
end)
it('when load valid json file', function()
local e, a = check('rapidjson/bin/jsonchecker/pass1.json')
assert.are.same(string.format("%.10g", e[9]['E']), string.format("%.10g", a[9]['E']))
assert.are.same(string.format("%.10g", e[9]['']),string.format("%.10g", a[9]['']))
a[9]['E'], a[9][''], e[9]['E'], e[9][''] = nil, nil, nil, nil
assert.are.same(e, a)
assert.are.same(check('rapidjson/bin/jsonchecker/pass2.json'))
assert.are.same(check('rapidjson/bin/jsonchecker/pass3.json'))
end)
it('should dump with pretty option = true', function()
local option = {pretty=true}
local e, a = check('rapidjson/bin/jsonchecker/pass1.json', option)
assert.are.same(string.format("%.10g", e[9]['E']), string.format("%.10g", a[9]['E']))
assert.are.same(string.format("%.10g", e[9]['']),string.format("%.10g", a[9]['']))
a[9]['E'], a[9][''], e[9]['E'], e[9][''] = nil, nil, nil, nil
assert.are.same(e, a)
assert.are.same(check('rapidjson/bin/jsonchecker/pass2.json', option))
assert.are.same(check('rapidjson/bin/jsonchecker/pass3.json', option))
end)
it('should dump with pretty option = false', function()
local option = {pretty=false}
local e, a = check('rapidjson/bin/jsonchecker/pass1.json', option)
assert.are.same(string.format("%.10g", e[9]['E']), string.format("%.10g", a[9]['E']))
assert.are.same(string.format("%.10g", e[9]['']),string.format("%.10g", a[9]['']))
a[9]['E'], a[9][''], e[9]['E'], e[9][''] = nil, nil, nil, nil
assert.are.same(e, a)
assert.are.same(check('rapidjson/bin/jsonchecker/pass2.json', option))
assert.are.same(check('rapidjson/bin/jsonchecker/pass3.json', option))
end)
it('should dump with empty option', function()
local option = {}
local e, a = check('rapidjson/bin/jsonchecker/pass1.json', option)
assert.are.same(string.format("%.10g", e[9]['E']), string.format("%.10g", a[9]['E']))
assert.are.same(string.format("%.10g", e[9]['']),string.format("%.10g", a[9]['']))
a[9]['E'], a[9][''], e[9]['E'], e[9][''] = nil, nil, nil, nil
assert.are.same(e, a)
assert.are.same(check('rapidjson/bin/jsonchecker/pass2.json', option))
assert.are.same(check('rapidjson/bin/jsonchecker/pass3.json', option))
end)
it('should not dump with option other than table or nil', function()
assert.has.errors(function()
assert(rapidjson.dump({}, "dump.json", 1))
end, [[bad argument #3 to 'dump' (table expected, got number)]])
end)
it('should raise error when filename is not string', function()
assert.has.errors(function()
assert(rapidjson.dump({}, nil, {}))
end, [[bad argument #2 to 'dump' (string expected, got nil)]])
end)
local function get_file_content(filename)
local f = io.open(filename)
local contents = nil
if f then
contents = f:read("*a")
f:close()
end
return contents
end
it('should handle utf-8 string', function()
rapidjson.dump({
["en"] = "I can eat glass and it doesn't hurt me.",
["zh-Hant"] = "我能吞下玻璃而不傷身體。",
["zh-Hans"] = "我能吞下玻璃而不伤身体。",
["ja"] = "私はガラスを食べられます。それは私を傷つけません。",
["ko"] = "나는 유리를 먹을 수 있어요. 그래도 아프지 않아요"
}, "dump.json", {sort_keys=true})
assert.are.equal(
[[{"en":"I can eat glass and it doesn't hurt me.",]]..
[["ja":"私はガラスを食べられます。それは私を傷つけません。",]]..
[["ko":"나는 유리를 먹을 수 있어요. 그래도 아프지 않아요",]]..
[["zh-Hans":"我能吞下玻璃而不伤身体。",]]..
[["zh-Hant":"我能吞下玻璃而不傷身體。"}]],
get_file_content("dump.json")
)
end)
it('should support pretty options', function()
rapidjson.dump({a=true}, "dump.json",{pretty=true})
assert.are.equal(
[[{
"a": true
}]],
get_file_content("dump.json")
)
end)
it('should support sort_keys options', function()
rapidjson.dump({Z=true, a=true,z=true,b=true, A=true, B=true}, "dump.json",{sort_keys=true})
assert.are.equal(
'{"A":true,"B":true,"Z":true,"a":true,"b":true,"z":true}',
get_file_content("dump.json")
)
end)
it('should support sort_keys and pretty options', function()
rapidjson.dump({Z=true, a=true,z=true,b=true, A=true, B=true}, "dump.json",{sort_keys=true,pretty=true})
assert.are.equal(
[[{
"A": true,
"B": true,
"Z": true,
"a": true,
"b": true,
"z": true
}]],
get_file_content("dump.json")
)
end)
end)
|
local Timer = {}
-- brief : 获取下N个小时的时间点
-- param : interval,若干小时
-- param : timepoint,起始时间点,为nil时则为当前时间
-- return : 小时点Hour,unix时间戳
function Timer.get_next_hour( interval,timepoint )
local tt = timepoint or this.time()
tt = tt + 3600 * interval
local time = os.date('*t',tt)
return time.hour,tt
end
-- brief : 获取下N个半小时的时间点
-- param : interval,若干小时
-- param : timepoint, 起始时间点,为nil时则为当前时间
-- return : unix时间戳
function Timer.get_next_half_hour( interval, timepoint )
local tt = timepoint or this.time()
local time = os.date("*t",tt + (1800 * interval))
time.sec = 0
if time.min < 30 then
time.min = 0
else
time.min = 30
end
return os.time(time)
end
-- brief : 获取下N个时刻的时间点
-- param : interval, 若干小时
-- return : unix时间戳
function Timer.get_next_hour_point( interval )
interval = interval or 1
local ti = this.time() + 3600 * interval --获取下一时刻
ti = os.date("*t",ti)
ti.min = 0
ti.sec = 0
return os.time(ti)
end
-- 获取下一个cron时间
-- @param minute 从0开始的间隔分钟 如10 - [0 10 20 30 40 50] 20 - [0 20 40] 9 - [0 9 18 27 36 45 54]
-- @param 时间起点
function Timer.get_next_cron_min_point(minute,timepoint)
local tt = timepoint or this.time()
local time = os.date("*t", tt)
time.sec = 0
local n = math.modf(time.min / minute) + 1
local x = n * minute
if x >= 60 then
time.hour = time.hour + 1
time.min = 0
else
time.min = x
end
return os.time(time)
end
-- brief: HMS时间格式的 >= 判断函数
-- param: h,m必填, s可以不填,默认=0
-- return: true(hms1 >= hms2)/ false反之
--
-- eg: 判断17:50:30与21:30:30哪个时间点更大
-- Timer.check_hms_greater_equal(17, 50, 30, 21, 30, 30)
function Timer.check_hms_greater_equal( h1, m1, s1, h2, m2, s2 )
s1 = s1 or 0
s2 = s2 or 0
assert(Timer.is_valid_hms(h1, m1, s1))
assert(Timer.is_valid_hms(h2, m2, s2))
if h1 ~= h2 then
return h1 > h2
elseif m1 ~= m2 then
return m1 > m2
elseif s1 ~= s2 then
return s1 > s2
else
return true --相等
end
end
-- brief: 计算当前时间到下一个HMS的秒数,如果此时间点已过则取至第二天此HM的秒数
-- param: int h, int m, int s
-- return: 当前时间到下一个HMS的秒数,如果此时间点已过则取至第二天此HM的秒数
function Timer.get_diff_sec_to_next_hms( h, m, s )
s = s or 0
assert(Timer.is_valid_hms(h, m, s))
local now = os.date('*t')
if Timer.check_hms_greater_equal(now.hour, now.min, now.sec, h, m, s) then
--时间点已过, 取当前时间到第二天hh:mm:ss的秒数
local passed_secs = (now.hour - h) * 3600 + (now.min - m) * 60 + (now.sec - s)
return 24 * 3600 - passed_secs
else
--未过
return (h - now.hour) * 3600 + (m - now.min) * 60 + (s - now.sec)
end
end
-- brief : 获取当前时间距离某一个整点的秒数
-- param : interval, 若干小时
-- return : secs,相差的秒数
function Timer.get_diff_sec_to_next_hour(interval)
local now = os.date('*t')
return (interval or 1 ) * 3600-(now.min*60+now.sec)
end
-- brief : 获取当前时间距下一天某时刻的秒数(以x点为新的一天)
-- param : x, 时刻点
-- return : secs, 相差的秒数
function Timer.get_diff_sec_to_next_day_x(x)
local now = this.time()
local ti = now + 3600 * 24 --获取下一天
local nexttime = os.date('*t', ti)
local next_day = { year = nexttime.year, month = nexttime.month, day = nexttime.day, hour = x, min = 0, sec = 0 }
local next_day_ti = os.time(next_day)
return next_day_ti - now
end
-- brief : 获取前一天某时刻的时间点
-- param : x, 时刻点
-- return : unix时间戳
function Timer.get_prev_day_x(x)
local time = this.time()
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day - 1, hour = x, min = 0, sec = 0 }
return os.time(next)
end
-- brief : 获取当天某时刻的时间点
-- param : x, 时刻点
-- return : unix时间戳
function Timer.get_curr_day_x(x)
local time = this.time()
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day, hour = x, min = 0, sec = 0 }
return os.time(next)
end
-- brief : 获取下一天某时刻的时间点
-- param : x, 时刻点
-- return : unix时间戳
function Timer.get_next_day_x(x)
local now = this.time()
local ti = now + 3600 * 24 --获取下一天
local nexttime = os.date('*t', ti)
local next_day = { year = nexttime.year, month = nexttime.month, day = nexttime.day, hour = x, min = 0, sec = 0 }
return os.time(next_day)
end
-- brief : 获取指定时间点所在自然天下某个时刻的时间
-- param : x, 时刻点
-- return : unix时间戳
function Timer.get_spec_day_x(x, hour)
local date = os.date("*t", x)
local next = { year = date.year, month = date.month, day = date.day, hour = hour, min = 0, sec = 0 }
return os.time(next)
end
-- brief : 获取前两周某天某时刻的时间点
-- wday : 周几(周日 = 1, 周六 = 7)
-- hour : 时间点
-- return : unix时间戳
function Timer.get_prev_prev_week_x(wday, hour)
local time = this.time() - 2 * 7 * 24 * 3600
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day, hour = hour, min = 0, sec = 0 }
return os.time(next) + (wday - date.wday) * 24 * 3600
end
-- brief : 获取前一周某天某时刻的时间点
-- wday : 周几(周日 = 1, 周六 = 7)
-- hour : 时间点
-- return : unix时间戳
function Timer.get_prev_week_x(wday, hour)
local time = this.time() - 7 * 24 * 3600
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day, hour = hour, min = 0, sec = 0 }
return os.time(next) + (wday - date.wday) * 24 * 3600
end
-- brief : 获取本周某天某时刻的时间点
-- wday : 周几(周日 = 1, 周六 = 7)
-- hour : 时间点
-- return : unix时间戳
function Timer.get_curr_week_x(wday, hour)
local time = this.time()
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day, hour = hour, min = 0, sec = 0 }
return os.time(next) + (wday - date.wday) * 24 * 3600
end
-- brief : 获取下周某天某时刻的时间点
-- wday : 周几(周日 = 1, 周六 = 7)
-- hour : 时间点
-- return : unix时间戳
function Timer.get_next_week_x(wday, hour)
local time = this.time() + 7 * 24 * 3600
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day, hour = hour, min = 0, sec = 0 }
return os.time(next) + (wday - date.wday) * 24 * 3600
end
-- brief : 获取指定时间点所在自然周下某时刻的时间点
-- x : 指定时间点
-- wday : 周几(周日 = 1, 周六 = 7)
-- hour : 小时
function Timer.get_spec_week_x(x, wday, hour)
local date = os.date("*t", x)
local next = { year = date.year, month = date.month, day = date.day, hour = hour, min = 0, sec = 0 }
return os.time(next) + (wday - date.wday) * 24 * 3600
end
-- brief : 获取本月某天某时刻的时间点
-- day : 日期
-- hour : 时间点
-- return : unix时间戳
function Timer.get_curr_month_x(day, hour)
local time = this.time()
local date = os.date("*t", time)
local next = { year = date.year, month = date.month, day = date.day, hour = (hour or 0), min = 0, sec = 0 }
return os.time(next) + (day - date.day) * 24 * 3600
end
-- brief : 获取上月某天某时刻的时间点
-- day : 日期
-- hour : 时间点
-- return : unix时间戳
function Timer.get_prev_month_x(day, hour)
local time = this.time()
local date = os.date("*t", time)
local next = { year = date.year, month = date.month -1, day = date.day, hour = (hour or 0), min = 0, sec = 0 }
return os.time(next) + (day - date.day) * 24 * 3600
end
-- brief : 获取下月某天某时刻的时间点
-- day : 日期
-- hour : 时间点
-- return : unix时间戳
function Timer.get_next_month_x(day, hour)
local time = this.time()
local date = os.date("*t", time)
local next = { year = date.year, month = date.month + 1, day = date.day, hour = (hour or 0), min = 0, sec = 0 }
return os.time(next) + (day - date.day) * 24 * 3600
end
-- brief : 获取指定时间点所在自然月下某时刻的时间点
-- x : 指定时间点
-- day : 日期
-- hour : 时间点
-- return : unix时间戳
function Timer.get_spec_month_x(x, day, hour)
local date = os.date("*t", x)
local next = { year = date.year, month = date.month, day = day, hour = (hour or 0), min = 0, sec = 0 }
return os.time(next)
end
-- 计算两个时间戳相差天数(自然天数)
-- t1 - unix时间戳(秒)
-- t2 - unix时间戳(秒)
-- pt - 日期分界点
-- return : 两个时间相差天数
function Timer.calculate_difference_days(t1, t2, pt)
-- 计算时间戳对应日期起始时间
local function begin(tm)
local date = os.date("*t", tm)
local time = os.time({year = date.year, month = date.month, day = date.day, hour = (pt or 0), min = 0, sec = 0})
if (time > tm) then
time = time - (24 * 3600)
end
return time
end
-- 计算相差自然天数
local v1 = begin(t1)
local v2 = begin(t2)
return math.abs(v1 - v2) / (24 * 3600)
end
-- 计算两个时间戳相差周数(自然周数,周日 = 1, 周六 = 7)
-- t1 - unix时间戳(秒)
-- t2 - unix时间戳(秒)
-- return : 两个时间相差周数
function Timer.calculate_difference_weeks(t1, t2)
-- 计算时间戳当周起始时间
local function begin(tm)
local date = os.date("*t", tm)
local time = { year = date.year, month = date.month, day = date.day, hour = 0, min = 0, sec = 0}
return os.time(time) - (date.wday - 1) * 24 * 3600
end
-- 计算相差自然周数
local v1 = begin(t1)
local v2 = begin(t2)
return math.abs(v1 - v2) / (7 * 24 * 3600)
end
-- 计算两个时间戳相差月份(自然月份)
-- t1 - unix时间戳(秒)
-- t2 - unix时间戳(秒)
-- return : 两个时间相差月份
function Timer.calculate_difference_months(t1, t2)
local v1 = os.date("*t", math.max(t1, t2))
local v2 = os.date("*t", math.min(t1, t2))
return (v1.year - v2.year) * 12 + v1.month - v2.month
end
-- brief : 根据时间戳ti格式化日期
-- param : ti,unix时间戳
-- return : time table
function Timer.get_ymd(ti)
return os.date('%Y%m%d', ti)
end
-- brief : 根据时间戳ti格式化日期
-- param : ti,unix时间戳
-- return : time table
function Timer.get_ymdh(ti)
return os.date('%Y%m%d%H', ti)
end
-- 根据时间戳获取对应年份
-- 1. unix时间戳
function Timer.get_year(ti)
return tonumber(os.date('%Y', ti))
end
-- 根据时间戳获取对于月份
-- 1. unix时间戳
function Timer.get_month(ti)
return tonumber(os.date('%m', ti))
end
-- 根据时间戳获取对应天数
function Timer.get_mday(ti)
return tonumber(os.date('%d', ti))
end
--根据当前时间戳获取对应小时数
function Timer.get_hour(ti)
return tonumber(os.date('%H', ti))
end
-- brief: 判断时间参数是否合法
-- param: h,m,s 三个参数至少有一个不是nil
-- return : true/false
function Timer.is_valid_hms( h, m, s )
local ret = true
assert(h ~= nil or m ~= nil or s ~= nil)
if h ~= nil then
ret = (h >= 0 and h <= 23) and ret
end
if m ~= nil then
ret = (m >= 0 and m <= 59) and ret
end
if s ~= nil then
ret = (s >= 0 and s <= 59) and ret
end
return ret
end
return Timer
|
function Naga_OnGossip(pUnit, event, player)
pUnit:GossipCreateMenu(1, player, 0)
pUnit:GossipMenuAddItem(1, "What is 76*76/5?", 1, 0)
pUnit:GossipMenuAddItem(1, "Let me think...", 2, 0)
pUnit:GossipSendMenu(player)
end
function Naga_OnGossipSelect(pUnit, event, player, id, intid, pmisc)
if(intid == 1) then
pUnit:GossipCreateMenu(1, player, 0)
pUnit:GossipMenuAddItem(0, "[A]1157,2", 3, 0)
pUnit:GossipMenuAddItem(0, "[B]1337", 3, 0)
pUnit:GossipMenuAddItem(0, "[C]1155,2", 4, 0)
pUnit:GossipSendMenu(player)
end
if(intid == 3) then
pUnit:SendChatMessage(12, 0, "Your answer is incorrect.")
player:GossipComplete()
end
if(intid == 4) then
pUnit:SendChatMessage(12, 0, "Correct.")
player:SetPhase(2)
player:GossipComplete()
end
if(intid == 2) then
player:GossipComplete()
end
end
RegisterUnitGossipEvent(27648, 1, "Naga_OnGossip")
RegisterUnitGossipEvent(27648, 2, "Naga_OnGossipSelect")
|
function ShuffleArray(array)
for i=1,#array-1 do
local t = math.random(i, #array)
array[i], array[t] = array[t], array[i]
end
end
function GenerateNumber()
local digits = {1,2,3,4,5,6,7,8,9}
ShuffleArray(digits)
return digits[1] * 1000 +
digits[2] * 100 +
digits[3] * 10 +
digits[4]
end
function IsMalformed(input)
local malformed = false
if #input == 4 then
local already_used = {}
for i=1,4 do
local digit = input:byte(i) - string.byte('0')
if digit < 1 or digit > 9 or already_used[digit] then
malformed = true
break
end
already_used[digit] = true
end
else
malformed = true
end
return malformed
end
math.randomseed(os.time())
math.randomseed(math.random(2^31-1)) -- since os.time() only returns seconds
print("\nWelcome to Bulls and Cows!")
print("")
print("The object of this game is to guess the random 4-digit number that the")
print("computer has chosen. The number is generated using only the digits 1-9,")
print("with no repeated digits. Each time you enter a guess, you will score one")
print("\"bull\" for each digit in your guess that matches the corresponding digit")
print("in the computer-generated number, and you will score one \"cow\" for each")
print("digit in your guess that appears in the computer-generated number, but is")
print("in the wrong position. Use this information to refine your guesses. When")
print("you guess the correct number, you win.");
print("")
quit = false
repeat
magic_number = GenerateNumber()
magic_string = tostring(magic_number) -- Easier to do scoring with a string
repeat
io.write("\nEnter your guess (or 'Q' to quit): ")
user_input = io.read()
if user_input == 'Q' or user_input == 'q' then
quit = true
break
end
if not IsMalformed(user_input) then
if user_input == magic_string then
print("YOU WIN!!!")
else
local bulls, cows = 0, 0
for i=1,#user_input do
local find_result = magic_string:find(user_input:sub(i,i))
if find_result and find_result == i then
bulls = bulls + 1
elseif find_result then
cows = cows + 1
end
end
print(string.format("You scored %d bulls, %d cows", bulls, cows))
end
else
print("Malformed input. You must enter a 4-digit number with")
print("no repeated digits, using only the digits 1-9.")
end
until user_input == magic_string
if not quit then
io.write("\nPress <Enter> to play again or 'Q' to quit: ")
user_input = io.read()
if user_input == 'Q' or user_input == 'q' then
quit = true
end
end
if quit then
print("\nGoodbye!")
end
until quit
|
GM.ShipHealth = GM.ShipHealth or SHIP_HEALTH;
function GM:GetNextDamageTime()
if( #player.GetJoined() == 0 ) then return 1e10; end
if( self:GetState() != STATE_GAME ) then return 1e10; end
local tmul = 1 - ( self:TimeLeftInState() / STATE_TIMES[STATE_GAME] );
return math.Rand( 15 - tmul * 10, 30 - tmul * 10 ) / ( #player.GetJoined() / 2 ); -- / 2 for team balance sake
end
function GM:SubsystemThink()
if( #player.GetJoined() == 0 ) then return end
if( self:GetState() != STATE_GAME ) then return end
if( !self.NextDamage or CurTime() >= self.NextDamage ) then
self.NextDamage = CurTime() + self:GetNextDamageTime();
self:DeploySubsystemFault();
end
for k, v in pairs( self.Subsystems ) do
if( self:SubsystemBroken( k ) ) then
if( v.DestroyedThink ) then
v.DestroyedThink();
end
if( v.ASS ) then
for _, ply in pairs( player.GetAll() ) do
if( ply:Alive() and ply.Joined ) then
if( !ply.NextASS ) then
ply.NextASS = CurTime();
end
if( CurTime() >= ply.NextASS ) then
ply.NextASS = CurTime() + 1;
local md = false;
for _, n in pairs( ents.FindByClass( "nss_ass" ) ) do
if( n:GetPos():Distance( ply:GetPos() ) < 256 ) then
md = true;
break;
end
end
if( !md and ply.Powerup != "spacesuit" ) then
local dmgamt = math.random( 1, 5 );
local dmg = DamageInfo();
dmg:SetAttacker( game.GetWorld() );
dmg:SetInflictor( game.GetWorld() );
dmg:SetDamage( dmgamt );
dmg:SetDamageType( v.DamageType );
ply:TakeDamageInfo( dmg );
if( !ply.ASSDamage ) then
ply.ASSDamage = 0;
end
ply.ASSDamage = math.min( ply.ASSDamage + dmgamt, 100 );
else
if( ply.ASSDamage and ply.ASSDamage > 0 ) then
local amt = math.min( ply.ASSDamage, 5 );
ply:SetHealth( ply:Health() + amt );
ply.ASSDamage = ply.ASSDamage - amt;
end
end
end
else
ply.ASSDamage = nil;
end
end
end
end
end
if( self:SubsystemBroken( "vacuum" ) and self:SubsystemBroken( "airlock" ) ) then
for _, v in pairs( player.GetAll() ) do
local vel = Vector();
for _, n in pairs( ents.FindByClass( "nss_func_space" ) ) do
local a, b = n:GetRotatedAABB( n:OBBMins(), n:OBBMaxs() );
local pos = ( n:GetPos() + ( a + b ) / 2 );
local s = ( pos - v:GetPos() );
vel = vel + s:GetNormal() * ( 1 / math.pow( v:GetPos():DistToSqr( pos ), 1.5 ) ) * 1.5e8;
end
v:SetVelocity( vel );
end
end
for _, v in pairs( player.GetAll() ) do
if( v.TerminalSolveActive ) then
if( !v:Alive() ) then
self:ClearTerminalSolve( v );
else
if( !v.TerminalSolveEnt or !v.TerminalSolveEnt:IsValid() ) then
self:ClearTerminalSolve( v );
elseif( !v.TerminalSolveEnt:IsDamaged() ) then
self:ClearTerminalSolve( v );
elseif( v.TerminalSolveEnt:GetPos():Distance( v:GetPos() ) > 100 ) then
self:ClearTerminalSolve( v );
end
end
end
end
end
function GM:DamageShip( sys )
--if( true ) then GAMEMODE:SetSubsystemState( sys, SUBSYSTEM_STATE_GOOD ) return end
GAMEMODE:SetSubsystemState( sys, SUBSYSTEM_STATE_BROKEN );
ScreenShake( 3 );
if( self.Subsystems[sys].OnDestroyed ) then
self.Subsystems[sys].OnDestroyed();
end
self.ShipHealth = self.ShipHealth - 1;
if( self.ShipHealth == 0 ) then
self:KillShip();
end
net.Start( "nSetShipHealth" );
net.WriteUInt( self.ShipHealth, MaxUIntBits( SHIP_HEALTH ) );
net.Broadcast();
end
util.AddNetworkString( "nSetShipHealth" );
function GM:KillShip()
self.Lost = true;
for _, v in pairs( player.GetAll() ) do
v:BroadcastStats();
end
self:BroadcastState();
end
function GM:SetSubsystemState( id, state )
self.SubsystemStates[id] = state;
net.Start( "nSetSubsystemState" );
net.WriteString( id );
net.WriteUInt( state, 2 );
net.Broadcast();
end
util.AddNetworkString( "nSetSubsystemState" );
function GM:ResetSubsystems()
for k, v in pairs( self.SubsystemStates ) do
self:SetSubsystemState( k, SUBSYSTEM_STATE_GOOD );
end
net.Start( "nResetSubsystems" );
net.Broadcast();
end
util.AddNetworkString( "nResetSubsystems" );
function GM:GetUnaffectedSubsystems( teamTab )
local tab = { };
for k, v in pairs( self.Subsystems ) do
if( self:GetSubsystemState( k ) == SUBSYSTEM_STATE_GOOD ) then
local teamsGood = true;
for _, n in pairs( v.Teams ) do
if( !table.HasValue( teamTab, n ) ) then
teamsGood = false;
end
end
if( teamsGood ) then
table.insert( tab, k );
end
end
end
return tab;
end
function GM:DeploySubsystemFault()
local tab = { };
for _, v in pairs( ents.FindByClass( "nss_terminal" ) ) do
if( !v:IsDamaged() ) then
table.insert( tab, v );
end
end
local teamTab = { };
if( #team.GetPlayers( TEAM_ENG ) > 0 ) then table.insert( teamTab, TEAM_ENG ); end
if( #team.GetPlayers( TEAM_PRO ) > 0 ) then table.insert( teamTab, TEAM_PRO ); end
if( #team.GetPlayers( TEAM_OFF ) > 0 ) then table.insert( teamTab, TEAM_OFF ); end
local ssTab = self:GetUnaffectedSubsystems( teamTab );
local t = table.Random( tab );
local ss = table.Random( ssTab );
if( t and ss ) then
t:SelectProblem( ss );
self:SetSubsystemState( ss, SUBSYSTEM_STATE_DANGER );
end
end
function GM:StartTerminalSolve( ent, ply )
ply.TerminalSolveActive = true;
ply.TerminalSolveEnt = ent;
ply.TerminalSolveDiff = ent:GetTerminalSolveDiff();
net.Start( "nStartTerminalSolve" );
net.WriteEntity( ply );
net.WriteEntity( ent );
net.Broadcast();
end
util.AddNetworkString( "nStartTerminalSolve" );
function GM:ClearTerminalSolve( ply )
ply.TerminalSolveActive = false;
ply.TerminalSolveEnt = nil;
ply.TerminalSolveDiff = nil;
net.Start( "nClearTerminalSolve" );
net.WriteEntity( ply );
net.Broadcast();
end
util.AddNetworkString( "nClearTerminalSolve" );
local function nTerminalSolve( len, ply )
local e = net.ReadEntity();
if( !e or !e:IsValid() ) then return end
if( ply:GetPos():Distance( e:GetPos() ) > 100 ) then return end
e:ProblemSolve( ply );
ply:AddToStat( STAT_TERMINALS, 1 );
team.SetScore( ply:Team(), team.GetScore( ply:Team() ) + 1 );
end
net.Receive( "nTerminalSolve", nTerminalSolve );
util.AddNetworkString( "nTerminalSolve" );
local function nTerminalSolveFX( len, ply )
if( !ply.TerminalSolveActive ) then return end
ply:EmitSound( Sound( "ambient/machines/keyboard" .. math.random( 1, 6 ) .. "_clicks.wav" ) );
net.Start( "nSetGestureTyping" );
net.WriteEntity( ply );
net.Broadcast();
end
net.Receive( "nTerminalSolveFX", nTerminalSolveFX );
util.AddNetworkString( "nTerminalSolveFX" );
|
--[[--------------------------------------------------------------------
Copyright (C) 2018 Johnny C. Lam.
See the file LICENSE.txt for copying permission.
--]]--------------------------------------------------------------------
local ADDON_NAME, addon = ...
local L = addon.L
---------------------------------------------------------------------
-- Global functions and constants.
local format = string.format
local ipairs = ipairs
local pairs = pairs
local setmetatable = setmetatable
local strfind = string.find
local strjoin = strjoin
local strlen = string.len
local tonumber = tonumber
local tostringall = tostringall
local type = type
-- GLOBALS: _G
-- GLOBALS: GetCVar
-- GLOBALS: SetCVar
-- GLOBALS: GetAddOnMetadata
-- GLOBALS: LibStub
local addonName = GetAddOnMetadata(ADDON_NAME, "Title")
_G[ADDON_NAME] = LibStub("AceAddon-3.0"):NewAddon(addon, addonName or ADDON_NAME, "AceConsole-3.0", "AceEvent-3.0")
local MooZone = LibStub("MooZone-1.0")
---------------------------------------------------------------------
-- Debugging code from Grid by Phanx.
-- https://github.com/phanx-wow/Grid
function addon:Debug(level, str, ...)
if not self.db.global.debug then return end
if not level then return end
if not str or strlen(str) == 0 then return end
if level <= self.db.global.debuglevel then
if (...) then
if type(str) == "string" and (strfind(str, "%%%.%d") or strfind(str, "%%[dfqsx%d]")) then
str = format(str, ...)
else
str = strjoin(" ", str, tostringall(...))
end
end
end
local name = self.moduleName or self.name or ADDON_NAME
local frame = _G[addon.db.global.debugFrame]
self:Print(frame, str)
end
---------------------------------------------------------------------
-- Initialization.
-- Reference to the frame registered into the Interface Options panel.
local settingsFrame
function addon:OnInitialize()
local defaultDB = self:GetDefaultDB()
local options = self:GetOptions()
self.db = LibStub("AceDB-3.0"):New("AutoDialogSoundsDB", defaultDB, true)
options.args.profiles = LibStub("AceDBOptions-3.0"):GetOptionsTable(self.db)
LibStub("AceConfigRegistry-3.0"):RegisterOptionsTable(self.name, options)
settingsFrame = LibStub("AceConfigDialog-3.0"):AddToBlizOptions(self.name)
end
function addon:OnEnable()
self:Debug(3, "OnEnable")
self:RegisterEvent("PLAYER_ENTERING_WORLD", "Update")
MooZone.RegisterCallback(self, "MooZone_ZoneChanged", "Update")
end
function addon:OnDisable()
self:Debug(3, "OnDisable")
self:UnregisterEvent("PLAYER_ENTERING_WORLD")
MooZone.UnregisterCallback(self, "MooZone_ZoneChanged")
end
function addon:Update(event)
self:Debug(3, "Update", event)
local value = GetCVar("Sound_EnableDialog")
if value then
value = tonumber(value)
end
local zone = MooZone:GetZone()
local newValue = self.db.profile.zone[zone] and 1 or 0
if value ~= newValue then
SetCVar("Sound_EnableDialog", newValue)
self:Print(newValue == 1 and L["Dialog sounds enabled."] or L["Dialog sounds disabled."])
end
end
|
local typedefs = require "kong.db.schema.typedefs"
local cjson = require "cjson"
local utils = require "kong.tools.utils"
local EncryptionKeyPathRetriever = require "kong.plugins.escher.encryption_key_path_retriever"
local function ensure_valid_uuid_or_nil(anonymous)
if anonymous == nil or utils.is_valid_uuid(anonymous) then
return true
end
return false, "Anonymous must a valid uuid if specified"
end
local function ensure_file_exists(file_path)
local file = io.open(file_path, "r")
if file == nil then
return false, "Encryption key file could not be found."
end
file:close()
return true
end
local function ensure_same_encryption_key_is_used(encryption_key_path, db)
local path = EncryptionKeyPathRetriever(db):find_key_path()
if path and path ~= encryption_key_path then
return false, "All Escher plugins must be configured to use the same encryption file."
end
return true
end
local function decode_json(message_template)
return cjson.decode(message_template)
end
local function is_object(message_template)
local first_char = message_template:sub(1, 1)
local last_char = message_template:sub(-1)
return first_char == "{" and last_char == "}"
end
local function ensure_message_template_is_valid_json(message_template)
local ok = pcall(decode_json, message_template)
if not ok or not is_object(message_template) then
return false, "message_template should be valid JSON object"
end
return true
end
local function validate_http_status_code(status_code)
if status_code >= 100 and status_code < 600 then
return true
end
return false, "status code is invalid"
end
return {
name = "escher",
fields = {
{
consumer = typedefs.no_consumer
},
{
config = {
type = "record",
fields = {
{ anonymous = { type = "string", default = nil, custom_validator = ensure_valid_uuid_or_nil } },
{ encryption_key_path = { type = "string", required = true } },
{ additional_headers_to_sign = { type = "array", elements = { type = "string" }, default = {} } },
{ require_additional_headers_to_be_signed = { type = "boolean", default = false } },
{ message_template = { type = "string", default = '{"message": "%s"}', custom_validator = ensure_message_template_is_valid_json } },
{ status_code = { type = "number", default = 401, custom_validator = validate_http_status_code } }
},
entity_checks = {
{ custom_entity_check = {
field_sources = { "encryption_key_path" },
fn = function(entity)
if entity.encryption_key_path ~= ngx.null then
local valid, error_message = ensure_file_exists(entity.encryption_key_path)
if not valid then
return false, error_message
end
valid, error_message = ensure_same_encryption_key_is_used(entity.encryption_key_path, kong.db)
if not valid then
return false, error_message
end
end
return true
end
} }
}
}
}
}
}
|
local id = ID("clippy.clippy")
local menuid
local stack
local kStackLimit = 10
local function SaveStack(self)
local settings = self:GetSettings()
settings.stack = stack
self:SetSettings( settings )
end
local function SaveClip()
local tdo = wx.wxTextDataObject("None")
if wx.wxClipboard:Get():Open() then
wx.wxClipboard:Get():GetData(tdo)
wx.wxClipboard:Get():Close()
local newclip = tdo:GetText()
if newclip ~= "" then
for i,oldclip in ipairs( stack ) do
if newclip == oldclip then
table.remove( stack, i )
table.insert( stack, 1, newclip )
stack[kStackLimit] = nil
return
end
end
table.insert( stack, 1, newclip )
stack[kStackLimit] = nil
end
end
end
local function OpenClipList( editor )
if not editor then
return
end
if editor:AutoCompActive() then
editor:AutoCompCancel()
end
editor:AutoCompSetSeparator(string.byte('\n'))
editor:AutoCompSetTypeSeparator(0)
local list, firstline, rem = {}
for i,clip in ipairs(stack) do
firstline, rem = string.match(clip,'([^\r\n]+)(.*)')
if firstline~=nil then
if rem ~= "" then firstline = firstline .. "..." end
list[#list+1] = i.."\t "..firstline
end
end
editor:UserListShow(2,table.concat(list,'\n'))
editor:AutoCompSelect( list[2] or "" )
editor:AutoCompSetSeparator(string.byte(' '))
editor:AutoCompSetTypeSeparator(string.byte('?'))
end
function PasteClip(i)
local newclip = stack[i]
local tdo = wx.wxTextDataObject(newclip)
if wx.wxClipboard:Get():Open() then
wx.wxClipboard:Get():SetData(tdo)
wx.wxClipboard:Get():Close()
if i ~= 1 then
table.remove( stack, i )
table.insert( stack, 1, newclip )
stack[kStackLimit] = nil
end
ide.frame:AddPendingEvent(wx.wxCommandEvent(wx.wxEVT_COMMAND_MENU_SELECTED, ID.PASTE))
return true
end
return false
end
local function OnRegister(self)
local menu = ide:GetMenuBar():GetMenu(ide:GetMenuBar():FindMenu(TR("&Edit")))
menuid = menu:Append(id, "Open Clip Stack"..KSC(id, "Ctrl-Shift-V"))
ide:GetMainFrame():Connect(id, wx.wxEVT_COMMAND_MENU_SELECTED, function (event)
OpenClipList(ide:GetEditorWithFocus(ide:GetEditor()))
end)
ide:GetMainFrame():Connect(id, wx.wxEVT_UPDATE_UI, function (event)
event:Check(ide:GetEditorWithFocus(ide:GetEditor()) ~= nil)
end)
local settings = self:GetSettings()
stack = settings.stack or {}
settings.stack = stack
self:SetSettings(settings)
end
local function OnUnRegister(self)
local menu = ide:GetMenuBar():GetMenu(ide:GetMenuBar():FindMenu(TR("&Edit")))
ide:GetMainFrame():Disconnect(id, wx.wxID_ANY, wx.wxID_ANY)
if menuid then menu:Destroy(menuid) end
end
local function OnEditorAction( self, editor, event )
local eid = event:GetId()
if eid == ID.COPY or eid == ID.CUT then
-- call the original handler first to process Copy/Cut event
self.onEditorAction = nil
ide.frame:ProcessEvent(wx.wxCommandEvent(wx.wxEVT_COMMAND_MENU_SELECTED, eid))
self.onEditorAction = OnEditorAction
SaveClip()
SaveStack(self)
return false
end
end
local function OnEditorUserlistSelection( self, editor, event )
if event:GetListType() == 2 then
local i = tonumber( event:GetText():sub(1,1) );
PasteClip(i)
SaveStack(self)
return false
end
end
return
{
name = "Clippy",
description = "Enables a stack-based clipboard which saves the last 10 entries.",
author = "sclark39",
dependencies = "1.3",
version = 0.24,
onRegister = OnRegister,
onUnRegister = OnUnRegister,
onEditorAction = OnEditorAction,
onEditorUserlistSelection = OnEditorUserlistSelection,
}
|
local constants = require "prototypes/constants"
local common = require "common"
local logic = {}
logic.logic = {}
function logic.resolve_signalID(type_and_name)
local split = string.find(type_and_name, "/")
if not split then
return nil
end
local signal_type = string.sub(type_and_name, 1, split - 1)
local signal_name = string.sub(type_and_name, split + 1)
return { type = signal_type, name = signal_name }
end
function logic.range_check(value, entity)
if value < -2147483648 or value > 2147483647 then
entity.force.print("[Advanced Combinator] " .. common.worldAndPos(entity) ..
" Warning: Tried to set value outside valid range (-2147483648..2147483647). Using fallback of -1")
return -1
end
return value
end
function logic.find_entity(source, offset_x, offset_y)
local position = source.position
local surface = source.surface
local found = surface.find_entities_filtered({position = {
position.x + offset_x, position.y + offset_y
}})
return found and found[1] or nil
end
function logic.resolve_entity(entity, target)
if target == "this" then
return entity
end
if target == "top" then
return logic.find_entity(entity, 0, -1)
end
if target == "left" then
return logic.find_entity(entity, -1, 0)
end
if target == "right" then
return logic.find_entity(entity, 1, 0)
end
if target == "bottom" then
return logic.find_entity(entity, 0, 1)
end
error("Unable to resolve entity: " .. target)
end
function logic.numeric(value)
if type(value) == "boolean" then
if value then return 1 else return 0 end
end
if not value then
return 0
end
return value
end
logic.enum_types = {
["compare-method"] = { "<", "<=", "=", ">=", ">", "≠" },
["game-data"] = {
"tick", "speed"
--, "players"--, active_mods?, connected_players, #item_prototypes?
},
["surface-data"] = {
"daytime", "darkness", "wind_speed", "wind_orientation", "wind_orientation_change",
"ticks_per_day", "dusk", "dawn", "evening", "morning"
-- "peaceful_mode", "freeze_daytime",
},
["force-data"] = {
"manual_mining_speed_modifier", "manual_crafting_speed_modifier",
"laboratory_speed_modifier", "laboratory_productivity_bonus",
"worker_robots_speed_modifier", "worker_robots_battery_modifier",
"worker_robots_storage_bonus", "research_progress",
"inserter_stack_size_bonus", "stack_inserter_capacity_bonus",
"character_logistic_slot_count", "character_trash_slot_count",
"quickbar_count", "maximum_following_robot_count", "following_robots_lifetime_modifier",
"ghost_time_to_live",
-- players
"ai_controllable",
"item_production_statistics", "fluid_production_statistics",
"kill_count_statistics", "entity_build_count_statistics",
"character_running_speed_modifier", "artillery_range_modifier",
"character_build_distance_bonus", "character_item_drop_distance_bonus",
"character_reach_distance_bonus", "character_resource_reach_distance_bonus",
"character_item_pickup_distance_bonus", "character_loot_pickup_distance_bonus",
"character_inventory_slots_bonus", "deconstruction_time_to_live",
"character_health_bonus", "max_successful_attemps_per_tick_per_construction_queue",
"max_failed_attempts_per_tick_per_construction_queue", "auto_character_trash_slots",
"zoom_to_world_enabled", "zoom_to_world_ghost_building_enabled",
"zoom_to_world_blueprint_enabled", "zoom_to_world_deconstruction_planner_enabled",
"zoom_to_world_selection_tool_enabled", "rockets_launched",
-- items_launched
-- connected_players
"mining_drill_productivity_bonus", "train_braking_force_bonus",
"evolution_factor", "friendly_fire", "share_chart"
},
["entity"] = { "this", "top", "left", "right", "bottom" },
["entity-data"] = {
"active",
"destructible",
"minable",
"rotatable",
"operable",
"health",
"supports_direction",
"orientation",
"amount",
"initial_amount",
"effectivity_modifier",
"consumption_modifier",
"friction_modifier",
"speed",
"selected_gun_index",
"energy",
"temperature",
"time_to_live",
"chain_signal_state",
"crafting_progress",
"bonus_progress",
"rocket_parts",
"damage_dealt",
"kills",
"electric_buffer_size",
"electric_input_flow_limit",
"electric_output_flow_limit",
"electric_drain",
"electric_emissions",
"unit_number",
"mining_progress",
"bonus_mining_progress",
"power_production",
"power_usage",
"request_slot_count",
"filter_slot_count",
"graphics_variation",
"tree_color_index",
"inserter_stack_size_override",
"products_finished",
"power_switch_state",
"relative_turret_orientation",
"remove_unfiltered_items",
"character_corpse_player_index",
"character_corpse_tick_of_death",
"tick_of_last_attack",
"tick_of_last_damage",
"crafting_queue_size",
"walking_state",
"mining_state",
"shooting_state",
"picking_state",
"repair_state",
"driving",
"cheat_mode",
"character_crafting_speed_modifier",
"character_mining_speed_modifier",
"character_running_speed_modifier",
"character_build_distance_bonus",
"character_item_drop_distance_bonus",
"character_reach_distance_bonus",
"character_resource_reach_distance_bonus",
"character_item_pickup_distance_bonus",
"character_loot_pickup_distance_bonus",
"quickbar_count_bonus",
"character_inventory_slots_bonus",
"character_logistic_slot_count_bonus",
"character_trash_slot_count_bonus",
"character_maximum_following_robot_count_bonus",
"character_health_bonus",
"build_distance",
"drop_item_distance",
"reach_distance",
"item_pickup_distance",
"loot_pickup_distance",
"resource_reach_distance",
"in_combat"
},
["wire-color"] = { "green", "red" }
}
function logic.parse(data, params, entity)
-- type check parameters
for i, param_type in ipairs(data.parameters) do
local param_value = params[i]
if logic.enum_types[param_type] then
local index_of = common.table_indexof(logic.enum_types[param_type], param_value)
if not index_of then
error("No such enum value '" .. param_value .. "' in type " .. param_type)
end
elseif param_type == "string-number" then
if not tonumber(param_value) then
error("'" .. param_value .. "' is not a number")
end
elseif param_type == "string-signal" then
if game then
local signal = logic.resolve_signalID(param_value)
if not signal then
error("No such signal: " .. tostring(param_value))
end
if signal.type == "fluid" then
if not game.fluid_prototypes[signal.name] then
error("No such signal: " .. param_value)
end
elseif signal.type == "item" then
if not game.item_prototypes[signal.name] then
error("No such signal: " .. param_value)
end
elseif signal.type == "virtual" then
if not game.virtual_signal_prototypes[signal.name] then
error("No such signal: " .. param_value)
end
else
error("No such signal type: " .. param_value)
end
end
elseif param_type ~= "string" and (param_type ~= "signal?" or param_value ~= nil) then
-- nil is an acceptable value for "signal?" (but should it be allowed when parsing??)
if type(param_value) ~= "table" then
error("Unable to validate parameter value " .. tostring(param_value) .. " of expected type " .. param_type)
end
if game then
common.out("No validation for type " .. param_type)
end
end
end
return data.parse(params, logic)
end
function logic.extend(logic_data)
for name, data in pairs(logic_data) do
if logic.logic[name] then
error("Logic already contains function " .. name)
end
logic.logic[name] = data
end
end
function logic.resolve(param, entity, current)
local function_name = param.name
local params = param.params
local data = logic.logic[function_name]
local func = data.parse(params, logic)
return func(entity, current)
end
return logic
|
workspace "cpp-template"
architecture "x86_64"
startproject "tests"
configurations {
"Debug",
"Release"
}
outputdir = "%{cfg.buildcfg}-%{cfg.system}-%{cfg.architecture}"
group "Dependencies"
include "vendor/premake"
include "tests/vendor"
group ""
include "cpp-project"
include "tests"
|
local keywordHandler = KeywordHandler:new()
local npcHandler = NpcHandler:new(keywordHandler)
NpcSystem.parseParameters(npcHandler)
function onCreatureAppear(cid) npcHandler:onCreatureAppear(cid) end
function onCreatureDisappear(cid) npcHandler:onCreatureDisappear(cid) end
function onCreatureSay(cid, type, msg) npcHandler:onCreatureSay(cid, type, msg) end
function onThink() npcHandler:onThink() end
local function creatureSayCallback(cid, type, msg)
if not npcHandler:isFocused(cid) then
return false
end
local player = Player(cid)
if isInArray({"addon", "outfit"}, msg) then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) < 1 then
npcHandler:say("What are you thinking! I would never allow you to slay my beloved friends for the sake of your narcism. Only {Faolan} can grant you a fur like this one.", cid)
npcHandler.topic[cid] = 2
end
elseif msgcontains(msg, "faolan") then
if npcHandler.topic[cid] == 2 then
npcHandler:say("I know where the great wolf mother lives, but I will not tell that to just anyone. You have to earn my respect first. Are you willing to help me?", cid)
npcHandler.topic[cid] = 3
elseif player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 8 then
npcHandler:say("Right, I will keep my promise. Faolan roams Tibia freely, but her favourite sleeping cave is on Cormaya. I will now enchant you so you will be able to speak the wolf language.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 9)
npcHandler.topic[cid] = 0
end
elseif isInArray({"griffinclaw", "container"}, msg) then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 1 then
npcHandler:say("Were you able to obtain a sample of the Griffinclaw?", cid)
npcHandler.topic[cid] = 5
end
elseif msgcontains(msg, "task") then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 2 then
npcHandler:say({
"Listen, my next task for you is not exactly easy either. ...",
"In the mountains between Ankrahmun and Tiquanda are two hydra lairs. The nothern one has many waterfalls whereas the southern one has just tiny water trickles. ...",
"However, these trickles are said to contain water as pure and clean as nowhere else in Tibia. ...",
"If you could reach one of these trickles and retrieve a water sample for me, it would be a great help. ...",
"It is important that you take the water directly from the trickle, not from the pond - else it will not be as pure anymore. ...",
"Have you understood everything I told you and will fulfil this task for me?"
}, cid)
npcHandler.topic[cid] = 6
elseif player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 4 then
npcHandler:say({
"I'm glad that you are still with me, |PLAYERNAME|. Especially because my next task might require even more patience from your side than the ones before. ...",
"Demons... these unholy creatures should have never been able to walk the earth. They are a brood fueled only by hatred and malice. ...",
"Even if slain, their evil spirit is not fully killed. It needs a blessed stake to release their last bit of fiendishness and turn them into dust. ...",
"It does not work all the time, but if you succeed, their vicious spirit is finally defeated. ...",
"I want proof that you are on the right side, against Zathroth. Bring me 100 ounces of demon dust and I shall be convinced. ...",
"You will probably need to ask a priest for help to obtain a blessed stake. ...",
"Have you understood everything I told you and will fulfil this task for me?"
}, cid)
npcHandler.topic[cid] = 8
elseif player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 6 then
npcHandler:say({
"I have one final task for you, |PLAYERNAME|. Many months ago, I was trying to free the war wolves which are imprisoned inside the orc fortress.",
"Unfortunately, my intrusion was discovered and I had to run for my life. During my escape, I lost my favourite wolf tooth chain.",
"It should still be somewhere in the fortress, if the orcs did not try to eat it. I really wish you could retrieve it for me.",
"It has the letter 'C' carved into one of the teeth. Please look for it.",
"Have you understood everything I told you and will fulfil this task for me?"
}, cid)
npcHandler.topic[cid] = 10
end
elseif msgcontains(msg, "waterskin") then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 3 then
npcHandler:say("Did you bring me a sample of water from the hydra cave?", cid)
npcHandler.topic[cid] = 7
end
elseif msgcontains(msg, "dust") then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 5 then
npcHandler:say("Were you really able to collect 100 ounces of demon dust?", cid)
npcHandler.topic[cid] = 9
end
elseif msgcontains(msg, "chain") then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 7 then
npcHandler:say("Have you really found my wolf tooth chain??", cid)
npcHandler.topic[cid] = 11
end
elseif msgcontains(msg, "ceiron's waterskin") then
if player:getStorageValue(Storage.OutfitQuest.DruidHatAddon) == 3 then
npcHandler:say("Have you lost my waterskin?", cid)
npcHandler.topic[cid] = 12
end
elseif msgcontains(msg, "yes") then
if npcHandler.topic[cid] == 3 then
npcHandler:say({
"I hope that I am not asking too much of you with this task. I heard of a flower which is currently unique in Tibia and can survive at only one place. ...",
"This place is somewhere in the bleak mountains of Nargor. I would love to have a sample of its blossom, but the problem is that it seldom actually blooms. ...",
"I cannot afford to travel there each day just to check whether the time has already come, besides I have no idea where to start looking. ...",
"I would be deeply grateful if you could support me in this matter and collect a sample of the blooming Griffinclaw for me. ...",
"Have you understood everything I told you and will fullfil this task for me?"
}, cid)
npcHandler.topic[cid] = 4
elseif npcHandler.topic[cid] == 4 then
npcHandler:say("Alright then. Take this botanist's container and return to me once you were able to retrieve a sample. Don't lose patience!", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 1)
player:setStorageValue(Storage.OutfitQuest.DefaultStart, 1) --this for default start of Outfit and Addon Quests
player:addItem(4869, 1)
npcHandler.topic[cid] = 0
elseif npcHandler.topic[cid] == 5 then
if player:removeItem(5937, 1) then
npcHandler:say("Crunor be praised! The Griffinclaw really exists! Now, I will make sure that it will not become extinct. If you are ready to help me again, just ask me for a {task}.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 2)
npcHandler.topic[cid] = 0
end
elseif npcHandler.topic[cid] == 6 then
npcHandler:say("Great! Here, take my waterskin and try to fill it with water from this special trickle. Don't lose my waterskin, I will not accept some random dirty waterskin.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 3)
player:addItem(5938, 1)
npcHandler.topic[cid] = 0
elseif npcHandler.topic[cid] == 7 then
if player:removeItem(5939, 1) then
npcHandler:say("Good work, |PLAYERNAME|! This water looks indeed extremely clear. I will examine it right away. If you are ready to help me again, just ask me for a {task}.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 4)
npcHandler.topic[cid] = 0
end
elseif npcHandler.topic[cid] == 8 then
npcHandler:say("Good! I will eagerly await your return.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 5)
npcHandler.topic[cid] = 0
elseif npcHandler.topic[cid] == 9 then
if player:removeItem(6550, 100) then
npcHandler:say("I'm very impressed, |PLAYERNAME|. With this task you have proven that you are on the right side and are powerful as well. If you are ready to help me again, just ask me for a {task}.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 6)
npcHandler.topic[cid] = 0
end
elseif npcHandler.topic[cid] == 10 then
npcHandler:say("Thank you so much. I can't wait to wear it around my neck again, it was a special present from Faolan.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 7)
player:setStorageValue(Storage.OutfitQuest.DruidAmuletDoor, 1)
npcHandler.topic[cid] = 0
elseif npcHandler.topic[cid] == 11 then
if player:removeItem(5940, 1) then
npcHandler:say("Crunor be praised! You found my beloved chain! |PLAYERNAME|, you really earned my respect and I consider you as a friend from now on. Remind me to tell you about {Faolan} sometime.", cid)
player:setStorageValue(Storage.OutfitQuest.DruidHatAddon, 8)
npcHandler.topic[cid] = 0
end
elseif npcHandler.topic[cid] == 12 then
npcHandler:say("I can give you a new one, but I fear that I have to take a small fee for it. Would you like to buy a waterskin for 1000 gold?", cid)
npcHandler.topic[cid] = 13
elseif npcHandler.topic[cid] == 13 then
if player:removeMoney(1000) then
player:addItem(5938, 1)
npcHandler.topic[cid] = 0
end
end
end
return true
end
npcHandler:setCallback(CALLBACK_MESSAGE_DEFAULT, creatureSayCallback)
npcHandler:setMessage(MESSAGE_GREET, "Always nice to meet a fellow druid, |PLAYERNAME|.")
npcHandler:setMessage(MESSAGE_FAREWELL, "May Crunor bless and guide you, |PLAYERNAME|.")
npcHandler:setMessage(MESSAGE_WALKAWAY, "May Crunor bless and guide you, |PLAYERNAME|.")
npcHandler:addModule(FocusModule:new())
|
--[[
This is just
a very long comment!!
]]
print("hello")
|
-----------------------------------------
-- ID: 5481
-- Red Mage Die
-- Teaches the job ability Warlock's Roll
-----------------------------------------
function onItemCheck(target)
return target:canLearnAbility(tpz.jobAbility.WARLOCKS_ROLL)
end
function onItemUse(target)
target:addLearnedAbility(tpz.jobAbility.WARLOCKS_ROLL)
end
|
local att = {}
att.name = "bg_skspuscope"
att.displayName = "PU Scope"
att.displayNameShort = "PU"
att.FOVModifier = 15
att.isBG = true
att.isSight = true
att.aimPos = {"PUPos", "PUAng"}
att.withoutRail = true
att.statModifiers = {OverallMouseSensMult = -0.2}
if CLIENT then
att.displayIcon = surface.GetTextureID("atts/bg_skspuscope")
att.description = {[1] = {t = "Provides 3.5x magnification.", c = CustomizableWeaponry.textColors.POSITIVE},
[2] = {t = "May decreases awareness.", c = CustomizableWeaponry.textColors.NEGATIVE}}
local old, x, y, ang
local reticle = surface.GetTextureID("cw20_extras/ber_svt_40")
att.zoomTextures = {[1] = {tex = reticle, offset = {0, 1}}}
local lens = surface.GetTextureID("cw2/gui/lense")
local lensMat = Material("cw2/gui/lense")
local cd, alpha = {}, 0.5
local Ini = true
-- render target var setup
cd.x = 0
cd.y = 0
cd.w = 512
cd.h = 512
cd.fov = 3.5
cd.drawviewmodel = false
cd.drawhud = false
cd.dopostprocess = false
function att:drawRenderTarget()
local complexTelescopics = self:canUseComplexTelescopics()
-- if we don't have complex telescopics enabled, don't do anything complex, and just set the texture of the lens to a fallback 'lens' texture
if not complexTelescopics then
self.TSGlass:SetTexture("$basetexture", lensMat:GetTexture("$basetexture"))
return
end
if self:canSeeThroughTelescopics(att.aimPos[1]) then
alpha = math.Approach(alpha, 0, FrameTime() * 5)
else
alpha = math.Approach(alpha, 1, FrameTime() * 5)
end
x, y = ScrW(), ScrH()
old = render.GetRenderTarget()
ang = self:getTelescopeAngles()
if not self.freeAimOn then
ang.r = self.BlendAng.z
ang:RotateAroundAxis(ang:Right(), self.PUAxisAlign.right)
ang:RotateAroundAxis(ang:Up(), self.PUAxisAlign.up)
ang:RotateAroundAxis(ang:Forward(), self.PUAxisAlign.forward)
end
local size = self:getRenderTargetSize()
cd.w = size
cd.h = size
cd.angles = ang
cd.origin = self.Owner:GetShootPos()
render.SetRenderTarget(self.ScopeRT)
render.SetViewPort(0, 0, size, size)
if alpha < 1 or Ini then
render.RenderView(cd)
Ini = false
end
ang = self.Owner:EyeAngles()
ang.p = ang.p + self.BlendAng.x
ang.y = ang.y + self.BlendAng.y
ang.r = ang.r + self.BlendAng.z
ang = -ang:Forward()
local light = render.ComputeLighting(self.Owner:GetShootPos(), ang)
cam.Start2D()
surface.SetDrawColor(255, 255, 255, 255)
surface.SetTexture(reticle)
surface.DrawTexturedRect(0, 0, size, size)
surface.SetDrawColor(150 * light[1], 150 * light[2], 150 * light[3], 255 * alpha)
surface.SetTexture(lens)
surface.DrawTexturedRectRotated(size * 0.5, size * 0.5, size, size, 90)
cam.End2D()
render.SetViewPort(0, 0, x, y)
render.SetRenderTarget(old)
if self.TSGlass then
self.TSGlass:SetTexture("$basetexture", self.ScopeRT)
end
end
end
function att:attachFunc()
self:setBodygroup(self.SightBGs.main, self.SightBGs.scope)
if self.WMEnt then
self.WMEnt:SetBodygroup(self.SightBGs.main, self.SightBGs.scope)
end
self.OverrideAimMouseSens = 0.25
self.SimpleTelescopicsFOV = 70
self.AimViewModelFOV = 50
self.BlurOnAim = true
self.ZoomTextures = att.zoomTextures
end
function att:detachFunc()
if self.WMEnt then
self.WMEnt:SetBodygroup(self.SightBGs.main, self.SightBGs.none)
end
self.OverrideAimMouseSens = nil
self.SimpleTelescopicsFOV = nil
self.BlurOnAim = false
end
CustomizableWeaponry:registerAttachment(att)
|
GraphicItem
{
id = "main",
Image {
id = "image",
source = "images/Qt/toolbutton.png",
},
BorderImage {
id = "borderImage",
source = "images/border-image.png",
x = 100,
y = 100,
width = 400,
height = 100,
borderLeft = 30,
borderRight = 30,
borderTop = 30,
borderBottom = 30,
orientation = 0,
-- horizontalTileMode = BorderImage.Stretch,
-- verticalTileMode = BorderImage.Stretch,
Text {
id = "text",
text = "Iñtërnâtiônàlizætiøn",
font = "arial",
fontSize = 36,
family = Text.Regular,
},
},
Image {
id = "image2",
source = "images/Qt/toolbutton.png",
x = function()
return image.width
end,
y = function()
return image.height
end,
scale = 2,
orientation = 45,
MouseArea {
id = "mouse",
-- width = function()
-- return image2.width
-- end,
-- height = function()
-- return image2.height
-- end,
width = 64,
height = 42,
onPressedChanged = function()
print(image2.id)
end,
},
},
}
|
--[[
##########################################################
S V U I By: Munglunch
##########################################################
LOCALIZED LUA FUNCTIONS
##########################################################
]]--
--[[ GLOBALS ]]--
local _G = _G;
local unpack = _G.unpack;
local select = _G.select;
local pairs = _G.pairs;
local string = _G.string;
--[[ STRING METHODS ]]--
local format = string.format;
--[[
##########################################################
GET ADDON DATA
##########################################################
]]--
local SV = _G['SVUI'];
local L = SV.L;
local MOD = SV.Skins;
local Schema = MOD.Schema;
--[[
##########################################################
TOMTOM
##########################################################
]]--
local function StyleTomTom()
assert(TomTomBlock, "AddOn Not Loaded")
SV.API:Set("Frame", TomTomBlock)
end
MOD:SaveAddonStyle("TomTom", StyleTomTom)
|
testingSILE = true
local assert = require "luassert"
SILE = require("core/sile")
describe("The frame parser", function()
it("should exist", function()
assert.is.truthy(SILE.frameParser)
end)
local n = SILE.frameParserBits.number
local f = SILE.frameParserBits.func
local d = SILE.frameParserBits.dimensioned_string
describe("Number.number", function() -- also tests all the number subrules
it("should capture number information", function() assert.is.equal(0.35, n.number:match("0.35")) end)
it("should capture number information", function() assert.is.equal(-.85, n.number:match("-.85")) end)
it("should capture number information", function() assert.is.equal(44, n.number:match("44 xyz")) end)
end)
describe("function", function() -- also tests identifier
SILE.documentState = {
thisPageTemplate = {
frames = { a = SILE.newFrame({ top = 20, left = 30, bottom = 200, right = 300 }),
bb3 = SILE.newFrame({ top = 20, left = 30, bottom = 200, right = 300 })
}
}
}
it("should match valid functions", function() assert.is.equal(30,f:match("left(a)")) end)
it("should match valid functions", function() assert.is.truthy(f:match("top(bb3)")) end)
it("should not match invalid functions", function() assert.is.falsy(f:match("xxx(a)")) end)
it("should not match invalid functions", function() assert.is.falsy(f:match("left(&)")) end)
end)
describe("dimensioned string", function()
it("should convert via SILE.measurements", function() assert.is.equal(14.4,d:match("0.2 in")) end)
end)
describe("complex example", function()
it("should sum two integers", function() assert.is.equal(2,SILE.frameParser:match("1 + 1")) end)
it("should sum two floats bracketed", function() assert.is.equal(6.7,SILE.frameParser:match("(5.5 + 1.2)")) end)
it("should do sums", function() assert.is.equal(14,SILE.frameParser:match("2 + 3 * 4")) end)
it("should do sums involving brackets", function() assert.is.equal(20,SILE.frameParser:match("(2 + 3) * 4")) end)
it("should do clever things", function() assert.is.equal(182,SILE.frameParser:match("1 in + (top(a) + bottom(a))/2")) end)
it("should do clever things", function() assert.is.equal(182,SILE.frameParser:match("(top(a) + bottom(a))/2 + 1 in")) end)
end)
end)
|
local K, C, L = unpack(select(2, ...))
if K.CheckAddOn("OmniCC") or K.CheckAddOn("ncCooldown") or K.CheckAddOn("CooldownCount") or C.Cooldown.Enable ~= true then return end
-- Lua API
local _G = _G
local ceil = math.ceil
local floor = math.floor
local pairs = pairs
local strfind = string.find
-- Wow API
local GetTime = _G.GetTime
-- Global variables that we don't cache, list them here for mikk's FindGlobals script
-- GLOBALS: UIParent, CreateFrame, GetActionCooldown, GetActionCharges
local ICON_SIZE = 36 -- the normal size for an icon (don"t change this)
local FONT_SIZE = C.Cooldown.FontSize -- the base font size to use at a scale of 1
local MIN_SCALE = 0.5 -- the minimum scale we want to show cooldown counts at, anything below this will be hidden
local MIN_DURATION = 1.5 -- the minimum duration to show cooldown text for
local NUM_CHARGES = 2 -- the minimum duration to show cooldown text for
local threshold = C.Cooldown.Threshold
local TimeColors = {
[0] = "|cfffefefe",
[1] = "|cfffefefe",
[2] = "|cfffefefe",
[3] = "|cfffefefe",
[4] = "|cfffe0000",
}
local TimeFormats = {
[0] = {"%dd", "%dd"},
[1] = {"%dh", "%dh"},
[2] = {"%dm", "%dm"},
[3] = {"%ds", "%d"},
[4] = {"%.1fs", "%.1f"},
}
local DAY, HOUR, MINUTE = 86400, 3600, 60 -- used for calculating aura time text
local DAYISH, HOURISH, MINUTEISH = HOUR * 23.5, MINUTE * 59.5, 59.5 -- used for caclculating aura time at transition points
local HALFDAYISH, HALFHOURISH, HALFMINUTEISH = DAY/2 + 0.5, HOUR/2 + 0.5, MINUTE/2 + 0.5 -- used for calculating next update times
-- will return the the value to display, the formatter id to use and calculates the next update for the Aura
local function GetTimeInfo(s, threshhold)
if s < MINUTE then
if s >= threshhold then
return floor(s), 3, 0.51
else
return s, 4, 0.051
end
elseif s < HOUR then
local minutes = floor((s/MINUTE)+.5)
return ceil(s / MINUTE), 2, minutes > 1 and (s - (minutes*MINUTE - HALFMINUTEISH)) or (s - MINUTEISH)
elseif s < DAY then
local hours = floor((s/HOUR)+.5)
return ceil(s / HOUR), 1, hours > 1 and (s - (hours*HOUR - HALFHOURISH)) or (s - HOURISH)
else
local days = floor((s/DAY)+.5)
return ceil(s / DAY), 0, days > 1 and (s - (days*DAY - HALFDAYISH)) or (s - DAYISH)
end
end
local function Cooldown_Stop(self)
self.enabled = nil
self:Hide()
end
local function Cooldown_ForceUpdate(self)
self.nextUpdate = 0
self:Show()
end
local function Cooldown_OnSizeChanged(self, width, height)
local fontScale = floor(width +.5) / ICON_SIZE
local override = self:GetParent():GetParent().SizeOverride
if override then
fontScale = override / FONT_SIZE
end
if fontScale == self.fontScale then
return
end
self.fontScale = fontScale
if fontScale < MIN_SCALE and not override then
self:Hide()
else
self:Show()
self.text:SetFont(C.Media.Font, fontScale * FONT_SIZE, "OUTLINE")
if self.enabled then
Cooldown_ForceUpdate(self)
end
end
end
local function Cooldown_OnUpdate(self, elapsed)
if self.nextUpdate > 0 then
self.nextUpdate = self.nextUpdate - elapsed
return
end
local remain = self.duration - (GetTime() - self.start)
if remain > 0.05 then
if (self.fontScale * self:GetEffectiveScale() / UIParent:GetScale()) < MIN_SCALE then
self.text:SetText("")
self.nextUpdate = 500
else
local timervalue, formatid
timervalue, formatid, self.nextUpdate = GetTimeInfo(remain, threshold)
self.text:SetFormattedText(("%s%s|r"):format(TimeColors[formatid], TimeFormats[formatid][2]), timervalue)
end
else
Cooldown_Stop(self)
end
end
local function Cooldown_Create(self)
local scaler = CreateFrame("Frame", nil, self)
scaler:SetAllPoints()
local timer = CreateFrame("Frame", nil, scaler) timer:Hide()
timer:SetAllPoints()
timer:SetScript("OnUpdate", Cooldown_OnUpdate)
local text = timer:CreateFontString(nil, "OVERLAY")
text:SetPoint("CENTER", 1, 1)
text:SetJustifyH("CENTER")
timer.text = text
Cooldown_OnSizeChanged(timer, scaler:GetSize())
scaler:SetScript("OnSizeChanged", function(_, ...) Cooldown_OnSizeChanged(timer, ...) end)
self.timer = timer
return timer
end
local function Cooldown_Start(self, start, duration, charges, maxCharges)
local remainingCharges = charges or 0
if self:GetName() and strfind(self:GetName(), "ChargeCooldown") then return end
if start > 0 and duration > MIN_DURATION and remainingCharges < NUM_CHARGES and (not self.noOCC) then
local timer = self.timer or Cooldown_Create(self)
timer.start = start
timer.duration = duration
timer.enabled = true
timer.nextUpdate = 0
if timer.fontScale >= MIN_SCALE then timer:Show() end
else
local timer = self.timer
if timer then
Cooldown_Stop(timer)
return
end
end
end
hooksecurefunc(getmetatable(_G["ActionButton1Cooldown"]).__index, "SetCooldown", Cooldown_Start)
if not _G["ActionBarButtonEventsFrame"] then return end
local active = {}
local hooked = {}
local function cooldown_OnShow(self)
active[self] = true
end
local function cooldown_OnHide(self)
active[self] = nil
end
local function cooldown_ShouldUpdateTimer(self, start, duration, charges, maxCharges)
local timer = self.timer
return not(timer and timer.start == start and timer.duration == duration and timer.charges == charges and timer.maxCharges == maxCharges)
end
local function cooldown_Update(self)
local button = self:GetParent()
local action = button.action
local start, duration, enable = GetActionCooldown(action)
local charges, maxCharges, chargeStart, chargeDuration = GetActionCharges(action)
if cooldown_ShouldUpdateTimer(self, start, duration, charges, maxCharges) then
Cooldown_Start(self, start, duration, charges, maxCharges)
end
end
local EventWatcher = CreateFrame("Frame")
EventWatcher:Hide()
EventWatcher:SetScript("OnEvent", function(self, event)
for cooldown in pairs(active) do
cooldown_Update(cooldown)
end
end)
EventWatcher:RegisterEvent("ACTIONBAR_UPDATE_COOLDOWN")
local function actionButton_Register(frame)
local cooldown = frame.cooldown
if not hooked[cooldown] then
cooldown:HookScript("OnShow", cooldown_OnShow)
cooldown:HookScript("OnHide", cooldown_OnHide)
hooked[cooldown] = true
end
end
if _G["ActionBarButtonEventsFrame"].frames then
for i, frame in pairs(_G["ActionBarButtonEventsFrame"].frames) do
actionButton_Register(frame)
end
end
hooksecurefunc("ActionBarButtonEventsFrame_RegisterFrame", actionButton_Register)
|
--[[
This file enable the bots to harbor useful coordinative skills and apply them to combat..
It also decides how traitor bots acquire new targets.
]]
//include("ttt_bots_rework.lua")
local Meta = FindMetaTable("Player")
function Meta:TraitorGetTarget()
if(self.patience == nil) then self.patience = ((0)-(self.personality*math.random(-1, 1))) else self.patience = self.patience + 0.1 end
local inns = self:GetInnoViewers()
local ninns = #inns
if (ninns > 0) then
local bot = self
bot.probability = (bot.patience / (math.pow(#inns[1]:GetInnoViewers(), 3)))
bot.ptargs = inns
//print(bot:Nick().." "..bot.probability)
if (bot.probability*100 > (math.random(100, 10000)/100)) then
return inns[1]
end
end
for i,v in pairs(GetTraitorBots()) do -- help a teammate out, why not
if v.target != nil && self.target == nil and self.personality == 1 then
return v.target
end
end
end
timer.Create("TTTBotTraitorGetTarget", 1, 0, function()
if gmod.GetGamemode().Name != "Trouble in Terrorist Town" then return end
for i,bot in pairs(player.GetBots()) do
if bot.target != nil and bot:GetRoleString() == "traitor" and roundIsActive and planter != bot then -- the below "if" statement but if it has a target
end
if bot.target == nil and bot:GetRoleString() == "traitor" and roundIsActive and planter != bot then -- no target, not planting, round active, traitor
bot.target = bot:TraitorGetTarget()
end
end
end)
|
--輪廻竜サンサーラ
--
--Script by JustFish
function c100200186.initial_effect(c)
--double tribute
local e1=Effect.CreateEffect(c)
e1:SetType(EFFECT_TYPE_SINGLE)
e1:SetCode(EFFECT_DOUBLE_TRIBUTE)
e1:SetValue(c100200186.tricon)
c:RegisterEffect(e1)
--To hand
local e2=Effect.CreateEffect(c)
e2:SetCategory(CATEGORY_TOHAND+CATEGORY_SUMMON)
e2:SetType(EFFECT_TYPE_IGNITION)
e2:SetProperty(EFFECT_FLAG_CARD_TARGET)
e2:SetRange(LOCATION_GRAVE)
e2:SetCountLimit(1,15381422)
e2:SetCost(aux.bfgcost)
e2:SetTarget(c100200186.thtg)
e2:SetOperation(c100200186.thop)
c:RegisterEffect(e2)
end
function c100200186.tricon(e,c)
return c:IsRace(RACE_DRAGON)
end
function c100200186.thfilter(c)
return c:IsRace(RACE_DRAGON) and c:IsLevelAbove(5) and c:IsType(TYPE_MONSTER) and c:IsAbleToHand()
end
function c100200186.thtg(e,tp,eg,ep,ev,re,r,rp,chk,chkc)
if chkc then return chkc:IsLocation(LOCATION_GRAVE) and chkc:IsControler(tp) and c100200186.thfilter(chkc) end
if chk==0 then return Duel.IsExistingTarget(c100200186.thfilter,tp,LOCATION_GRAVE,0,1,nil) end
Duel.Hint(HINT_SELECTMSG,tp,HINTMSG_ATOHAND)
local g=Duel.SelectTarget(tp,c100200186.thfilter,tp,LOCATION_GRAVE,0,1,1,nil)
Duel.SetOperationInfo(0,CATEGORY_TOHAND,g,1,0,0)
Duel.SetOperationInfo(0,CATEGORY_SUMMON,g,1,0,0)
end
function c100200186.thop(e,tp,eg,ep,ev,re,r,rp)
local tc=Duel.GetFirstTarget()
if tc:IsRelateToEffect(e) then
if Duel.SendtoHand(tc,nil,REASON_EFFECT)~=0 and tc:IsLocation(LOCATION_HAND) and (tc:IsSummonable(true,nil,1) or tc:IsMSetable(true,nil,1)) and Duel.SelectYesNo(tp,aux.Stringid(100200186,0)) then
local s1=tc:IsSummonable(true,nil,1)
local s2=tc:IsMSetable(true,nil,1)
if (s1 and s2 and Duel.SelectPosition(tp,tc,POS_FACEUP_ATTACK+POS_FACEDOWN_DEFENSE)==POS_FACEUP_ATTACK) or not s2 then
Duel.Summon(tp,tc,true,nil,1)
else
Duel.MSet(tp,tc,true,nil,1)
end
end
end
end
|
local x = 0
local y = 0
local clicks = {}
function init()
end
function draw()
print(tostring(x)..","..tostring(y), 260, 0)
for i=#clicks,1,-1 do
circ(clicks[i][1], clicks[i][2], clicks[i][3], i+2)
clicks[i][3] = clicks[i][3]+5
if clicks[i][3] > 50 then
table.remove(clicks, i)
end
end
pspr(x, y, 56, 80, 8, 8)
end
function update()
x = read16(154186)
y = read16(154188)
if read8(154190) == 2 then
table.insert(clicks, {x+4, y, 0})
end
end
function read16(p)
local data = kernel.read(p, 2)
local value = data:byte(2)
value = value+data:byte(1)*256
return value
end
function read8(p)
local data = kernel.read(p, 1)
return data:byte(1)
end
|
-- Copyright 2004-present Facebook. All Rights Reserved.
require('nn')
local WeightedLookupTable, parent =
torch.class('nn.WeightedLookupTable', 'nn.LookupTable')
WeightedLookupTable.__version = 2
function WeightedLookupTable:__init(nIndex, nOutput)
parent.__init(self, nIndex, nOutput)
self._gradOutput = torch.Tensor()
self._embeddings = torch.Tensor()
end
--[[
Parameters:
* `Input` should be an n x 2 tensor where the first column is dictionary indexes
and the second column is weights.
]]
function WeightedLookupTable:updateOutput(input)
if input:dim() ~= 2 or input:size(2) ~= 2 then
error('`Input` should be an n x 2 tensor')
end
local indices = input:select(2, 1)
local weights = input:select(2, 2)
self._embeddings = parent.updateOutput(self, indices)
-- Multiply each row of output by the input weight
input.nn.WeightedLookupTable_scaleByWeight(self.output, self._embeddings,
weights)
return self.output
end
function WeightedLookupTable:accGradParameters(input, gradOutput, scale)
local indices = input:select(2, 1)
local weights = input:select(2, 2)
self._gradOutput = self._gradOutput or torch.Tensor()
self._gradOutput:resizeAs(gradOutput)
-- Multiply each row of gradOutput by input weight
input.nn.WeightedLookupTable_scaleByWeight(self._gradOutput, gradOutput, weights)
parent.accGradParameters(self, indices, self._gradOutput, scale)
end
function WeightedLookupTable:sharedAccUpdateGradParameters(input, gradOutput, lr)
-- we do not need to accumulate parameters when sharing:
self:defaultAccUpdateGradParameters(input, gradOutput, lr)
end
|
setenv("A","0.1")
|
local ErrorController = {}
local ngx_log = ngx.log
local ngx_redirect = ngx.redirect
local os_getenv = os.getenv
function ErrorController:error()
local env = os_getenv('VA_ENV') or 'development'
if env == 'development' then
local view = self:getView()
view:assign(self.err)
return view:display()
else
local helpers = require 'vanilla.v.libs.utils'
ngx_log(ngx.ERR, helpers.sprint_r(self.err))
-- return ngx_redirect("http://sina.cn?vt=4", ngx.HTTP_MOVED_TEMPORARILY)
return helpers.sprint_r(self.err)
end
end
return ErrorController
|
--[[ https://wow.gamepedia.com/World_of_Warcraft_API
PROTECTED - This function can only be called from secure code. See the Protected Functions category.
NOCOMBAT - This function cannot be called from insecure code while in combat.
HW - This function may only be called in response to a hardware event (from OnClick handlers).
UI - This function is implemented in Lua (in FrameXML) but was considered important enough to appear here.
DEPRECATED - This function has been (re)moved but is still available through a Lua script wrapper until the next expansion.
REMOVED - This function has been removed from the World of Warcraft API (and will be removed from this list in around a month).
For historical purposes, see the Removed Functions category.
--]]
-- sleep function
function sleepT(n)
if
n > 0 then os.execute("ping -n " .. tonumber(n+1) .. " localhost > NUL")
end
end
-- wait till game is loaded
-- using OnEvent for event of entering world
frame = CreateFrame("Frame")
frame:RegisterEvent("PLAYER_ENTERING_WORLD")
frame:SetScript("OnEvent", function(self, event, ...)
local criteriaString, criteriaType, completed, quantity, reqQuantity, charName, flags, assetID, quantityString
= GetAchievementCriteriaInfo(13228, 1)
local criteriaStringH, criteriaTypeH, completedH, quantityH, reqQuantityH, charNameH, flagsH, assetIDH, quantityStringH
= GetAchievementCriteriaInfo(13227, 1)
local englishFaction = UnitFactionGroup("player")
if englishFaction == "Alliance" then
print('Alliance Progress:' ,quantity,' out of ',reqQuantity)
elseif englishFaction == "Horde" then
print('Horde Progress:' ,quantityH,' out of ',reqQuantityH)
elseif englishFaction == "nil" or "neutral" then
print('Vicious saddle tracker Error! Error reason: ',englishFaction ' Faction')
end
local copper = GetMoney()
print(("Wealth %dg %ds %dc"):format(copper / 100 / 100, (copper / 100) % 100, copper % 100))
end)
|
-- super mini bootstrap
print("\n init_minizf1.lua zf180909.1112 \n")
zswitch=3 --switch flash
gpio.mode(zswitch, gpio.INT, gpio.PULLUP)
initalarme=tmr.create()
function zbutton()
gpio.trig(zswitch, "none")
tmr.unregister(initalarme)
dofile("start_boot.lua")
dofile("start_job.lua")
end
gpio.trig(zswitch, "both", zbutton)
tmr.alarm(initalarme, 8000, tmr.ALARM_SINGLE, function()
print("\nStart\n")
dofile("start_boot.lua")
-- dofile("start_job.lua")
end)
|
RECIPE.name = "Talon Mark III Short Autopistol"
RECIPE.description = "The Recipe for a Kantrael MG 'Defender' Pattern Service Pistol."
RECIPE.model = "models/weapons/w_autopistol.mdl"
RECIPE.category = "Autoguns"
RECIPE.requirements = {
["talonmarkiiishortautopistolreciever"] = 1,
["autogunpistolgrip"] = 1,
["autogunpistolbarrel"] = 1
}
RECIPE.results = {
["autopistol"] = 1
}
RECIPE.tools = {
"gunsmithingtools"
}
RECIPE.flag = "a"
RECIPE:PostHook("OnCanCraft", function(client)
for _, v in pairs(ents.FindByClass("ix_station_gunsmithworkbench")) do
if (client:GetPos():DistToSqr(v:GetPos()) < 100 * 100) then
return true
end
end
return false, "You need to be near a gunsmithing workbench."
end)
|
--[[
-- 作者:Steven
-- 日期:2017-02-26
-- 文件名:user_files.lua
-- 版权说明:南京正溯网络科技有限公司.版权所有©copy right.
-- 本脚本主要为用户提供文件操作相关的接口,类似网盘功能
--]]
local cjson = require "cjson"
local file_apis = require "files.common.file_apis"
local zsrequest = require "common.request_args"
local api_data = require "common.api_data_help"
local args = zsrequest.getArgs();
--[[
user_file api 自动根据用户的get信息返回其数据
系统将get 获得的用户信息作为参数,该结构为
userCode,fileName,startIndex,recordSize
table {
start_index=0,
offset=20,
user_code = "",
file_name = "",
file_code = "",
folder_code = "",
file_status = 0,
」
]]
-- 读取用户系统编号
local user_code_fk = args["user_code"];
if not user_code_fk then
-- 没有传递用户编号,直接无法为用户提供api
return ngx.say(cjson.encode(DataTemp.new_failed()));
end
-- 读取用户需要查询的文件名
local param = {}
param.user_code_fk = user_code_fk
param.file_name = args["file_name"]
-- 如果folder文件存在则调用文件夹接口进行文件列表和文件夹返回
param.folder_code = args["folder_code"]
-- 读取用户的查询的分表的信息
local start_index = args["start_index"] and args["start_index"] or 0;
local offset = args["offset"] and args["offset"] or 20;
local srcSql = " select * from t_user_files "
local res,err = file_apis.find_user_files(srcSql,param,"and",start_index,offset);
local data ;
if not args then
data = api_data.new_failed();
else
data = api_data.new_success();
data.data = res;
end
ngx.say(cjson.encode(data))
|
local wibox = require("wibox")
local awful = require("awful")
local beautiful = require("beautiful")
local naughty = require("naughty")
local widget = require("util.widgets")
-- beautiful vars
local fg = beautiful.widget_wifi_str_fg
local bg = beautiful.widget_wifi_str_bg
local l = beautiful.widget_wifi_layout or 'horizontal'
-- widget creation
local text = widget.base_text(bg)
local text_margin = widget.text(bg, text)
wifi_str_widget = widget.box(l, text_margin)
awful.widget.watch(
os.getenv("HOME").."/.config/awesome/widgets/network.sh wifi", 60,
function(widget, stdout, stderr, exitreason, exitcode)
local wifi_str = tonumber(stdout) or 0
if (stdout == "1") then
text:set_markup_silently('<span foreground="'..fg..'" background="'..bg..'"></span>')
else
text:set_markup_silently('<span foreground="'..fg..'" background="'..bg..'">'..wifi_str..'%</span>')
end
end
)
|
modifier_ogre_seer_area_ignite_thinker = class( ModifierBaseClass )
----------------------------------------------------------------------------------------
function modifier_ogre_seer_area_ignite_thinker:OnCreated( kv )
if IsServer() then
self.radius = self:GetAbility():GetSpecialValueFor( "radius" )
self.area_duration = self:GetAbility():GetSpecialValueFor( "area_duration" )
self.duration = self:GetAbility():GetSpecialValueFor( "duration" )
self.bImpact = false
end
end
----------------------------------------------------------------------------------------
function modifier_ogre_seer_area_ignite_thinker:OnImpact()
if IsServer() then
local parent = self:GetParent()
local nFXIndex = ParticleManager:CreateParticle( "particles/neutral_fx/black_dragon_fireball.vpcf", PATTACH_WORLDORIGIN, nil );
ParticleManager:SetParticleControl( nFXIndex, 0, parent:GetOrigin() );
ParticleManager:SetParticleControl( nFXIndex, 1, parent:GetOrigin() );
ParticleManager:SetParticleControl( nFXIndex, 2, Vector( self.area_duration, 0, 0 ) );
ParticleManager:ReleaseParticleIndex( nFXIndex );
parent:EmitSound("OgreMagi.Ignite.Target")
self:SetDuration( self.area_duration, true )
self.bImpact = true
self:StartIntervalThink( 0.5 )
end
end
----------------------------------------------------------------------------------------
function modifier_ogre_seer_area_ignite_thinker:OnIntervalThink()
if IsServer() then
if self.bImpact == false then
self:OnImpact()
return
end
local parent = self:GetParent()
local enemies = FindUnitsInRadius( parent:GetTeamNumber(), parent:GetOrigin(), nil, self.radius, DOTA_UNIT_TARGET_TEAM_ENEMY, bit.bor(DOTA_UNIT_TARGET_HERO, DOTA_UNIT_TARGET_BASIC), DOTA_UNIT_TARGET_FLAG_NONE, FIND_ANY_ORDER, false )
for _,enemy in pairs( enemies ) do
if enemy ~= nil then
enemy:AddNewModifier( parent, self:GetAbility(), "modifier_ogre_seer_ignite_debuff", { duration = self.duration } )
end
end
end
end
----------------------------------------------------------------------------------------
modifier_ogre_seer_ignite_debuff = class(ModifierBaseClass)
function modifier_ogre_seer_ignite_debuff:IsHidden()
return true
end
function modifier_ogre_seer_ignite_debuff:IsPurgable()
return true
end
function modifier_ogre_seer_ignite_debuff:IsDebuff()
return true
end
function modifier_ogre_seer_ignite_debuff:DestroyOnExpire()
return true
end
function modifier_ogre_seer_ignite_debuff:OnCreated()
local parent = self:GetParent()
local damage_per_second = 400
local interval = 0.2
local damage_type = DAMAGE_TYPE_MAGICAL
local slow = -30
local ability = self:GetAbility()
if ability and not ability:IsNull() then
damage_per_second = ability:GetSpecialValueFor("burn_damage")
interval = ability:GetSpecialValueFor("damage_interval")
slow = ability:GetSpecialValueFor("slow_movement_speed_pct")
if IsServer() then
damage_type = ability:GetAbilityDamageType()
end
end
self.damage_per_interval = damage_per_second*interval
self.slow = slow
if IsServer() then
local caster = self:GetCaster()
if caster and not caster:IsNull() then
-- Creating the damage table
local damage_table = {}
damage_table.attacker = caster
damage_table.damage_type = damage_type
damage_table.ability = ability
damage_table.victim = parent
damage_table.damage = self.damage_per_interval
-- Apply damage on creation
ApplyDamage(damage_table)
end
self:StartIntervalThink(interval)
end
end
function modifier_ogre_seer_ignite_debuff:OnIntervalThink()
local parent = self:GetParent()
local damage_type = DAMAGE_TYPE_MAGICAL
local ability = self:GetAbility()
if ability and not ability:IsNull() then
damage_type = ability:GetAbilityDamageType()
end
local caster = self:GetCaster()
if caster and not caster:IsNull() then
-- Creating the damage table
local damage_table = {}
damage_table.attacker = caster
damage_table.damage_type = damage_type
damage_table.ability = ability
damage_table.victim = parent
damage_table.damage = self.damage_per_interval
-- Apply damage on interval
ApplyDamage(damage_table)
end
end
function modifier_ogre_seer_ignite_debuff:DeclareFunctions()
local func = {
MODIFIER_PROPERTY_MOVESPEED_BONUS_PERCENTAGE,
}
return func
end
function modifier_ogre_seer_ignite_debuff:GetModifierMoveSpeedBonus_Percentage()
return self.slow
end
function modifier_ogre_seer_ignite_debuff:GetTexture()
return "ogre_magi_ignite"
end
function modifier_ogre_seer_ignite_debuff:GetEffectName()
return "particles/units/heroes/hero_ogre_magi/ogre_magi_ignite_debuff.vpcf"
end
|
---- -*- Mode: Lua; -*-
----
---- lpeg-debug.lua set up development environment with debugging version of lpeg
----
---- © Copyright IBM Corporation 2016.
---- LICENSE: MIT License (https://opensource.org/licenses/mit-license.html)
---- AUTHOR: Jamie A. Jennings
-- Assumes that lpeg.so was built with debugging enabled and copied into $ROSIE_HOME/lib/debug/lpeg.so
package.cpath = ROSIE_HOME .. "/lib/debug/?.so;" .. package.cpath
temp = package.loaded.lpeg
package.loaded.lpeg = nil
lpegdebug = require "lpeg"
package.loaded.lpeg = temp
|
--[[
skill_id:技能id
shape:攻击范围形状--1圆形,2直线,3扇形
duration:施放时间(毫秒)
detail:每级的具体属性
detail.condition:学习条件--{lv,1}角色等级,{money,100}货币
detail.cd:冷却时间
detail.attack_max_num:攻击最大数量
detail.damage_rate:伤害比率
detail.area:攻击范围--shape为圆形时即半径,直线时即为距离
]]--
local config = {
--男角色技能
[110000] = {
skill_id = 110000, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110001] = {
skill_id = 110001, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110002] = {
skill_id = 110002, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110003] = {
skill_id = 110003, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110010] = {
skill_id = 110010, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110011] = {
skill_id = 110011, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110012] = {
skill_id = 120012, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[110013] = {
skill_id = 110013, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
--女角色技能
[120000] = {
skill_id = 120000, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120001] = {
skill_id = 120001, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120002] = {
skill_id = 120002, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120003] = {
skill_id = 120003, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120010] = {
skill_id = 120010, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120011] = {
skill_id = 120011, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120012] = {
skill_id = 120012, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[120013] = {
skill_id = 120013, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
--怪物技能
[200000] = {
skill_id = 200000, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200001] = {
skill_id = 200001, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200100] = {
skill_id = 200100, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200101] = {
skill_id = 200101, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200200] = {
skill_id = 200200, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200201] = {
skill_id = 200201, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200300] = {
skill_id = 200300, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200301] = {
skill_id = 200301, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200400] = {
skill_id = 200400, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200401] = {
skill_id = 200401, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200500] = {
skill_id = 200500, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
[200501] = {
skill_id = 200501, shape = 1, duration = 1000, detail = {
[1] = {
condition = {{lv, 1}}, cd = 100, attack_max_num = 2, damage_rate = 10000, area = 600,
},
},
},
}
return config
|
push = require 'lib/push'
Class = require 'lib/class'
require 'Bird'
require 'Pipe'
require 'PipePair'
-- all code related to game state and state machines
require 'StateMachine'
require 'states/BaseState'
require 'states/CountdownState'
require 'states/PlayState'
require 'states/ScoreState'
require 'states/TitleScreenState'
-- physical screen dimensions
WINDOW_WIDTH = 1280
WINDOW_HEIGHT = 720
-- virtual resolution dimensions
VIRTUAL_WIDTH = 512
VIRTUAL_HEIGHT = 288
local background = love.graphics.newImage('resources/background.png')
local backgroundScroll = 0
local ground = love.graphics.newImage('resources/ground.png')
local groundScroll = 0
-- speed at which we should scroll our images, scaled by dt
local BACKGROUND_SCROLL_SPEED = 30
local GROUND_SCROLL_SPEED = 60
-- point at which we should loop our background back to X 0
local BACKGROUND_LOOPING_POINT = 413
-- scrolling variable to pause the game when we collide with a pipe
local scrolling = true
function love.load()
love.graphics.setDefaultFilter('nearest', 'nearest')
love.window.setTitle('Fluffy Bird')
fonts = {
['smallFont'] = love.graphics.newFont('fonts/retro.ttf', 8),
['mediumFont'] = love.graphics.newFont('fonts/flappy.ttf', 14),
['flappyFont'] = love.graphics.newFont('fonts/flappy.ttf', 28),
['hugeFont'] = love.graphics.newFont('fonts/flappy.ttf', 56)
}
love.graphics.setFont(fonts['flappyFont'])
-- initialize our table of sounds
sounds = {
['jump'] = love.audio.newSource('sounds/jump.wav', 'static'),
['explosion'] = love.audio.newSource('sounds/explosion.wav', 'static'),
['hurt'] = love.audio.newSource('sounds/hurt.wav', 'static'),
['score'] = love.audio.newSource('sounds/score.wav', 'static'),
['music'] = love.audio.newSource('sounds/marios_way.mp3', 'static')
}
sounds['music']:setLooping(true)
sounds['music']:play()
push:setupScreen(VIRTUAL_WIDTH, VIRTUAL_HEIGHT, WINDOW_WIDTH, WINDOW_HEIGHT, {
fullscreen = false,
resizable = true,
vsync = true
})
-- initialize state machine with all state-returning functions
gStateMachine = StateMachine {
['title'] = function() return TitleScreenState() end,
['countdown'] = function() return CountdownState() end,
['play'] = function() return PlayState() end,
['score'] = function() return ScoreState() end
}
gStateMachine:change('title')
-- initialize input table
love.keyboard.keysPressed = {}
-- initialize mouse input table
love.mouse.buttonsPressed = {}
end
function love.resize(w, h)
push:resize(w, h)
end
function love.keypressed(key)
love.keyboard.keysPressed[key] = true
if key == 'escape' then
love.event.quit()
end
end
function love.mousepressed(x, y, button)
love.mouse.buttonsPressed[button] = true
end
function love.keyboard.wasPressed(key)
if love.keyboard.keysPressed[key] then
return true
else
return false
end
end
function love.mouse.wasPressed(button)
return love.mouse.buttonsPressed[button]
end
function love.update(dt)
if scrolling then
backgroundScroll = (backgroundScroll + BACKGROUND_SCROLL_SPEED * dt)
% BACKGROUND_LOOPING_POINT
groundScroll = (groundScroll + GROUND_SCROLL_SPEED * dt)
% VIRTUAL_WIDTH
end
gStateMachine:update(dt)
love.keyboard.keysPressed = {}
love.mouse.buttonsPressed = {}
end
function love.draw()
push:start()
-- draw the background starting at top left (0, 0)
love.graphics.draw(background, -backgroundScroll, 0)
gStateMachine:render()
-- draw the ground on top of the background, toward the bottom of the screen
love.graphics.draw(ground, -groundScroll, VIRTUAL_HEIGHT - 16)
push:finish()
end
|
package.path = "../?.lua;"..package.path;
require("p5")
local path = BLPath();
function setup()
path:moveTo(10, 10)
path:lineTo(200, 10)
path:lineTo(200, 200)
path:lineTo(10, 200)
--path:close();
fill(0x00)
stroke(0xff, 0,0)
background(0xCC)
end
function draw()
appContext:fillPath(path)
appContext:strokePathD(path)
end
go()
|
local createEnum = import("../createEnum")
return createEnum("Platform", {
Windows = 0,
OSX = 1,
IOS = 2,
Android = 3,
XBoxOne = 4,
PS4 = 5,
PS3 = 6,
XBox360 = 7,
WiiU = 8,
NX = 9,
Ouya = 10,
AndroidTV = 11,
Chromecast = 12,
Linux = 13,
SteamOS = 14,
WebOS = 15,
DOS = 16,
BeOS = 17,
UWP = 18,
None = 19,
})
|
-----------------------------------
-- Area: Aht Urhgan Whitegate
-- NPC: Abda Lurabda
-- Standard Info NPC
-----------------------------------
local ID = require("scripts/zones/Aht_Urhgan_Whitegate/IDs")
require("scripts/globals/status")
require("scripts/globals/pets")
-----------------------------------
function onTrade(player, npc, trade)
end
function onTrigger(player, npc)
if player:getMainJob() == tpz.job.PUP then
player:startEvent(648, 0, 9800, player:getGil())
else
player:startEvent(257)
end
end
function onEventUpdate(player, csid, option)
end
function onEventFinish(player, csid, option)
if csid == 648 and bit.band(option, 0x80000000) ~= 0 then
player:delGil(9800)
local page = bit.band(option, 0xF)
local val = bit.rshift(bit.band(option, 0xFFFFF0), 4)
player:setPetName(tpz.pet.type.AUTOMATON, 86 + val + page * 32)
player:messageSpecial(ID.text.AUTOMATON_RENAME)
end
end
|
local voteClass = {}
voteClass.__index = voteClass
function amapvote.CreateVote()
local instance = {}
setmetatable(instance, voteClass)
instance:ctor()
return instance
end
function voteClass:ctor()
self._options = {}
self._votes = {}
self._started = false
self._duration = 30
self._startTime = 0
end
function voteClass:GetDuration()
return self._duration
end
function voteClass:SetDuration(dur)
assert(not self._started, "vote already started")
self._duration = dur
end
function voteClass:AddChoice(map)
assert(not self._started, "vote already started")
table.insert(self._options, map)
end
function voteClass:Start()
assert(not self._started, "vote already started")
assert(#self._options > 0, "No totalVotes given")
print("Mapvote started")
self._startTime = CurTime()
self._endTime = self._startTime + self._duration
self._started = true
net.Start(amapvote.NetString)
net.WriteTable({
options = self._options,
endTime = self._endTime,
})
net.Broadcast()
end
function voteClass:UpdatePlayerVote(ply, ballet)
self._votes[ply] = ballet
end
function voteClass:Finish()
print("Mapvote finished")
self:FindWinner()
self:OnComplete(self._winner)
end
function voteClass:FindWinner()
local totalVotes = {}
if table.Count(self._votes) == 0 then
return self:PickRandom()
end
for _, ballet in pairs(self._votes) do
for map, score in pairs(ballet) do
totalVotes[map] = (totalVotes[map] or 0) + score
end
end
local highest = false
local highestScore = -1
print("totalvotes:")
PrintTable(totalVotes)
for map, score in pairs(totalVotes) do
print(map, score, highestScore)
if score > highestScore then
highestScore = score
highest = map
end
end
self._winner = highest
end
function voteClass:PickRandom()
return table.Random(self._options)
end
function voteClass:OnComplete(map)
--Add your code here :D
print("Winning map:", map)
self._started = false
self:AnnounceWinner(map)
self:ChangeMap(map)
end
function voteClass:AnnounceWinner(map)
net.Start(amapvote.ShowWinnerString)
net.WriteString(map)
net.Broadcast()
end
function voteClass:ChangeMap(map)
timer.Simple(5, function()
RunConsoleCommand("changelevel", map)
end)
end
|
c = require("component")
t = require("term")
fisr = c.nc_fission_reactor
local x = fisr.getLengthX()
local y = fisr.getLengthY()
local z = fisr.getLengthZ()
local size = string.format("%s*%s*%s", x, y, z)
local max_rf = fisr.getMaxEnergyStored()
local max_hu = fisr.getMaxHeatLevel()
local mult_rf = fisr.getEfficiency() .. "%"
local mult_hu = fisr.getHeatMultiplier() .. "%"
local no_cells = fisr.getNumberOfCells()
local fuel = fisr.getFissionFuelName()
local fuel_base = string.format("%s RF/t - %s HU/t", fisr.getFissionFuelPower(), fisr.getFissionFuelHeat())
local rf_t = fisr.getReactorProcessPower() .. " RF/t"
local net_hu = fisr.getReactorProcessHeat() .. " HU/t"
function currentProcess()
rf = fisr.getEnergyStored()
hu = fisr.getHeatLevel()
rf_lvl = string.format("%s/%s RF", rf, max_rf)
hu_lvl = string.format("%s/%s HU", hu, max_hu)
timeleft = (fisr.getReactorProcessTime() - fisr.getCurrentProcessTime()/no_cells)/20
end
function reactorControl()
if rf/max_rf > 0.4 or hu/max_hu > 0.2 then
fisr.deactivate()
else
fisr.activate()
end
end
function reactorStatus()
if fisr.isProcessing() then
stat = "Active"
else
if hu/max_hu > 0.2 then
stat = "Inactive - Cooling"
elseif rf/max_rf > 0.4 then
stat = "Inactive - Discharging"
else
stat = "Inactive - " .. fisr.getProblem()
end
end
end
function infoOutput()
fisrStatsNames = {"Size: ", "Cells: ", "Eff. Mult.: ", "Heat Mult.: ", "Energy: ", "Heat Level: ", "Status: "}
fisrStats = {size, no_cells, mult_rf, mult_hu, rf_lvl, hu_lvl, stat}
fuelInfoNames = {"Fuel: ", "Base Power-Heat: ", "Energy Gen: ", "Net Heat: ", "Time Left: "}
fuelInfo = {fuel, fuel_base, rf_t, net_hu, timeleft .. " sec"}
end
function fisrInit()
fuelStats()
currentProcess()
reactorControl()
reactorStatus()
infoOutput()
print("Reactor Info")
for i = 1, 7 do
print(fisrStatsNames[i] .. fisrStats[i])
end
print("Fuel Info")
for i = 1, 5 do
print(fuelInfoNames[i] .. fuelInfo[i])
end
end
function fisrRun()
while timeleft > 0 do
currentProcess()
reactorControl()
reactorStatus()
infoOutput()
local clearLines = {6, 7, 8, 14}
for i = 1, 4 do
t.setCursor(1, clearLines[i])
t.clearLine()
if i ~= 4 then
print(fisrStatsNames[i+4] .. fisrStats[i+4])
else
print(fuelInfoNames[i+1] .. fuelInfo[i+1])
end
end
os.sleep(0.7)
end
end
t.clear()
fisrInit()
fisrRun()
|
--[[
Name: "sh_book_pha.lua".
Product: "HL2 RP".
--]]
local ITEM = {};
-- Set some information.
ITEM.base = "book_base";
ITEM.name = "Poison Headcrab Anatomy";
ITEM.cost = 5;
ITEM.model = "models/props_lab/bindergraylabel01b.mdl";
ITEM.uniqueID = "book_pha";
ITEM.business = true;
ITEM.description = "A book with a black headcrab on the front.";
ITEM.bookInformation = [[
<font color='red' size='4'>Written by Jamie Ruzicano.</font>
The Poison Headcrab (also commonly known as the black headcrab), is a Headcrab subspecies previously unknown before the Combine invasion.
Like its relations, the Poison Headcrab is able to infest and mutate humans into Zombies.
It is unknown whether Poison Headcrabs are a natural subspecies never encountered on Xen or a result of Combine genetic manipulation of the Standard Headcrab for use in Headcrab Shells.
The Poison Headcrab can be identified by its dark colored skin (sometimes with a wet sheen) and thick hairs on the joints of its inward bending, spider-like legs.
On the Poison Headcrab's legs are white bands that encircle the knee joints and the creature's dorsal markings are similar to those of a species of orb-weaving spider.
At walking pace, the poison Headcrab is the slowest of the Headcrabs, but will run faster than a normal Headcrab if injured or under attack.
Poison Headcrabs move slowly and cautiously when maneuvering but will leap with incredible speed and height with an angry squeal when it has a clear line of sight to a suitable host.
The Poison Headcrab delivers its extremely powerful neurotoxin via the four fangs on its 'beak'.
This poison will paralize any creature it comes into contact with, making them extremely vulnerable to attack.
Poison Zombie is the result of a human host under the control of a Poison Headcrab.
The mutations that take place produce a bloated, slow-moving zombie that is capable of carrying additional Poison Headcrabs.
Poison Zombies are bloated, reddish purple, slow-moving menaces. They are almost always seen carrying an additional 2 or 3 Poison Headcrabs on its back.
Poison Zombies have the same melee attack as all the other zombie variants, with the elongated claws on its hands.
The Poison Zombie's slash seems to do more damage than the standard zombie's.
Poison Zombies are also the only zombie variant that has a ranged attack, being able to throw the hitch-hiking Poison Headcrabs on its back at a target with great strength and accuracy.
Another trait that distinguishes Poison Zombies from other zombie types is its endurance. Poison Zombies can take 3 times more damage than other zombies before collapsing.
The Poison Headcrabs riding on the zombie's back can also leap off when needed to attack on their own.
Poison Zombies themselves are not poisonous, and rely on the hitch-hiking Poison Headcrabs to attack first. Then, it resorts to its claws.
Poison Zombies can be detected by their loud, strangulated breathing and muffled groans. They also emit loud, whale-like sirens.
Upon dying, some people have heard what sounds like a faint crying noise right before it dies. This could possibly mean the human host is just alive enough to suffer.
Poison zombies are unique in the fact that the headcrabs latched to their bodies appear to be interacting with their host.
While other headcrab zombies serve as a host for individual headcrabs, the poison headcrabs attached to a poison zombie appear to be from it.
The fact the poison zombie is off color and bloated would suggest that the headcrabs are either sucking nutrients from the body, are causing enough damage to make the host lose almost all of his blood, or are using the body to store or create their acute neurotoxin.
It has also been speculated that poison headcrabs may lay their eggs in their hosts' bodies, which would explain the hosts' bloated appearance and the multiple poison headcrabs which cover them.
]];
-- Register the item.
kuroScript.item.Register(ITEM);
|
-- ========== THIS IS AN AUTOMATICALLY GENERATED FILE! ==========
PlaceObj('StoryBit', {
ActivationEffects = {},
Category = "DustStromStart",
Delay = 120000,
Effects = {},
Enabled = true,
Enables = {
"DustSickness_Deaths",
"DustSickness_Cure",
},
Image = "UI/Messages/Events/25_medical_check.tga",
Prerequisites = {
PlaceObj('IsSolInRange', {
'Max', 88,
}),
},
ScriptDone = true,
Text = T(986339173594, --[[StoryBit DustSickness Text]] "The fine Martian dust can be a serious health hazard. We thought that our airlock filters could handle it well enough but this particular Dust Storm got the better of them.\n\nSome colonists have developed the Dust Sickness trait. They will take Health damage during Dust Storms even when inside the dome. \n\nOur medical staff strongly recommends that we discharge those affected with the Dust Sickness from work so they can better manage the ailment."),
TextReadyForValidation = true,
TextsDone = true,
Title = T(924901666901, --[[StoryBit DustSickness Title]] "Dust Sickness"),
Trigger = "DustStorm",
VoicedText = T(160844448952, --[[voice:narrator]] "The Colonist on the bed keeps coughing uncontrollably. It’s the third such case since the Dust Storm started."),
group = "Disasters",
id = "DustSickness",
PlaceObj('StoryBitReply', {
'Text', T(872746393591, --[[StoryBit DustSickness Text]] "Colonists suffering from the Dust Sickness shouldn’t work."),
}),
PlaceObj('StoryBitOutcome', {
'Prerequisites', {},
'Enables', {
"DustSickness_GeneratSickNotWorking",
},
'Effects', {
PlaceObj('ForEachExecuteEffects', {
'Label', "Colonist",
'Filters', {
PlaceObj('HasTrait', {
'Trait', "Child",
'Negate', true,
}),
},
'RandomCount', 5,
'Effects', {
PlaceObj('AddTrait', {
'Trait', "DustSickness",
}),
},
}),
PlaceObj('ForEachExecuteEffects', {
'Label', "Colonist",
'Filters', {
PlaceObj('HasTrait', {
'Trait', "DustSickness",
}),
},
'Effects', {
PlaceObj('ModifyStatus', {
'Status', "StatusEffect_UnableToWork",
}),
},
}),
},
}),
PlaceObj('StoryBitReply', {
'Text', T(270248667480, --[[StoryBit DustSickness Text]] "We need everyone to pull their weight. They should continue to work."),
}),
PlaceObj('StoryBitOutcome', {
'Prerequisites', {},
'Enables', {
"DustSickness_GeneratSick",
},
'Effects', {
PlaceObj('ForEachExecuteEffects', {
'Label', "Colonist",
'Filters', {
PlaceObj('HasTrait', {
'Trait', "Child",
'Negate', true,
}),
},
'RandomCount', 5,
'Effects', {
PlaceObj('AddTrait', {
'Trait', "DustSickness",
}),
},
}),
},
}),
PlaceObj('StoryBitReply', {
'Text', T(287026287551, --[[StoryBit DustSickness Text]] "We can alleviate the symptoms with allergy medication."),
'OutcomeText', "custom",
'CustomOutcomeText', T(647813477190, --[[StoryBit DustSickness CustomOutcomeText]] "the Dust Sickness trait will not appear in the colony"),
'Prerequisite', PlaceObj('IsCommander', {
'CommanderProfile', "doctor",
}),
}),
})
|
--- URL rewriting policy
-- This policy allows to modify the path of a request.
local ipairs = ipairs
local sub = ngx.re.sub
local gsub = ngx.re.gsub
local QueryParams = require 'apicast.policy.url_rewriting.query_params'
local TemplateString = require 'apicast.template_string'
local default_value_type = 'plain'
local policy = require('apicast.policy')
local _M = policy.new('URL rewriting policy')
local new = _M.new
local substitute_functions = { sub = sub, gsub = gsub }
-- func needs to be ngx.re.sub or ngx.re.gsub.
-- This method simply calls one of those 2. They have the same interface.
local function substitute(func, subject, regex, replace, options)
local new_uri, num_changes, err = func(subject, regex, replace, options)
if not new_uri then
ngx.log(ngx.WARN, 'There was an error applying the regex: ', err)
end
return new_uri, num_changes > 0
end
-- Returns true when the URL was rewritten and false otherwise
local function apply_rewrite_command(command)
local func = substitute_functions[command.op]
if not func then
ngx.log(ngx.WARN, "Unknown URL rewrite operation: ", command.op)
end
local new_uri, changed = substitute(
func, ngx.var.uri, command.regex, command.replace, command.options)
if changed then
ngx.req.set_uri(new_uri)
end
return changed
end
local function apply_query_arg_command(command, query_args, context)
-- Possible values of command.op match the methods defined in QueryArgsParams
local func = query_args[command.op]
if not func then
ngx.log(ngx.ERR, 'Invalid query args operation: ', command.op)
return
end
local value = (command.template_string and command.template_string:render(context)) or nil
func(query_args, command.arg, value)
end
local function build_template(query_arg_command)
if query_arg_command.value then -- The 'delete' op does not have a value
query_arg_command.template_string = TemplateString.new(
query_arg_command.value,
query_arg_command.value_type or default_value_type
)
end
end
--- Initialize a URL rewriting policy
-- @tparam[opt] table config Contains two tables: the rewrite commands and the
-- query args commands.
-- The rewrite commands are based on the 'ngx.re.sub' and 'ngx.re.gsub'
-- functions provided by OpenResty. Please check
-- https://github.com/openresty/lua-nginx-module for more details.
-- Each rewrite command is a table with the following fields:
--
-- - op: can be 'sub' or 'gsub'.
-- - regex: regular expression to be matched.
-- - replace: string that will replace whatever is matched by the regex.
-- - options[opt]: options to control how the regex match will be done.
-- Accepted options are the ones in 'ngx.re.sub' and 'ngx.re.gsub'.
-- - break[opt]: defaults to false. When set to true, if the command rewrote
-- the URL, it will be the last command applied.
--
-- Each query arg command is a table with the following fields:
--
-- - op: can be 'push', 'set', 'add', and 'delete'.
-- - arg: query argument.
-- - value: value to be added, replaced, or set.
function _M.new(config)
local self = new(config)
self.commands = (config and config.commands) or {}
self.query_args_commands = (config and config.query_args_commands) or {}
for _, query_arg_command in ipairs(self.query_args_commands) do
build_template(query_arg_command)
end
return self
end
function _M:rewrite(context)
for _, command in ipairs(self.commands) do
local rewritten = apply_rewrite_command(command)
if rewritten and command['break'] then
break
end
end
self.query_args = QueryParams.new()
for _, query_arg_command in ipairs(self.query_args_commands) do
apply_query_arg_command(query_arg_command, self.query_args, context)
end
end
return _M
|
function setup()
displayMode(FULLSCREEN)
backingMode(RETAINED)
font("AppleColorEmoji")
index = 1
detail = 5
speed = 10
drawit = false
bg = false
str = false
end
function draw()
if drawit then
if bg then
background(0)
bg = false
end
for _ = 1,detail*speed do
local ind = tbl[index]
if ind then
fill(ind.c)
if str then
fontSize(detail*math.random(2,5))
text("👌🏻",ind.x,ind.y)
else
ellipse(ind.x,ind.y,math.random(5,20),math.random(5,20))
end
index = index + 1
end
end
else
background(0)
sprite(CAMERA,WIDTH/2,HEIGHT/2,math.min(spriteSize(CAMERA),WIDTH))
end
end
local function sort(x,y)
local sum1 = x.c.r+x.c.g+x.c.b
local sum2 = y.c.r+y.c.g+y.c.b
return sum1 > sum2
end
function touched()
local pic = image(CAMERA)
local width, height = pic.width, pic.height
tbl = {}
for i = 1, width, detail do
for j = 1, height, detail do
table.insert(tbl,{x=i,y=j,c=color(pic:get(i,j))})
end
end
table.sort(tbl,sort)
drawit = true
bg = true
end
|
----------------------------------------
--
-- TitleBarClass
--
-- Creates a section with a title label:
--
-- "SectionXXX"
-- "TitleBarVisual"
-- "Contents"
--
-- Requires "parent" and "sectionName" parameters and returns the section and its contentsFrame
-- The entire frame will resize dynamically as contents frame changes size.
--
-- "autoScalingList" is a boolean that defines wheter or not the content frame automatically resizes when children are added.
-- This is important for cases when you want minimize button to push or contract what is below it.
--
-- Both "minimizeable" and "minimizedByDefault" are false by default
-- These parameters define if the section will have an arrow button infront of the title label,
-- which the user may use to hide the section's contents
--
----------------------------------------
GuiUtilities = require(script.Parent.GuiUtilities)
local kRightButtonAsset = "rbxasset://textures/TerrainTools/button_arrow.png"
local kArrowSize = 9
TitleBarClass = {}
TitleBarClass.__index = TitleBarClass
function TitleBarClass.new(nameSuffix, titleText)
local self = {}
setmetatable(self, TitleBarClass)
self._titleBarHeight = GuiUtilities.kTitleBarHeight
local frame = Instance.new('Frame')
frame.Name = 'CTSection' .. nameSuffix
frame.BackgroundTransparency = 1
self._frame = frame
self:_CreateTitleBar(titleText)
return self
end
function TitleBarClass:GetSectionFrame()
return self._frame
end
function TitleBarClass:_UpdateSize()
local totalSize = self._uiListLayout.AbsoluteContentSize.Y
self._frame.Size = UDim2.new(1, 0, 0, totalSize)
end
function TitleBarClass:SetCollapsedState(bool)
self._minimized = bool
self._contentsFrame.Visible = not bool
self:_UpdateMinimizeButton()
self:_UpdateSize()
end
function TitleBarClass:_CreateTitleBar(titleText)
local titleTextOffset = self._titleBarHeight
local titleBar = Instance.new('ImageButton')
titleBar.AutoButtonColor = false
titleBar.Name = 'TitleBarVisual'
titleBar.BorderSizePixel = 0
titleBar.Position = UDim2.new(0, 0, 0, 0)
titleBar.Size = UDim2.new(1, 0, 0, self._titleBarHeight)
titleBar.Parent = self._frame
titleBar.LayoutOrder = 1
GuiUtilities.syncGuiElementTitleColor(titleBar)
local titleLabel = Instance.new('TextLabel')
titleLabel.Name = 'TitleLabel'
titleLabel.BackgroundTransparency = 1
titleLabel.Font = Enum.Font.SourceSansBold --todo: input spec font
titleLabel.TextSize = 15 --todo: input spec font size
titleLabel.TextXAlignment = Enum.TextXAlignment.Left
titleLabel.Text = titleText
titleLabel.Position = UDim2.new(0, titleTextOffset, 0, 0)
titleLabel.Size = UDim2.new(1, -titleTextOffset, 1, GuiUtilities.kTextVerticalFudge)
titleLabel.Parent = titleBar
GuiUtilities.syncGuiElementFontColor(titleLabel)
self._minimizeButton = Instance.new('ImageButton')
self._minimizeButton.Name = 'MinimizeSectionButton'
self._minimizeButton.Image = kRightButtonAsset --todo: input arrow image from spec
self._minimizeButton.Size = UDim2.new(0, kArrowSize, 0, kArrowSize)
self._minimizeButton.AnchorPoint = Vector2.new(0.5, 0.5)
self._minimizeButton.Position = UDim2.new(0, self._titleBarHeight*.5,
0, self._titleBarHeight*.5)
self._minimizeButton.BackgroundTransparency = 1
self._minimizeButton.Visible = true
end
return TitleBarClass
|
--- Gather configuration options.
--
-- The module reads configuration options from multiple sources
-- and then merges the options together according to source priority:
--
-- 1. `--<VARNAME>` command line arguments.
-- 2. `TARANTOOL_<VARNAME>` environment variables.
-- 3. Configuration files.
--
-- To specify a configuration file, use the `--cfg <CONFIG_FILE>` option
-- or the `TARANTOOL_CFG=<CONFIG_FILE>` environment variable.
--
-- Configuration files are `.yaml` files, divided into
-- sections like the following:
--
-- default:
-- memtx_memory: 10000000
-- some_option: "default value"
-- myapp.router:
-- memtx_memory: 1024000000
-- some_option: "router-specific value"
--
-- Within the configuration file, `argparse` looks for multiple matching sections:
--
-- 1. The section named `<APP_NAME>.<INSTANCE_NAME>` is parsed first.
-- The application name is derived automatically from the rockspec filename in the
-- project directory. Alternatively, you can specify it manually via the `--app-name`
-- command line argument or the `TARANTOOL_APP_NAME` environment variable.
-- The instance name can be specified the same way, either as `--instance-name`
-- or `TARANTOOL_INSTANCE_NAME`.
-- 2. The common `<APP_NAME>` section is parsed next.
-- 3. Finally, the section `[default]` with the global configuration is parsed
-- with the lowest priority.
--
-- An instance name may consist of multiple period-separated parts,
-- for example, `--app-name "myapp" --instance-name "router.1"`.
-- In this case, sections with names that include these parts are also parsed:
-- first `[myapp.router.1]`, then `[myapp.router]`, then `[myapp]`.
--
-- Instead of a single configuration file, you can use a directory.
-- In this case, all files in the directory are parsed.
-- To avoid conflicts, the same section mustn't repeat across different files.
--
-- @module cartridge.argparse
local fio = require('fio')
local yaml = require('yaml')
local checks = require('checks')
local errors = require('errors')
-- local base_dir = fio.abspath(fio.dirname(arg[0]))
local vars = require('cartridge.vars').new('cartridge.argparse')
local utils = require('cartridge.utils')
vars:new('args', nil)
local ParseConfigError = errors.new_class('ParseConfigError')
local DecodeYamlError = errors.new_class('DecodeYamlError')
local TypeCastError = errors.new_class('TypeCastError')
local function toboolean(val)
if type(val) == 'boolean' then
return val
elseif type(val) ~= 'string' then
return nil
end
val = val:lower()
if val == 'true' then
return true
elseif val == 'false' then
return false
end
end
--- Common `cartridge.cfg` options.
--
-- Any options not listed below (like the `roles` option)
-- can't be modified with `argparse` and should be configured in code.
--
-- @table cluster_opts
local cluster_opts = {
alias = 'string', -- **string**
workdir = 'string', -- **string**
http_port = 'number', -- **number**
http_host = 'string', -- **string**
http_enabled = 'boolean', -- **boolean**
webui_enabled = 'boolean', -- **boolean**
webui_prefix = 'string', -- **string**
webui_enforce_root_redirect = 'boolean', -- **boolean**
advertise_uri = 'string', -- **string**
cluster_cookie = 'string', -- **string**
console_sock = 'string', -- **string**
auth_enabled = 'boolean', -- **boolean**
bucket_count = 'number', -- **number**
upgrade_schema = 'boolean', -- **boolean**
swim_broadcast = 'boolean', -- **boolean**
upload_prefix = 'string', -- **string**
}
--- Common `box.cfg <https://www.tarantool.io/en/doc/latest/reference/configuration/>`_ tuning options.
-- @table box_opts
local box_opts = {
listen = 'string', -- **string**
memtx_memory = 'number', -- **number**
memtx_allocator = 'string', -- **string**
strip_core = 'boolean', -- **boolean**
memtx_min_tuple_size = 'number', -- **number**
memtx_max_tuple_size = 'number', -- **number**
memtx_use_mvcc_engine = 'boolean', -- **boolean**
slab_alloc_factor = 'number', -- **number**
slab_alloc_granularity = 'number', -- **number**
work_dir = 'string', -- **string** (**deprecated**)
memtx_dir = 'string', -- **string**
wal_dir = 'string', -- **string**
vinyl_dir = 'string', -- **string**
vinyl_memory = 'number', -- **number**
vinyl_cache = 'number', -- **number**
vinyl_max_tuple_size = 'number', -- **number**
vinyl_read_threads = 'number', -- **number**
vinyl_write_threads = 'number', -- **number**
vinyl_timeout = 'number', -- **number**
vinyl_run_count_per_level = 'number', -- **number**
vinyl_run_size_ratio = 'number', -- **number**
vinyl_range_size = 'number', -- **number**
vinyl_page_size = 'number', -- **number**
vinyl_bloom_fpr = 'number', -- **number**
log = 'string', -- **string**
audit_log = 'string', -- **string**
log_nonblock = 'boolean', -- **boolean**
audit_nonblock = 'boolean', -- **boolean**
log_level = 'number', -- **number**
log_format = 'string', -- **string**
io_collect_interval = 'number', -- **number**
readahead = 'number', -- **number**
snap_io_rate_limit = 'number', -- **number**
too_long_threshold = 'number', -- **number**
wal_mode = 'string', -- **string**
rows_per_wal = 'number', -- **number** (**deprecated**)
wal_max_size = 'number', -- **number**
wal_queue_max_size = 'number', -- **number**
wal_dir_rescan_delay = 'number', -- **number**
wal_cleanup_delay = 'number', -- **number**
force_recovery = 'boolean', -- **boolean**
replication = 'string', -- **string**
instance_uuid = 'string', -- **string**
replicaset_uuid = 'string', -- **string**
custom_proc_title = 'string', -- **string**
pid_file = 'string', -- **string**
background = 'boolean', -- **boolean**
username = 'string', -- **string**
coredump = 'boolean', -- **boolean**
checkpoint_interval = 'number', -- **number**
checkpoint_wal_threshold = 'number', -- **number**
checkpoint_count = 'number', -- **number**
read_only = 'boolean', -- **boolean**
hot_standby = 'boolean', -- **boolean**
worker_pool_threads = 'number', -- **number**
replication_threads = 'number', -- **number**
replication_timeout = 'number', -- **number**
replication_sync_lag = 'number', -- **number**
replication_sync_timeout = 'number', -- **number**
replication_connect_timeout = 'number', -- **number**
replication_connect_quorum = 'number', -- **number**
replication_skip_conflict = 'boolean', -- **boolean**
replication_synchro_quorum = 'string|number', -- **string|number**
replication_synchro_timeout = 'number', -- **number**
feedback_enabled = 'boolean', -- **boolean**
feedback_host = 'string', -- **string**
feedback_interval = 'number', -- **number**
feedback_crashinfo = 'boolean', -- **boolean**
net_msg_max = 'number', -- **number**
iproto_threads = 'number', -- **number**
sql_cache_size = 'number', -- **number**
txn_timeout = 'number', -- **number**
}
local function load_file(filename)
checks('string')
local data, err = utils.file_read(filename)
if data == nil then
return nil, err
end
local file_sections, err
if filename:endswith('.yml') or filename:endswith('.yaml') then
local ok, ret = pcall(yaml.decode, data)
if ok then
file_sections = ret
else
err = DecodeYamlError:new('%s: %s', filename, ret)
end
else
err = ParseConfigError:new('%s: Unsupported file type', filename)
end
if file_sections == nil then
return nil, err
end
return file_sections
end
local function load_dir(dirname)
local files = {}
utils.table_append(files, fio.glob(fio.pathjoin(dirname, '*.yml')))
utils.table_append(files, fio.glob(fio.pathjoin(dirname, '*.yaml')))
table.sort(files)
local ret = {}
local origin = {}
for _, f in pairs(files) do
local file_sections, err = load_file(f)
if file_sections == nil then
return nil, err
end
for section_name, content in pairs(file_sections) do
if ret[section_name] == nil then
ret[section_name] = {}
origin[section_name] = fio.basename(f)
else
return nil, ParseConfigError:new(
'collision of section %q in %s between %s and %s',
section_name, dirname, origin[section_name], fio.basename(f)
)
end
for argname, argvalue in pairs(content) do
ret[section_name][argname:lower()] = argvalue
end
end
end
return ret
end
local function parse_args()
local ret = {}
local stop = false
local i = 0
while i < #arg do
i = i + 1
if arg[i] == '--' then
stop = true
elseif stop then
table.insert(ret, arg[i])
elseif arg[i]:startswith('--') then
local argname = arg[i]:lower():gsub('^%-%-', ''):gsub('-', '_')
local argvalue = arg[i+1]
i = i + 1
ret[argname] = argvalue or ''
else
table.insert(ret, arg[i])
end
end
return ret
end
local function parse_env()
local ret = {}
for argname, argvalue in pairs(os.environ()) do
argname = string.lower(argname)
if argname:startswith('tarantool_') then
argname = argname:gsub("^tarantool_", ''):gsub("-", "_")
ret[argname] = argvalue
end
end
return ret
end
local function parse_file(filename, app_name, instance_name)
checks('string', '?string', '?string')
local file_sections, err
if filename:endswith('/') then
file_sections, err = load_dir(filename)
else
file_sections, err = load_file(filename)
end
if file_sections == nil then
return nil, err
end
local section_names = {'default'}
do -- generate section names to be parsed
app_name = app_name and string.strip(app_name) or ''
if app_name ~= '' then
table.insert(section_names, app_name)
end
instance_name = instance_name and string.strip(instance_name) or ''
if instance_name ~= '' then
local parts = instance_name:split('.')
for n = 1, #parts do
local section_name = table.concat(parts, '.', 1, n)
if app_name ~= '' then
section_name = app_name .. '.' .. section_name
end
table.insert(section_names, section_name)
end
end
end
local ret = {}
for _, section_name in ipairs(section_names) do
local content = file_sections[section_name]
if section_name ~= 'default'
and section_name ~= app_name
and content == nil then
-- When an instance's name can't be found in file_sections,
-- the instance shouldn't be started. Such behavior would violate
-- https://github.com/tarantool/cartridge/issues/1437
return nil, ParseConfigError:new('Missing section: %s', section_name)
end
content = content or {}
for argname, argvalue in pairs(content) do
ret[argname:lower()] = argvalue
end
end
return ret
end
local function supplement(to, from)
checks('table', 'table')
for argname, argvalue in pairs(from) do
if to[argname] == nil then
to[argname] = argvalue
end
end
return to
end
--- Parse command line arguments, environment variables, and configuration files.
--
-- For example, running an application as follows:
-- TARANTOOL_MY_CUSTOM_ARG='value' ./init.lua --alias router --memtx-memory 100
-- results in:
-- local argparse = require('cartridge.argparse')
-- argparse.parse()
-- ---
-- - memtx_memory: '100'
-- my_custom_arg: value
-- alias: router
-- ...
--
-- @function parse
-- @treturn {argname=value,...}
local function _parse()
local args = {}
supplement(args, parse_args())
supplement(args, parse_env())
if args.app_name == nil then
local app_dir = fio.dirname(arg[0])
local rockspecs = fio.glob(fio.pathjoin(app_dir, '*-scm-1.rockspec'))
if #rockspecs == 1 then
args.app_name = string.match(fio.basename(rockspecs[1]), '^(%g+)%-scm%-1%.rockspec$')
end
end
if args.cfg == nil then
return args
end
if fio.path.is_dir(args.cfg) and not args.cfg:endswith('/') then
args.cfg = args.cfg .. '/'
end
local cfg, err = parse_file(args.cfg, args.app_name, args.instance_name)
if not cfg then
return nil, err
else
supplement(args, cfg)
end
return args
end
local function parse()
if vars.args ~= nil then
return vars.args
end
local args, err = _parse()
if args == nil then
return nil, err
end
vars.args = args
return args
end
--- Filter the results of parsing and cast variables to a given type.
--
-- From all the configuration options gathered by `parse`, select only those
-- specified in the filter.
--
-- For example, running an application as follows:
-- TARANTOOL_ARG1='value' tarantool ./init.lua --arg2 100 --arg3 true
-- results in:
-- local opts, err = argparse.get_opts({
-- arg1 = 'string',
-- arg2 = 'number',
-- arg3 = 'boolean'
-- missing_arg = 'string', -- no such arg, argparse returns nothing for this arg
-- })
-- ---
-- - arg1: value
-- arg2: 100
-- arg3: true
-- ...
--
-- Each option have a type: string, boolean, number.
-- There is an ability to set multiple types for one option.
-- Types are split by separator ``|``, e.g. ``string|number``.
--
-- @function get_opts
-- @tparam {argname=type,...} filter
-- @treturn {argname=value,...}
local function get_opts(opts)
local args = parse()
local ret = {}
for optname, opttype in pairs(opts) do
local value = args[optname]
if value == nil then -- luacheck: ignore 542
-- ignore
elseif type(value) == opttype then
ret[optname] = value
elseif type(value) == 'number' and opttype == 'string' then
ret[optname] = tostring(value)
elseif type(value) == 'string' then
local multi_types = string.gsub(opttype, ' ', '');
local continue = true
local _value = nil
local str_value = nil
for _opttype in string.gmatch(multi_types, "[^|]+") do
if continue then
if _opttype == 'string' then
str_value = tostring(value)
elseif _opttype == 'number' then
_value = tonumber(value)
elseif _opttype == 'boolean' then
_value = toboolean(value)
else
return nil, TypeCastError:new(
"can't typecast %s to %s (unsupported type)",
optname, _opttype
)
end
if _value ~= nil then
continue = false
end
end
end
if _value == nil then
_value = str_value
if _value == nil then
return nil, TypeCastError:new(
"can't typecast %s=%q to %s",
optname, value, opttype
)
end
end
ret[optname] = _value
else
return nil, TypeCastError:new(
"invalid configuration parameter %s (%s expected, got %s)",
optname, opttype, type(value)
)
end
end
return ret
end
return {
parse = parse,
get_opts = get_opts,
--- Shorthand for `get_opts(box_opts)`.
-- @function get_box_opts
get_box_opts = function()
return get_opts(box_opts)
end,
--- Shorthand for `get_opts(cluster_opts)`.
-- @function get_cluster_opts
get_cluster_opts = function()
return get_opts(cluster_opts)
end,
}
|
-- Script for box-tap/errinj_set_with_enviroment_vars.test.lua test.
local tap = require('tap')
local errinj = box.error.injection
local test = tap.test('set errinjs via environment variables')
test:plan(3)
test:test('Set boolean error injections', function(test)
test:plan(6)
test:is(errinj.get('ERRINJ_TESTING'), true, 'true')
test:is(errinj.get('ERRINJ_WAL_IO'), true, 'True')
test:is(errinj.get('ERRINJ_WAL_ROTATE'), true, 'TRUE')
test:is(errinj.get('ERRINJ_WAL_WRITE'), false, 'false')
test:is(errinj.get('ERRINJ_INDEX_ALLOC'), false, 'False')
test:is(errinj.get('ERRINJ_WAL_WRITE_DISK'), false, 'FALSE')
end)
test:test('Set integer error injections', function(test)
test:plan(3)
test:is(errinj.get('ERRINJ_WAL_WRITE_PARTIAL'), 2, '2')
test:is(errinj.get('ERRINJ_WAL_FALLOCATE'), 2, '+2')
test:is(errinj.get('ERRINJ_VY_INDEX_DUMP'), -2, '-2')
end)
test:test('Set double error injections', function(test)
test:plan(3)
test:is(errinj.get('ERRINJ_VY_READ_PAGE_TIMEOUT'), 2.5, "2.5")
test:is(errinj.get('ERRINJ_VY_SCHED_TIMEOUT'), 2.5, "+2.5")
test:is(errinj.get('ERRINJ_RELAY_TIMEOUT'), -2.5, "-2.5")
end)
os.exit(test:check() and 0 or 1)
|
package("lua")
set_homepage("http://lua.org")
set_description("A powerful, efficient, lightweight, embeddable scripting language.")
add_urls("http://117.143.63.254:9012/www/rt-smart/packages/lua-$(version).tar.gz")
add_versions("5.1.4", "b038e225eaf2a5b57c9bcc35cd13aa8c6c8288ef493d52970c9545074098af3a")
add_includedirs("include/lua")
if not is_plat("windows") then
add_syslinks("dl", "m")
end
on_load(function (package)
package:addenv("PATH", "bin")
end)
on_install("cross", "linux", "macosx", "windows", "android", "bsd", function (package)
--import("core.base.option")
--print(option.get("includes"))
local sourcedir = os.isdir("src") and "src/" or "" -- for tar.gz or git source
io.writefile("xmake.lua", format([[
local sourcedir = "%s"
target("lualib")
set_kind("static")
set_basename("lua")
add_headerfiles(sourcedir .. "*.h", {prefixdir = "lua"})
add_files(sourcedir .. "*.c|lua.c|luac.c|onelua.c")
add_defines("LUA_COMPAT_5_2", "LUA_COMPAT_5_1")
if is_plat("linux", "bsd") then
add_defines("LUA_USE_LINUX")
add_defines("LUA_DL_DLOPEN")
elseif is_plat("macosx") then
add_defines("LUA_USE_MACOSX")
add_defines("LUA_DL_DYLD")
elseif is_plat("windows") then
-- Lua already detects Windows and sets according defines
if is_kind("shared") then
add_defines("LUA_BUILD_AS_DLL", {public = true})
end
end
target("lua")
set_kind("binary")
add_files(sourcedir .. "lua.c")
add_deps("lualib")
if not is_plat("windows") then
add_syslinks("dl")
end
--##can not exec success
--target("luac")
-- set_kind("binary")
-- add_files(sourcedir .. "luac.c")
-- add_deps("lualib")
-- if not is_plat("windows") then
-- add_syslinks("dl")
-- end
]], sourcedir))
local configs = {}
if package:config("shared") then
configs.kind = "shared"
end
import("package.tools.xmake").install(package, configs)
end)
on_test(function (package)
if is_plat(os.host()) then
os.vrun("lua -e \"print('hello xmake!')\"")
end
assert(package:has_cfuncs("lua_getinfo", {includes = "lua.h"}))
end)
|
require 'torch'
require 'nn'
local compose_utils = require 'utils.compose_utils'
--
-- Matrix composition model
--
--
local Matrix, parent = torch.class('torch.Matrix', 'torch.CompositionModel')
function Matrix:__init(inputs, outputs)
parent.__init(self)
self.inputs = inputs
self.outputs = outputs
end
function Matrix:architecture(nonlinearity)
print("# Matrix; vector a and b are concatenated and composed through the global matrix W (size 2nxn);")
print("# inputs " .. self.inputs .. ", outputs " .. self.outputs)
local mlp = nn.Sequential()
mlp:add(nn.Reshape(self.inputs))
mlp:add(nn.Linear(self.inputs, self.outputs))
-- note: nonlinearity after the linear layer outperforms
-- nonlinearity before the linear layer
if (nonlinearity ~= nil) then
mlp:add(nonlinearity)
end
print("==> Network configuration")
print(mlp)
print("==> Parameters size")
print(mlp:getParameters():size())
return mlp
end
function Matrix:data(trainSet, devSet, cmhEmbeddings)
local trainDataset = compose_utils:createCMH2TensorDataset(trainSet, cmhEmbeddings)
local devDataset = compose_utils:createCMH2TensorDataset(devSet, cmhEmbeddings)
return trainDataset, devDataset
end
|
return {["trigram"]={["albanian"]={["të "]="0",[" të"]="1",["në "]="2",["për"]="3",[" pë"]="4",[" e "]="5",["sht"]="6",[" në"]="7",[" sh"]="8",["se "]="9",["et "]="10",["ë s"]="11",["ë t"]="12",[" se"]="13",["he "]="14",["jë "]="15",["ër "]="16",["dhe"]="17",[" pa"]="18",["ë n"]="19",["ë p"]="20",[" që"]="21",[" dh"]="22",["një"]="23",["ë m"]="24",[" nj"]="25",["ësh"]="26",["in "]="27",[" me"]="28",["që "]="29",[" po"]="30",["e n"]="31",["e t"]="32",["ish"]="33",["më "]="34",["së "]="35",["me "]="36",["htë"]="37",[" ka"]="38",[" si"]="39",["e k"]="40",["e p"]="41",[" i "]="42",["anë"]="43",["ar "]="44",[" nu"]="45",["und"]="46",["ve "]="47",[" ës"]="48",["e s"]="49",[" më"]="50",["nuk"]="51",["par"]="52",["uar"]="53",["uk "]="54",["jo "]="55",["rë "]="56",["ta "]="57",["ë f"]="58",["en "]="59",["it "]="60",["min"]="61",["het"]="62",["n e"]="63",["ri "]="64",["shq"]="65",["ë d"]="66",[" do"]="67",[" nd"]="68",["sh "]="69",["ën "]="70",["atë"]="71",["hqi"]="72",["ist"]="73",["ë q"]="74",[" gj"]="75",[" ng"]="76",[" th"]="77",["a n"]="78",["do "]="79",["end"]="80",["imi"]="81",["ndi"]="82",["r t"]="83",["rat"]="84",["ë b"]="85",["ëri"]="86",[" mu"]="87",["art"]="88",["ash"]="89",["qip"]="90",[" ko"]="91",["e m"]="92",["edh"]="93",["eri"]="94",["je "]="95",["ka "]="96",["nga"]="97",["si "]="98",["te "]="99",["ë k"]="100",["ësi"]="101",[" ma"]="102",[" ti"]="103",["eve"]="104",["hje"]="105",["ira"]="106",["mun"]="107",["on "]="108",["po "]="109",["re "]="110",[" pr"]="111",["im "]="112",["lit"]="113",["o t"]="114",["ur "]="115",["ë e"]="116",["ë v"]="117",["ët "]="118",[" ku"]="119",[" së"]="120",["e d"]="121",["es "]="122",["ga "]="123",["iti"]="124",["jet"]="125",["ndë"]="126",["oli"]="127",["shi"]="128",["tje"]="129",[" bë"]="130",[" z "]="131",["gje"]="132",["kan"]="133",["shk"]="134",["ënd"]="135",["ës "]="136",[" de"]="137",[" kj"]="138",[" ru"]="139",[" vi"]="140",["ara"]="141",["gov"]="142",["kjo"]="143",["or "]="144",["r p"]="145",["rto"]="146",["rug"]="147",["tet"]="148",["ugo"]="149",["ali"]="150",["arr"]="151",["at "]="152",["d t"]="153",["ht "]="154",["i p"]="155",["ipë"]="156",["izi"]="157",["jnë"]="158",["n n"]="159",["ohe"]="160",["shu"]="161",["shë"]="162",["t e"]="163",["tik"]="164",["a e"]="165",["arë"]="166",["etë"]="167",["hum"]="168",["nd "]="169",["ndr"]="170",["osh"]="171",["ova"]="172",["rim"]="173",["tos"]="174",["va "]="175",[" fa"]="176",[" fi"]="177",["a s"]="178",["hen"]="179",["i n"]="180",["mar"]="181",["ndo"]="182",["por"]="183",["ris"]="184",["sa "]="185",["sis"]="186",["tës"]="187",["umë"]="188",["viz"]="189",["zit"]="190",[" di"]="191",[" mb"]="192",["aj "]="193",["ana"]="194",["ata"]="195",["dër"]="196",["e a"]="197",["esh"]="198",["ime"]="199",["jes"]="200",["lar"]="201",["n s"]="202",["nte"]="203",["pol"]="204",["r n"]="205",["ran"]="206",["res"]="207",["rrë"]="208",["tar"]="209",["ë a"]="210",["ë i"]="211",[" at"]="212",[" jo"]="213",[" kë"]="214",[" re"]="215",["a k"]="216",["ai "]="217",["akt"]="218",["hë "]="219",["hën"]="220",["i i"]="221",["i m"]="222",["ia "]="223",["men"]="224",["nis"]="225",["shm"]="226",["str"]="227",["t k"]="228",["t n"]="229",["t s"]="230",["ë g"]="231",["ërk"]="232",["ëve"]="233",[" ai"]="234",[" ci"]="235",[" ed"]="236",[" ja"]="237",[" kr"]="238",[" qe"]="239",[" ta"]="240",[" ve"]="241",["a p"]="242",["cil"]="243",["el "]="244",["erë"]="245",["gji"]="246",["hte"]="247",["i t"]="248",["jen"]="249",["jit"]="250",["k d"]="251",["mën"]="252",["n t"]="253",["nyr"]="254",["ori"]="255",["pas"]="256",["ra "]="257",["rie"]="258",["rës"]="259",["tor"]="260",["uaj"]="261",["yre"]="262",["ëm "]="263",["ëny"]="264",[" ar"]="265",[" du"]="266",[" ga"]="267",[" je"]="268",["dës"]="269",["e e"]="270",["e z"]="271",["ha "]="272",["hme"]="273",["ika"]="274",["ini"]="275",["ite"]="276",["ith"]="277",["koh"]="278",["kra"]="279",["ku "]="280",["lim"]="281",["lis"]="282",["qën"]="283",["rën"]="284",["s s"]="285",["t d"]="286",["t t"]="287",["tir"]="288",["tën"]="289",["ver"]="290",["ë j"]="291",[" ba"]="292",[" in"]="293",[" tr"]="294",[" zg"]="295",["a a"]="296",["a m"]="297",["a t"]="298",["abr"]="299"},["arabic"]={[" ال"]="0",["الع"]="1",["لعر"]="2",["عرا"]="3",["راق"]="4",[" في"]="5",["في "]="6",["ين "]="7",["ية "]="8",["ن ا"]="9",["الم"]="10",["ات "]="11",["من "]="12",["ي ا"]="13",[" من"]="14",["الأ"]="15",["ة ا"]="16",["اق "]="17",[" وا"]="18",["اء "]="19",["الإ"]="20",[" أن"]="21",["وال"]="22",["ما "]="23",[" عل"]="24",["لى "]="25",["ت ا"]="26",["ون "]="27",["هم "]="28",["اقي"]="29",["ام "]="30",["ل ا"]="31",["أن "]="32",["م ا"]="33",["الت"]="34",["لا "]="35",["الا"]="36",["ان "]="37",["ها "]="38",["ال "]="39",["ة و"]="40",["ا ا"]="41",["رها"]="42",["لام"]="43",["يين"]="44",[" ول"]="45",["لأم"]="46",["نا "]="47",["على"]="48",["ن ي"]="49",["الب"]="50",["اد "]="51",["الق"]="52",["د ا"]="53",["ذا "]="54",["ه ا"]="55",[" با"]="56",["الد"]="57",["ب ا"]="58",["مري"]="59",["لم "]="60",[" إن"]="61",[" لل"]="62",["سلا"]="63",["أمر"]="64",["ريك"]="65",["مة "]="66",["ى ا"]="67",["ا ي"]="68",[" عن"]="69",[" هذ"]="70",["ء ا"]="71",["ر ا"]="72",["كان"]="73",["قتل"]="74",["إسل"]="75",["الح"]="76",["وا "]="77",[" إل"]="78",["ا أ"]="79",["بال"]="80",["ن م"]="81",["الس"]="82",["رة "]="83",["لإس"]="84",["ن و"]="85",["هاب"]="86",["ي و"]="87",["ير "]="88",[" كا"]="89",["لة "]="90",["يات"]="91",[" لا"]="92",["انت"]="93",["ن أ"]="94",["يكي"]="95",["الر"]="96",["الو"]="97",["ة ف"]="98",["دة "]="99",["الج"]="100",["قي "]="101",["وي "]="102",["الذ"]="103",["الش"]="104",["امي"]="105",["اني"]="106",["ذه "]="107",["عن "]="108",["لما"]="109",["هذه"]="110",["ول "]="111",["اف "]="112",["اوي"]="113",["بري"]="114",["ة ل"]="115",[" أم"]="116",[" لم"]="117",[" ما"]="118",["يد "]="119",[" أي"]="120",["إره"]="121",["ع ا"]="122",["عمل"]="123",["ولا"]="124",["إلى"]="125",["ابي"]="126",["ن ف"]="127",["ختط"]="128",["لك "]="129",["نه "]="130",["ني "]="131",["إن "]="132",["دين"]="133",["ف ا"]="134",["لذي"]="135",["ي أ"]="136",["ي ب"]="137",[" وأ"]="138",["ا ع"]="139",["الخ"]="140",["تل "]="141",["تي "]="142",["قد "]="143",["لدي"]="144",[" كل"]="145",[" مع"]="146",["اب "]="147",["اخت"]="148",["ار "]="149",["الن"]="150",["علا"]="151",["م و"]="152",["مع "]="153",["س ا"]="154",["كل "]="155",["لاء"]="156",["ن ب"]="157",["ن ت"]="158",["ي م"]="159",["عرب"]="160",["م ب"]="161",[" وق"]="162",[" يق"]="163",["ا ل"]="164",["ا م"]="165",["الف"]="166",["تطا"]="167",["داد"]="168",["لمس"]="169",["له "]="170",["هذا"]="171",[" مح"]="172",["ؤلا"]="173",["بي "]="174",["ة م"]="175",["ن ل"]="176",["هؤل"]="177",["كن "]="178",["لإر"]="179",["لتي"]="180",[" أو"]="181",[" ان"]="182",[" عم"]="183",["ا ف"]="184",["ة أ"]="185",["طاف"]="186",["عب "]="187",["ل م"]="188",["ن ع"]="189",["ور "]="190",["يا "]="191",[" يس"]="192",["ا ت"]="193",["ة ب"]="194",["راء"]="195",["عال"]="196",["قوا"]="197",["قية"]="198",["لعا"]="199",["م ي"]="200",["مي "]="201",["مية"]="202",["نية"]="203",["أي "]="204",["ابا"]="205",["بغد"]="206",["بل "]="207",["رب "]="208",["عما"]="209",["غدا"]="210",["مال"]="211",["ملي"]="212",["يس "]="213",[" بأ"]="214",[" بع"]="215",[" بغ"]="216",[" وم"]="217",["بات"]="218",["بية"]="219",["ذلك"]="220",["عة "]="221",["قاو"]="222",["قيي"]="223",["كي "]="224",["م م"]="225",["ي ع"]="226",[" عر"]="227",[" قا"]="228",["ا و"]="229",["رى "]="230",["ق ا"]="231",["وات"]="232",["وم "]="233",[" هؤ"]="234",["ا ب"]="235",["دام"]="236",["دي "]="237",["رات"]="238",["شعب"]="239",["لان"]="240",["لشع"]="241",["لقو"]="242",["ليا"]="243",["ن ه"]="244",["ي ت"]="245",["ي ي"]="246",[" وه"]="247",[" يح"]="248",["جرا"]="249",["جما"]="250",["حمد"]="251",["دم "]="252",["كم "]="253",["لاو"]="254",["لره"]="255",["ماع"]="256",["ن ق"]="257",["نة "]="258",["هي "]="259",[" بل"]="260",[" به"]="261",[" له"]="262",[" وي"]="263",["ا ك"]="264",["اذا"]="265",["اع "]="266",["ت م"]="267",["تخا"]="268",["خاب"]="269",["ر م"]="270",["لمت"]="271",["مسل"]="272",["ى أ"]="273",["يست"]="274",["يطا"]="275",[" لأ"]="276",[" لي"]="277",["أمن"]="278",["است"]="279",["بعض"]="280",["ة ت"]="281",["ري "]="282",["صدا"]="283",["ق و"]="284",["قول"]="285",["مد "]="286",["نتخ"]="287",["نفس"]="288",["نها"]="289",["هنا"]="290",["أعم"]="291",["أنه"]="292",["ائن"]="293",["الآ"]="294",["الك"]="295",["حة "]="296",["د م"]="297",["ر ع"]="298",["ربي"]="299"},["azeri"]={["lər"]="0",["in "]="1",["ın "]="2",["lar"]="3",["da "]="4",["an "]="5",["ir "]="6",["də "]="7",["ki "]="8",[" bi"]="9",["ən "]="10",["əri"]="11",["arı"]="12",["ər "]="13",["dir"]="14",["nda"]="15",[" ki"]="16",["rin"]="17",["nın"]="18",["əsi"]="19",["ini"]="20",[" ed"]="21",[" qa"]="22",[" tə"]="23",[" ba"]="24",[" ol"]="25",["ası"]="26",["ilə"]="27",["rın"]="28",[" ya"]="29",["anı"]="30",[" və"]="31",["ndə"]="32",["ni "]="33",["ara"]="34",["ını"]="35",["ınd"]="36",[" bu"]="37",["si "]="38",["ib "]="39",["aq "]="40",["dən"]="41",["iya"]="42",["nə "]="43",["rə "]="44",["n b"]="45",["sın"]="46",["və "]="47",["iri"]="48",["lə "]="49",["nin"]="50",["əli"]="51",[" de"]="52",[" mü"]="53",["bir"]="54",["n s"]="55",["ri "]="56",["ək "]="57",[" az"]="58",[" sə"]="59",["ar "]="60",["bil"]="61",["zər"]="62",["bu "]="63",["dan"]="64",["edi"]="65",["ind"]="66",["man"]="67",["un "]="68",["ərə"]="69",[" ha"]="70",["lan"]="71",["yyə"]="72",["iyy"]="73",[" il"]="74",[" ne"]="75",["r k"]="76",["ə b"]="77",[" is"]="78",["na "]="79",["nun"]="80",["ır "]="81",[" da"]="82",[" hə"]="83",["a b"]="84",["inə"]="85",["sin"]="86",["yan"]="87",["ərb"]="88",[" də"]="89",[" mə"]="90",[" qə"]="91",["dır"]="92",["li "]="93",["ola"]="94",["rba"]="95",["azə"]="96",["can"]="97",["lı "]="98",["nla"]="99",[" et"]="100",[" gö"]="101",["alı"]="102",["ayc"]="103",["bay"]="104",["eft"]="105",["ist"]="106",["n i"]="107",["nef"]="108",["tlə"]="109",["yca"]="110",["yət"]="111",["əcə"]="112",[" la"]="113",["ild"]="114",["nı "]="115",["tin"]="116",["ldi"]="117",["lik"]="118",["n h"]="119",["n m"]="120",["oyu"]="121",["raq"]="122",["ya "]="123",["əti"]="124",[" ar"]="125",["ada"]="126",["edə"]="127",["mas"]="128",["sı "]="129",["ına"]="130",["ə d"]="131",["ələ"]="132",["ayı"]="133",["iyi"]="134",["lma"]="135",["mək"]="136",["n d"]="137",["ti "]="138",["yin"]="139",["yun"]="140",["ət "]="141",["azı"]="142",["ft "]="143",["i t"]="144",["lli"]="145",["n a"]="146",["ra "]="147",[" cə"]="148",[" gə"]="149",[" ko"]="150",[" nə"]="151",[" oy"]="152",["a d"]="153",["ana"]="154",["cək"]="155",["eyi"]="156",["ilm"]="157",["irl"]="158",["lay"]="159",["liy"]="160",["lub"]="161",["n ə"]="162",["ril"]="163",["rlə"]="164",["unu"]="165",["ver"]="166",["ün "]="167",["ə o"]="168",["əni"]="169",[" he"]="170",[" ma"]="171",[" on"]="172",[" pa"]="173",["ala"]="174",["dey"]="175",["i m"]="176",["ima"]="177",["lmə"]="178",["mət"]="179",["par"]="180",["yə "]="181",["ətl"]="182",[" al"]="183",[" mi"]="184",[" sa"]="185",[" əl"]="186",["adı"]="187",["akı"]="188",["and"]="189",["ard"]="190",["art"]="191",["ayi"]="192",["i a"]="193",["i q"]="194",["i y"]="195",["ili"]="196",["ill"]="197",["isə"]="198",["n o"]="199",["n q"]="200",["olu"]="201",["rla"]="202",["stə"]="203",["sə "]="204",["tan"]="205",["tel"]="206",["yar"]="207",["ədə"]="208",[" me"]="209",[" rə"]="210",[" ve"]="211",[" ye"]="212",["a k"]="213",["at "]="214",["baş"]="215",["diy"]="216",["ent"]="217",["eti"]="218",["həs"]="219",["i i"]="220",["ik "]="221",["la "]="222",["miş"]="223",["n n"]="224",["nu "]="225",["qar"]="226",["ran"]="227",["tər"]="228",["xan"]="229",["ə a"]="230",["ə g"]="231",["ə t"]="232",[" dü"]="233",["ama"]="234",["b k"]="235",["dil"]="236",["era"]="237",["etm"]="238",["i b"]="239",["kil"]="240",["mil"]="241",["n r"]="242",["qla"]="243",["r s"]="244",["ras"]="245",["siy"]="246",["son"]="247",["tim"]="248",["yer"]="249",["ə k"]="250",[" gü"]="251",[" so"]="252",[" sö"]="253",[" te"]="254",[" xa"]="255",["ai "]="256",["bar"]="257",["cti"]="258",["di "]="259",["eri"]="260",["gör"]="261",["gün"]="262",["gəl"]="263",["hbə"]="264",["ihə"]="265",["iki"]="266",["isi"]="267",["lin"]="268",["mai"]="269",["maq"]="270",["n k"]="271",["n t"]="272",["n v"]="273",["onu"]="274",["qan"]="275",["qəz"]="276",["tə "]="277",["xal"]="278",["yib"]="279",["yih"]="280",["zet"]="281",["zır"]="282",["ıb "]="283",["ə m"]="284",["əze"]="285",[" br"]="286",[" in"]="287",[" i̇"]="288",[" pr"]="289",[" ta"]="290",[" to"]="291",[" üç"]="292",["a o"]="293",["ali"]="294",["ani"]="295",["anl"]="296",["aql"]="297",["azi"]="298",["bri"]="299"},["bengali"]={["ার "]="0",["য় "]="1",["েয়"]="2",["য়া"]="3",[" কর"]="4",["েত "]="5",[" কা"]="6",[" পা"]="7",[" তা"]="8",["না "]="9",["ায়"]="10",["ের "]="11",["য়ে"]="12",[" বা"]="13",["েব "]="14",[" যা"]="15",[" হে"]="16",[" সা"]="17",["ান "]="18",["েছ "]="19",[" িন"]="20",["েল "]="21",[" িদ"]="22",[" না"]="23",[" িব"]="24",["েক "]="25",["লা "]="26",["তা "]="27",[" বઘ"]="28",[" িক"]="29",["করে"]="30",[" পચ"]="31",["াের"]="32",["িনে"]="33",["রা "]="34",[" োব"]="35",["কা "]="36",[" কে"]="37",[" টা"]="38",["র ক"]="39",["েলা"]="40",[" োক"]="41",[" মা"]="42",[" োদ"]="43",[" োম"]="44",["দর "]="45",["়া "]="46",["িদে"]="47",["াকা"]="48",["়েছ"]="49",["েদর"]="50",[" আে"]="51",[" ও "]="52",["াল "]="53",["িট "]="54",[" মু"]="55",["কের"]="56",["হয়"]="57",["করা"]="58",["পর "]="59",["পাে"]="60",[" এক"]="61",[" পদ"]="62",["টাক"]="63",["ড় "]="64",["কান"]="65",["টা "]="66",["দગা"]="67",["পদગ"]="68",["াড়"]="69",["োকা"]="70",["ওয়"]="71",["কাপ"]="72",["হেয"]="73",["েনর"]="74",[" হয"]="75",["দেয"]="76",["নর "]="77",["ানা"]="78",["ােল"]="79",[" আর"]="80",[" ় "]="81",["বઘব"]="82",["িয়"]="83",[" দা"]="84",[" সম"]="85",["কার"]="86",["হার"]="87",["াই "]="88",["ড়া"]="89",["িবি"]="90",[" রা"]="91",[" লা"]="92",["নার"]="93",["বহা"]="94",["বা "]="95",["যায"]="96",["েন "]="97",["ઘবহ"]="98",[" ভা"]="99",[" সে"]="100",[" োয"]="101",["রর "]="102",["়ার"]="103",["়াল"]="104",["ગা "]="105",["থেক"]="106",["ভাে"]="107",["়ে "]="108",["েরর"]="109",[" ধর"]="110",[" হা"]="111",["নઘ "]="112",["রেন"]="113",["ােব"]="114",["িড়"]="115",["ির "]="116",[" োথ"]="117",["তার"]="118",["বিভ"]="119",["রেত"]="120",["সাে"]="121",["াকে"]="122",["ােত"]="123",["িভਭ"]="124",["ে ব"]="125",["োথে"]="126",[" োপ"]="127",[" োস"]="128",["বার"]="129",["ভਭ "]="130",["রন "]="131",["াম "]="132",[" এখ"]="133",["আর "]="134",["কাে"]="135",["দন "]="136",["সাজ"]="137",["ােক"]="138",["ােন"]="139",["েনা"]="140",[" ঘে"]="141",[" তে"]="142",[" রে"]="143",["তেব"]="144",["বন "]="145",["বઘা"]="146",["েড়"]="147",["েবন"]="148",[" খু"]="149",[" চা"]="150",[" সু"]="151",["কে "]="152",["ধরে"]="153",["র ো"]="154",["় ি"]="155",["া ি"]="156",["ােথ"]="157",["াਠা"]="158",["িদ "]="159",["িন "]="160",[" অন"]="161",[" আপ"]="162",[" আম"]="163",[" থা"]="164",[" বચ"]="165",[" োফ"]="166",[" ৌত"]="167",["ঘের"]="168",["তে "]="169",["ময়"]="170",["যাਠ"]="171",["র স"]="172",["রাখ"]="173",["া ব"]="174",["া ো"]="175",["ালা"]="176",["িক "]="177",["িশ "]="178",["েখ "]="179",[" এর"]="180",[" চઓ"]="181",[" িড"]="182",["খন "]="183",["ড়ে"]="184",["র ব"]="185",["়র "]="186",["াইে"]="187",["ােদ"]="188",["িদন"]="189",["েরন"]="190",[" তੴ"]="191",["ছাড"]="192",["জনઘ"]="193",["তাই"]="194",["মা "]="195",["মাে"]="196",["লার"]="197",["াজ "]="198",["াতা"]="199",["ামা"]="200",["ਊেল"]="201",["ગার"]="202",[" সব"]="203",["আপন"]="204",["একট"]="205",["কাি"]="206",["জাই"]="207",["টর "]="208",["ডজা"]="209",["দেখ"]="210",["পনা"]="211",["রও "]="212",["লে "]="213",["হেব"]="214",["াজা"]="215",["ািট"]="216",["িডজ"]="217",["েথ "]="218",[" এব"]="219",[" জন"]="220",[" জা"]="221",["আমা"]="222",["গেল"]="223",["জান"]="224",["নেত"]="225",["বিশ"]="226",["মুে"]="227",["মেয"]="228",["র প"]="229",["সে "]="230",["হেল"]="231",["় ো"]="232",["া হ"]="233",["াওয"]="234",["োমক"]="235",["ઘাি"]="236",[" অে"]="237",[" ট "]="238",[" োগ"]="239",[" োন"]="240",["জর "]="241",["তির"]="242",["দাম"]="243",["পড়"]="244",["পার"]="245",["বাঘ"]="246",["মকা"]="247",["মাম"]="248",["য়র"]="249",["যাে"]="250",["র ম"]="251",["রে "]="252",["লর "]="253",["া ক"]="254",["াগ "]="255",["াবা"]="256",["ারা"]="257",["ািন"]="258",["ে গ"]="259",["েগ "]="260",["েলর"]="261",["োদখ"]="262",["োবি"]="263",["ઓল "]="264",[" দে"]="265",[" পু"]="266",[" বে"]="267",["অেন"]="268",["এখন"]="269",["কছু"]="270",["কাল"]="271",["গেয"]="272",["ছন "]="273",["ত প"]="274",["নেয"]="275",["পাি"]="276",["মন "]="277",["র আ"]="278",["রার"]="279",["াও "]="280",["াপ "]="281",["িকছ"]="282",["িগে"]="283",["েছন"]="284",["েজর"]="285",["োমা"]="286",["োমে"]="287",["ৌতি"]="288",["ઘাে"]="289",[" ' "]="290",[" এছ"]="291",[" ছা"]="292",[" বল"]="293",[" যি"]="294",[" শি"]="295",[" িম"]="296",[" োল"]="297",["এছা"]="298",["খা "]="299"},["bulgarian"]={["на "]="0",[" на"]="1",["то "]="2",[" пр"]="3",[" за"]="4",["та "]="5",[" по"]="6",["ите"]="7",["те "]="8",["а п"]="9",["а с"]="10",[" от"]="11",["за "]="12",["ата"]="13",["ия "]="14",[" в "]="15",["е н"]="16",[" да"]="17",["а н"]="18",[" се"]="19",[" ко"]="20",["да "]="21",["от "]="22",["ани"]="23",["пре"]="24",["не "]="25",["ени"]="26",["о н"]="27",["ни "]="28",["се "]="29",[" и "]="30",["но "]="31",["ане"]="32",["ето"]="33",["а в"]="34",["ва "]="35",["ван"]="36",["е п"]="37",["а о"]="38",["ото"]="39",["ран"]="40",["ат "]="41",["ред"]="42",[" не"]="43",["а д"]="44",["и п"]="45",[" до"]="46",["про"]="47",[" съ"]="48",["ли "]="49",["при"]="50",["ния"]="51",["ски"]="52",["тел"]="53",["а и"]="54",["по "]="55",["ри "]="56",[" е "]="57",[" ка"]="58",["ира"]="59",["кат"]="60",["ние"]="61",["нит"]="62",["е з"]="63",["и с"]="64",["о с"]="65",["ост"]="66",["че "]="67",[" ра"]="68",["ист"]="69",["о п"]="70",[" из"]="71",[" са"]="72",["е д"]="73",["ини"]="74",["ки "]="75",["мин"]="76",[" ми"]="77",["а б"]="78",["ава"]="79",["е в"]="80",["ие "]="81",["пол"]="82",["ств"]="83",["т н"]="84",[" въ"]="85",[" ст"]="86",[" то"]="87",["аза"]="88",["е о"]="89",["ов "]="90",["ст "]="91",["ът "]="92",["и н"]="93",["ият"]="94",["нат"]="95",["ра "]="96",[" бъ"]="97",[" че"]="98",["алн"]="99",["е с"]="100",["ен "]="101",["ест"]="102",["и д"]="103",["лен"]="104",["нис"]="105",["о о"]="106",["ови"]="107",[" об"]="108",[" сл"]="109",["а р"]="110",["ато"]="111",["кон"]="112",["нос"]="113",["ров"]="114",["ще "]="115",[" ре"]="116",[" с "]="117",[" сп"]="118",["ват"]="119",["еше"]="120",["и в"]="121",["иет"]="122",["о в"]="123",["ове"]="124",["ста"]="125",["а к"]="126",["а т"]="127",["дат"]="128",["ент"]="129",["ка "]="130",["лед"]="131",["нет"]="132",["ори"]="133",["стр"]="134",["стъ"]="135",["ти "]="136",["тър"]="137",[" те"]="138",["а з"]="139",["а м"]="140",["ад "]="141",["ана"]="142",["ено"]="143",["и о"]="144",["ина"]="145",["ити"]="146",["ма "]="147",["ска"]="148",["сле"]="149",["тво"]="150",["тер"]="151",["ция"]="152",["ят "]="153",[" бе"]="154",[" де"]="155",[" па"]="156",["ате"]="157",["вен"]="158",["ви "]="159",["вит"]="160",["и з"]="161",["и и"]="162",["нар"]="163",["нов"]="164",["ова"]="165",["пов"]="166",["рез"]="167",["рит"]="168",["са "]="169",["ята"]="170",[" го"]="171",[" ще"]="172",["али"]="173",["в п"]="174",["гра"]="175",["е и"]="176",["еди"]="177",["ели"]="178",["или"]="179",["каз"]="180",["кит"]="181",["лно"]="182",["мен"]="183",["оли"]="184",["раз"]="185",[" ве"]="186",[" гр"]="187",[" им"]="188",[" ме"]="189",[" пъ"]="190",["ави"]="191",["ако"]="192",["ача"]="193",["вин"]="194",["во "]="195",["гов"]="196",["дан"]="197",["ди "]="198",["до "]="199",["ед "]="200",["ери"]="201",["еро"]="202",["жда"]="203",["ито"]="204",["ков"]="205",["кол"]="206",["лни"]="207",["мер"]="208",["нач"]="209",["о з"]="210",["ола"]="211",["он "]="212",["она"]="213",["пра"]="214",["рав"]="215",["рем"]="216",["сия"]="217",["сти"]="218",["т п"]="219",["тан"]="220",["ха "]="221",["ше "]="222",["шен"]="223",["ълг"]="224",[" ба"]="225",[" си"]="226",["аро"]="227",["бъл"]="228",["в р"]="229",["гар"]="230",["е е"]="231",["елн"]="232",["еме"]="233",["ико"]="234",["има"]="235",["ко "]="236",["кои"]="237",["ла "]="238",["лга"]="239",["о д"]="240",["ози"]="241",["оит"]="242",["под"]="243",["рес"]="244",["рие"]="245",["сто"]="246",["т к"]="247",["т м"]="248",["т с"]="249",["уст"]="250",[" би"]="251",[" дв"]="252",[" дъ"]="253",[" ма"]="254",[" мо"]="255",[" ни"]="256",[" ос"]="257",["ала"]="258",["анс"]="259",["ара"]="260",["ати"]="261",["аци"]="262",["беш"]="263",["вър"]="264",["е р"]="265",["едв"]="266",["ема"]="267",["жав"]="268",["и к"]="269",["иал"]="270",["ица"]="271",["иче"]="272",["кия"]="273",["лит"]="274",["о б"]="275",["ово"]="276",["оди"]="277",["ока"]="278",["пос"]="279",["род"]="280",["сед"]="281",["слу"]="282",["т и"]="283",["тов"]="284",["ува"]="285",["циа"]="286",["чес"]="287",["я з"]="288",[" во"]="289",[" ил"]="290",[" ск"]="291",[" тр"]="292",[" це"]="293",["ами"]="294",["ари"]="295",["бат"]="296",["би "]="297",["бра"]="298",["бъд"]="299"},["cebuano"]={["ng "]="0",["sa "]="1",[" sa"]="2",["ang"]="3",["ga "]="4",["nga"]="5",[" ka"]="6",[" ng"]="7",["an "]="8",[" an"]="9",[" na"]="10",[" ma"]="11",[" ni"]="12",["a s"]="13",["a n"]="14",["on "]="15",[" pa"]="16",[" si"]="17",["a k"]="18",["a m"]="19",[" ba"]="20",["ong"]="21",["a i"]="22",["ila"]="23",[" mg"]="24",["mga"]="25",["a p"]="26",["iya"]="27",["a a"]="28",["ay "]="29",["ka "]="30",["ala"]="31",["ing"]="32",["g m"]="33",["n s"]="34",["g n"]="35",["lan"]="36",[" gi"]="37",["na "]="38",["ni "]="39",["o s"]="40",["g p"]="41",["n n"]="42",[" da"]="43",["ag "]="44",["pag"]="45",["g s"]="46",["yan"]="47",["ayo"]="48",["o n"]="49",["si "]="50",[" mo"]="51",["a b"]="52",["g a"]="53",["ail"]="54",["g b"]="55",["han"]="56",["a d"]="57",["asu"]="58",["nag"]="59",["ya "]="60",["man"]="61",["ne "]="62",["pan"]="63",["kon"]="64",[" il"]="65",[" la"]="66",["aka"]="67",["ako"]="68",["ana"]="69",["bas"]="70",["ko "]="71",["od "]="72",["yo "]="73",[" di"]="74",[" ko"]="75",[" ug"]="76",["a u"]="77",["g k"]="78",["kan"]="79",["la "]="80",["len"]="81",["sur"]="82",["ug "]="83",[" ai"]="84",["apa"]="85",["aw "]="86",["d s"]="87",["g d"]="88",["g g"]="89",["ile"]="90",["nin"]="91",[" iy"]="92",[" su"]="93",["ene"]="94",["og "]="95",["ot "]="96",["aba"]="97",["aha"]="98",["as "]="99",["imo"]="100",[" ki"]="101",["a t"]="102",["aga"]="103",["ban"]="104",["ero"]="105",["nan"]="106",["o k"]="107",["ran"]="108",["ron"]="109",["sil"]="110",["una"]="111",["usa"]="112",[" us"]="113",["a g"]="114",["ahi"]="115",["ani"]="116",["er "]="117",["ha "]="118",["i a"]="119",["rer"]="120",["yon"]="121",[" pu"]="122",["ini"]="123",["nak"]="124",["ro "]="125",["to "]="126",["ure"]="127",[" ed"]="128",[" og"]="129",[" wa"]="130",["ili"]="131",["mo "]="132",["n a"]="133",["nd "]="134",["o a"]="135",[" ad"]="136",[" du"]="137",[" pr"]="138",["aro"]="139",["i s"]="140",["ma "]="141",["n m"]="142",["ulo"]="143",["und"]="144",[" ta"]="145",["ara"]="146",["asa"]="147",["ato"]="148",["awa"]="149",["dmu"]="150",["e n"]="151",["edm"]="152",["ina"]="153",["mak"]="154",["mun"]="155",["niy"]="156",["san"]="157",["wa "]="158",[" tu"]="159",[" un"]="160",["a l"]="161",["bay"]="162",["iga"]="163",["ika"]="164",["ita"]="165",["kin"]="166",["lis"]="167",["may"]="168",["os "]="169",[" ar"]="170",["ad "]="171",["ali"]="172",["ama"]="173",["ers"]="174",["ipa"]="175",["isa"]="176",["mao"]="177",["nim"]="178",["t s"]="179",["tin"]="180",[" ak"]="181",[" ap"]="182",[" hi"]="183",["abo"]="184",["agp"]="185",["ano"]="186",["ata"]="187",["g i"]="188",["gan"]="189",["gka"]="190",["gpa"]="191",["i m"]="192",["iha"]="193",["k s"]="194",["law"]="195",["or "]="196",["rs "]="197",["siy"]="198",["tag"]="199",[" al"]="200",[" at"]="201",[" ha"]="202",[" hu"]="203",[" im"]="204",["a h"]="205",["bu "]="206",["e s"]="207",["gma"]="208",["kas"]="209",["lag"]="210",["mon"]="211",["nah"]="212",["ngo"]="213",["r s"]="214",["ra "]="215",["sab"]="216",["sam"]="217",["sul"]="218",["uba"]="219",["uha"]="220",[" lo"]="221",[" re"]="222",["ada"]="223",["aki"]="224",["aya"]="225",["bah"]="226",["ce "]="227",["d n"]="228",["lab"]="229",["pa "]="230",["pak"]="231",["s n"]="232",["s s"]="233",["tan"]="234",["taw"]="235",["te "]="236",["uma"]="237",["ura"]="238",[" in"]="239",[" lu"]="240",["a c"]="241",["abi"]="242",["at "]="243",["awo"]="244",["bat"]="245",["dal"]="246",["dla"]="247",["ele"]="248",["g t"]="249",["g u"]="250",["gay"]="251",["go "]="252",["hab"]="253",["hin"]="254",["i e"]="255",["i n"]="256",["kab"]="257",["kap"]="258",["lay"]="259",["lin"]="260",["nil"]="261",["pam"]="262",["pas"]="263",["pro"]="264",["pul"]="265",["ta "]="266",["ton"]="267",["uga"]="268",["ugm"]="269",["unt"]="270",[" co"]="271",[" gu"]="272",[" mi"]="273",[" pi"]="274",[" ti"]="275",["a o"]="276",["abu"]="277",["adl"]="278",["ado"]="279",["agh"]="280",["agk"]="281",["ao "]="282",["art"]="283",["bal"]="284",["cit"]="285",["di "]="286",["dto"]="287",["dun"]="288",["ent"]="289",["g e"]="290",["gon"]="291",["gug"]="292",["ia "]="293",["iba"]="294",["ice"]="295",["in "]="296",["inu"]="297",["it "]="298",["kaa"]="299"},["croatian"]={["je "]="0",[" na"]="1",[" pr"]="2",[" po"]="3",["na "]="4",[" je"]="5",[" za"]="6",["ije"]="7",["ne "]="8",[" i "]="9",["ti "]="10",["da "]="11",[" ko"]="12",[" ne"]="13",["li "]="14",[" bi"]="15",[" da"]="16",[" u "]="17",["ma "]="18",["mo "]="19",["a n"]="20",["ih "]="21",["za "]="22",["a s"]="23",["ko "]="24",["i s"]="25",["a p"]="26",["koj"]="27",["pro"]="28",["ju "]="29",["se "]="30",[" go"]="31",["ost"]="32",["to "]="33",["va "]="34",[" do"]="35",[" to"]="36",["e n"]="37",["i p"]="38",[" od"]="39",[" ra"]="40",["no "]="41",["ako"]="42",["ka "]="43",["ni "]="44",[" ka"]="45",[" se"]="46",[" mo"]="47",[" st"]="48",["i n"]="49",["ima"]="50",["ja "]="51",["pri"]="52",["vat"]="53",["sta"]="54",[" su"]="55",["ati"]="56",["e p"]="57",["ta "]="58",["tsk"]="59",["e i"]="60",["nij"]="61",[" tr"]="62",["cij"]="63",["jen"]="64",["nos"]="65",["o s"]="66",[" iz"]="67",["om "]="68",["tro"]="69",["ili"]="70",["iti"]="71",["pos"]="72",[" al"]="73",["a i"]="74",["a o"]="75",["e s"]="76",["ija"]="77",["ini"]="78",["pre"]="79",["str"]="80",["la "]="81",["og "]="82",["ovo"]="83",[" sv"]="84",["ekt"]="85",["nje"]="86",["o p"]="87",["odi"]="88",["rva"]="89",[" ni"]="90",["ali"]="91",["min"]="92",["rij"]="93",["a t"]="94",["a z"]="95",["ats"]="96",["iva"]="97",["o t"]="98",["od "]="99",["oje"]="100",["ra "]="101",[" hr"]="102",["a m"]="103",["a u"]="104",["hrv"]="105",["im "]="106",["ke "]="107",["o i"]="108",["ovi"]="109",["red"]="110",["riv"]="111",["te "]="112",["bi "]="113",["e o"]="114",["god"]="115",["i d"]="116",["lek"]="117",["umi"]="118",["zvo"]="119",["din"]="120",["e u"]="121",["ene"]="122",["jed"]="123",["ji "]="124",["lje"]="125",["nog"]="126",["su "]="127",[" a "]="128",[" el"]="129",[" mi"]="130",[" o "]="131",["a d"]="132",["alu"]="133",["ele"]="134",["i u"]="135",["izv"]="136",["ktr"]="137",["lum"]="138",["o d"]="139",["ori"]="140",["rad"]="141",["sto"]="142",["a k"]="143",["anj"]="144",["ava"]="145",["e k"]="146",["men"]="147",["nic"]="148",["o j"]="149",["oj "]="150",["ove"]="151",["ski"]="152",["tvr"]="153",["una"]="154",["vor"]="155",[" di"]="156",[" no"]="157",[" s "]="158",[" ta"]="159",[" tv"]="160",["i i"]="161",["i o"]="162",["kak"]="163",["roš"]="164",["sko"]="165",["vod"]="166",[" sa"]="167",[" će"]="168",["a b"]="169",["adi"]="170",["amo"]="171",["eni"]="172",["gov"]="173",["iju"]="174",["ku "]="175",["o n"]="176",["ora"]="177",["rav"]="178",["ruj"]="179",["smo"]="180",["tav"]="181",["tru"]="182",["u p"]="183",["ve "]="184",[" in"]="185",[" pl"]="186",["aci"]="187",["bit"]="188",["de "]="189",["diš"]="190",["ema"]="191",["i m"]="192",["ika"]="193",["išt"]="194",["jer"]="195",["ki "]="196",["mog"]="197",["nik"]="198",["nov"]="199",["nu "]="200",["oji"]="201",["oli"]="202",["pla"]="203",["pod"]="204",["st "]="205",["sti"]="206",["tra"]="207",["tre"]="208",["vo "]="209",[" sm"]="210",[" št"]="211",["dan"]="212",["e z"]="213",["i t"]="214",["io "]="215",["ist"]="216",["kon"]="217",["lo "]="218",["stv"]="219",["u s"]="220",["uje"]="221",["ust"]="222",["će "]="223",["ći "]="224",["što"]="225",[" dr"]="226",[" im"]="227",[" li"]="228",["ada"]="229",["aft"]="230",["ani"]="231",["ao "]="232",["ars"]="233",["ata"]="234",["e t"]="235",["emo"]="236",["i k"]="237",["ine"]="238",["jem"]="239",["kov"]="240",["lik"]="241",["lji"]="242",["mje"]="243",["naf"]="244",["ner"]="245",["nih"]="246",["nja"]="247",["ogo"]="248",["oiz"]="249",["ome"]="250",["pot"]="251",["ran"]="252",["ri "]="253",["roi"]="254",["rtk"]="255",["ska"]="256",["ter"]="257",["u i"]="258",["u o"]="259",["vi "]="260",["vrt"]="261",[" me"]="262",[" ug"]="263",["ak "]="264",["ama"]="265",["drž"]="266",["e e"]="267",["e g"]="268",["e m"]="269",["em "]="270",["eme"]="271",["enj"]="272",["ent"]="273",["er "]="274",["ere"]="275",["erg"]="276",["eur"]="277",["go "]="278",["i b"]="279",["i z"]="280",["jet"]="281",["ksi"]="282",["o u"]="283",["oda"]="284",["ona"]="285",["pra"]="286",["reb"]="287",["rem"]="288",["rop"]="289",["tri"]="290",["žav"]="291",[" ci"]="292",[" eu"]="293",[" re"]="294",[" te"]="295",[" uv"]="296",[" ve"]="297",["aju"]="298",["an "]="299"},["czech"]={[" pr"]="0",[" po"]="1",["ní "]="2",["pro"]="3",[" na"]="4",["na "]="5",[" př"]="6",["ch "]="7",[" je"]="8",[" ne"]="9",["že "]="10",[" že"]="11",[" se"]="12",[" do"]="13",[" ro"]="14",[" st"]="15",[" v "]="16",[" ve"]="17",["pře"]="18",["se "]="19",["ho "]="20",["sta"]="21",[" to"]="22",[" vy"]="23",[" za"]="24",["ou "]="25",[" a "]="26",["to "]="27",[" by"]="28",["la "]="29",["ce "]="30",["e v"]="31",["ist"]="32",["le "]="33",["pod"]="34",["í p"]="35",[" vl"]="36",["e n"]="37",["e s"]="38",["je "]="39",["ké "]="40",["by "]="41",["em "]="42",["ých"]="43",[" od"]="44",["ova"]="45",["řed"]="46",["dy "]="47",["ení"]="48",["kon"]="49",["li "]="50",["ně "]="51",["str"]="52",[" zá"]="53",["ve "]="54",[" ka"]="55",[" sv"]="56",["e p"]="57",["it "]="58",["lád"]="59",["oho"]="60",["rov"]="61",["roz"]="62",["ter"]="63",["vlá"]="64",["ím "]="65",[" ko"]="66",["hod"]="67",["nis"]="68",["pří"]="69",["ský"]="70",[" mi"]="71",[" ob"]="72",[" so"]="73",["a p"]="74",["ali"]="75",["bud"]="76",["edn"]="77",["ick"]="78",["kte"]="79",["ku "]="80",["o s"]="81",["al "]="82",["ci "]="83",["e t"]="84",["il "]="85",["ny "]="86",["né "]="87",["odl"]="88",["ová"]="89",["rot"]="90",["sou"]="91",["ání"]="92",[" bu"]="93",[" mo"]="94",[" o "]="95",["ast"]="96",["byl"]="97",["de "]="98",["ek "]="99",["ost"]="100",[" mí"]="101",[" ta"]="102",["es "]="103",["jed"]="104",["ky "]="105",["las"]="106",["m p"]="107",["nes"]="108",["ním"]="109",["ran"]="110",["rem"]="111",["ros"]="112",["ého"]="113",[" de"]="114",[" kt"]="115",[" ni"]="116",[" si"]="117",[" vý"]="118",["at "]="119",["jí "]="120",["ký "]="121",["mi "]="122",["pre"]="123",["tak"]="124",["tan"]="125",["y v"]="126",["řek"]="127",[" ch"]="128",[" li"]="129",[" ná"]="130",[" pa"]="131",[" ře"]="132",["da "]="133",["dle"]="134",["dne"]="135",["i p"]="136",["i v"]="137",["ly "]="138",["min"]="139",["o n"]="140",["o v"]="141",["pol"]="142",["tra"]="143",["val"]="144",["vní"]="145",["ích"]="146",["ý p"]="147",["řej"]="148",[" ce"]="149",[" kd"]="150",[" le"]="151",["a s"]="152",["a z"]="153",["cen"]="154",["e k"]="155",["eds"]="156",["ekl"]="157",["emi"]="158",["kl "]="159",["lat"]="160",["lo "]="161",["mié"]="162",["nov"]="163",["pra"]="164",["sku"]="165",["ské"]="166",["sti"]="167",["tav"]="168",["ti "]="169",["ty "]="170",["ván"]="171",["vé "]="172",["y n"]="173",["y s"]="174",["í s"]="175",["í v"]="176",["ě p"]="177",[" dn"]="178",[" ně"]="179",[" sp"]="180",[" čs"]="181",["a n"]="182",["a t"]="183",["ak "]="184",["dní"]="185",["doh"]="186",["e b"]="187",["e m"]="188",["ejn"]="189",["ena"]="190",["est"]="191",["ini"]="192",["m z"]="193",["nal"]="194",["nou"]="195",["ná "]="196",["ovi"]="197",["ové"]="198",["ový"]="199",["rsk"]="200",["stá"]="201",["tí "]="202",["tře"]="203",["tů "]="204",["ude"]="205",["za "]="206",["é p"]="207",["ém "]="208",["í d"]="209",[" ir"]="210",[" zv"]="211",["ale"]="212",["aně"]="213",["ave"]="214",["cké"]="215",["den"]="216",["e z"]="217",["ech"]="218",["en "]="219",["erý"]="220",["hla"]="221",["i s"]="222",["iér"]="223",["lov"]="224",["mu "]="225",["neb"]="226",["nic"]="227",["o b"]="228",["o m"]="229",["pad"]="230",["pot"]="231",["rav"]="232",["rop"]="233",["rý "]="234",["sed"]="235",["si "]="236",["t p"]="237",["tic"]="238",["tu "]="239",["tě "]="240",["u p"]="241",["u v"]="242",["vá "]="243",["výš"]="244",["zvý"]="245",["ční"]="246",["ří "]="247",["ům "]="248",[" bl"]="249",[" br"]="250",[" ho"]="251",[" ja"]="252",[" re"]="253",[" s "]="254",[" z "]="255",[" zd"]="256",["a v"]="257",["ani"]="258",["ato"]="259",["bla"]="260",["bri"]="261",["ečn"]="262",["eře"]="263",["h v"]="264",["i n"]="265",["ie "]="266",["ila"]="267",["irs"]="268",["ite"]="269",["kov"]="270",["nos"]="271",["o o"]="272",["o p"]="273",["oce"]="274",["ody"]="275",["ohl"]="276",["oli"]="277",["ovo"]="278",["pla"]="279",["poč"]="280",["prá"]="281",["ra "]="282",["rit"]="283",["rod"]="284",["ry "]="285",["sd "]="286",["sko"]="287",["ssd"]="288",["tel"]="289",["u s"]="290",["vat"]="291",["veř"]="292",["vit"]="293",["vla"]="294",["y p"]="295",["áln"]="296",["čss"]="297",["šen"]="298",[" al"]="299"},["danish"]={["er "]="0",["en "]="1",[" de"]="2",["et "]="3",["der"]="4",["de "]="5",["for"]="6",[" fo"]="7",[" i "]="8",["at "]="9",[" at"]="10",["re "]="11",["det"]="12",[" ha"]="13",["nde"]="14",["ere"]="15",["ing"]="16",["den"]="17",[" me"]="18",[" og"]="19",["ger"]="20",["ter"]="21",[" er"]="22",[" si"]="23",["and"]="24",[" af"]="25",["or "]="26",[" st"]="27",[" ti"]="28",[" en"]="29",["og "]="30",["ar "]="31",["il "]="32",["r s"]="33",["ige"]="34",["til"]="35",["ke "]="36",["r e"]="37",["af "]="38",["kke"]="39",[" ma"]="40",[" på"]="41",["om "]="42",["på "]="43",["ed "]="44",["ge "]="45",["end"]="46",["nge"]="47",["t s"]="48",["e s"]="49",["ler"]="50",[" sk"]="51",["els"]="52",["ern"]="53",["sig"]="54",["ne "]="55",["lig"]="56",["r d"]="57",["ska"]="58",[" vi"]="59",["har"]="60",[" be"]="61",[" se"]="62",["an "]="63",["ikk"]="64",["lle"]="65",["gen"]="66",["n f"]="67",["ste"]="68",["t a"]="69",["t d"]="70",["rin"]="71",[" ik"]="72",["es "]="73",["ng "]="74",["ver"]="75",["r b"]="76",["sen"]="77",["ede"]="78",["men"]="79",["r i"]="80",[" he"]="81",[" et"]="82",["ig "]="83",["lan"]="84",["med"]="85",["nd "]="86",["rne"]="87",[" da"]="88",[" in"]="89",["e t"]="90",["mme"]="91",["und"]="92",[" om"]="93",["e e"]="94",["e m"]="95",["her"]="96",["le "]="97",["r f"]="98",["t f"]="99",["så "]="100",["te "]="101",[" so"]="102",["ele"]="103",["t e"]="104",[" ko"]="105",["est"]="106",["ske"]="107",[" bl"]="108",["e f"]="109",["ekt"]="110",["mar"]="111",["bru"]="112",["e a"]="113",["el "]="114",["ers"]="115",["ret"]="116",["som"]="117",["tte"]="118",["ve "]="119",[" la"]="120",[" ud"]="121",[" ve"]="122",["age"]="123",["e d"]="124",["e h"]="125",["lse"]="126",["man"]="127",["rug"]="128",["sel"]="129",["ser"]="130",[" fi"]="131",[" op"]="132",[" pr"]="133",["dt "]="134",["e i"]="135",["n m"]="136",["r m"]="137",[" an"]="138",[" re"]="139",[" sa"]="140",["ion"]="141",["ner"]="142",["res"]="143",["t i"]="144",["get"]="145",["n s"]="146",["one"]="147",["orb"]="148",["t h"]="149",["vis"]="150",["år "]="151",[" fr"]="152",["bil"]="153",["e k"]="154",["ens"]="155",["ind"]="156",["omm"]="157",["t m"]="158",[" hv"]="159",[" je"]="160",["dan"]="161",["ent"]="162",["fte"]="163",["nin"]="164",[" mi"]="165",["e o"]="166",["e p"]="167",["n o"]="168",["nte"]="169",[" ku"]="170",["ell"]="171",["nas"]="172",["ore"]="173",["r h"]="174",["r k"]="175",["sta"]="176",["sto"]="177",["dag"]="178",["eri"]="179",["kun"]="180",["lde"]="181",["mer"]="182",["r a"]="183",["r v"]="184",["rek"]="185",["rer"]="186",["t o"]="187",["tor"]="188",["tør"]="189",[" få"]="190",[" må"]="191",[" to"]="192",["boe"]="193",["che"]="194",["e v"]="195",["i d"]="196",["ive"]="197",["kab"]="198",["ns "]="199",["oel"]="200",["se "]="201",["t v"]="202",[" al"]="203",[" bo"]="204",[" un"]="205",["ans"]="206",["dre"]="207",["ire"]="208",["køb"]="209",["ors"]="210",["ove"]="211",["ren"]="212",["t b"]="213",["ør "]="214",[" ka"]="215",["ald"]="216",["bet"]="217",["gt "]="218",["isk"]="219",["kal"]="220",["kom"]="221",["lev"]="222",["n d"]="223",["n i"]="224",["pri"]="225",["r p"]="226",["rbr"]="227",["søg"]="228",["tel"]="229",[" så"]="230",[" te"]="231",[" va"]="232",["al "]="233",["dir"]="234",["eje"]="235",["fis"]="236",["gså"]="237",["isc"]="238",["jer"]="239",["ker"]="240",["ogs"]="241",["sch"]="242",["st "]="243",["t k"]="244",["uge"]="245",[" di"]="246",["ag "]="247",["d a"]="248",["g i"]="249",["ill"]="250",["l a"]="251",["lsk"]="252",["n a"]="253",["on "]="254",["sam"]="255",["str"]="256",["tet"]="257",["var"]="258",[" mo"]="259",["art"]="260",["ash"]="261",["att"]="262",["e b"]="263",["han"]="264",["hav"]="265",["kla"]="266",["kon"]="267",["n t"]="268",["ned"]="269",["r o"]="270",["ra "]="271",["rre"]="272",["ves"]="273",["vil"]="274",[" el"]="275",[" kr"]="276",[" ov"]="277",["ann"]="278",["e u"]="279",["ess"]="280",["fra"]="281",["g a"]="282",["g d"]="283",["int"]="284",["ngs"]="285",["rde"]="286",["tra"]="287",[" år"]="288",["akt"]="289",["asi"]="290",["em "]="291",["gel"]="292",["gym"]="293",["hol"]="294",["kan"]="295",["mna"]="296",["n h"]="297",["nsk"]="298",["old"]="299"},["dutch"]={["en "]="0",["de "]="1",[" de"]="2",["et "]="3",["an "]="4",[" he"]="5",["er "]="6",[" va"]="7",["n d"]="8",["van"]="9",["een"]="10",["het"]="11",[" ge"]="12",["oor"]="13",[" ee"]="14",["der"]="15",[" en"]="16",["ij "]="17",["aar"]="18",["gen"]="19",["te "]="20",["ver"]="21",[" in"]="22",[" me"]="23",["aan"]="24",["den"]="25",[" we"]="26",["at "]="27",["in "]="28",[" da"]="29",[" te"]="30",["eer"]="31",["nde"]="32",["ter"]="33",["ste"]="34",["n v"]="35",[" vo"]="36",[" zi"]="37",["ing"]="38",["n h"]="39",["voo"]="40",["is "]="41",[" op"]="42",["tie"]="43",[" aa"]="44",["ede"]="45",["erd"]="46",["ers"]="47",[" be"]="48",["eme"]="49",["ten"]="50",["ken"]="51",["n e"]="52",[" ni"]="53",[" ve"]="54",["ent"]="55",["ijn"]="56",["jn "]="57",["mee"]="58",["iet"]="59",["n w"]="60",["ng "]="61",["nie"]="62",[" is"]="63",["cht"]="64",["dat"]="65",["ere"]="66",["ie "]="67",["ijk"]="68",["n b"]="69",["rde"]="70",["ar "]="71",["e b"]="72",["e a"]="73",["met"]="74",["t d"]="75",["el "]="76",["ond"]="77",["t h"]="78",[" al"]="79",["e w"]="80",["op "]="81",["ren"]="82",[" di"]="83",[" on"]="84",["al "]="85",["and"]="86",["bij"]="87",["zij"]="88",[" bi"]="89",[" hi"]="90",[" wi"]="91",["or "]="92",["r d"]="93",["t v"]="94",[" wa"]="95",["e h"]="96",["lle"]="97",["rt "]="98",["ang"]="99",["hij"]="100",["men"]="101",["n a"]="102",["n z"]="103",["rs "]="104",[" om"]="105",["e o"]="106",["e v"]="107",["end"]="108",["est"]="109",["n t"]="110",["par"]="111",[" pa"]="112",[" pr"]="113",[" ze"]="114",["e g"]="115",["e p"]="116",["n p"]="117",["ord"]="118",["oud"]="119",["raa"]="120",["sch"]="121",["t e"]="122",["ege"]="123",["ich"]="124",["ien"]="125",["aat"]="126",["ek "]="127",["len"]="128",["n m"]="129",["nge"]="130",["nt "]="131",["ove"]="132",["rd "]="133",["wer"]="134",[" ma"]="135",[" mi"]="136",["daa"]="137",["e k"]="138",["lij"]="139",["mer"]="140",["n g"]="141",["n o"]="142",["om "]="143",["sen"]="144",["t b"]="145",["wij"]="146",[" ho"]="147",["e m"]="148",["ele"]="149",["gem"]="150",["heb"]="151",["pen"]="152",["ude"]="153",[" bo"]="154",[" ja"]="155",["die"]="156",["e e"]="157",["eli"]="158",["erk"]="159",["le "]="160",["pro"]="161",["rij"]="162",[" er"]="163",[" za"]="164",["e d"]="165",["ens"]="166",["ind"]="167",["ke "]="168",["n k"]="169",["nd "]="170",["nen"]="171",["nte"]="172",["r h"]="173",["s d"]="174",["s e"]="175",["t z"]="176",[" b "]="177",[" co"]="178",[" ik"]="179",[" ko"]="180",[" ov"]="181",["eke"]="182",["hou"]="183",["ik "]="184",["iti"]="185",["lan"]="186",["ns "]="187",["t g"]="188",["t m"]="189",[" do"]="190",[" le"]="191",[" zo"]="192",["ams"]="193",["e z"]="194",["g v"]="195",["it "]="196",["je "]="197",["ls "]="198",["maa"]="199",["n i"]="200",["nke"]="201",["rke"]="202",["uit"]="203",[" ha"]="204",[" ka"]="205",[" mo"]="206",[" re"]="207",[" st"]="208",[" to"]="209",["age"]="210",["als"]="211",["ark"]="212",["art"]="213",["ben"]="214",["e r"]="215",["e s"]="216",["ert"]="217",["eze"]="218",["ht "]="219",["ijd"]="220",["lem"]="221",["r v"]="222",["rte"]="223",["t p"]="224",["zeg"]="225",["zic"]="226",["aak"]="227",["aal"]="228",["ag "]="229",["ale"]="230",["bbe"]="231",["ch "]="232",["e t"]="233",["ebb"]="234",["erz"]="235",["ft "]="236",["ge "]="237",["led"]="238",["mst"]="239",["n n"]="240",["oek"]="241",["r i"]="242",["t o"]="243",["t w"]="244",["tel"]="245",["tte"]="246",["uur"]="247",["we "]="248",["zit"]="249",[" af"]="250",[" li"]="251",[" ui"]="252",["ak "]="253",["all"]="254",["aut"]="255",["doo"]="256",["e i"]="257",["ene"]="258",["erg"]="259",["ete"]="260",["ges"]="261",["hee"]="262",["jaa"]="263",["jke"]="264",["kee"]="265",["kel"]="266",["kom"]="267",["lee"]="268",["moe"]="269",["n s"]="270",["ort"]="271",["rec"]="272",["s o"]="273",["s v"]="274",["teg"]="275",["tij"]="276",["ven"]="277",["waa"]="278",["wel"]="279",[" an"]="280",[" au"]="281",[" bu"]="282",[" gr"]="283",[" pl"]="284",[" ti"]="285",["'' "]="286",["ade"]="287",["dag"]="288",["e l"]="289",["ech"]="290",["eel"]="291",["eft"]="292",["ger"]="293",["gt "]="294",["ig "]="295",["itt"]="296",["j d"]="297",["ppe"]="298",["rda"]="299"},["english"]={[" th"]="0",["the"]="1",["he "]="2",["ed "]="3",[" to"]="4",[" in"]="5",["er "]="6",["ing"]="7",["ng "]="8",[" an"]="9",["nd "]="10",[" of"]="11",["and"]="12",["to "]="13",["of "]="14",[" co"]="15",["at "]="16",["on "]="17",["in "]="18",[" a "]="19",["d t"]="20",[" he"]="21",["e t"]="22",["ion"]="23",["es "]="24",[" re"]="25",["re "]="26",["hat"]="27",[" sa"]="28",[" st"]="29",[" ha"]="30",["her"]="31",["tha"]="32",["tio"]="33",["or "]="34",[" ''"]="35",["en "]="36",[" wh"]="37",["e s"]="38",["ent"]="39",["n t"]="40",["s a"]="41",["as "]="42",["for"]="43",["is "]="44",["t t"]="45",[" be"]="46",["ld "]="47",["e a"]="48",["rs "]="49",[" wa"]="50",["ut "]="51",["ve "]="52",["ll "]="53",["al "]="54",[" ma"]="55",["e i"]="56",[" fo"]="57",["'s "]="58",["an "]="59",["est"]="60",[" hi"]="61",[" mo"]="62",[" se"]="63",[" pr"]="64",["s t"]="65",["ate"]="66",["st "]="67",["ter"]="68",["ere"]="69",["ted"]="70",["nt "]="71",["ver"]="72",["d a"]="73",[" wi"]="74",["se "]="75",["e c"]="76",["ect"]="77",["ns "]="78",[" on"]="79",["ly "]="80",["tol"]="81",["ey "]="82",["r t"]="83",[" ca"]="84",["ati"]="85",["ts "]="86",["all"]="87",[" no"]="88",["his"]="89",["s o"]="90",["ers"]="91",["con"]="92",["e o"]="93",["ear"]="94",["f t"]="95",["e w"]="96",["was"]="97",["ons"]="98",["sta"]="99",["'' "]="100",["sti"]="101",["n a"]="102",["sto"]="103",["t h"]="104",[" we"]="105",["id "]="106",["th "]="107",[" it"]="108",["ce "]="109",[" di"]="110",["ave"]="111",["d h"]="112",["cou"]="113",["pro"]="114",["ad "]="115",["oll"]="116",["ry "]="117",["d s"]="118",["e m"]="119",[" so"]="120",["ill"]="121",["cti"]="122",["te "]="123",["tor"]="124",["eve"]="125",["g t"]="126",["it "]="127",[" ch"]="128",[" de"]="129",["hav"]="130",["oul"]="131",["ty "]="132",["uld"]="133",["use"]="134",[" al"]="135",["are"]="136",["ch "]="137",["me "]="138",["out"]="139",["ove"]="140",["wit"]="141",["ys "]="142",["chi"]="143",["t a"]="144",["ith"]="145",["oth"]="146",[" ab"]="147",[" te"]="148",[" wo"]="149",["s s"]="150",["res"]="151",["t w"]="152",["tin"]="153",["e b"]="154",["e h"]="155",["nce"]="156",["t s"]="157",["y t"]="158",["e p"]="159",["ele"]="160",["hin"]="161",["s i"]="162",["nte"]="163",[" li"]="164",["le "]="165",[" do"]="166",["aid"]="167",["hey"]="168",["ne "]="169",["s w"]="170",[" as"]="171",[" fr"]="172",[" tr"]="173",["end"]="174",["sai"]="175",[" el"]="176",[" ne"]="177",[" su"]="178",["'t "]="179",["ay "]="180",["hou"]="181",["ive"]="182",["lec"]="183",["n't"]="184",[" ye"]="185",["but"]="186",["d o"]="187",["o t"]="188",["y o"]="189",[" ho"]="190",[" me"]="191",["be "]="192",["cal"]="193",["e e"]="194",["had"]="195",["ple"]="196",[" at"]="197",[" bu"]="198",[" la"]="199",["d b"]="200",["s h"]="201",["say"]="202",["t i"]="203",[" ar"]="204",["e f"]="205",["ght"]="206",["hil"]="207",["igh"]="208",["int"]="209",["not"]="210",["ren"]="211",[" is"]="212",[" pa"]="213",[" sh"]="214",["ays"]="215",["com"]="216",["n s"]="217",["r a"]="218",["rin"]="219",["y a"]="220",[" un"]="221",["n c"]="222",["om "]="223",["thi"]="224",[" mi"]="225",["by "]="226",["d i"]="227",["e d"]="228",["e n"]="229",["t o"]="230",[" by"]="231",["e r"]="232",["eri"]="233",["old"]="234",["ome"]="235",["whe"]="236",["yea"]="237",[" gr"]="238",["ar "]="239",["ity"]="240",["mpl"]="241",["oun"]="242",["one"]="243",["ow "]="244",["r s"]="245",["s f"]="246",["tat"]="247",[" ba"]="248",[" vo"]="249",["bou"]="250",["sam"]="251",["tim"]="252",["vot"]="253",["abo"]="254",["ant"]="255",["ds "]="256",["ial"]="257",["ine"]="258",["man"]="259",["men"]="260",[" or"]="261",[" po"]="262",["amp"]="263",["can"]="264",["der"]="265",["e l"]="266",["les"]="267",["ny "]="268",["ot "]="269",["rec"]="270",["tes"]="271",["tho"]="272",["ica"]="273",["ild"]="274",["ir "]="275",["nde"]="276",["ose"]="277",["ous"]="278",["pre"]="279",["ste"]="280",["era"]="281",["per"]="282",["r o"]="283",["red"]="284",["rie"]="285",[" bo"]="286",[" le"]="287",["ali"]="288",["ars"]="289",["ore"]="290",["ric"]="291",["s m"]="292",["str"]="293",[" fa"]="294",["ess"]="295",["ie "]="296",["ist"]="297",["lat"]="298",["uri"]="299"},["estonian"]={["st "]="0",[" ka"]="1",["on "]="2",["ja "]="3",[" va"]="4",[" on"]="5",[" ja"]="6",[" ko"]="7",["se "]="8",["ast"]="9",["le "]="10",["es "]="11",["as "]="12",["is "]="13",["ud "]="14",[" sa"]="15",["da "]="16",["ga "]="17",[" ta"]="18",["aja"]="19",["sta"]="20",[" ku"]="21",[" pe"]="22",["a k"]="23",["est"]="24",["ist"]="25",["ks "]="26",["ta "]="27",["al "]="28",["ava"]="29",["id "]="30",["saa"]="31",["mis"]="32",["te "]="33",["val"]="34",[" et"]="35",["nud"]="36",[" te"]="37",["inn"]="38",[" se"]="39",[" tu"]="40",["a v"]="41",["alu"]="42",["e k"]="43",["ise"]="44",["lu "]="45",["ma "]="46",["mes"]="47",[" mi"]="48",["et "]="49",["iku"]="50",["lin"]="51",["ad "]="52",["el "]="53",["ime"]="54",["ne "]="55",["nna"]="56",[" ha"]="57",[" in"]="58",[" ke"]="59",[" võ"]="60",["a s"]="61",["a t"]="62",["ab "]="63",["e s"]="64",["esi"]="65",[" la"]="66",[" li"]="67",["e v"]="68",["eks"]="69",["ema"]="70",["las"]="71",["les"]="72",["rju"]="73",["tle"]="74",["tsi"]="75",["tus"]="76",["upa"]="77",["use"]="78",["ust"]="79",["var"]="80",[" lä"]="81",["ali"]="82",["arj"]="83",["de "]="84",["ete"]="85",["i t"]="86",["iga"]="87",["ilm"]="88",["kui"]="89",["li "]="90",["tul"]="91",[" ei"]="92",[" me"]="93",[" sõ"]="94",["aal"]="95",["ata"]="96",["dus"]="97",["ei "]="98",["nik"]="99",["pea"]="100",["s k"]="101",["s o"]="102",["sal"]="103",["sõn"]="104",["ter"]="105",["ul "]="106",["või"]="107",[" el"]="108",[" ne"]="109",["a j"]="110",["ate"]="111",["end"]="112",["i k"]="113",["ita"]="114",["kar"]="115",["kor"]="116",["l o"]="117",["lt "]="118",["maa"]="119",["oli"]="120",["sti"]="121",["vad"]="122",["ään"]="123",[" ju"]="124",[" jä"]="125",[" kü"]="126",[" ma"]="127",[" po"]="128",[" üt"]="129",["aas"]="130",["aks"]="131",["at "]="132",["ed "]="133",["eri"]="134",["hoi"]="135",["i s"]="136",["ka "]="137",["la "]="138",["nni"]="139",["oid"]="140",["pai"]="141",["rit"]="142",["us "]="143",["ütl"]="144",[" aa"]="145",[" lo"]="146",[" to"]="147",[" ve"]="148",["a e"]="149",["ada"]="150",["aid"]="151",["ami"]="152",["and"]="153",["dla"]="154",["e j"]="155",["ega"]="156",["gi "]="157",["gu "]="158",["i p"]="159",["idl"]="160",["ik "]="161",["ini"]="162",["jup"]="163",["kal"]="164",["kas"]="165",["kes"]="166",["koh"]="167",["s e"]="168",["s p"]="169",["sel"]="170",["sse"]="171",["ui "]="172",[" pi"]="173",[" si"]="174",["aru"]="175",["eda"]="176",["eva"]="177",["fil"]="178",["i v"]="179",["ida"]="180",["ing"]="181",["lää"]="182",["me "]="183",["na "]="184",["nda"]="185",["nim"]="186",["ole"]="187",["ots"]="188",["ris"]="189",["s l"]="190",["sia"]="191",["t p"]="192",[" en"]="193",[" mu"]="194",[" ol"]="195",[" põ"]="196",[" su"]="197",[" vä"]="198",[" üh"]="199",["a l"]="200",["a p"]="201",["aga"]="202",["ale"]="203",["aps"]="204",["arv"]="205",["e a"]="206",["ela"]="207",["ika"]="208",["lle"]="209",["loo"]="210",["mal"]="211",["pet"]="212",["t k"]="213",["tee"]="214",["tis"]="215",["vat"]="216",["äne"]="217",["õnn"]="218",[" es"]="219",[" fi"]="220",[" vi"]="221",["a i"]="222",["a o"]="223",["aab"]="224",["aap"]="225",["ala"]="226",["alt"]="227",["ama"]="228",["anu"]="229",["e p"]="230",["e t"]="231",["eal"]="232",["eli"]="233",["haa"]="234",["hin"]="235",["iva"]="236",["kon"]="237",["ku "]="238",["lik"]="239",["lm "]="240",["min"]="241",["n t"]="242",["odu"]="243",["oon"]="244",["psa"]="245",["ri "]="246",["si "]="247",["stu"]="248",["t e"]="249",["t s"]="250",["ti "]="251",["ule"]="252",["uur"]="253",["vas"]="254",["vee"]="255",[" ki"]="256",[" ni"]="257",[" nä"]="258",[" ra"]="259",["aig"]="260",["aka"]="261",["all"]="262",["atu"]="263",["e e"]="264",["eis"]="265",["ers"]="266",["i e"]="267",["ii "]="268",["iis"]="269",["il "]="270",["ima"]="271",["its"]="272",["kka"]="273",["kuh"]="274",["l k"]="275",["lat"]="276",["maj"]="277",["ndu"]="278",["ni "]="279",["nii"]="280",["oma"]="281",["ool"]="282",["rso"]="283",["ru "]="284",["rva"]="285",["s t"]="286",["sek"]="287",["son"]="288",["ste"]="289",["t m"]="290",["taj"]="291",["tam"]="292",["ude"]="293",["uho"]="294",["vai"]="295",[" ag"]="296",[" os"]="297",[" pa"]="298",[" re"]="299"},["farsi"]={["ان "]="0",["ای "]="1",["ه ا"]="2",[" اي"]="3",[" در"]="4",["به "]="5",[" بر"]="6",["در "]="7",["ران"]="8",[" به"]="9",["ی ا"]="10",["از "]="11",["ين "]="12",["می "]="13",[" از"]="14",["ده "]="15",["ست "]="16",["است"]="17",[" اس"]="18",[" که"]="19",["که "]="20",["اير"]="21",["ند "]="22",["اين"]="23",[" ها"]="24",["يرا"]="25",["ود "]="26",[" را"]="27",["های"]="28",[" خو"]="29",["ته "]="30",["را "]="31",["رای"]="32",["رد "]="33",["ن ب"]="34",["کرد"]="35",[" و "]="36",[" کر"]="37",["ات "]="38",["برا"]="39",["د ک"]="40",["مان"]="41",["ی د"]="42",[" ان"]="43",["خوا"]="44",["شور"]="45",[" با"]="46",["ن ا"]="47",[" سا"]="48",["تمی"]="49",["ری "]="50",["اتم"]="51",["ا ا"]="52",["واه"]="53",[" ات"]="54",[" عر"]="55",["اق "]="56",["ر م"]="57",["راق"]="58",["عرا"]="59",["ی ب"]="60",[" تا"]="61",[" تو"]="62",["ار "]="63",["ر ا"]="64",["ن م"]="65",["ه ب"]="66",["ور "]="67",["يد "]="68",["ی ک"]="69",[" ام"]="70",[" دا"]="71",[" کن"]="72",["اهد"]="73",["هد "]="74",[" آن"]="75",[" می"]="76",[" ني"]="77",[" گف"]="78",["د ا"]="79",["گفت"]="80",[" کش"]="81",["ا ب"]="82",["نی "]="83",["ها "]="84",["کشو"]="85",[" رو"]="86",["ت ک"]="87",["نيو"]="88",["ه م"]="89",["وی "]="90",["ی ت"]="91",[" شو"]="92",["ال "]="93",["دار"]="94",["مه "]="95",["ن ک"]="96",["ه د"]="97",["يه "]="98",[" ما"]="99",["امه"]="100",["د ب"]="101",["زار"]="102",["ورا"]="103",["گزا"]="104",[" پي"]="105",["آن "]="106",["انت"]="107",["ت ا"]="108",["فت "]="109",["ه ن"]="110",["ی خ"]="111",["اما"]="112",["بات"]="113",["ما "]="114",["ملل"]="115",["نام"]="116",["ير "]="117",["ی م"]="118",["ی ه"]="119",[" آم"]="120",[" ای"]="121",[" من"]="122",["انس"]="123",["اني"]="124",["ت د"]="125",["رده"]="126",["ساز"]="127",["ن د"]="128",["نه "]="129",["ورد"]="130",[" او"]="131",[" بي"]="132",[" سو"]="133",[" شد"]="134",["اده"]="135",["اند"]="136",["با "]="137",["ت ب"]="138",["ر ب"]="139",["ز ا"]="140",["زما"]="141",["سته"]="142",["ن ر"]="143",["ه س"]="144",["وان"]="145",["وز "]="146",["ی ر"]="147",["ی س"]="148",[" هس"]="149",["ابا"]="150",["ام "]="151",["اور"]="152",["تخا"]="153",["خاب"]="154",["خود"]="155",["د د"]="156",["دن "]="157",["رها"]="158",["روز"]="159",["رگز"]="160",["نتخ"]="161",["ه ش"]="162",["ه ه"]="163",["هست"]="164",["يت "]="165",["يم "]="166",[" دو"]="167",[" دي"]="168",[" مو"]="169",[" نو"]="170",[" هم"]="171",[" کا"]="172",["اد "]="173",["اری"]="174",["انی"]="175",["بر "]="176",["بود"]="177",["ت ه"]="178",["ح ه"]="179",["حال"]="180",["رش "]="181",["عه "]="182",["لی "]="183",["وم "]="184",["ژان"]="185",[" سل"]="186",["آمر"]="187",["اح "]="188",["توس"]="189",["داد"]="190",["دام"]="191",["ر د"]="192",["ره "]="193",["ريک"]="194",["زی "]="195",["سلا"]="196",["شود"]="197",["لاح"]="198",["مري"]="199",["نند"]="200",["ه ع"]="201",["يما"]="202",["يکا"]="203",["پيم"]="204",["گر "]="205",[" آژ"]="206",[" ال"]="207",[" بو"]="208",[" مق"]="209",[" مل"]="210",[" وی"]="211",["آژا"]="212",["ازم"]="213",["ازی"]="214",["بار"]="215",["برن"]="216",["ر آ"]="217",["ز س"]="218",["سعه"]="219",["شته"]="220",["مات"]="221",["ن آ"]="222",["ن پ"]="223",["نس "]="224",["ه گ"]="225",["وسع"]="226",["يان"]="227",["يوم"]="228",["کا "]="229",["کام"]="230",["کند"]="231",[" خا"]="232",[" سر"]="233",["آور"]="234",["ارد"]="235",["اقد"]="236",["ايم"]="237",["ايی"]="238",["برگ"]="239",["ت ع"]="240",["تن "]="241",["خت "]="242",["د و"]="243",["ر خ"]="244",["رک "]="245",["زير"]="246",["فته"]="247",["قدا"]="248",["ل ت"]="249",["مين"]="250",["ن گ"]="251",["ه آ"]="252",["ه خ"]="253",["ه ک"]="254",["ورک"]="255",["ويو"]="256",["يور"]="257",["يوي"]="258",["يی "]="259",["ک ت"]="260",["ی ش"]="261",[" اق"]="262",[" حا"]="263",[" حق"]="264",[" دس"]="265",[" شک"]="266",[" عم"]="267",[" يک"]="268",["ا ت"]="269",["ا د"]="270",["ارج"]="271",["بين"]="272",["ت م"]="273",["ت و"]="274",["تاي"]="275",["دست"]="276",["ر ح"]="277",["ر س"]="278",["رنا"]="279",["ز ب"]="280",["شکا"]="281",["لل "]="282",["م ک"]="283",["مز "]="284",["ندا"]="285",["نوا"]="286",["و ا"]="287",["وره"]="288",["ون "]="289",["وند"]="290",["يمز"]="291",[" آو"]="292",[" اع"]="293",[" فر"]="294",[" مت"]="295",[" نه"]="296",[" هر"]="297",[" وز"]="298",[" گز"]="299"},["finnish"]={["en "]="0",["in "]="1",["an "]="2",["on "]="3",["ist"]="4",["ta "]="5",["ja "]="6",["n t"]="7",["sa "]="8",["sta"]="9",["aan"]="10",["n p"]="11",[" on"]="12",["ssa"]="13",["tta"]="14",["tä "]="15",[" ka"]="16",[" pa"]="17",["si "]="18",[" ja"]="19",["n k"]="20",["lla"]="21",["än "]="22",["een"]="23",["n v"]="24",["ksi"]="25",["ett"]="26",["nen"]="27",["taa"]="28",["ttä"]="29",[" va"]="30",["ill"]="31",["itt"]="32",[" jo"]="33",[" ko"]="34",["n s"]="35",[" tu"]="36",["ia "]="37",[" su"]="38",["a p"]="39",["aa "]="40",["la "]="41",["lle"]="42",["n m"]="43",["le "]="44",["tte"]="45",["na "]="46",[" ta"]="47",[" ve"]="48",["at "]="49",[" vi"]="50",["utt"]="51",[" sa"]="52",["ise"]="53",["sen"]="54",[" ku"]="55",[" nä"]="56",[" pä"]="57",["ste"]="58",[" ol"]="59",["a t"]="60",["ais"]="61",["maa"]="62",["ti "]="63",["a o"]="64",["oit"]="65",["pää"]="66",[" pi"]="67",["a v"]="68",["ala"]="69",["ine"]="70",["isi"]="71",["tel"]="72",["tti"]="73",[" si"]="74",["a k"]="75",["all"]="76",["iin"]="77",["kin"]="78",["stä"]="79",["uom"]="80",["vii"]="81",[" ma"]="82",[" se"]="83",["enä"]="84",[" mu"]="85",["a s"]="86",["est"]="87",["iss"]="88",["llä"]="89",["lok"]="90",["lä "]="91",["n j"]="92",["n o"]="93",["toi"]="94",["ven"]="95",["ytt"]="96",[" li"]="97",["ain"]="98",["et "]="99",["ina"]="100",["n a"]="101",["n n"]="102",["oll"]="103",["plo"]="104",["ten"]="105",["ust"]="106",["äll"]="107",["ään"]="108",[" to"]="109",["den"]="110",["men"]="111",["oki"]="112",["suo"]="113",["sä "]="114",["tää"]="115",["uks"]="116",["vat"]="117",[" al"]="118",[" ke"]="119",[" te"]="120",["a e"]="121",["lii"]="122",["tai"]="123",["tei"]="124",["äis"]="125",["ää "]="126",[" pl"]="127",["ell"]="128",["i t"]="129",["ide"]="130",["ikk"]="131",["ki "]="132",["nta"]="133",["ova"]="134",["yst"]="135",["yt "]="136",["ä p"]="137",["äyt"]="138",[" ha"]="139",[" pe"]="140",[" tä"]="141",["a n"]="142",["aik"]="143",["i p"]="144",["i v"]="145",["nyt"]="146",["näy"]="147",["pal"]="148",["tee"]="149",["un "]="150",[" me"]="151",["a m"]="152",["ess"]="153",["kau"]="154",["pai"]="155",["stu"]="156",["ut "]="157",["voi"]="158",[" et"]="159",["a h"]="160",["eis"]="161",["hte"]="162",["i o"]="163",["iik"]="164",["ita"]="165",["jou"]="166",["mis"]="167",["nin"]="168",["nut"]="169",["sia"]="170",["ssä"]="171",["van"]="172",[" ty"]="173",[" yh"]="174",["aks"]="175",["ime"]="176",["loi"]="177",["me "]="178",["n e"]="179",["n h"]="180",["n l"]="181",["oin"]="182",["ome"]="183",["ott"]="184",["ouk"]="185",["sit"]="186",["sti"]="187",["tet"]="188",["tie"]="189",["ukk"]="190",["ä k"]="191",[" ra"]="192",[" ti"]="193",["aja"]="194",["asi"]="195",["ent"]="196",["iga"]="197",["iig"]="198",["ite"]="199",["jan"]="200",["kaa"]="201",["kse"]="202",["laa"]="203",["lan"]="204",["li "]="205",["näj"]="206",["ole"]="207",["tii"]="208",["usi"]="209",["äjä"]="210",[" ov"]="211",["a a"]="212",["ant"]="213",["ava"]="214",["ei "]="215",["eri"]="216",["kan"]="217",["kku"]="218",["lai"]="219",["lis"]="220",["läi"]="221",["mat"]="222",["ois"]="223",["pel"]="224",["sil"]="225",["sty"]="226",["taj"]="227",["tav"]="228",["ttu"]="229",["työ"]="230",["yös"]="231",["ä o"]="232",[" ai"]="233",[" pu"]="234",["a j"]="235",["a l"]="236",["aal"]="237",["arv"]="238",["ass"]="239",["ien"]="240",["imi"]="241",["imm"]="242",["itä"]="243",["ka "]="244",["kes"]="245",["kue"]="246",["lee"]="247",["lin"]="248",["llo"]="249",["one"]="250",["ri "]="251",["t o"]="252",["t p"]="253",["tu "]="254",["val"]="255",["vuo"]="256",[" ei"]="257",[" he"]="258",[" hy"]="259",[" my"]="260",[" vo"]="261",["ali"]="262",["alo"]="263",["ano"]="264",["ast"]="265",["att"]="266",["auk"]="267",["eli"]="268",["ely"]="269",["hti"]="270",["ika"]="271",["ken"]="272",["kki"]="273",["lys"]="274",["min"]="275",["myö"]="276",["oht"]="277",["oma"]="278",["tus"]="279",["umi"]="280",["yks"]="281",["ät "]="282",["ääl"]="283",["ös "]="284",[" ar"]="285",[" eu"]="286",[" hu"]="287",[" na"]="288",["aat"]="289",["alk"]="290",["alu"]="291",["ans"]="292",["arj"]="293",["enn"]="294",["han"]="295",["kuu"]="296",["n y"]="297",["set"]="298",["sim"]="299"},["french"]={["es "]="0",[" de"]="1",["de "]="2",[" le"]="3",["ent"]="4",["le "]="5",["nt "]="6",["la "]="7",["s d"]="8",[" la"]="9",["ion"]="10",["on "]="11",["re "]="12",[" pa"]="13",["e l"]="14",["e d"]="15",[" l'"]="16",["e p"]="17",[" co"]="18",[" pr"]="19",["tio"]="20",["ns "]="21",[" en"]="22",["ne "]="23",["que"]="24",["r l"]="25",["les"]="26",["ur "]="27",["en "]="28",["ati"]="29",["ue "]="30",[" po"]="31",[" d'"]="32",["par"]="33",[" a "]="34",["et "]="35",["it "]="36",[" qu"]="37",["men"]="38",["ons"]="39",["te "]="40",[" et"]="41",["t d"]="42",[" re"]="43",["des"]="44",[" un"]="45",["ie "]="46",["s l"]="47",[" su"]="48",["pou"]="49",[" au"]="50",[" à "]="51",["con"]="52",["er "]="53",[" no"]="54",["ait"]="55",["e c"]="56",["se "]="57",["té "]="58",["du "]="59",[" du"]="60",[" dé"]="61",["ce "]="62",["e e"]="63",["is "]="64",["n d"]="65",["s a"]="66",[" so"]="67",["e r"]="68",["e s"]="69",["our"]="70",["res"]="71",["ssi"]="72",["eur"]="73",[" se"]="74",["eme"]="75",["est"]="76",["us "]="77",["sur"]="78",["ant"]="79",["iqu"]="80",["s p"]="81",["une"]="82",["uss"]="83",["l'a"]="84",["pro"]="85",["ter"]="86",["tre"]="87",["end"]="88",["rs "]="89",[" ce"]="90",["e a"]="91",["t p"]="92",["un "]="93",[" ma"]="94",[" ru"]="95",[" ré"]="96",["ous"]="97",["ris"]="98",["rus"]="99",["sse"]="100",["ans"]="101",["ar "]="102",["com"]="103",["e m"]="104",["ire"]="105",["nce"]="106",["nte"]="107",["t l"]="108",[" av"]="109",[" mo"]="110",[" te"]="111",["il "]="112",["me "]="113",["ont"]="114",["ten"]="115",["a p"]="116",["dan"]="117",["pas"]="118",["qui"]="119",["s e"]="120",["s s"]="121",[" in"]="122",["ist"]="123",["lle"]="124",["nou"]="125",["pré"]="126",["'un"]="127",["air"]="128",["d'a"]="129",["ir "]="130",["n e"]="131",["rop"]="132",["ts "]="133",[" da"]="134",["a s"]="135",["as "]="136",["au "]="137",["den"]="138",["mai"]="139",["mis"]="140",["ori"]="141",["out"]="142",["rme"]="143",["sio"]="144",["tte"]="145",["ux "]="146",["a d"]="147",["ien"]="148",["n a"]="149",["ntr"]="150",["omm"]="151",["ort"]="152",["ouv"]="153",["s c"]="154",["son"]="155",["tes"]="156",["ver"]="157",["ère"]="158",[" il"]="159",[" m "]="160",[" sa"]="161",[" ve"]="162",["a r"]="163",["ais"]="164",["ava"]="165",["di "]="166",["n p"]="167",["sti"]="168",["ven"]="169",[" mi"]="170",["ain"]="171",["enc"]="172",["for"]="173",["ité"]="174",["lar"]="175",["oir"]="176",["rem"]="177",["ren"]="178",["rro"]="179",["rés"]="180",["sie"]="181",["t a"]="182",["tur"]="183",[" pe"]="184",[" to"]="185",["d'u"]="186",["ell"]="187",["err"]="188",["ers"]="189",["ide"]="190",["ine"]="191",["iss"]="192",["mes"]="193",["por"]="194",["ran"]="195",["sit"]="196",["st "]="197",["t r"]="198",["uti"]="199",["vai"]="200",["é l"]="201",["ési"]="202",[" di"]="203",[" n'"]="204",[" ét"]="205",["a c"]="206",["ass"]="207",["e t"]="208",["in "]="209",["nde"]="210",["pre"]="211",["rat"]="212",["s m"]="213",["ste"]="214",["tai"]="215",["tch"]="216",["ui "]="217",["uro"]="218",["ès "]="219",[" es"]="220",[" fo"]="221",[" tr"]="222",["'ad"]="223",["app"]="224",["aux"]="225",["e à"]="226",["ett"]="227",["iti"]="228",["lit"]="229",["nal"]="230",["opé"]="231",["r d"]="232",["ra "]="233",["rai"]="234",["ror"]="235",["s r"]="236",["tat"]="237",["uté"]="238",["à l"]="239",[" af"]="240",["anc"]="241",["ara"]="242",["art"]="243",["bre"]="244",["ché"]="245",["dre"]="246",["e f"]="247",["ens"]="248",["lem"]="249",["n r"]="250",["n t"]="251",["ndr"]="252",["nne"]="253",["onn"]="254",["pos"]="255",["s t"]="256",["tiq"]="257",["ure"]="258",[" tu"]="259",["ale"]="260",["and"]="261",["ave"]="262",["cla"]="263",["cou"]="264",["e n"]="265",["emb"]="266",["ins"]="267",["jou"]="268",["mme"]="269",["rie"]="270",["rès"]="271",["sem"]="272",["str"]="273",["t i"]="274",["ues"]="275",["uni"]="276",["uve"]="277",["é d"]="278",["ée "]="279",[" ch"]="280",[" do"]="281",[" eu"]="282",[" fa"]="283",[" lo"]="284",[" ne"]="285",[" ra"]="286",["arl"]="287",["att"]="288",["ec "]="289",["ica"]="290",["l a"]="291",["l'o"]="292",["l'é"]="293",["mmi"]="294",["nta"]="295",["orm"]="296",["ou "]="297",["r u"]="298",["rle"]="299"},["german"]={["en "]="0",["er "]="1",[" de"]="2",["der"]="3",["ie "]="4",[" di"]="5",["die"]="6",["sch"]="7",["ein"]="8",["che"]="9",["ich"]="10",["den"]="11",["in "]="12",["te "]="13",["ch "]="14",[" ei"]="15",["ung"]="16",["n d"]="17",["nd "]="18",[" be"]="19",["ver"]="20",["es "]="21",[" zu"]="22",["eit"]="23",["gen"]="24",["und"]="25",[" un"]="26",[" au"]="27",[" in"]="28",["cht"]="29",["it "]="30",["ten"]="31",[" da"]="32",["ent"]="33",[" ve"]="34",["and"]="35",[" ge"]="36",["ine"]="37",[" mi"]="38",["r d"]="39",["hen"]="40",["ng "]="41",["nde"]="42",[" vo"]="43",["e d"]="44",["ber"]="45",["men"]="46",["ei "]="47",["mit"]="48",[" st"]="49",["ter"]="50",["ren"]="51",["t d"]="52",[" er"]="53",["ere"]="54",["n s"]="55",["ste"]="56",[" se"]="57",["e s"]="58",["ht "]="59",["des"]="60",["ist"]="61",["ne "]="62",["auf"]="63",["e a"]="64",["isc"]="65",["on "]="66",["rte"]="67",[" re"]="68",[" we"]="69",["ges"]="70",["uch"]="71",[" fü"]="72",[" so"]="73",["bei"]="74",["e e"]="75",["nen"]="76",["r s"]="77",["ach"]="78",["für"]="79",["ier"]="80",["par"]="81",["ür "]="82",[" ha"]="83",["as "]="84",["ert"]="85",[" an"]="86",[" pa"]="87",[" sa"]="88",[" sp"]="89",[" wi"]="90",["for"]="91",["tag"]="92",["zu "]="93",["das"]="94",["rei"]="95",["he "]="96",["hre"]="97",["nte"]="98",["sen"]="99",["vor"]="100",[" sc"]="101",["ech"]="102",["etz"]="103",["hei"]="104",["lan"]="105",["n a"]="106",["pd "]="107",["st "]="108",["sta"]="109",["ese"]="110",["lic"]="111",[" ab"]="112",[" si"]="113",["gte"]="114",[" wa"]="115",["iti"]="116",["kei"]="117",["n e"]="118",["nge"]="119",["sei"]="120",["tra"]="121",["zen"]="122",[" im"]="123",[" la"]="124",["art"]="125",["im "]="126",["lle"]="127",["n w"]="128",["rde"]="129",["rec"]="130",["set"]="131",["str"]="132",["tei"]="133",["tte"]="134",[" ni"]="135",["e p"]="136",["ehe"]="137",["ers"]="138",["g d"]="139",["nic"]="140",["von"]="141",[" al"]="142",[" pr"]="143",["an "]="144",["aus"]="145",["erf"]="146",["r e"]="147",["tze"]="148",["tür"]="149",["uf "]="150",["ag "]="151",["als"]="152",["ar "]="153",["chs"]="154",["end"]="155",["ge "]="156",["ige"]="157",["ion"]="158",["ls "]="159",["n m"]="160",["ngs"]="161",["nis"]="162",["nt "]="163",["ord"]="164",["s s"]="165",["sse"]="166",[" tü"]="167",["ahl"]="168",["e b"]="169",["ede"]="170",["em "]="171",["len"]="172",["n i"]="173",["orm"]="174",["pro"]="175",["rke"]="176",["run"]="177",["s d"]="178",["wah"]="179",["wer"]="180",["ürk"]="181",[" me"]="182",["age"]="183",["att"]="184",["ell"]="185",["est"]="186",["hat"]="187",["n b"]="188",["oll"]="189",["raf"]="190",["s a"]="191",["tsc"]="192",[" es"]="193",[" fo"]="194",[" gr"]="195",[" ja"]="196",["abe"]="197",["auc"]="198",["ben"]="199",["e n"]="200",["ege"]="201",["lie"]="202",["n u"]="203",["r v"]="204",["re "]="205",["rit"]="206",["sag"]="207",[" am"]="208",["agt"]="209",["ahr"]="210",["bra"]="211",["de "]="212",["erd"]="213",["her"]="214",["ite"]="215",["le "]="216",["n p"]="217",["n v"]="218",["or "]="219",["rbe"]="220",["rt "]="221",["sic"]="222",["wie"]="223",["übe"]="224",[" is"]="225",[" üb"]="226",["cha"]="227",["chi"]="228",["e f"]="229",["e m"]="230",["eri"]="231",["ied"]="232",["mme"]="233",["ner"]="234",["r a"]="235",["sti"]="236",["t a"]="237",["t s"]="238",["tis"]="239",[" ko"]="240",["arb"]="241",["ds "]="242",["gan"]="243",["n z"]="244",["r f"]="245",["r w"]="246",["ran"]="247",["se "]="248",["t i"]="249",["wei"]="250",["wir"]="251",[" br"]="252",[" np"]="253",["am "]="254",["bes"]="255",["d d"]="256",["deu"]="257",["e g"]="258",["e k"]="259",["efo"]="260",["et "]="261",["eut"]="262",["fen"]="263",["hse"]="264",["lte"]="265",["n r"]="266",["npd"]="267",["r b"]="268",["rhe"]="269",["t w"]="270",["tz "]="271",[" fr"]="272",[" ih"]="273",[" ke"]="274",[" ma"]="275",["ame"]="276",["ang"]="277",["d s"]="278",["eil"]="279",["el "]="280",["era"]="281",["erh"]="282",["h d"]="283",["i d"]="284",["kan"]="285",["n f"]="286",["n l"]="287",["nts"]="288",["och"]="289",["rag"]="290",["rd "]="291",["spd"]="292",["spr"]="293",["tio"]="294",[" ar"]="295",[" en"]="296",[" ka"]="297",["ark"]="298",["ass"]="299"},["hausa"]={[" da"]="0",["da "]="1",["in "]="2",["an "]="3",["ya "]="4",[" wa"]="5",[" ya"]="6",["na "]="7",["ar "]="8",["a d"]="9",[" ma"]="10",["wa "]="11",["a a"]="12",["a k"]="13",["a s"]="14",[" ta"]="15",["wan"]="16",[" a "]="17",[" ba"]="18",[" ka"]="19",["ta "]="20",["a y"]="21",["n d"]="22",[" ha"]="23",[" na"]="24",[" su"]="25",[" sa"]="26",["kin"]="27",["sa "]="28",["ata"]="29",[" ko"]="30",["a t"]="31",["su "]="32",[" ga"]="33",["ai "]="34",[" sh"]="35",["a m"]="36",["uwa"]="37",["iya"]="38",["ma "]="39",["a w"]="40",["asa"]="41",["yan"]="42",["ka "]="43",["ani"]="44",["shi"]="45",["a b"]="46",["a h"]="47",["a c"]="48",["ama"]="49",["ba "]="50",["nan"]="51",["n a"]="52",[" mu"]="53",["ana"]="54",[" yi"]="55",["a g"]="56",[" za"]="57",["i d"]="58",[" ku"]="59",["aka"]="60",["yi "]="61",["n k"]="62",["ann"]="63",["ke "]="64",["tar"]="65",[" ci"]="66",["iki"]="67",["n s"]="68",["ko "]="69",[" ra"]="70",["ki "]="71",["ne "]="72",["a z"]="73",["mat"]="74",["hak"]="75",["nin"]="76",["e d"]="77",["nna"]="78",["uma"]="79",["nda"]="80",["a n"]="81",["ada"]="82",["cik"]="83",["ni "]="84",["rin"]="85",["una"]="86",["ara"]="87",["kum"]="88",["akk"]="89",[" ce"]="90",[" du"]="91",["man"]="92",["n y"]="93",["nci"]="94",["sar"]="95",["aki"]="96",["awa"]="97",["ci "]="98",["kan"]="99",["kar"]="100",["ari"]="101",["n m"]="102",["and"]="103",["hi "]="104",["n t"]="105",["ga "]="106",["owa"]="107",["ash"]="108",["kam"]="109",["dan"]="110",["ewa"]="111",["nsa"]="112",["ali"]="113",["ami"]="114",[" ab"]="115",[" do"]="116",["anc"]="117",["n r"]="118",["aya"]="119",["i n"]="120",["sun"]="121",["uka"]="122",[" al"]="123",[" ne"]="124",["a'a"]="125",["cew"]="126",["cin"]="127",["mas"]="128",["tak"]="129",["un "]="130",["aba"]="131",["kow"]="132",["a r"]="133",["ra "]="134",[" ja"]="135",[" ƙa"]="136",["en "]="137",["r d"]="138",["sam"]="139",["tsa"]="140",[" ru"]="141",["ce "]="142",["i a"]="143",["abi"]="144",["ida"]="145",["mut"]="146",["n g"]="147",["n j"]="148",["san"]="149",["a ƙ"]="150",["har"]="151",["on "]="152",["i m"]="153",["suk"]="154",[" ak"]="155",[" ji"]="156",["yar"]="157",["'ya"]="158",["kwa"]="159",["min"]="160",[" 'y"]="161",["ane"]="162",["ban"]="163",["ins"]="164",["ruw"]="165",["i k"]="166",["n h"]="167",[" ad"]="168",["ake"]="169",["n w"]="170",["sha"]="171",["utu"]="172",[" ƴa"]="173",["bay"]="174",["tan"]="175",["ƴan"]="176",["bin"]="177",["duk"]="178",["e m"]="179",["n n"]="180",["oka"]="181",["yin"]="182",["ɗan"]="183",[" fa"]="184",["a i"]="185",["kki"]="186",["re "]="187",["za "]="188",["ala"]="189",["asu"]="190",["han"]="191",["i y"]="192",["mar"]="193",["ran"]="194",["ƙas"]="195",["add"]="196",["ars"]="197",["gab"]="198",["ira"]="199",["mma"]="200",["u d"]="201",[" ts"]="202",["abb"]="203",["abu"]="204",["aga"]="205",["gar"]="206",["n b"]="207",[" ɗa"]="208",["aci"]="209",["aik"]="210",["am "]="211",["dun"]="212",["e s"]="213",["i b"]="214",["i w"]="215",["kas"]="216",["kok"]="217",["wam"]="218",[" am"]="219",["amf"]="220",["bba"]="221",["din"]="222",["fan"]="223",["gwa"]="224",["i s"]="225",["wat"]="226",["ano"]="227",["are"]="228",["dai"]="229",["iri"]="230",["ma'"]="231",[" la"]="232",["all"]="233",["dam"]="234",["ika"]="235",["mi "]="236",["she"]="237",["tum"]="238",["uni"]="239",[" an"]="240",[" ai"]="241",[" ke"]="242",[" ki"]="243",["dag"]="244",["mai"]="245",["mfa"]="246",["no "]="247",["nsu"]="248",["o d"]="249",["sak"]="250",["um "]="251",[" bi"]="252",[" gw"]="253",[" kw"]="254",["jam"]="255",["yya"]="256",["a j"]="257",["fa "]="258",["uta"]="259",[" hu"]="260",["'a "]="261",["ans"]="262",["aɗa"]="263",["dda"]="264",["hin"]="265",["niy"]="266",["r s"]="267",["bat"]="268",["dar"]="269",["gan"]="270",["i t"]="271",["nta"]="272",["oki"]="273",["omi"]="274",["sal"]="275",["a l"]="276",["kac"]="277",["lla"]="278",["wad"]="279",["war"]="280",["amm"]="281",["dom"]="282",["r m"]="283",["ras"]="284",["sai"]="285",[" lo"]="286",["ats"]="287",["hal"]="288",["kat"]="289",["li "]="290",["lok"]="291",["n c"]="292",["nar"]="293",["tin"]="294",["afa"]="295",["bub"]="296",["i g"]="297",["isa"]="298",["mak"]="299"},["hawaiian"]={[" ka"]="0",["na "]="1",[" o "]="2",["ka "]="3",[" ma"]="4",[" a "]="5",[" la"]="6",["a i"]="7",["a m"]="8",[" i "]="9",["la "]="10",["ana"]="11",["ai "]="12",["ia "]="13",["a o"]="14",["a k"]="15",["a h"]="16",["o k"]="17",[" ke"]="18",["a a"]="19",["i k"]="20",[" ho"]="21",[" ia"]="22",["ua "]="23",[" na"]="24",[" me"]="25",["e k"]="26",["e a"]="27",["au "]="28",["ke "]="29",["ma "]="30",["mai"]="31",["aku"]="32",[" ak"]="33",["ahi"]="34",[" ha"]="35",[" ko"]="36",[" e "]="37",["a l"]="38",[" no"]="39",["me "]="40",["ku "]="41",["aka"]="42",["kan"]="43",["no "]="44",["i a"]="45",["ho "]="46",["ou "]="47",[" ai"]="48",["i o"]="49",["a p"]="50",["o l"]="51",["o a"]="52",["ama"]="53",["a n"]="54",[" an"]="55",["i m"]="56",["han"]="57",["i i"]="58",["iho"]="59",["kou"]="60",["ne "]="61",[" ih"]="62",["o i"]="63",["iki"]="64",["ona"]="65",["hoo"]="66",["le "]="67",["e h"]="68",[" he"]="69",["ina"]="70",[" wa"]="71",["ea "]="72",["ako"]="73",["u i"]="74",["kah"]="75",["oe "]="76",["i l"]="77",["u a"]="78",[" pa"]="79",["hoi"]="80",["e i"]="81",["era"]="82",["ko "]="83",["u m"]="84",["kua"]="85",["mak"]="86",["oi "]="87",["kai"]="88",["i n"]="89",["a e"]="90",["hin"]="91",["ane"]="92",[" ol"]="93",["i h"]="94",["mea"]="95",["wah"]="96",["lak"]="97",["e m"]="98",["o n"]="99",["u l"]="100",["ika"]="101",["ki "]="102",["a w"]="103",["mal"]="104",["hi "]="105",["e n"]="106",["u o"]="107",["hik"]="108",[" ku"]="109",["e l"]="110",["ele"]="111",["ra "]="112",["ber"]="113",["ine"]="114",["abe"]="115",["ain"]="116",["ala"]="117",["lo "]="118",[" po"]="119",["kon"]="120",[" ab"]="121",["ole"]="122",["he "]="123",["pau"]="124",["mah"]="125",["va "]="126",["ela"]="127",["kau"]="128",["nak"]="129",[" oe"]="130",["kei"]="131",["oia"]="132",[" ie"]="133",["ram"]="134",[" oi"]="135",["oa "]="136",["eho"]="137",["hov"]="138",["ieh"]="139",["ova"]="140",[" ua"]="141",["una"]="142",["ara"]="143",["o s"]="144",["awa"]="145",["o o"]="146",["nau"]="147",["u n"]="148",["wa "]="149",["wai"]="150",["hel"]="151",[" ae"]="152",[" al"]="153",["ae "]="154",["ta "]="155",["aik"]="156",[" hi"]="157",["ale"]="158",["ila"]="159",["lel"]="160",["ali"]="161",["eik"]="162",["olo"]="163",["onu"]="164",[" lo"]="165",["aua"]="166",["e o"]="167",["ola"]="168",["hon"]="169",["mam"]="170",["nan"]="171",[" au"]="172",["aha"]="173",["lau"]="174",["nua"]="175",["oho"]="176",["oma"]="177",[" ao"]="178",["ii "]="179",["alu"]="180",["ima"]="181",["mau"]="182",["ike"]="183",["apa"]="184",["elo"]="185",["lii"]="186",["poe"]="187",["aia"]="188",["noa"]="189",[" in"]="190",["o m"]="191",["oka"]="192",["'u "]="193",["aho"]="194",["ei "]="195",["eka"]="196",["ha "]="197",["lu "]="198",["nei"]="199",["hol"]="200",["ino"]="201",["o e"]="202",["ema"]="203",["iwa"]="204",["olu"]="205",["ada"]="206",["naa"]="207",["pa "]="208",["u k"]="209",["ewa"]="210",["hua"]="211",["lam"]="212",["lua"]="213",["o h"]="214",["ook"]="215",["u h"]="216",[" li"]="217",["ahu"]="218",["amu"]="219",["ui "]="220",[" il"]="221",[" mo"]="222",[" se"]="223",["eia"]="224",["law"]="225",[" hu"]="226",[" ik"]="227",["ail"]="228",["e p"]="229",["li "]="230",["lun"]="231",["uli"]="232",["io "]="233",["kik"]="234",["noh"]="235",["u e"]="236",[" sa"]="237",["aaw"]="238",["awe"]="239",["ena"]="240",["hal"]="241",["kol"]="242",["lan"]="243",[" le"]="244",[" ne"]="245",["a'u"]="246",["ilo"]="247",["kap"]="248",["oko"]="249",["sa "]="250",[" pe"]="251",["hop"]="252",["loa"]="253",["ope"]="254",["pe "]="255",[" ad"]="256",[" pu"]="257",["ahe"]="258",["aol"]="259",["ia'"]="260",["lai"]="261",["loh"]="262",["na'"]="263",["oom"]="264",["aau"]="265",["eri"]="266",["kul"]="267",["we "]="268",["ake"]="269",["kek"]="270",["laa"]="271",["ri "]="272",["iku"]="273",["kak"]="274",["lim"]="275",["nah"]="276",["ner"]="277",["nui"]="278",["ono"]="279",["a u"]="280",["dam"]="281",["kum"]="282",["lok"]="283",["mua"]="284",["uma"]="285",["wal"]="286",["wi "]="287",["'i "]="288",["a'i"]="289",["aan"]="290",["alo"]="291",["eta"]="292",["mu "]="293",["ohe"]="294",["u p"]="295",["ula"]="296",["uwa"]="297",[" nu"]="298",["amo"]="299"},["hindi"]={["ें "]="0",[" है"]="1",["में"]="2",[" मे"]="3",["ने "]="4",["की "]="5",["के "]="6",["है "]="7",[" के"]="8",[" की"]="9",[" को"]="10",["ों "]="11",["को "]="12",["ा ह"]="13",[" का"]="14",["से "]="15",["ा क"]="16",["े क"]="17",["ं क"]="18",["या "]="19",[" कि"]="20",[" से"]="21",["का "]="22",["ी क"]="23",[" ने"]="24",[" और"]="25",["और "]="26",["ना "]="27",["कि "]="28",["भी "]="29",["ी स"]="30",[" जा"]="31",[" पर"]="32",["ार "]="33",[" कर"]="34",["ी ह"]="35",[" हो"]="36",["ही "]="37",["िया"]="38",[" इस"]="39",[" रह"]="40",["र क"]="41",["ुना"]="42",["ता "]="43",["ान "]="44",["े स"]="45",[" भी"]="46",[" रा"]="47",["े ह"]="48",[" चु"]="49",[" पा"]="50",["पर "]="51",["चुन"]="52",["नाव"]="53",[" कह"]="54",["प्र"]="55",[" भा"]="56",["राज"]="57",["हैं"]="58",["ा स"]="59",["ै क"]="60",["ैं "]="61",["नी "]="62",["ल क"]="63",["ीं "]="64",["़ी "]="65",["था "]="66",["री "]="67",["ाव "]="68",["े ब"]="69",[" प्"]="70",["क्ष"]="71",["पा "]="72",["ले "]="73",[" दे"]="74",["ला "]="75",["हा "]="76",["ाजप"]="77",[" था"]="78",[" नह"]="79",["इस "]="80",["कर "]="81",["जपा"]="82",["नही"]="83",["भाज"]="84",["यों"]="85",["र स"]="86",["हीं"]="87",[" अम"]="88",[" बा"]="89",[" मा"]="90",[" वि"]="91",["रीक"]="92",["िए "]="93",["े प"]="94",["्या"]="95",[" ही"]="96",["ं म"]="97",["कार"]="98",["ा ज"]="99",["े ल"]="100",[" ता"]="101",[" दि"]="102",[" सा"]="103",[" हम"]="104",["ा न"]="105",["ा म"]="106",["ाक़"]="107",["्ता"]="108",[" एक"]="109",[" सं"]="110",[" स्"]="111",["अमर"]="112",["क़ी"]="113",["ताज"]="114",["मरी"]="115",["स्थ"]="116",["ा थ"]="117",["ार्"]="118",[" हु"]="119",["इरा"]="120",["एक "]="121",["न क"]="122",["र म"]="123",["राक"]="124",["ी ज"]="125",["ी न"]="126",[" इर"]="127",[" उन"]="128",[" पह"]="129",["कहा"]="130",["ते "]="131",["े अ"]="132",[" तो"]="133",[" सु"]="134",["ति "]="135",["ती "]="136",["तो "]="137",["मिल"]="138",["िक "]="139",["ियो"]="140",["्रे"]="141",[" अप"]="142",[" फ़"]="143",[" लि"]="144",[" लो"]="145",[" सम"]="146",["म क"]="147",["र्ट"]="148",["हो "]="149",["ा च"]="150",["ाई "]="151",["ाने"]="152",["िन "]="153",["्य "]="154",[" उस"]="155",[" क़"]="156",[" सक"]="157",[" सै"]="158",["ं प"]="159",["ं ह"]="160",["गी "]="161",["त क"]="162",["मान"]="163",["र न"]="164",["ष्ट"]="165",["स क"]="166",["स्त"]="167",["ाँ "]="168",["ी ब"]="169",["ी म"]="170",["्री"]="171",[" दो"]="172",[" मि"]="173",[" मु"]="174",[" ले"]="175",[" शा"]="176",["ं स"]="177",["ज़ा"]="178",["त्र"]="179",["थी "]="180",["लिए"]="181",["सी "]="182",["़ा "]="183",["़ार"]="184",["ांग"]="185",["े द"]="186",["े म"]="187",["्व "]="188",[" ना"]="189",[" बन"]="190",["ंग्"]="191",["कां"]="192",["गा "]="193",["ग्र"]="194",["जा "]="195",["ज्य"]="196",["दी "]="197",["न म"]="198",["पार"]="199",["भा "]="200",["रही"]="201",["रे "]="202",["रेस"]="203",["ली "]="204",["सभा"]="205",["ा र"]="206",["ाल "]="207",["ी अ"]="208",["ीकी"]="209",["े त"]="210",["ेश "]="211",[" अं"]="212",[" तक"]="213",[" या"]="214",["ई ह"]="215",["करन"]="216",["तक "]="217",["देश"]="218",["वर्"]="219",["ाया"]="220",["ी भ"]="221",["ेस "]="222",["्ष "]="223",[" गय"]="224",[" जि"]="225",[" थी"]="226",[" बड"]="227",[" यह"]="228",[" वा"]="229",["ंतर"]="230",["अंत"]="231",["क़ "]="232",["गया"]="233",["टी "]="234",["निक"]="235",["न्ह"]="236",["पहल"]="237",["बड़"]="238",["मार"]="239",["र प"]="240",["रने"]="241",["ाज़"]="242",["ि इ"]="243",["ी र"]="244",["े ज"]="245",["े व"]="246",["्ट "]="247",["्टी"]="248",[" अब"]="249",[" लग"]="250",[" वर"]="251",[" सी"]="252",["ं भ"]="253",["उन्"]="254",["क क"]="255",["किय"]="256",["देख"]="257",["पूर"]="258",["फ़्"]="259",["यह "]="260",["यान"]="261",["रिक"]="262",["रिय"]="263",["र्ड"]="264",["लेक"]="265",["सकत"]="266",["हों"]="267",["होग"]="268",["ा अ"]="269",["ा द"]="270",["ा प"]="271",["ाद "]="272",["ारा"]="273",["ित "]="274",["ी त"]="275",["ी प"]="276",["ो क"]="277",["ो द"]="278",[" ते"]="279",[" नि"]="280",[" सर"]="281",[" हा"]="282",["ं द"]="283",["अपन"]="284",["जान"]="285",["त म"]="286",["थित"]="287",["पनी"]="288",["महल"]="289",["र ह"]="290",["लोग"]="291",["व क"]="292",["हना"]="293",["हल "]="294",["हाँ"]="295",["ाज्"]="296",["ाना"]="297",["िक्"]="298",["िस्"]="299"},["hungarian"]={[" a "]="0",[" az"]="1",[" sz"]="2",["az "]="3",[" me"]="4",["en "]="5",[" el"]="6",[" ho"]="7",["ek "]="8",["gy "]="9",["tt "]="10",["ett"]="11",["sze"]="12",[" fe"]="13",["és "]="14",[" ki"]="15",["tet"]="16",[" be"]="17",["et "]="18",["ter"]="19",[" kö"]="20",[" és"]="21",["hog"]="22",["meg"]="23",["ogy"]="24",["szt"]="25",["te "]="26",["t a"]="27",["zet"]="28",["a m"]="29",["nek"]="30",["nt "]="31",["ség"]="32",["szá"]="33",["ak "]="34",[" va"]="35",["an "]="36",["eze"]="37",["ra "]="38",["ta "]="39",[" mi"]="40",["int"]="41",["köz"]="42",[" is"]="43",["esz"]="44",["fel"]="45",["min"]="46",["nak"]="47",["ors"]="48",["zer"]="49",[" te"]="50",["a a"]="51",["a k"]="52",["is "]="53",[" cs"]="54",["ele"]="55",["er "]="56",["men"]="57",["si "]="58",["tek"]="59",["ti "]="60",[" ne"]="61",["csa"]="62",["ent"]="63",["z e"]="64",["a t"]="65",["ala"]="66",["ere"]="67",["es "]="68",["lom"]="69",["lte"]="70",["mon"]="71",["ond"]="72",["rsz"]="73",["sza"]="74",["tte"]="75",["zág"]="76",["ány"]="77",[" fo"]="78",[" ma"]="79",["ai "]="80",["ben"]="81",["el "]="82",["ene"]="83",["ik "]="84",["jel"]="85",["tás"]="86",["áll"]="87",[" ha"]="88",[" le"]="89",[" ál"]="90",["agy"]="91",["alá"]="92",["isz"]="93",["y a"]="94",["zte"]="95",["ás "]="96",[" al"]="97",["e a"]="98",["egy"]="99",["ely"]="100",["for"]="101",["lat"]="102",["lt "]="103",["n a"]="104",["oga"]="105",["on "]="106",["re "]="107",["st "]="108",["ság"]="109",["t m"]="110",["án "]="111",["ét "]="112",["ült"]="113",[" je"]="114",["gi "]="115",["k a"]="116",["kül"]="117",["lam"]="118",["len"]="119",["lás"]="120",["más"]="121",["s k"]="122",["vez"]="123",["áso"]="124",["özö"]="125",[" ta"]="126",["a s"]="127",["a v"]="128",["asz"]="129",["atá"]="130",["ető"]="131",["kez"]="132",["let"]="133",["mag"]="134",["nem"]="135",["szé"]="136",["z m"]="137",["át "]="138",["éte"]="139",["ölt"]="140",[" de"]="141",[" gy"]="142",[" ké"]="143",[" mo"]="144",[" vá"]="145",[" ér"]="146",["a b"]="147",["a f"]="148",["ami"]="149",["at "]="150",["ato"]="151",["att"]="152",["bef"]="153",["dta"]="154",["gya"]="155",["hat"]="156",["i s"]="157",["las"]="158",["ndt"]="159",["rt "]="160",["szo"]="161",["t k"]="162",["tár"]="163",["tés"]="164",["van"]="165",["ásá"]="166",["ól "]="167",[" bé"]="168",[" eg"]="169",[" or"]="170",[" pá"]="171",[" pé"]="172",[" ve"]="173",["ban"]="174",["eke"]="175",["ekü"]="176",["elő"]="177",["erv"]="178",["ete"]="179",["fog"]="180",["i a"]="181",["kis"]="182",["lád"]="183",["nte"]="184",["nye"]="185",["nyi"]="186",["ok "]="187",["omá"]="188",["os "]="189",["rán"]="190",["rás"]="191",["sal"]="192",["t e"]="193",["vál"]="194",["yar"]="195",["ágo"]="196",["ála"]="197",["ége"]="198",["ény"]="199",["ött"]="200",[" tá"]="201",["adó"]="202",["elh"]="203",["fej"]="204",["het"]="205",["hoz"]="206",["ill"]="207",["jár"]="208",["kés"]="209",["llo"]="210",["mi "]="211",["ny "]="212",["ont"]="213",["ren"]="214",["res"]="215",["rin"]="216",["s a"]="217",["s e"]="218",["ssz"]="219",["zt "]="220",[" ez"]="221",[" ka"]="222",[" ke"]="223",[" ko"]="224",[" re"]="225",["a h"]="226",["a n"]="227",["den"]="228",["dó "]="229",["efo"]="230",["gad"]="231",["gat"]="232",["gye"]="233",["hel"]="234",["k e"]="235",["ket"]="236",["les"]="237",["mán"]="238",["nde"]="239",["nis"]="240",["ozz"]="241",["t b"]="242",["t i"]="243",["t é"]="244",["tat"]="245",["tos"]="246",["val"]="247",["z o"]="248",["zak"]="249",["ád "]="250",["ály"]="251",["ára"]="252",["ési"]="253",["ész"]="254",[" ak"]="255",[" am"]="256",[" es"]="257",[" há"]="258",[" ny"]="259",[" tö"]="260",["aka"]="261",["art"]="262",["ató"]="263",["azt"]="264",["bbe"]="265",["ber"]="266",["ció"]="267",["cso"]="268",["em "]="269",["eti"]="270",["eté"]="271",["gal"]="272",["i t"]="273",["ini"]="274",["ist"]="275",["ja "]="276",["ker"]="277",["ki "]="278",["kor"]="279",["koz"]="280",["l é"]="281",["ljá"]="282",["lye"]="283",["n v"]="284",["ni "]="285",["pál"]="286",["ror"]="287",["ról"]="288",["rül"]="289",["s c"]="290",["s p"]="291",["s s"]="292",["s v"]="293",["sok"]="294",["t j"]="295",["t t"]="296",["tar"]="297",["tel"]="298",["vat"]="299"},["icelandic"]={["að "]="0",["um "]="1",[" að"]="2",["ir "]="3",["ið "]="4",["ur "]="5",[" ve"]="6",[" í "]="7",["na "]="8",[" á "]="9",[" se"]="10",[" er"]="11",[" og"]="12",["ar "]="13",["og "]="14",["ver"]="15",[" mi"]="16",["inn"]="17",["nn "]="18",[" fy"]="19",["er "]="20",["fyr"]="21",[" ek"]="22",[" en"]="23",[" ha"]="24",[" he"]="25",["ekk"]="26",[" st"]="27",["ki "]="28",["st "]="29",["ði "]="30",[" ba"]="31",[" me"]="32",[" vi"]="33",["ig "]="34",["rir"]="35",["yri"]="36",[" um"]="37",["g f"]="38",["leg"]="39",["lei"]="40",["ns "]="41",["ð s"]="42",[" ei"]="43",[" þa"]="44",["in "]="45",["kki"]="46",["r h"]="47",["r s"]="48",["egi"]="49",["ein"]="50",["ga "]="51",["ing"]="52",["ra "]="53",["sta"]="54",[" va"]="55",[" þe"]="56",["ann"]="57",["en "]="58",["mil"]="59",["sem"]="60",["tjó"]="61",["arð"]="62",["di "]="63",["eit"]="64",["haf"]="65",["ill"]="66",["ins"]="67",["ist"]="68",["llj"]="69",["ndi"]="70",["r a"]="71",["r e"]="72",["seg"]="73",["un "]="74",["var"]="75",[" bi"]="76",[" el"]="77",[" fo"]="78",[" ge"]="79",[" yf"]="80",["and"]="81",["aug"]="82",["bau"]="83",["big"]="84",["ega"]="85",["eld"]="86",["erð"]="87",["fir"]="88",["foo"]="89",["gin"]="90",["itt"]="91",["n s"]="92",["ngi"]="93",["num"]="94",["od "]="95",["ood"]="96",["sin"]="97",["ta "]="98",["tt "]="99",["við"]="100",["yfi"]="101",["ð e"]="102",["ð f"]="103",[" hr"]="104",[" sé"]="105",[" þv"]="106",["a e"]="107",["a á"]="108",["em "]="109",["gi "]="110",["i f"]="111",["jar"]="112",["jór"]="113",["lja"]="114",["m e"]="115",["r á"]="116",["rei"]="117",["rst"]="118",["rða"]="119",["rði"]="120",["rðu"]="121",["stj"]="122",["und"]="123",["veg"]="124",["ví "]="125",["ð v"]="126",["það"]="127",["því"]="128",[" fj"]="129",[" ko"]="130",[" sl"]="131",["eik"]="132",["end"]="133",["ert"]="134",["ess"]="135",["fjá"]="136",["fur"]="137",["gir"]="138",["hús"]="139",["jár"]="140",["n e"]="141",["ri "]="142",["tar"]="143",["ð þ"]="144",["ðar"]="145",["ður"]="146",["þes"]="147",[" br"]="148",[" hú"]="149",[" kr"]="150",[" le"]="151",[" up"]="152",["a s"]="153",["egg"]="154",["i s"]="155",["irt"]="156",["ja "]="157",["kið"]="158",["len"]="159",["með"]="160",["mik"]="161",["n b"]="162",["nar"]="163",["nir"]="164",["nun"]="165",["r f"]="166",["r v"]="167",["rið"]="168",["rt "]="169",["sti"]="170",["t v"]="171",["ti "]="172",["una"]="173",["upp"]="174",["ða "]="175",["óna"]="176",[" al"]="177",[" fr"]="178",[" gr"]="179",["a v"]="180",["all"]="181",["an "]="182",["da "]="183",["eið"]="184",["eð "]="185",["fa "]="186",["fra"]="187",["g e"]="188",["ger"]="189",["gið"]="190",["gt "]="191",["han"]="192",["hef"]="193",["hel"]="194",["her"]="195",["hra"]="196",["i a"]="197",["i e"]="198",["i v"]="199",["i þ"]="200",["iki"]="201",["jón"]="202",["jör"]="203",["ka "]="204",["kró"]="205",["lík"]="206",["m h"]="207",["n a"]="208",["nga"]="209",["r l"]="210",["ram"]="211",["ru "]="212",["ráð"]="213",["rón"]="214",["svo"]="215",["vin"]="216",["í b"]="217",["í h"]="218",["ð h"]="219",["ð k"]="220",["ð m"]="221",["örð"]="222",[" af"]="223",[" fa"]="224",[" lí"]="225",[" rá"]="226",[" sk"]="227",[" sv"]="228",[" te"]="229",["a b"]="230",["a f"]="231",["a h"]="232",["a k"]="233",["a u"]="234",["afi"]="235",["agn"]="236",["arn"]="237",["ast"]="238",["ber"]="239",["efu"]="240",["enn"]="241",["erb"]="242",["erg"]="243",["fi "]="244",["g a"]="245",["gar"]="246",["iðs"]="247",["ker"]="248",["kke"]="249",["lan"]="250",["ljó"]="251",["llt"]="252",["ma "]="253",["mið"]="254",["n v"]="255",["n í"]="256",["nan"]="257",["nda"]="258",["ndu"]="259",["nið"]="260",["nna"]="261",["nnu"]="262",["nu "]="263",["r o"]="264",["rbe"]="265",["rgi"]="266",["slö"]="267",["sé "]="268",["t a"]="269",["t h"]="270",["til"]="271",["tin"]="272",["ugu"]="273",["vil"]="274",["ygg"]="275",["á s"]="276",["ð a"]="277",["ð b"]="278",["órn"]="279",["ögn"]="280",["öku"]="281",[" at"]="282",[" fi"]="283",[" fé"]="284",[" ka"]="285",[" ma"]="286",[" no"]="287",[" sa"]="288",[" si"]="289",[" ti"]="290",[" ák"]="291",["a m"]="292",["a t"]="293",["a í"]="294",["a þ"]="295",["afa"]="296",["afs"]="297",["ald"]="298",["arf"]="299"},["indonesian"]={["an "]="0",[" me"]="1",["kan"]="2",["ang"]="3",["ng "]="4",[" pe"]="5",["men"]="6",[" di"]="7",[" ke"]="8",[" da"]="9",[" se"]="10",["eng"]="11",[" be"]="12",["nga"]="13",["nya"]="14",[" te"]="15",["ah "]="16",["ber"]="17",["aka"]="18",[" ya"]="19",["dan"]="20",["di "]="21",["yan"]="22",["n p"]="23",["per"]="24",["a m"]="25",["ita"]="26",[" pa"]="27",["da "]="28",["ata"]="29",["ada"]="30",["ya "]="31",["ta "]="32",[" in"]="33",["ala"]="34",["eri"]="35",["ia "]="36",["a d"]="37",["n k"]="38",["am "]="39",["ga "]="40",["at "]="41",["era"]="42",["n d"]="43",["ter"]="44",[" ka"]="45",["a p"]="46",["ari"]="47",["emb"]="48",["n m"]="49",["ri "]="50",[" ba"]="51",["aan"]="52",["ak "]="53",["ra "]="54",[" it"]="55",["ara"]="56",["ela"]="57",["ni "]="58",["ali"]="59",["ran"]="60",["ar "]="61",["eru"]="62",["lah"]="63",["a b"]="64",["asi"]="65",["awa"]="66",["eba"]="67",["gan"]="68",["n b"]="69",[" ha"]="70",["ini"]="71",["mer"]="72",[" la"]="73",[" mi"]="74",["and"]="75",["ena"]="76",["wan"]="77",[" sa"]="78",["aha"]="79",["lam"]="80",["n i"]="81",["nda"]="82",[" wa"]="83",["a i"]="84",["dua"]="85",["g m"]="86",["mi "]="87",["n a"]="88",["rus"]="89",["tel"]="90",["yak"]="91",[" an"]="92",["dal"]="93",["h d"]="94",["i s"]="95",["ing"]="96",["min"]="97",["ngg"]="98",["tak"]="99",["ami"]="100",["beb"]="101",["den"]="102",["gat"]="103",["ian"]="104",["ih "]="105",["pad"]="106",["rga"]="107",["san"]="108",["ua "]="109",[" de"]="110",["a t"]="111",["arg"]="112",["dar"]="113",["elu"]="114",["har"]="115",["i k"]="116",["i m"]="117",["i p"]="118",["ika"]="119",["in "]="120",["iny"]="121",["itu"]="122",["mba"]="123",["n t"]="124",["ntu"]="125",["pan"]="126",["pen"]="127",["sah"]="128",["tan"]="129",["tu "]="130",["a k"]="131",["ban"]="132",["edu"]="133",["eka"]="134",["g d"]="135",["ka "]="136",["ker"]="137",["nde"]="138",["nta"]="139",["ora"]="140",["usa"]="141",[" du"]="142",[" ma"]="143",["a s"]="144",["ai "]="145",["ant"]="146",["bas"]="147",["end"]="148",["i d"]="149",["ira"]="150",["kam"]="151",["lan"]="152",["n s"]="153",["uli"]="154",["al "]="155",["apa"]="156",["ere"]="157",["ert"]="158",["lia"]="159",["mem"]="160",["rka"]="161",["si "]="162",["tal"]="163",["ung"]="164",[" ak"]="165",["a a"]="166",["a w"]="167",["ani"]="168",["ask"]="169",["ent"]="170",["gar"]="171",["haa"]="172",["i i"]="173",["isa"]="174",["ked"]="175",["mbe"]="176",["ska"]="177",["tor"]="178",["uan"]="179",["uk "]="180",["uka"]="181",[" ad"]="182",[" to"]="183",["asa"]="184",["aya"]="185",["bag"]="186",["dia"]="187",["dun"]="188",["erj"]="189",["mas"]="190",["na "]="191",["rek"]="192",["rit"]="193",["sih"]="194",["us "]="195",[" bi"]="196",["a h"]="197",["ama"]="198",["dib"]="199",["ers"]="200",["g s"]="201",["han"]="202",["ik "]="203",["kem"]="204",["ma "]="205",["n l"]="206",["nit"]="207",["r b"]="208",["rja"]="209",["sa "]="210",[" ju"]="211",[" or"]="212",[" si"]="213",[" ti"]="214",["a y"]="215",["aga"]="216",["any"]="217",["as "]="218",["cul"]="219",["eme"]="220",["emu"]="221",["eny"]="222",["epa"]="223",["erb"]="224",["erl"]="225",["gi "]="226",["h m"]="227",["i a"]="228",["kel"]="229",["li "]="230",["mel"]="231",["nia"]="232",["opa"]="233",["rta"]="234",["sia"]="235",["tah"]="236",["ula"]="237",["un "]="238",["unt"]="239",[" at"]="240",[" bu"]="241",[" pu"]="242",[" ta"]="243",["agi"]="244",["alu"]="245",["amb"]="246",["bah"]="247",["bis"]="248",["er "]="249",["i t"]="250",["ibe"]="251",["ir "]="252",["ja "]="253",["k m"]="254",["kar"]="255",["lai"]="256",["lal"]="257",["lu "]="258",["mpa"]="259",["ngk"]="260",["nja"]="261",["or "]="262",["pa "]="263",["pas"]="264",["pem"]="265",["rak"]="266",["rik"]="267",["seb"]="268",["tam"]="269",["tem"]="270",["top"]="271",["tuk"]="272",["uni"]="273",["war"]="274",[" al"]="275",[" ga"]="276",[" ge"]="277",[" ir"]="278",[" ja"]="279",[" mu"]="280",[" na"]="281",[" pr"]="282",[" su"]="283",[" un"]="284",["ad "]="285",["adi"]="286",["akt"]="287",["ann"]="288",["apo"]="289",["bel"]="290",["bul"]="291",["der"]="292",["ega"]="293",["eke"]="294",["ema"]="295",["emp"]="296",["ene"]="297",["enj"]="298",["esa"]="299"},["italian"]={[" di"]="0",["to "]="1",["la "]="2",[" de"]="3",["di "]="4",["no "]="5",[" co"]="6",["re "]="7",["ion"]="8",["e d"]="9",[" e "]="10",["le "]="11",["del"]="12",["ne "]="13",["ti "]="14",["ell"]="15",[" la"]="16",[" un"]="17",["ni "]="18",["i d"]="19",["per"]="20",[" pe"]="21",["ent"]="22",[" in"]="23",["one"]="24",["he "]="25",["ta "]="26",["zio"]="27",["che"]="28",["o d"]="29",["a d"]="30",["na "]="31",["ato"]="32",["e s"]="33",[" so"]="34",["i s"]="35",["lla"]="36",["a p"]="37",["li "]="38",["te "]="39",[" al"]="40",[" ch"]="41",["er "]="42",[" pa"]="43",[" si"]="44",["con"]="45",["sta"]="46",[" pr"]="47",["a c"]="48",[" se"]="49",["el "]="50",["ia "]="51",["si "]="52",["e p"]="53",[" da"]="54",["e i"]="55",["i p"]="56",["ont"]="57",["ano"]="58",["i c"]="59",["all"]="60",["azi"]="61",["nte"]="62",["on "]="63",["nti"]="64",["o s"]="65",[" ri"]="66",["i a"]="67",["o a"]="68",["un "]="69",[" an"]="70",["are"]="71",["ari"]="72",["e a"]="73",["i e"]="74",["ita"]="75",["men"]="76",["ri "]="77",[" ca"]="78",[" il"]="79",[" no"]="80",[" po"]="81",["a s"]="82",["ant"]="83",["il "]="84",["in "]="85",["a l"]="86",["ati"]="87",["cia"]="88",["e c"]="89",["ro "]="90",["ann"]="91",["est"]="92",["gli"]="93",["tà "]="94",[" qu"]="95",["e l"]="96",["nta"]="97",[" a "]="98",["com"]="99",["o c"]="100",["ra "]="101",[" le"]="102",[" ne"]="103",["ali"]="104",["ere"]="105",["ist"]="106",[" ma"]="107",[" è "]="108",["io "]="109",["lle"]="110",["me "]="111",["era"]="112",["ica"]="113",["ost"]="114",["pro"]="115",["tar"]="116",["una"]="117",[" pi"]="118",["da "]="119",["tat"]="120",[" mi"]="121",["att"]="122",["ca "]="123",["mo "]="124",["non"]="125",["par"]="126",["sti"]="127",[" fa"]="128",[" i "]="129",[" re"]="130",[" su"]="131",["ess"]="132",["ini"]="133",["nto"]="134",["o l"]="135",["ssi"]="136",["tto"]="137",["a e"]="138",["ame"]="139",["col"]="140",["ei "]="141",["ma "]="142",["o i"]="143",["za "]="144",[" st"]="145",["a a"]="146",["ale"]="147",["anc"]="148",["ani"]="149",["i m"]="150",["ian"]="151",["o p"]="152",["oni"]="153",["sio"]="154",["tan"]="155",["tti"]="156",[" lo"]="157",["i r"]="158",["oci"]="159",["oli"]="160",["ona"]="161",["ono"]="162",["tra"]="163",[" l "]="164",["a r"]="165",["eri"]="166",["ett"]="167",["lo "]="168",["nza"]="169",["que"]="170",["str"]="171",["ter"]="172",["tta"]="173",[" ba"]="174",[" li"]="175",[" te"]="176",["ass"]="177",["e f"]="178",["enz"]="179",["for"]="180",["nno"]="181",["olo"]="182",["ori"]="183",["res"]="184",["tor"]="185",[" ci"]="186",[" vo"]="187",["a i"]="188",["al "]="189",["chi"]="190",["e n"]="191",["lia"]="192",["pre"]="193",["ria"]="194",["uni"]="195",["ver"]="196",[" sp"]="197",["imo"]="198",["l a"]="199",["l c"]="200",["ran"]="201",["sen"]="202",["soc"]="203",["tic"]="204",[" fi"]="205",[" mo"]="206",["a n"]="207",["ce "]="208",["dei"]="209",["ggi"]="210",["gio"]="211",["iti"]="212",["l s"]="213",["lit"]="214",["ll "]="215",["mon"]="216",["ola"]="217",["pac"]="218",["sim"]="219",["tit"]="220",["utt"]="221",["vol"]="222",[" ar"]="223",[" fo"]="224",[" ha"]="225",[" sa"]="226",["acc"]="227",["e r"]="228",["ire"]="229",["man"]="230",["ntr"]="231",["rat"]="232",["sco"]="233",["tro"]="234",["tut"]="235",["va "]="236",[" do"]="237",[" gi"]="238",[" me"]="239",[" sc"]="240",[" tu"]="241",[" ve"]="242",[" vi"]="243",["a m"]="244",["ber"]="245",["can"]="246",["cit"]="247",["i l"]="248",["ier"]="249",["ità"]="250",["lli"]="251",["min"]="252",["n p"]="253",["nat"]="254",["nda"]="255",["o e"]="256",["o f"]="257",["o u"]="258",["ore"]="259",["oro"]="260",["ort"]="261",["sto"]="262",["ten"]="263",["tiv"]="264",["van"]="265",["art"]="266",["cco"]="267",["ci "]="268",["cos"]="269",["dal"]="270",["e v"]="271",["i i"]="272",["ila"]="273",["ino"]="274",["l p"]="275",["n c"]="276",["nit"]="277",["ole"]="278",["ome"]="279",["po "]="280",["rio"]="281",["sa "]="282",[" ce"]="283",[" es"]="284",[" tr"]="285",["a b"]="286",["and"]="287",["ata"]="288",["der"]="289",["ens"]="290",["ers"]="291",["gi "]="292",["ial"]="293",["ina"]="294",["itt"]="295",["izi"]="296",["lan"]="297",["lor"]="298",["mil"]="299"},["kazakh"]={["ан "]="0",["ен "]="1",["ың "]="2",[" қа"]="3",[" ба"]="4",["ай "]="5",["нда"]="6",["ын "]="7",[" са"]="8",[" ал"]="9",["ді "]="10",["ары"]="11",["ды "]="12",["ып "]="13",[" мұ"]="14",[" бі"]="15",["асы"]="16",["да "]="17",["най"]="18",[" жа"]="19",["мұн"]="20",["ста"]="21",["ған"]="22",["н б"]="23",["ұна"]="24",[" бо"]="25",["ның"]="26",["ін "]="27",["лар"]="28",["сын"]="29",[" де"]="30",["аға"]="31",["тан"]="32",[" кө"]="33",["бір"]="34",["ер "]="35",["мен"]="36",["аза"]="37",["ынд"]="38",["ыны"]="39",[" ме"]="40",["анд"]="41",["ері"]="42",["бол"]="43",["дың"]="44",["қаз"]="45",["аты"]="46",["сы "]="47",["тын"]="48",["ғы "]="49",[" ке"]="50",["ар "]="51",["зақ"]="52",["ық "]="53",["ала"]="54",["алы"]="55",["аны"]="56",["ара"]="57",["ағы"]="58",["ген"]="59",["тар"]="60",["тер"]="61",["тыр"]="62",["айд"]="63",["ард"]="64",["де "]="65",["ға "]="66",[" қо"]="67",["бар"]="68",["ің "]="69",["қан"]="70",[" бе"]="71",[" қы"]="72",["ақс"]="73",["гер"]="74",["дан"]="75",["дар"]="76",["лық"]="77",["лға"]="78",["ына"]="79",["ір "]="80",["ірі"]="81",["ғас"]="82",[" та"]="83",["а б"]="84",["гі "]="85",["еді"]="86",["еле"]="87",["йды"]="88",["н к"]="89",["н т"]="90",["ола"]="91",["рын"]="92",["іп "]="93",["қст"]="94",["қта"]="95",["ң б"]="96",[" ай"]="97",[" ол"]="98",[" со"]="99",["айт"]="100",["дағ"]="101",["иге"]="102",["лер"]="103",["лып"]="104",["н а"]="105",["ік "]="106",["ақт"]="107",["бағ"]="108",["кен"]="109",["н қ"]="110",["ны "]="111",["рге"]="112",["рға"]="113",["ыр "]="114",[" ар"]="115",["алғ"]="116",["аса"]="117",["бас"]="118",["бер"]="119",["ге "]="120",["еті"]="121",["на "]="122",["нде"]="123",["не "]="124",["ниг"]="125",["рды"]="126",["ры "]="127",["сай"]="128",[" ау"]="129",[" кү"]="130",[" ни"]="131",[" от"]="132",[" өз"]="133",["ауд"]="134",["еп "]="135",["иял"]="136",["лты"]="137",["н ж"]="138",["н о"]="139",["осы"]="140",["оты"]="141",["рып"]="142",["рі "]="143",["тке"]="144",["ты "]="145",["ы б"]="146",["ы ж"]="147",["ылы"]="148",["ысы"]="149",["і с"]="150",["қар"]="151",[" бұ"]="152",[" да"]="153",[" же"]="154",[" тұ"]="155",[" құ"]="156",["ады"]="157",["айл"]="158",["ап "]="159",["ата"]="160",["ені"]="161",["йла"]="162",["н м"]="163",["н с"]="164",["нды"]="165",["нді"]="166",["р м"]="167",["тай"]="168",["тін"]="169",["ы т"]="170",["ыс "]="171",["інд"]="172",[" би"]="173",["а ж"]="174",["ауы"]="175",["деп"]="176",["дің"]="177",["еке"]="178",["ери"]="179",["йын"]="180",["кел"]="181",["лды"]="182",["ма "]="183",["нан"]="184",["оны"]="185",["п ж"]="186",["п о"]="187",["р б"]="188",["рия"]="189",["рла"]="190",["уда"]="191",["шыл"]="192",["ы а"]="193",["ықт"]="194",["і а"]="195",["і б"]="196",["із "]="197",["ілі"]="198",["ң қ"]="199",[" ас"]="200",[" ек"]="201",[" жо"]="202",[" мә"]="203",[" ос"]="204",[" ре"]="205",[" се"]="206",["алд"]="207",["дал"]="208",["дег"]="209",["дей"]="210",["е б"]="211",["ет "]="212",["жас"]="213",["й б"]="214",["лау"]="215",["лда"]="216",["мет"]="217",["нын"]="218",["сар"]="219",["сі "]="220",["ті "]="221",["ыры"]="222",["ыта"]="223",["ісі"]="224",["ң а"]="225",["өте"]="226",[" ат"]="227",[" ел"]="228",[" жү"]="229",[" ма"]="230",[" то"]="231",[" шы"]="232",["а а"]="233",["алт"]="234",["ама"]="235",["арл"]="236",["аст"]="237",["бұл"]="238",["дай"]="239",["дық"]="240",["ек "]="241",["ель"]="242",["есі"]="243",["зді"]="244",["көт"]="245",["лем"]="246",["ль "]="247",["н е"]="248",["п а"]="249",["р а"]="250",["рес"]="251",["са "]="252",["та "]="253",["тте"]="254",["тұр"]="255",["шы "]="256",["ы д"]="257",["ы қ"]="258",["ыз "]="259",["қыт"]="260",[" ко"]="261",[" не"]="262",[" ой"]="263",[" ор"]="264",[" сұ"]="265",[" тү"]="266",["аль"]="267",["аре"]="268",["атт"]="269",["дір"]="270",["ев "]="271",["егі"]="272",["еда"]="273",["екі"]="274",["елд"]="275",["ерг"]="276",["ерд"]="277",["ияд"]="278",["кер"]="279",["кет"]="280",["лыс"]="281",["ліс"]="282",["мед"]="283",["мпи"]="284",["н д"]="285",["ні "]="286",["нін"]="287",["п т"]="288",["пек"]="289",["рел"]="290",["рта"]="291",["ріл"]="292",["рін"]="293",["сен"]="294",["тал"]="295",["шіл"]="296",["ы к"]="297",["ы м"]="298",["ыст"]="299"},["kyrgyz"]={["ын "]="0",["ан "]="1",[" жа"]="2",["ен "]="3",["да "]="4",[" та"]="5",["ар "]="6",["ин "]="7",[" ка"]="8",["ары"]="9",[" ал"]="10",[" ба"]="11",[" би"]="12",["лар"]="13",[" бо"]="14",[" кы"]="15",["ала"]="16",["н к"]="17",[" са"]="18",["нда"]="19",["ган"]="20",["тар"]="21",[" де"]="22",["анд"]="23",["н б"]="24",[" ке"]="25",["ард"]="26",["мен"]="27",["н т"]="28",["ара"]="29",["нын"]="30",[" да"]="31",[" ме"]="32",["кыр"]="33",[" че"]="34",["н а"]="35",["ры "]="36",[" ко"]="37",["ген"]="38",["дар"]="39",["кен"]="40",["кта"]="41",["уу "]="42",["ене"]="43",["ери"]="44",[" ша"]="45",["алы"]="46",["ат "]="47",["на "]="48",[" кө"]="49",[" эм"]="50",["аты"]="51",["дан"]="52",["деп"]="53",["дын"]="54",["еп "]="55",["нен"]="56",["рын"]="57",[" бе"]="58",["кан"]="59",["луу"]="60",["ргы"]="61",["тан"]="62",["шай"]="63",["ырг"]="64",["үн "]="65",[" ар"]="66",[" ма"]="67",["агы"]="68",["акт"]="69",["аны"]="70",["гы "]="71",["гыз"]="72",["ды "]="73",["рда"]="74",["ай "]="75",["бир"]="76",["бол"]="77",["ер "]="78",["н с"]="79",["нды"]="80",["ун "]="81",["ча "]="82",["ынд"]="83",["а к"]="84",["ага"]="85",["айл"]="86",["ана"]="87",["ап "]="88",["га "]="89",["лге"]="90",["нча"]="91",["п к"]="92",["рды"]="93",["туу"]="94",["ыны"]="95",[" ан"]="96",[" өз"]="97",["ама"]="98",["ата"]="99",["дин"]="100",["йт "]="101",["лга"]="102",["лоо"]="103",["оо "]="104",["ри "]="105",["тин"]="106",["ыз "]="107",["ып "]="108",["өрү"]="109",[" па"]="110",[" эк"]="111",["а б"]="112",["алг"]="113",["асы"]="114",["ашт"]="115",["биз"]="116",["кел"]="117",["кте"]="118",["тал"]="119",[" не"]="120",[" су"]="121",["акы"]="122",["ент"]="123",["инд"]="124",["ир "]="125",["кал"]="126",["н д"]="127",["нде"]="128",["ого"]="129",["онд"]="130",["оюн"]="131",["р б"]="132",["р м"]="133",["ран"]="134",["сал"]="135",["ста"]="136",["сы "]="137",["ура"]="138",["ыгы"]="139",[" аш"]="140",[" ми"]="141",[" сы"]="142",[" ту"]="143",["ал "]="144",["арт"]="145",["бор"]="146",["елг"]="147",["ени"]="148",["ет "]="149",["жат"]="150",["йло"]="151",["кар"]="152",["н м"]="153",["огу"]="154",["п а"]="155",["п ж"]="156",["р э"]="157",["сын"]="158",["ык "]="159",["юнч"]="160",[" бу"]="161",[" ур"]="162",["а а"]="163",["ак "]="164",["алд"]="165",["алу"]="166",["бар"]="167",["бер"]="168",["бою"]="169",["ге "]="170",["дон"]="171",["еги"]="172",["ект"]="173",["ефт"]="174",["из "]="175",["кат"]="176",["лды"]="177",["н ч"]="178",["н э"]="179",["н ө"]="180",["ндо"]="181",["неф"]="182",["он "]="183",["сат"]="184",["тор"]="185",["ты "]="186",["уда"]="187",["ул "]="188",["ула"]="189",["ууд"]="190",["ы б"]="191",["ы ж"]="192",["ы к"]="193",["ыл "]="194",["ына"]="195",["эке"]="196",["ясы"]="197",[" ат"]="198",[" до"]="199",[" жы"]="200",[" со"]="201",[" чы"]="202",["аас"]="203",["айт"]="204",["аст"]="205",["баа"]="206",["баш"]="207",["гар"]="208",["гын"]="209",["дө "]="210",["е б"]="211",["ек "]="212",["жыл"]="213",["и б"]="214",["ик "]="215",["ияс"]="216",["кыз"]="217",["лда"]="218",["лык"]="219",["мда"]="220",["н ж"]="221",["нди"]="222",["ни "]="223",["нин"]="224",["орд"]="225",["рдо"]="226",["сто"]="227",["та "]="228",["тер"]="229",["тти"]="230",["тур"]="231",["тын"]="232",["уп "]="233",["ушу"]="234",["фти"]="235",["ыкт"]="236",["үп "]="237",["өн "]="238",[" ай"]="239",[" бү"]="240",[" ич"]="241",[" иш"]="242",[" мо"]="243",[" пр"]="244",[" ре"]="245",[" өк"]="246",[" өт"]="247",["а д"]="248",["а у"]="249",["а э"]="250",["айм"]="251",["амд"]="252",["атт"]="253",["бек"]="254",["бул"]="255",["гол"]="256",["дег"]="257",["еге"]="258",["ейт"]="259",["еле"]="260",["енд"]="261",["жак"]="262",["и к"]="263",["ини"]="264",["ири"]="265",["йма"]="266",["кто"]="267",["лик"]="268",["мак"]="269",["мес"]="270",["н у"]="271",["н ш"]="272",["нтт"]="273",["ол "]="274",["оло"]="275",["пар"]="276",["рак"]="277",["рүү"]="278",["сыр"]="279",["ти "]="280",["тик"]="281",["тта"]="282",["төр"]="283",["у ж"]="284",["у с"]="285",["шка"]="286",["ы м"]="287",["ызы"]="288",["ылд"]="289",["эме"]="290",["үрү"]="291",["өлү"]="292",["өтө"]="293",[" же"]="294",[" тү"]="295",[" эл"]="296",[" өн"]="297",["а ж"]="298",["ады"]="299"},["latin"]={["um "]="0",["us "]="1",["ut "]="2",["et "]="3",["is "]="4",[" et"]="5",[" in"]="6",[" qu"]="7",["tur"]="8",[" pr"]="9",["est"]="10",["tio"]="11",[" au"]="12",["am "]="13",["em "]="14",["aut"]="15",[" di"]="16",["ent"]="17",["in "]="18",["dic"]="19",["t e"]="20",[" es"]="21",["ur "]="22",["ati"]="23",["ion"]="24",["st "]="25",[" ut"]="26",["ae "]="27",["qua"]="28",[" de"]="29",["nt "]="30",[" su"]="31",[" si"]="32",["itu"]="33",["unt"]="34",["rum"]="35",["ia "]="36",["es "]="37",["ter"]="38",[" re"]="39",["nti"]="40",["rae"]="41",["s e"]="42",["qui"]="43",["io "]="44",["pro"]="45",["it "]="46",["per"]="47",["ita"]="48",["one"]="49",["ici"]="50",["ius"]="51",[" co"]="52",["t d"]="53",["bus"]="54",["pra"]="55",["m e"]="56",[" no"]="57",["edi"]="58",["tia"]="59",["ue "]="60",["ibu"]="61",[" se"]="62",[" ad"]="63",["er "]="64",[" fi"]="65",["ili"]="66",["que"]="67",["t i"]="68",["de "]="69",["oru"]="70",[" te"]="71",["ali"]="72",[" pe"]="73",["aed"]="74",["cit"]="75",["m d"]="76",["t s"]="77",["tat"]="78",["tem"]="79",["tis"]="80",["t p"]="81",["sti"]="82",["te "]="83",["cum"]="84",["ere"]="85",["ium"]="86",[" ex"]="87",["rat"]="88",["ta "]="89",["con"]="90",["cti"]="91",["oni"]="92",["ra "]="93",["s i"]="94",[" cu"]="95",[" sa"]="96",["eni"]="97",["nis"]="98",["nte"]="99",["eri"]="100",["omi"]="101",["re "]="102",["s a"]="103",["min"]="104",["os "]="105",["ti "]="106",["uer"]="107",[" ma"]="108",[" ue"]="109",["m s"]="110",["nem"]="111",["t m"]="112",[" mo"]="113",[" po"]="114",[" ui"]="115",["gen"]="116",["ict"]="117",["m i"]="118",["ris"]="119",["s s"]="120",["t a"]="121",["uae"]="122",[" do"]="123",["m a"]="124",["t c"]="125",[" ge"]="126",["as "]="127",["e i"]="128",["e p"]="129",["ne "]="130",[" ca"]="131",["ine"]="132",["quo"]="133",["s p"]="134",[" al"]="135",["e e"]="136",["ntu"]="137",["ro "]="138",["tri"]="139",["tus"]="140",["uit"]="141",["atu"]="142",["ini"]="143",["iqu"]="144",["m p"]="145",["ost"]="146",["res"]="147",["ura"]="148",[" ac"]="149",[" fu"]="150",["a e"]="151",["ant"]="152",["nes"]="153",["nim"]="154",["sun"]="155",["tra"]="156",["e a"]="157",["s d"]="158",[" pa"]="159",[" uo"]="160",["ecu"]="161",[" om"]="162",[" tu"]="163",["ad "]="164",["cut"]="165",["omn"]="166",["s q"]="167",[" ei"]="168",["ex "]="169",["icu"]="170",["tor"]="171",["uid"]="172",[" ip"]="173",[" me"]="174",["e s"]="175",["era"]="176",["eru"]="177",["iam"]="178",["ide"]="179",["ips"]="180",[" iu"]="181",["a s"]="182",["do "]="183",["e d"]="184",["eiu"]="185",["ica"]="186",["im "]="187",["m c"]="188",["m u"]="189",["tiu"]="190",[" ho"]="191",["cat"]="192",["ist"]="193",["nat"]="194",["on "]="195",["pti"]="196",["reg"]="197",["rit"]="198",["s t"]="199",["sic"]="200",["spe"]="201",[" en"]="202",[" sp"]="203",["dis"]="204",["eli"]="205",["liq"]="206",["lis"]="207",["men"]="208",["mus"]="209",["num"]="210",["pos"]="211",["sio"]="212",[" an"]="213",[" gr"]="214",["abi"]="215",["acc"]="216",["ect"]="217",["ri "]="218",["uan"]="219",[" le"]="220",["ecc"]="221",["ete"]="222",["gra"]="223",["non"]="224",["se "]="225",["uen"]="226",["uis"]="227",[" fa"]="228",[" tr"]="229",["ate"]="230",["e c"]="231",["fil"]="232",["na "]="233",["ni "]="234",["pul"]="235",["s f"]="236",["ui "]="237",["at "]="238",["cce"]="239",["dam"]="240",["i e"]="241",["ina"]="242",["leg"]="243",["nos"]="244",["ori"]="245",["pec"]="246",["rop"]="247",["sta"]="248",["uia"]="249",["ene"]="250",["iue"]="251",["iui"]="252",["siu"]="253",["t t"]="254",["t u"]="255",["tib"]="256",["tit"]="257",[" da"]="258",[" ne"]="259",["a d"]="260",["and"]="261",["ege"]="262",["equ"]="263",["hom"]="264",["imu"]="265",["lor"]="266",["m m"]="267",["mni"]="268",["ndo"]="269",["ner"]="270",["o e"]="271",["r e"]="272",["sit"]="273",["tum"]="274",["utu"]="275",["a p"]="276",["bis"]="277",["bit"]="278",["cer"]="279",["cta"]="280",["dom"]="281",["fut"]="282",["i s"]="283",["ign"]="284",["int"]="285",["mod"]="286",["ndu"]="287",["nit"]="288",["rib"]="289",["rti"]="290",["tas"]="291",["und"]="292",[" ab"]="293",["err"]="294",["ers"]="295",["ite"]="296",["iti"]="297",["m t"]="298",["o p"]="299"},["latvian"]={["as "]="0",[" la"]="1",[" pa"]="2",[" ne"]="3",["es "]="4",[" un"]="5",["un "]="6",[" ka"]="7",[" va"]="8",["ar "]="9",["s p"]="10",[" ar"]="11",[" vi"]="12",["is "]="13",["ai "]="14",[" no"]="15",["ja "]="16",["ija"]="17",["iem"]="18",["em "]="19",["tu "]="20",["tie"]="21",["vie"]="22",["lat"]="23",["aks"]="24",["ien"]="25",["kst"]="26",["ies"]="27",["s a"]="28",["rak"]="29",["atv"]="30",["tvi"]="31",[" ja"]="32",[" pi"]="33",["ka "]="34",[" ir"]="35",["ir "]="36",["ta "]="37",[" sa"]="38",["ts "]="39",[" kā"]="40",["ās "]="41",[" ti"]="42",["ot "]="43",["s n"]="44",[" ie"]="45",[" ta"]="46",["arī"]="47",["par"]="48",["pie"]="49",[" pr"]="50",["kā "]="51",[" at"]="52",[" ra"]="53",["am "]="54",["inā"]="55",["tā "]="56",[" iz"]="57",["jas"]="58",["lai"]="59",[" na"]="60",["aut"]="61",["ieš"]="62",["s s"]="63",[" ap"]="64",[" ko"]="65",[" st"]="66",["iek"]="67",["iet"]="68",["jau"]="69",["us "]="70",["rī "]="71",["tik"]="72",["ība"]="73",["na "]="74",[" ga"]="75",["cij"]="76",["s i"]="77",[" uz"]="78",["jum"]="79",["s v"]="80",["ms "]="81",["var"]="82",[" ku"]="83",[" ma"]="84",["jā "]="85",["sta"]="86",["s u"]="87",[" tā"]="88",["die"]="89",["kai"]="90",["kas"]="91",["ska"]="92",[" ci"]="93",[" da"]="94",["kur"]="95",["lie"]="96",["tas"]="97",["a p"]="98",["est"]="99",["stā"]="100",["šan"]="101",["nes"]="102",["nie"]="103",["s d"]="104",["s m"]="105",["val"]="106",[" di"]="107",[" es"]="108",[" re"]="109",["no "]="110",["to "]="111",["umu"]="112",["vai"]="113",["ši "]="114",[" vē"]="115",["kum"]="116",["nu "]="117",["rie"]="118",["s t"]="119",["ām "]="120",["ad "]="121",["et "]="122",["mu "]="123",["s l"]="124",[" be"]="125",["aud"]="126",["tur"]="127",["vij"]="128",["viņ"]="129",["āju"]="130",["bas"]="131",["gad"]="132",["i n"]="133",["ika"]="134",["os "]="135",["a v"]="136",["not"]="137",["oti"]="138",["sts"]="139",["aik"]="140",["u a"]="141",["ā a"]="142",["āk "]="143",[" to"]="144",["ied"]="145",["stu"]="146",["ti "]="147",["u p"]="148",["vēl"]="149",["āci"]="150",[" šo"]="151",["gi "]="152",["ko "]="153",["pro"]="154",["s r"]="155",["tāj"]="156",["u s"]="157",["u v"]="158",["vis"]="159",["aun"]="160",["ks "]="161",["str"]="162",["zin"]="163",["a a"]="164",["adī"]="165",["da "]="166",["dar"]="167",["ena"]="168",["ici"]="169",["kra"]="170",["nas"]="171",["stī"]="172",["šu "]="173",[" mē"]="174",["a n"]="175",["eci"]="176",["i s"]="177",["ie "]="178",["iņa"]="179",["ju "]="180",["las"]="181",["r t"]="182",["ums"]="183",["šie"]="184",["bu "]="185",["cit"]="186",["i a"]="187",["ina"]="188",["ma "]="189",["pus"]="190",["ra "]="191",[" au"]="192",[" se"]="193",[" sl"]="194",["a s"]="195",["ais"]="196",["eši"]="197",["iec"]="198",["iku"]="199",["pār"]="200",["s b"]="201",["s k"]="202",["sot"]="203",["ādā"]="204",[" in"]="205",[" li"]="206",[" tr"]="207",["ana"]="208",["eso"]="209",["ikr"]="210",["man"]="211",["ne "]="212",["u k"]="213",[" tu"]="214",["an "]="215",["av "]="216",["bet"]="217",["būt"]="218",["im "]="219",["isk"]="220",["līd"]="221",["nav"]="222",["ras"]="223",["ri "]="224",["s g"]="225",["sti"]="226",["īdz"]="227",[" ai"]="228",["arb"]="229",["cin"]="230",["das"]="231",["ent"]="232",["gal"]="233",["i p"]="234",["lik"]="235",["mā "]="236",["nek"]="237",["pat"]="238",["rēt"]="239",["si "]="240",["tra"]="241",["uši"]="242",["vei"]="243",[" br"]="244",[" pu"]="245",[" sk"]="246",["als"]="247",["ama"]="248",["edz"]="249",["eka"]="250",["ešu"]="251",["ieg"]="252",["jis"]="253",["kam"]="254",["lst"]="255",["nāk"]="256",["oli"]="257",["pre"]="258",["pēc"]="259",["rot"]="260",["tās"]="261",["usi"]="262",["ēl "]="263",["ēs "]="264",[" bi"]="265",[" de"]="266",[" me"]="267",[" pā"]="268",["a i"]="269",["aid"]="270",["ajā"]="271",["ikt"]="272",["kat"]="273",["lic"]="274",["lod"]="275",["mi "]="276",["ni "]="277",["pri"]="278",["rād"]="279",["rīg"]="280",["sim"]="281",["trā"]="282",["u l"]="283",["uto"]="284",["uz "]="285",["ēc "]="286",["ītā"]="287",[" ce"]="288",[" jā"]="289",[" sv"]="290",["a t"]="291",["aga"]="292",["aiz"]="293",["atu"]="294",["ba "]="295",["cie"]="296",["du "]="297",["dzi"]="298",["dzī"]="299"},["lithuanian"]={["as "]="0",[" pa"]="1",[" ka"]="2",["ai "]="3",["us "]="4",["os "]="5",["is "]="6",[" ne"]="7",[" ir"]="8",["ir "]="9",["ti "]="10",[" pr"]="11",["aus"]="12",["ini"]="13",["s p"]="14",["pas"]="15",["ių "]="16",[" ta"]="17",[" vi"]="18",["iau"]="19",[" ko"]="20",[" su"]="21",["kai"]="22",["o p"]="23",["usi"]="24",[" sa"]="25",["vo "]="26",["tai"]="27",["ali"]="28",["tų "]="29",["io "]="30",["jo "]="31",["s k"]="32",["sta"]="33",["iai"]="34",[" bu"]="35",[" nu"]="36",["ius"]="37",["mo "]="38",[" po"]="39",["ien"]="40",["s s"]="41",["tas"]="42",[" me"]="43",["uvo"]="44",["kad"]="45",[" iš"]="46",[" la"]="47",["to "]="48",["ais"]="49",["ie "]="50",["kur"]="51",["uri"]="52",[" ku"]="53",["ijo"]="54",["čia"]="55",["au "]="56",["met"]="57",["je "]="58",[" va"]="59",["ad "]="60",[" ap"]="61",["and"]="62",[" gr"]="63",[" ti"]="64",["kal"]="65",["asi"]="66",["i p"]="67",["iči"]="68",["s i"]="69",["s v"]="70",["ink"]="71",["o n"]="72",["ės "]="73",["buv"]="74",["s a"]="75",[" ga"]="76",["aip"]="77",["avi"]="78",["mas"]="79",["pri"]="80",["tik"]="81",[" re"]="82",["etu"]="83",["jos"]="84",[" da"]="85",["ent"]="86",["oli"]="87",["par"]="88",["ant"]="89",["ara"]="90",["tar"]="91",["ama"]="92",["gal"]="93",["imo"]="94",["išk"]="95",["o s"]="96",[" at"]="97",[" be"]="98",[" į "]="99",["min"]="100",["tin"]="101",[" tu"]="102",["s n"]="103",[" jo"]="104",["dar"]="105",["ip "]="106",["rei"]="107",[" te"]="108",["dži"]="109",["kas"]="110",["nin"]="111",["tei"]="112",["vie"]="113",[" li"]="114",[" se"]="115",["cij"]="116",["gar"]="117",["lai"]="118",["art"]="119",["lau"]="120",["ras"]="121",["no "]="122",["o k"]="123",["tą "]="124",[" ar"]="125",["ėjo"]="126",["vič"]="127",["iga"]="128",["pra"]="129",["vis"]="130",[" na"]="131",["men"]="132",["oki"]="133",["raš"]="134",["s t"]="135",["iet"]="136",["ika"]="137",["int"]="138",["kom"]="139",["tam"]="140",["aug"]="141",["avo"]="142",["rie"]="143",["s b"]="144",[" st"]="145",["eim"]="146",["ko "]="147",["nus"]="148",["pol"]="149",["ria"]="150",["sau"]="151",["api"]="152",["me "]="153",["ne "]="154",["sik"]="155",[" ši"]="156",["i n"]="157",["ia "]="158",["ici"]="159",["oja"]="160",["sak"]="161",["sti"]="162",["ui "]="163",["ame"]="164",["lie"]="165",["o t"]="166",["pie"]="167",["čiu"]="168",[" di"]="169",[" pe"]="170",["gri"]="171",["ios"]="172",["lia"]="173",["lin"]="174",["s d"]="175",["s g"]="176",["ta "]="177",["uot"]="178",[" ja"]="179",[" už"]="180",["aut"]="181",["i s"]="182",["ino"]="183",["mą "]="184",["oje"]="185",["rav"]="186",["dėl"]="187",["nti"]="188",["o a"]="189",["toj"]="190",["ėl "]="191",[" to"]="192",[" vy"]="193",["ar "]="194",["ina"]="195",["lic"]="196",["o v"]="197",["sei"]="198",["su "]="199",[" mi"]="200",[" pi"]="201",["din"]="202",["iš "]="203",["lan"]="204",["si "]="205",["tus"]="206",[" ba"]="207",["asa"]="208",["ata"]="209",["kla"]="210",["omi"]="211",["tat"]="212",[" an"]="213",[" ji"]="214",["als"]="215",["ena"]="216",["jų "]="217",["nuo"]="218",["per"]="219",["rig"]="220",["s m"]="221",["val"]="222",["yta"]="223",["čio"]="224",[" ra"]="225",["i k"]="226",["lik"]="227",["net"]="228",["nė "]="229",["tis"]="230",["tuo"]="231",["yti"]="232",["ęs "]="233",["ų s"]="234",["ada"]="235",["ari"]="236",["do "]="237",["eik"]="238",["eis"]="239",["ist"]="240",["lst"]="241",["ma "]="242",["nes"]="243",["sav"]="244",["sio"]="245",["tau"]="246",[" ki"]="247",["aik"]="248",["aud"]="249",["ies"]="250",["ori"]="251",["s r"]="252",["ska"]="253",[" ge"]="254",["ast"]="255",["eig"]="256",["et "]="257",["iam"]="258",["isa"]="259",["mis"]="260",["nam"]="261",["ome"]="262",["žia"]="263",["aba"]="264",["aul"]="265",["ikr"]="266",["ką "]="267",["nta"]="268",["ra "]="269",["tur"]="270",[" ma"]="271",["die"]="272",["ei "]="273",["i t"]="274",["nas"]="275",["rin"]="276",["sto"]="277",["tie"]="278",["tuv"]="279",["vos"]="280",["ų p"]="281",[" dė"]="282",["are"]="283",["ats"]="284",["enė"]="285",["ili"]="286",["ima"]="287",["kar"]="288",["ms "]="289",["nia"]="290",["r p"]="291",["rod"]="292",["s l"]="293",[" o "]="294",["e p"]="295",["es "]="296",["ide"]="297",["ik "]="298",["ja "]="299"},["macedonian"]={["на "]="0",[" на"]="1",["та "]="2",["ата"]="3",["ија"]="4",[" пр"]="5",["то "]="6",["ја "]="7",[" за"]="8",["а н"]="9",[" и "]="10",["а с"]="11",["те "]="12",["ите"]="13",[" ко"]="14",["от "]="15",[" де"]="16",[" по"]="17",["а д"]="18",["во "]="19",["за "]="20",[" во"]="21",[" од"]="22",[" се"]="23",[" не"]="24",["се "]="25",[" до"]="26",["а в"]="27",["ка "]="28",["ање"]="29",["а п"]="30",["о п"]="31",["ува"]="32",["циј"]="33",["а о"]="34",["ици"]="35",["ето"]="36",["о н"]="37",["ани"]="38",["ни "]="39",[" вл"]="40",["дек"]="41",["ека"]="42",["њет"]="43",["ќе "]="44",[" е "]="45",["а з"]="46",["а и"]="47",["ат "]="48",["вла"]="49",["го "]="50",["е н"]="51",["од "]="52",["пре"]="53",[" го"]="54",[" да"]="55",[" ма"]="56",[" ре"]="57",[" ќе"]="58",["али"]="59",["и д"]="60",["и н"]="61",["иот"]="62",["нат"]="63",["ово"]="64",[" па"]="65",[" ра"]="66",[" со"]="67",["ове"]="68",["пра"]="69",["што"]="70",["ње "]="71",["а е"]="72",["да "]="73",["дат"]="74",["дон"]="75",["е в"]="76",["е д"]="77",["е з"]="78",["е с"]="79",["кон"]="80",["нит"]="81",["но "]="82",["они"]="83",["ото"]="84",["пар"]="85",["при"]="86",["ста"]="87",["т н"]="88",[" шт"]="89",["а к"]="90",["аци"]="91",["ва "]="92",["вањ"]="93",["е п"]="94",["ени"]="95",["ла "]="96",["лад"]="97",["мак"]="98",["нес"]="99",["нос"]="100",["про"]="101",["рен"]="102",["јат"]="103",[" ин"]="104",[" ме"]="105",[" то"]="106",["а г"]="107",["а м"]="108",["а р"]="109",["аке"]="110",["ако"]="111",["вор"]="112",["гов"]="113",["едо"]="114",["ена"]="115",["и и"]="116",["ира"]="117",["кед"]="118",["не "]="119",["ниц"]="120",["ниј"]="121",["ост"]="122",["ра "]="123",["рат"]="124",["ред"]="125",["ска"]="126",["тен"]="127",[" ка"]="128",[" сп"]="129",[" ја"]="130",["а т"]="131",["аде"]="132",["арт"]="133",["е г"]="134",["е и"]="135",["кат"]="136",["лас"]="137",["нио"]="138",["о с"]="139",["ри "]="140",[" ба"]="141",[" би"]="142",["ава"]="143",["ате"]="144",["вни"]="145",["д н"]="146",["ден"]="147",["дов"]="148",["држ"]="149",["дув"]="150",["е о"]="151",["ен "]="152",["ере"]="153",["ери"]="154",["и п"]="155",["и с"]="156",["ина"]="157",["кој"]="158",["нци"]="159",["о м"]="160",["о о"]="161",["одн"]="162",["пор"]="163",["ски"]="164",["спо"]="165",["ств"]="166",["сти"]="167",["тво"]="168",["ти "]="169",[" об"]="170",[" ов"]="171",["а б"]="172",["алн"]="173",["ара"]="174",["бар"]="175",["е к"]="176",["ед "]="177",["ент"]="178",["еѓу"]="179",["и о"]="180",["ии "]="181",["меѓ"]="182",["о д"]="183",["оја"]="184",["пот"]="185",["раз"]="186",["раш"]="187",["спр"]="188",["сто"]="189",["т д"]="190",["ци "]="191",[" бе"]="192",[" гр"]="193",[" др"]="194",[" из"]="195",[" ст"]="196",["аа "]="197",["бид"]="198",["вед"]="199",["гла"]="200",["еко"]="201",["енд"]="202",["есе"]="203",["етс"]="204",["зац"]="205",["и т"]="206",["иза"]="207",["инс"]="208",["ист"]="209",["ки "]="210",["ков"]="211",["кол"]="212",["ку "]="213",["лиц"]="214",["о з"]="215",["о и"]="216",["ова"]="217",["олк"]="218",["оре"]="219",["ори"]="220",["под"]="221",["рањ"]="222",["реф"]="223",["ржа"]="224",["ров"]="225",["рти"]="226",["со "]="227",["тор"]="228",["фер"]="229",["цен"]="230",["цит"]="231",[" а "]="232",[" вр"]="233",[" гл"]="234",[" дп"]="235",[" мо"]="236",[" ни"]="237",[" но"]="238",[" оп"]="239",[" от"]="240",["а ќ"]="241",["або"]="242",["ада"]="243",["аса"]="244",["аша"]="245",["ба "]="246",["бот"]="247",["ваа"]="248",["ват"]="249",["вот"]="250",["ги "]="251",["гра"]="252",["де "]="253",["дин"]="254",["дум"]="255",["евр"]="256",["еду"]="257",["ено"]="258",["ера"]="259",["ес "]="260",["ење"]="261",["же "]="262",["зак"]="263",["и в"]="264",["ила"]="265",["иту"]="266",["коа"]="267",["кои"]="268",["лан"]="269",["лку"]="270",["лож"]="271",["мот"]="272",["нду"]="273",["нст"]="274",["о в"]="275",["оа "]="276",["оал"]="277",["обр"]="278",["ов "]="279",["ови"]="280",["овн"]="281",["ои "]="282",["ор "]="283",["орм"]="284",["ој "]="285",["рет"]="286",["сед"]="287",["ст "]="288",["тер"]="289",["тиј"]="290",["тоа"]="291",["фор"]="292",["ции"]="293",["ѓу "]="294",[" ал"]="295",[" ве"]="296",[" вм"]="297",[" ги"]="298",[" ду"]="299"},["mongolian"]={["ын "]="0",[" ба"]="1",["йн "]="2",["бай"]="3",["ийн"]="4",["уул"]="5",[" ул"]="6",["улс"]="7",["ан "]="8",[" ха"]="9",["ний"]="10",["н х"]="11",["гаа"]="12",["сын"]="13",["ий "]="14",["лсы"]="15",[" бо"]="16",["й б"]="17",["эн "]="18",["ах "]="19",["бол"]="20",["ол "]="21",["н б"]="22",["оло"]="23",[" хэ"]="24",["онг"]="25",["гол"]="26",["гуу"]="27",["нго"]="28",["ыг "]="29",["жил"]="30",[" мо"]="31",["лаг"]="32",["лла"]="33",["мон"]="34",[" тє"]="35",[" ху"]="36",["айд"]="37",["ны "]="38",["он "]="39",["сан"]="40",["хий"]="41",[" аж"]="42",[" ор"]="43",["л у"]="44",["н т"]="45",["улг"]="46",["айг"]="47",["длы"]="48",["йг "]="49",[" за"]="50",["дэс"]="51",["н а"]="52",["ндэ"]="53",["ула"]="54",["ээ "]="55",["ага"]="56",["ийг"]="57",["vй "]="58",["аа "]="59",["й а"]="60",["лын"]="61",["н з"]="62",[" аю"]="63",[" зє"]="64",["аар"]="65",["ад "]="66",["ар "]="67",["гvй"]="68",["зєв"]="69",["ажи"]="70",["ал "]="71",["аюу"]="72",["г х"]="73",["лгv"]="74",["лж "]="75",["сни"]="76",["эсн"]="77",["юул"]="78",["йдл"]="79",["лыг"]="80",["нхи"]="81",["ууд"]="82",["хам"]="83",[" нэ"]="84",[" са"]="85",["гий"]="86",["лах"]="87",["лєл"]="88",["рєн"]="89",["єгч"]="90",[" та"]="91",["илл"]="92",["лий"]="93",["лэх"]="94",["рий"]="95",["эх "]="96",[" ер"]="97",[" эр"]="98",["влє"]="99",["ерє"]="100",["ийл"]="101",["лон"]="102",["лєг"]="103",["євл"]="104",["єнх"]="105",[" хо"]="106",["ари"]="107",["их "]="108",["хан"]="109",["эр "]="110",["єн "]="111",["vvл"]="112",["ж б"]="113",["тэй"]="114",["х х"]="115",["эрх"]="116",[" vн"]="117",[" нь"]="118",["vнд"]="119",["алт"]="120",["йлє"]="121",["нь "]="122",["тєр"]="123",[" га"]="124",[" су"]="125",["аан"]="126",["даа"]="127",["илц"]="128",["йгу"]="129",["л а"]="130",["лаа"]="131",["н н"]="132",["руу"]="133",["эй "]="134",[" то"]="135",["н с"]="136",["рил"]="137",["єри"]="138",["ааг"]="139",["гч "]="140",["лээ"]="141",["н о"]="142",["рэг"]="143",["суу"]="144",["эрэ"]="145",["їїл"]="146",[" yн"]="147",[" бу"]="148",[" дэ"]="149",[" ол"]="150",[" ту"]="151",[" ши"]="152",["yнд"]="153",["аши"]="154",["г т"]="155",["иг "]="156",["йл "]="157",["хар"]="158",["шин"]="159",["эг "]="160",["єр "]="161",[" их"]="162",[" хє"]="163",[" хї"]="164",["ам "]="165",["анг"]="166",["ин "]="167",["йга"]="168",["лса"]="169",["н v"]="170",["н е"]="171",["нал"]="172",["нд "]="173",["хуу"]="174",["цаа"]="175",["эд "]="176",["ээр"]="177",["єл "]="178",["vйл"]="179",["ада"]="180",["айн"]="181",["ала"]="182",["амт"]="183",["гах"]="184",["д х"]="185",["дал"]="186",["зар"]="187",["л б"]="188",["лан"]="189",["н д"]="190",["сэн"]="191",["улл"]="192",["х б"]="193",["хэр"]="194",[" бv"]="195",[" да"]="196",[" зо"]="197",["vрэ"]="198",["аад"]="199",["гээ"]="200",["лэн"]="201",["н и"]="202",["н э"]="203",["нга"]="204",["нэ "]="205",["тал"]="206",["тын"]="207",["хур"]="208",["эл "]="209",[" на"]="210",[" ни"]="211",[" он"]="212",["vлэ"]="213",["аг "]="214",["аж "]="215",["ай "]="216",["ата"]="217",["бар"]="218",["г б"]="219",["гад"]="220",["гїй"]="221",["й х"]="222",["лт "]="223",["н м"]="224",["на "]="225",["оро"]="226",["уль"]="227",["чин"]="228",["эж "]="229",["энэ"]="230",["ээд"]="231",["їй "]="232",["їлэ"]="233",[" би"]="234",[" тэ"]="235",[" эн"]="236",["аны"]="237",["дий"]="238",["дээ"]="239",["лал"]="240",["лга"]="241",["лд "]="242",["лог"]="243",["ль "]="244",["н у"]="245",["н ї"]="246",["р б"]="247",["рал"]="248",["сон"]="249",["тай"]="250",["удл"]="251",["элт"]="252",["эрг"]="253",["єлє"]="254",[" vй"]="255",[" в "]="256",[" гэ"]="257",[" хv"]="258",["ара"]="259",["бvр"]="260",["д н"]="261",["д о"]="262",["л х"]="263",["лс "]="264",["лты"]="265",["н г"]="266",["нэг"]="267",["огт"]="268",["олы"]="269",["оёр"]="270",["р т"]="271",["рээ"]="272",["тав"]="273",["тог"]="274",["уур"]="275",["хоё"]="276",["хэл"]="277",["хээ"]="278",["элэ"]="279",["ёр "]="280",[" ав"]="281",[" ас"]="282",[" аш"]="283",[" ду"]="284",[" со"]="285",[" чи"]="286",[" эв"]="287",[" єр"]="288",["аал"]="289",["алд"]="290",["амж"]="291",["анд"]="292",["асу"]="293",["вэр"]="294",["г у"]="295",["двэ"]="296",["жvv"]="297",["лца"]="298",["лэл"]="299"},["nepali"]={["को "]="0",["का "]="1",["मा "]="2",["हरु"]="3",[" ने"]="4",["नेप"]="5",["पाल"]="6",["ेपा"]="7",[" सम"]="8",["ले "]="9",[" प्"]="10",["प्र"]="11",["कार"]="12",["ा स"]="13",["एको"]="14",[" भए"]="15",[" छ "]="16",[" भा"]="17",["्रम"]="18",[" गर"]="19",["रुक"]="20",[" र "]="21",["भार"]="22",["ारत"]="23",[" का"]="24",[" वि"]="25",["भएक"]="26",["ाली"]="27",["ली "]="28",["ा प"]="29",["ीहर"]="30",["ार्"]="31",["ो छ"]="32",["ना "]="33",["रु "]="34",["ालक"]="35",["्या"]="36",[" बा"]="37",["एका"]="38",["ने "]="39",["न्त"]="40",["ा ब"]="41",["ाको"]="42",["ार "]="43",["ा भ"]="44",["ाहर"]="45",["्रो"]="46",["क्ष"]="47",["न् "]="48",["ारी"]="49",[" नि"]="50",["ा न"]="51",["ी स"]="52",[" डु"]="53",["क्र"]="54",["जना"]="55",["यो "]="56",["ा छ"]="57",["ेवा"]="58",["्ता"]="59",[" रा"]="60",["त्य"]="61",["न्द"]="62",["हुन"]="63",["ा क"]="64",["ामा"]="65",["ी न"]="66",["्दा"]="67",[" से"]="68",["छन्"]="69",["म्ब"]="70",["रोत"]="71",["सेव"]="72",["स्त"]="73",["स्र"]="74",["ेका"]="75",["्त "]="76",[" बी"]="77",[" हु"]="78",["क्त"]="79",["त्र"]="80",["रत "]="81",["र्न"]="82",["र्य"]="83",["ा र"]="84",["ाका"]="85",["ुको"]="86",[" एक"]="87",[" सं"]="88",[" सु"]="89",["बीब"]="90",["बीस"]="91",["लको"]="92",["स्य"]="93",["ीबी"]="94",["ीसी"]="95",["ेको"]="96",["ो स"]="97",["्यक"]="98",[" छन"]="99",[" जन"]="100",[" बि"]="101",[" मु"]="102",[" स्"]="103",["गर्"]="104",["ताह"]="105",["न्ध"]="106",["बार"]="107",["मन्"]="108",["मस्"]="109",["रुल"]="110",["लाई"]="111",["ा व"]="112",["ाई "]="113",["ाल "]="114",["िका"]="115",[" त्"]="116",[" मा"]="117",[" यस"]="118",[" रु"]="119",["ताक"]="120",["बन्"]="121",["र ब"]="122",["रण "]="123",["रुप"]="124",["रेक"]="125",["ष्ट"]="126",["सम्"]="127",["सी "]="128",["ाएक"]="129",["ुका"]="130",["ुक्"]="131",[" अध"]="132",[" अन"]="133",[" तथ"]="134",[" थि"]="135",[" दे"]="136",[" पर"]="137",[" बै"]="138",["तथा"]="139",["ता "]="140",["दा "]="141",["द्द"]="142",["नी "]="143",["बाट"]="144",["यक्"]="145",["री "]="146",["रीह"]="147",["र्म"]="148",["लका"]="149",["समस"]="150",["ा अ"]="151",["ा ए"]="152",["ाट "]="153",["िय "]="154",["ो प"]="155",["ो म"]="156",["्न "]="157",["्ने"]="158",["्षा"]="159",[" पा"]="160",[" यो"]="161",[" हा"]="162",["अधि"]="163",["डुव"]="164",["त भ"]="165",["त स"]="166",["था "]="167",["धिक"]="168",["पमा"]="169",["बैठ"]="170",["मुद"]="171",["या "]="172",["युक"]="173",["र न"]="174",["रति"]="175",["वान"]="176",["सार"]="177",["ा आ"]="178",["ा ज"]="179",["ा ह"]="180",["ुद्"]="181",["ुपम"]="182",["ुले"]="183",["ुवा"]="184",["ैठक"]="185",["ो ब"]="186",["्तर"]="187",["्य "]="188",["्यस"]="189",[" क्"]="190",[" मन"]="191",[" रह"]="192",["चार"]="193",["तिय"]="194",["दै "]="195",["निर"]="196",["नु "]="197",["पर्"]="198",["रक्"]="199",["र्द"]="200",["समा"]="201",["सुर"]="202",["ाउन"]="203",["ान "]="204",["ानम"]="205",["ारण"]="206",["ाले"]="207",["ि ब"]="208",["ियो"]="209",["ुन्"]="210",["ुरक"]="211",["्त्"]="212",["्बन"]="213",["्रा"]="214",["्ष "]="215",[" आर"]="216",[" जल"]="217",[" बे"]="218",[" या"]="219",[" सा"]="220",["आएक"]="221",["एक "]="222",["कर्"]="223",["जलस"]="224",["णका"]="225",["त र"]="226",["द्र"]="227",["धान"]="228",["धि "]="229",["नका"]="230",["नमा"]="231",["नि "]="232",["ममा"]="233",["रम "]="234",["रहे"]="235",["राज"]="236",["लस्"]="237",["ला "]="238",["वार"]="239",["सका"]="240",["हिल"]="241",["हेक"]="242",["ा त"]="243",["ारे"]="244",["िन्"]="245",["िस्"]="246",["े स"]="247",["ो न"]="248",["ो र"]="249",["ोत "]="250",["्धि"]="251",["्मी"]="252",["्रस"]="253",[" दु"]="254",[" पन"]="255",[" बत"]="256",[" बन"]="257",[" भन"]="258",["ंयु"]="259",["आरम"]="260",["खि "]="261",["ण्ड"]="262",["तका"]="263",["ताल"]="264",["दी "]="265",["देख"]="266",["निय"]="267",["पनि"]="268",["प्त"]="269",["बता"]="270",["मी "]="271",["म्भ"]="272",["र स"]="273",["रम्"]="274",["लमा"]="275",["विश"]="276",["षाक"]="277",["संय"]="278",["ा ड"]="279",["ा म"]="280",["ानक"]="281",["ालम"]="282",["ि भ"]="283",["ित "]="284",["ी प"]="285",["ी र"]="286",["ु भ"]="287",["ुने"]="288",["े ग"]="289",["ेखि"]="290",["ेर "]="291",["ो भ"]="292",["ो व"]="293",["ो ह"]="294",["्भ "]="295",["्र "]="296",[" ता"]="297",[" नम"]="298",[" ना"]="299"},["norwegian"]={["er "]="0",["en "]="1",["et "]="2",[" de"]="3",["det"]="4",[" i "]="5",["for"]="6",["il "]="7",[" fo"]="8",[" me"]="9",["ing"]="10",["om "]="11",[" ha"]="12",[" og"]="13",["ter"]="14",[" er"]="15",[" ti"]="16",[" st"]="17",["og "]="18",["til"]="19",["ne "]="20",[" vi"]="21",["re "]="22",[" en"]="23",[" se"]="24",["te "]="25",["or "]="26",["de "]="27",["kke"]="28",["ke "]="29",["ar "]="30",["ng "]="31",["r s"]="32",["ene"]="33",[" so"]="34",["e s"]="35",["der"]="36",["an "]="37",["som"]="38",["ste"]="39",["at "]="40",["ed "]="41",["r i"]="42",[" av"]="43",[" in"]="44",["men"]="45",[" at"]="46",[" ko"]="47",[" på"]="48",["har"]="49",[" si"]="50",["ere"]="51",["på "]="52",["nde"]="53",["and"]="54",["els"]="55",["ett"]="56",["tte"]="57",["lig"]="58",["t s"]="59",["den"]="60",["t i"]="61",["ikk"]="62",["med"]="63",["n s"]="64",["rt "]="65",["ser"]="66",["ska"]="67",["t e"]="68",["ker"]="69",["sen"]="70",["av "]="71",["ler"]="72",["r a"]="73",["ten"]="74",["e f"]="75",["r e"]="76",["r t"]="77",["ede"]="78",["ig "]="79",[" re"]="80",["han"]="81",["lle"]="82",["ner"]="83",[" bl"]="84",[" fr"]="85",["le "]="86",[" ve"]="87",["e t"]="88",["lan"]="89",["mme"]="90",["nge"]="91",[" be"]="92",[" ik"]="93",[" om"]="94",[" å "]="95",["ell"]="96",["sel"]="97",["sta"]="98",["ver"]="99",[" et"]="100",[" sk"]="101",["nte"]="102",["one"]="103",["ore"]="104",["r d"]="105",["ske"]="106",[" an"]="107",[" la"]="108",["del"]="109",["gen"]="110",["nin"]="111",["r f"]="112",["r v"]="113",["se "]="114",[" po"]="115",["ir "]="116",["jon"]="117",["mer"]="118",["nen"]="119",["omm"]="120",["sjo"]="121",[" fl"]="122",[" sa"]="123",["ern"]="124",["kom"]="125",["r m"]="126",["r o"]="127",["ren"]="128",["vil"]="129",["ale"]="130",["es "]="131",["n a"]="132",["t f"]="133",[" le"]="134",["bli"]="135",["e e"]="136",["e i"]="137",["e v"]="138",["het"]="139",["ye "]="140",[" ir"]="141",["al "]="142",["e o"]="143",["ide"]="144",["iti"]="145",["lit"]="146",["nne"]="147",["ran"]="148",["t o"]="149",["tal"]="150",["tat"]="151",["tt "]="152",[" ka"]="153",["ans"]="154",["asj"]="155",["ge "]="156",["inn"]="157",["kon"]="158",["lse"]="159",["pet"]="160",["t d"]="161",["vi "]="162",[" ut"]="163",["ent"]="164",["eri"]="165",["oli"]="166",["r p"]="167",["ret"]="168",["ris"]="169",["sto"]="170",["str"]="171",["t a"]="172",[" ga"]="173",["all"]="174",["ape"]="175",["g s"]="176",["ill"]="177",["ira"]="178",["kap"]="179",["nn "]="180",["opp"]="181",["r h"]="182",["rin"]="183",[" br"]="184",[" op"]="185",["e m"]="186",["ert"]="187",["ger"]="188",["ion"]="189",["kal"]="190",["lsk"]="191",["nes"]="192",[" gj"]="193",[" mi"]="194",[" pr"]="195",["ang"]="196",["e h"]="197",["e r"]="198",["elt"]="199",["enn"]="200",["i s"]="201",["ist"]="202",["jen"]="203",["kan"]="204",["lt "]="205",["nal"]="206",["res"]="207",["tor"]="208",["ass"]="209",["dre"]="210",["e b"]="211",["e p"]="212",["mel"]="213",["n t"]="214",["nse"]="215",["ort"]="216",["per"]="217",["reg"]="218",["sje"]="219",["t p"]="220",["t v"]="221",[" hv"]="222",[" nå"]="223",[" va"]="224",["ann"]="225",["ato"]="226",["e a"]="227",["est"]="228",["ise"]="229",["isk"]="230",["oil"]="231",["ord"]="232",["pol"]="233",["ra "]="234",["rak"]="235",["sse"]="236",["toi"]="237",[" gr"]="238",["ak "]="239",["eg "]="240",["ele"]="241",["g a"]="242",["ige"]="243",["igh"]="244",["m e"]="245",["n f"]="246",["n v"]="247",["ndr"]="248",["nsk"]="249",["rer"]="250",["t m"]="251",["und"]="252",["var"]="253",["år "]="254",[" he"]="255",[" no"]="256",[" ny"]="257",["end"]="258",["ete"]="259",["fly"]="260",["g i"]="261",["ghe"]="262",["ier"]="263",["ind"]="264",["int"]="265",["lin"]="266",["n d"]="267",["n p"]="268",["rne"]="269",["sak"]="270",["sie"]="271",["t b"]="272",["tid"]="273",[" al"]="274",[" pa"]="275",[" tr"]="276",["ag "]="277",["dig"]="278",["e d"]="279",["e k"]="280",["ess"]="281",["hol"]="282",["i d"]="283",["lag"]="284",["led"]="285",["n e"]="286",["n i"]="287",["n o"]="288",["pri"]="289",["r b"]="290",["st "]="291",[" fe"]="292",[" li"]="293",[" ry"]="294",["air"]="295",["ake"]="296",["d s"]="297",["eas"]="298",["egi"]="299"},["pashto"]={[" د "]="0",["اؤ "]="1",[" اؤ"]="2",["نو "]="3",["ې د"]="4",["ره "]="5",[" په"]="6",["نه "]="7",["چې "]="8",[" چې"]="9",["په "]="10",["ه د"]="11",["ته "]="12",["و ا"]="13",["ونو"]="14",["و د"]="15",[" او"]="16",["انو"]="17",["ونه"]="18",["ه ک"]="19",[" دا"]="20",["ه ا"]="21",["دې "]="22",["ښې "]="23",[" کې"]="24",["ان "]="25",["لو "]="26",["هم "]="27",["و م"]="28",["کښې"]="29",["ه م"]="30",["ى ا"]="31",[" نو"]="32",[" ته"]="33",[" کښ"]="34",["رون"]="35",["کې "]="36",["ده "]="37",["له "]="38",["به "]="39",["رو "]="40",[" هم"]="41",["ه و"]="42",["وى "]="43",["او "]="44",["تون"]="45",["دا "]="46",[" کو"]="47",[" کړ"]="48",["قام"]="49",[" تر"]="50",["ران"]="51",["ه پ"]="52",["ې و"]="53",["ې پ"]="54",[" به"]="55",[" خو"]="56",["تو "]="57",["د د"]="58",["د ا"]="59",["ه ت"]="60",["و پ"]="61",["يا "]="62",[" خپ"]="63",[" دو"]="64",[" را"]="65",[" مش"]="66",[" پر"]="67",["ارو"]="68",["رې "]="69",["م د"]="70",["مشر"]="71",[" شو"]="72",[" ور"]="73",["ار "]="74",["دى "]="75",[" اد"]="76",[" دى"]="77",[" مو"]="78",["د پ"]="79",["لي "]="80",["و ک"]="81",[" مق"]="82",[" يو"]="83",["ؤ د"]="84",["خپل"]="85",["سره"]="86",["ه چ"]="87",["ور "]="88",[" تا"]="89",[" دې"]="90",[" رو"]="91",[" سر"]="92",[" مل"]="93",[" کا"]="94",["ؤ ا"]="95",["اره"]="96",["برو"]="97",["مه "]="98",["ه ب"]="99",["و ت"]="100",["پښت"]="101",[" با"]="102",[" دغ"]="103",[" قب"]="104",[" له"]="105",[" وا"]="106",[" پا"]="107",[" پښ"]="108",["د م"]="109",["د ه"]="110",["لې "]="111",["مات"]="112",["مو "]="113",["ه ه"]="114",["وي "]="115",["ې ب"]="116",["ې ک"]="117",[" ده"]="118",[" قا"]="119",["ال "]="120",["اما"]="121",["د ن"]="122",["قبر"]="123",["ه ن"]="124",["پار"]="125",[" اث"]="126",[" بي"]="127",[" لا"]="128",[" لر"]="129",["اثا"]="130",["د خ"]="131",["دار"]="132",["ريخ"]="133",["شرا"]="134",["مقا"]="135",["نۍ "]="136",["ه ر"]="137",["ه ل"]="138",["ولو"]="139",["يو "]="140",["کوم"]="141",[" دد"]="142",[" لو"]="143",[" مح"]="144",[" مر"]="145",[" وو"]="146",["اتو"]="147",["اري"]="148",["الو"]="149",["اند"]="150",["خان"]="151",["د ت"]="152",["سې "]="153",["لى "]="154",["نور"]="155",["و ل"]="156",["ي چ"]="157",["ړي "]="158",["ښتو"]="159",["ې ل"]="160",[" جو"]="161",[" سي"]="162",["ام "]="163",["بان"]="164",["تار"]="165",["تر "]="166",["ثار"]="167",["خو "]="168",["دو "]="169",["ر ک"]="170",["ل د"]="171",["مون"]="172",["ندې"]="173",["و ن"]="174",["ول "]="175",["وه "]="176",["ى و"]="177",["ي د"]="178",["ې ا"]="179",["ې ت"]="180",["ې ي"]="181",[" حک"]="182",[" خب"]="183",[" نه"]="184",[" پو"]="185",["ا د"]="186",["تې "]="187",["جوړ"]="188",["حکم"]="189",["حکو"]="190",["خبر"]="191",["دان"]="192",["ر د"]="193",["غه "]="194",["قاف"]="195",["محک"]="196",["وال"]="197",["ومت"]="198",["ويل"]="199",["ى د"]="200",["ى م"]="201",["يره"]="202",["پر "]="203",["کول"]="204",["ې ه"]="205",[" تي"]="206",[" خا"]="207",[" وک"]="208",[" يا"]="209",[" ځا"]="210",["ؤ ق"]="211",["انۍ"]="212",["بى "]="213",["غو "]="214",["ه خ"]="215",["و ب"]="216",["ودا"]="217",["يدو"]="218",["ړې "]="219",["کال"]="220",[" بر"]="221",[" قد"]="222",[" مي"]="223",[" وي"]="224",[" کر"]="225",["ؤ م"]="226",["ات "]="227",["ايي"]="228",["تى "]="229",["تيا"]="230",["تير"]="231",["خوا"]="232",["دغو"]="233",["دم "]="234",["ديم"]="235",["ر و"]="236",["قدي"]="237",["م خ"]="238",["مان"]="239",["مې "]="240",["نيو"]="241",["نږ "]="242",["ه ي"]="243",["و س"]="244",["و چ"]="245",["وان"]="246",["ورو"]="247",["ونږ"]="248",["پور"]="249",["ړه "]="250",["ړو "]="251",["ۍ د"]="252",["ې ن"]="253",[" اه"]="254",[" زي"]="255",[" سو"]="256",[" شي"]="257",[" هر"]="258",[" هغ"]="259",[" ښا"]="260",["اتل"]="261",["اق "]="262",["اني"]="263",["بري"]="264",["بې "]="265",["ت ا"]="266",["د ب"]="267",["د س"]="268",["ر م"]="269",["رى "]="270",["عرا"]="271",["لان"]="272",["مى "]="273",["نى "]="274",["و خ"]="275",["وئ "]="276",["ورک"]="277",["ورې"]="278",["ون "]="279",["وکړ"]="280",["ى چ"]="281",["يمه"]="282",["يې "]="283",["ښتن"]="284",["که "]="285",["کړي"]="286",["ې خ"]="287",["ے ش"]="288",[" تح"]="289",[" تو"]="290",[" در"]="291",[" دپ"]="292",[" صو"]="293",[" عر"]="294",[" ول"]="295",[" يؤ"]="296",[" پۀ"]="297",[" څو"]="298",["ا ا"]="299"},["pidgin"]={[" de"]="0",[" we"]="1",[" di"]="2",["di "]="3",["dem"]="4",["em "]="5",["ay "]="6",[" sa"]="7",["or "]="8",["say"]="9",["ke "]="10",["ey "]="11",[" an"]="12",[" go"]="13",[" e "]="14",[" to"]="15",[" ma"]="16",["e d"]="17",["wey"]="18",["for"]="19",["nd "]="20",["to "]="21",[" be"]="22",[" fo"]="23",["ake"]="24",["im "]="25",[" pe"]="26",["le "]="27",["go "]="28",["ll "]="29",["de "]="30",["e s"]="31",["on "]="32",["get"]="33",["ght"]="34",["igh"]="35",[" ri"]="36",["et "]="37",["rig"]="38",[" ge"]="39",["y d"]="40",[" na"]="41",["mak"]="42",["t t"]="43",[" no"]="44",["and"]="45",["tin"]="46",["ing"]="47",["eve"]="48",["ri "]="49",[" im"]="50",[" am"]="51",[" or"]="52",["am "]="53",["be "]="54",[" ev"]="55",[" ta"]="56",["ht "]="57",["e w"]="58",[" li"]="59",["eri"]="60",["ng "]="61",["ver"]="62",["all"]="63",["e f"]="64",["ers"]="65",["ntr"]="66",["ont"]="67",[" do"]="68",["r d"]="69",[" ko"]="70",[" ti"]="71",["an "]="72",["kon"]="73",["per"]="74",["tri"]="75",["y e"]="76",["rso"]="77",["son"]="78",["no "]="79",["ome"]="80",["is "]="81",["do "]="82",["ne "]="83",["one"]="84",["ion"]="85",["m g"]="86",["i k"]="87",[" al"]="88",["bod"]="89",["i w"]="90",["odi"]="91",[" so"]="92",[" wo"]="93",["o d"]="94",["st "]="95",["t r"]="96",[" of"]="97",["aim"]="98",["e g"]="99",["nai"]="100",[" co"]="101",["dis"]="102",["me "]="103",["of "]="104",[" wa"]="105",["e t"]="106",[" ar"]="107",["e l"]="108",["ike"]="109",["lik"]="110",["t a"]="111",["wor"]="112",["alk"]="113",["ell"]="114",["eop"]="115",["lk "]="116",["opl"]="117",["peo"]="118",["ple"]="119",["re "]="120",["tal"]="121",["any"]="122",["e a"]="123",["o g"]="124",["art"]="125",["cle"]="126",["i p"]="127",["icl"]="128",["rti"]="129",["the"]="130",["tic"]="131",["we "]="132",["f d"]="133",["in "]="134",[" mu"]="135",["e n"]="136",["e o"]="137",["mus"]="138",["n d"]="139",["na "]="140",["o m"]="141",["ust"]="142",["wel"]="143",["e e"]="144",["her"]="145",["m d"]="146",["nt "]="147",[" fi"]="148",["at "]="149",["e b"]="150",["it "]="151",["m w"]="152",["o t"]="153",["wan"]="154",["com"]="155",["da "]="156",["fit"]="157",["m b"]="158",["so "]="159",[" fr"]="160",["ce "]="161",["er "]="162",["o a"]="163",[" if"]="164",[" on"]="165",["ent"]="166",["if "]="167",["ind"]="168",["kin"]="169",["l d"]="170",["man"]="171",["o s"]="172",[" se"]="173",["y a"]="174",["y m"]="175",[" re"]="176",["ee "]="177",["k a"]="178",["t s"]="179",["ve "]="180",["y w"]="181",[" ki"]="182",["eti"]="183",["men"]="184",["ta "]="185",["y n"]="186",["d t"]="187",["dey"]="188",["e c"]="189",["i o"]="190",["ibo"]="191",["ld "]="192",["m t"]="193",["n b"]="194",["o b"]="195",["ow "]="196",["ree"]="197",["rio"]="198",["t d"]="199",[" hu"]="200",[" su"]="201",["en "]="202",["hts"]="203",["ive"]="204",["m n"]="205",["n g"]="206",["ny "]="207",["oth"]="208",["ts "]="209",[" as"]="210",[" wh"]="211",["as "]="212",["gom"]="213",["hum"]="214",["k s"]="215",["oda"]="216",["ork"]="217",["se "]="218",["uma"]="219",["ut "]="220",[" ba"]="221",[" ot"]="222",["ano"]="223",["m a"]="224",["m s"]="225",["nod"]="226",["om "]="227",["r a"]="228",["r i"]="229",["rk "]="230",[" fa"]="231",[" si"]="232",[" th"]="233",["ad "]="234",["e m"]="235",["eac"]="236",["m m"]="237",["n w"]="238",["nob"]="239",["orl"]="240",["out"]="241",["own"]="242",["r s"]="243",["r w"]="244",["rib"]="245",["rld"]="246",["s w"]="247",["ure"]="248",["wn "]="249",[" ow"]="250",["a d"]="251",["bad"]="252",["ch "]="253",["fre"]="254",["gs "]="255",["m k"]="256",["nce"]="257",["ngs"]="258",["o f"]="259",["obo"]="260",["rea"]="261",["sur"]="262",["y o"]="263",[" ab"]="264",[" un"]="265",["abo"]="266",["ach"]="267",["bou"]="268",["d m"]="269",["dat"]="270",["e p"]="271",["g w"]="272",["hol"]="273",["i m"]="274",["i r"]="275",["m f"]="276",["m o"]="277",["n o"]="278",["now"]="279",["ry "]="280",["s a"]="281",["t o"]="282",["tay"]="283",["wet"]="284",[" ag"]="285",[" bo"]="286",[" da"]="287",[" pr"]="288",["arr"]="289",["ati"]="290",["d d"]="291",["d p"]="292",["i g"]="293",["i t"]="294",["liv"]="295",["ly "]="296",["n a"]="297",["od "]="298",["ok "]="299"},["polish"]={["ie "]="0",["nie"]="1",["em "]="2",[" ni"]="3",[" po"]="4",[" pr"]="5",["dzi"]="6",[" na"]="7",["że "]="8",["rze"]="9",["na "]="10",["łem"]="11",["wie"]="12",[" w "]="13",[" że"]="14",["go "]="15",[" by"]="16",["prz"]="17",["owa"]="18",["ię "]="19",[" do"]="20",[" si"]="21",["owi"]="22",[" pa"]="23",[" za"]="24",["ch "]="25",["ego"]="26",["ał "]="27",["się"]="28",["ej "]="29",["wał"]="30",["ym "]="31",["ani"]="32",["ałe"]="33",["to "]="34",[" i "]="35",[" to"]="36",[" te"]="37",["e p"]="38",[" je"]="39",[" z "]="40",["czy"]="41",["był"]="42",["pan"]="43",["sta"]="44",["kie"]="45",[" ja"]="46",["do "]="47",[" ch"]="48",[" cz"]="49",[" wi"]="50",["iał"]="51",["a p"]="52",["pow"]="53",[" mi"]="54",["li "]="55",["eni"]="56",["zie"]="57",[" ta"]="58",[" wa"]="59",["ło "]="60",["ać "]="61",["dy "]="62",["ak "]="63",["e w"]="64",[" a "]="65",[" od"]="66",[" st"]="67",["nia"]="68",["rzy"]="69",["ied"]="70",[" kt"]="71",["odz"]="72",["cie"]="73",["cze"]="74",["ia "]="75",["iel"]="76",["któ"]="77",["o p"]="78",["tór"]="79",["ści"]="80",[" sp"]="81",[" wy"]="82",["jak"]="83",["tak"]="84",["zy "]="85",[" mo"]="86",["ałę"]="87",["pro"]="88",["ski"]="89",["tem"]="90",["łęs"]="91",[" tr"]="92",["e m"]="93",["jes"]="94",["my "]="95",[" ro"]="96",["edz"]="97",["eli"]="98",["iej"]="99",[" rz"]="100",["a n"]="101",["ale"]="102",["an "]="103",["e s"]="104",["est"]="105",["le "]="106",["o s"]="107",["i p"]="108",["ki "]="109",[" co"]="110",["ada"]="111",["czn"]="112",["e t"]="113",["e z"]="114",["ent"]="115",["ny "]="116",["pre"]="117",["rzą"]="118",["y s"]="119",[" ko"]="120",[" o "]="121",["ach"]="122",["am "]="123",["e n"]="124",["o t"]="125",["oli"]="126",["pod"]="127",["zia"]="128",[" go"]="129",[" ka"]="130",["by "]="131",["ieg"]="132",["ier"]="133",["noś"]="134",["roz"]="135",["spo"]="136",["ych"]="137",["ząd"]="138",[" mn"]="139",["acz"]="140",["adz"]="141",["bie"]="142",["cho"]="143",["mni"]="144",["o n"]="145",["ost"]="146",["pra"]="147",["ze "]="148",["ła "]="149",[" so"]="150",["a m"]="151",["cza"]="152",["iem"]="153",["ić "]="154",["obi"]="155",["ył "]="156",["yło"]="157",[" mu"]="158",[" mó"]="159",["a t"]="160",["acj"]="161",["ci "]="162",["e b"]="163",["ich"]="164",["kan"]="165",["mi "]="166",["mie"]="167",["ośc"]="168",["row"]="169",["zen"]="170",["zyd"]="171",[" al"]="172",[" re"]="173",["a w"]="174",["den"]="175",["edy"]="176",["ił "]="177",["ko "]="178",["o w"]="179",["rac"]="180",["śmy"]="181",[" ma"]="182",[" ra"]="183",[" sz"]="184",[" ty"]="185",["e j"]="186",["isk"]="187",["ji "]="188",["ka "]="189",["m s"]="190",["no "]="191",["o z"]="192",["rez"]="193",["wa "]="194",["ów "]="195",["łow"]="196",["ść "]="197",[" ob"]="198",["ech"]="199",["ecz"]="200",["ezy"]="201",["i w"]="202",["ja "]="203",["kon"]="204",["mów"]="205",["ne "]="206",["ni "]="207",["now"]="208",["nym"]="209",["pol"]="210",["pot"]="211",["yde"]="212",[" dl"]="213",[" sy"]="214",["a s"]="215",["aki"]="216",["ali"]="217",["dla"]="218",["icz"]="219",["ku "]="220",["ocz"]="221",["st "]="222",["str"]="223",["szy"]="224",["trz"]="225",["wia"]="226",["y p"]="227",["za "]="228",[" wt"]="229",["chc"]="230",["esz"]="231",["iec"]="232",["im "]="233",["la "]="234",["o m"]="235",["sa "]="236",["wać"]="237",["y n"]="238",["zac"]="239",["zec"]="240",[" gd"]="241",["a z"]="242",["ard"]="243",["co "]="244",["dar"]="245",["e r"]="246",["ien"]="247",["m n"]="248",["m w"]="249",["mia"]="250",["moż"]="251",["raw"]="252",["rdz"]="253",["tan"]="254",["ted"]="255",["teg"]="256",["wił"]="257",["wte"]="258",["y z"]="259",["zna"]="260",["zło"]="261",["a r"]="262",["awi"]="263",["bar"]="264",["cji"]="265",["czą"]="266",["dow"]="267",["eż "]="268",["gdy"]="269",["iek"]="270",["je "]="271",["o d"]="272",["tał"]="273",["wal"]="274",["wsz"]="275",["zed"]="276",["ówi"]="277",["ęsa"]="278",[" ba"]="279",[" lu"]="280",[" wo"]="281",["aln"]="282",["arn"]="283",["ba "]="284",["dzo"]="285",["e c"]="286",["hod"]="287",["igi"]="288",["lig"]="289",["m p"]="290",["myś"]="291",["o c"]="292",["oni"]="293",["rel"]="294",["sku"]="295",["ste"]="296",["y w"]="297",["yst"]="298",["z w"]="299"},["portuguese"]={["de "]="0",[" de"]="1",["os "]="2",["as "]="3",["que"]="4",[" co"]="5",["ão "]="6",["o d"]="7",[" qu"]="8",["ue "]="9",[" a "]="10",["do "]="11",["ent"]="12",[" se"]="13",["a d"]="14",["s d"]="15",["e a"]="16",["es "]="17",[" pr"]="18",["ra "]="19",["da "]="20",[" es"]="21",[" pa"]="22",["to "]="23",[" o "]="24",["em "]="25",["con"]="26",["o p"]="27",[" do"]="28",["est"]="29",["nte"]="30",["ção"]="31",[" da"]="32",[" re"]="33",["ma "]="34",["par"]="35",[" te"]="36",["ara"]="37",["ida"]="38",[" e "]="39",["ade"]="40",["is "]="41",[" um"]="42",[" po"]="43",["a a"]="44",["a p"]="45",["dad"]="46",["no "]="47",["te "]="48",[" no"]="49",["açã"]="50",["pro"]="51",["al "]="52",["com"]="53",["e d"]="54",["s a"]="55",[" as"]="56",["a c"]="57",["er "]="58",["men"]="59",["s e"]="60",["ais"]="61",["nto"]="62",["res"]="63",["a s"]="64",["ado"]="65",["ist"]="66",["s p"]="67",["tem"]="68",["e c"]="69",["e s"]="70",["ia "]="71",["o s"]="72",["o a"]="73",["o c"]="74",["e p"]="75",["sta"]="76",["ta "]="77",["tra"]="78",["ura"]="79",[" di"]="80",[" pe"]="81",["ar "]="82",["e e"]="83",["ser"]="84",["uma"]="85",["mos"]="86",["se "]="87",[" ca"]="88",["o e"]="89",[" na"]="90",["a e"]="91",["des"]="92",["ont"]="93",["por"]="94",[" in"]="95",[" ma"]="96",["ect"]="97",["o q"]="98",["ria"]="99",["s c"]="100",["ste"]="101",["ver"]="102",["cia"]="103",["dos"]="104",["ica"]="105",["str"]="106",[" ao"]="107",[" em"]="108",["das"]="109",["e t"]="110",["ito"]="111",["iza"]="112",["pre"]="113",["tos"]="114",[" nã"]="115",["ada"]="116",["não"]="117",["ess"]="118",["eve"]="119",["or "]="120",["ran"]="121",["s n"]="122",["s t"]="123",["tur"]="124",[" ac"]="125",[" fa"]="126",["a r"]="127",["ens"]="128",["eri"]="129",["na "]="130",["sso"]="131",[" si"]="132",[" é "]="133",["bra"]="134",["esp"]="135",["mo "]="136",["nos"]="137",["ro "]="138",["um "]="139",["a n"]="140",["ao "]="141",["ico"]="142",["liz"]="143",["min"]="144",["o n"]="145",["ons"]="146",["pri"]="147",["ten"]="148",["tic"]="149",["ões"]="150",[" tr"]="151",["a m"]="152",["aga"]="153",["e n"]="154",["ili"]="155",["ime"]="156",["m a"]="157",["nci"]="158",["nha"]="159",["nta"]="160",["spe"]="161",["tiv"]="162",["am "]="163",["ano"]="164",["arc"]="165",["ass"]="166",["cer"]="167",["e o"]="168",["ece"]="169",["emo"]="170",["ga "]="171",["o m"]="172",["rag"]="173",["so "]="174",["são"]="175",[" au"]="176",[" os"]="177",[" sa"]="178",["ali"]="179",["ca "]="180",["ema"]="181",["emp"]="182",["ici"]="183",["ido"]="184",["inh"]="185",["iss"]="186",["l d"]="187",["la "]="188",["lic"]="189",["m c"]="190",["mai"]="191",["onc"]="192",["pec"]="193",["ram"]="194",["s q"]="195",[" ci"]="196",[" en"]="197",[" fo"]="198",["a o"]="199",["ame"]="200",["car"]="201",["co "]="202",["der"]="203",["eir"]="204",["ho "]="205",["io "]="206",["om "]="207",["ora"]="208",["r a"]="209",["sen"]="210",["ter"]="211",[" br"]="212",[" ex"]="213",["a u"]="214",["cul"]="215",["dev"]="216",["e u"]="217",["ha "]="218",["mpr"]="219",["nce"]="220",["oca"]="221",["ove"]="222",["rio"]="223",["s o"]="224",["sa "]="225",["sem"]="226",["tes"]="227",["uni"]="228",["ven"]="229",["zaç"]="230",["çõe"]="231",[" ad"]="232",[" al"]="233",[" an"]="234",[" mi"]="235",[" mo"]="236",[" ve"]="237",[" à "]="238",["a i"]="239",["a q"]="240",["ala"]="241",["amo"]="242",["bli"]="243",["cen"]="244",["col"]="245",["cos"]="246",["cto"]="247",["e m"]="248",["e v"]="249",["ede"]="250",["gás"]="251",["ias"]="252",["ita"]="253",["iva"]="254",["ndo"]="255",["o t"]="256",["ore"]="257",["r d"]="258",["ral"]="259",["rea"]="260",["s f"]="261",["sid"]="262",["tro"]="263",["vel"]="264",["vid"]="265",["ás "]="266",[" ap"]="267",[" ar"]="268",[" ce"]="269",[" ou"]="270",[" pú"]="271",[" so"]="272",[" vi"]="273",["a f"]="274",["act"]="275",["arr"]="276",["bil"]="277",["cam"]="278",["e f"]="279",["e i"]="280",["el "]="281",["for"]="282",["lem"]="283",["lid"]="284",["lo "]="285",["m d"]="286",["mar"]="287",["nde"]="288",["o o"]="289",["omo"]="290",["ort"]="291",["per"]="292",["púb"]="293",["r u"]="294",["rei"]="295",["rem"]="296",["ros"]="297",["rre"]="298",["ssi"]="299"},["romanian"]={[" de"]="0",[" în"]="1",["de "]="2",[" a "]="3",["ul "]="4",[" co"]="5",["în "]="6",["re "]="7",["e d"]="8",["ea "]="9",[" di"]="10",[" pr"]="11",["le "]="12",["şi "]="13",["are"]="14",["at "]="15",["con"]="16",["ui "]="17",[" şi"]="18",["i d"]="19",["ii "]="20",[" cu"]="21",["e a"]="22",["lui"]="23",["ern"]="24",["te "]="25",["cu "]="26",[" la"]="27",["a c"]="28",["că "]="29",["din"]="30",["e c"]="31",["or "]="32",["ulu"]="33",["ne "]="34",["ter"]="35",["la "]="36",["să "]="37",["tat"]="38",["tre"]="39",[" ac"]="40",[" să"]="41",["est"]="42",["st "]="43",["tă "]="44",[" ca"]="45",[" ma"]="46",[" pe"]="47",["cur"]="48",["ist"]="49",["mân"]="50",["a d"]="51",["i c"]="52",["nat"]="53",[" ce"]="54",["i a"]="55",["ia "]="56",["in "]="57",["scu"]="58",[" mi"]="59",["ato"]="60",["aţi"]="61",["ie "]="62",[" re"]="63",[" se"]="64",["a a"]="65",["int"]="66",["ntr"]="67",["tru"]="68",["uri"]="69",["ă a"]="70",[" fo"]="71",[" pa"]="72",["ate"]="73",["ini"]="74",["tul"]="75",["ent"]="76",["min"]="77",["pre"]="78",["pro"]="79",["a p"]="80",["e p"]="81",["e s"]="82",["ei "]="83",["nă "]="84",["par"]="85",["rna"]="86",["rul"]="87",["tor"]="88",[" in"]="89",[" ro"]="90",[" tr"]="91",[" un"]="92",["al "]="93",["ale"]="94",["art"]="95",["ce "]="96",["e e"]="97",["e î"]="98",["fos"]="99",["ita"]="100",["nte"]="101",["omâ"]="102",["ost"]="103",["rom"]="104",["ru "]="105",["str"]="106",["ver"]="107",[" ex"]="108",[" na"]="109",["a f"]="110",["lor"]="111",["nis"]="112",["rea"]="113",["rit"]="114",[" al"]="115",[" eu"]="116",[" no"]="117",["ace"]="118",["cer"]="119",["ile"]="120",["nal"]="121",["pri"]="122",["ri "]="123",["sta"]="124",["ste"]="125",["ţie"]="126",[" au"]="127",[" da"]="128",[" ju"]="129",[" po"]="130",["ar "]="131",["au "]="132",["ele"]="133",["ere"]="134",["eri"]="135",["ina"]="136",["n a"]="137",["n c"]="138",["res"]="139",["se "]="140",["t a"]="141",["tea"]="142",[" că"]="143",[" do"]="144",[" fi"]="145",["a s"]="146",["ată"]="147",["com"]="148",["e ş"]="149",["eur"]="150",["guv"]="151",["i s"]="152",["ice"]="153",["ili"]="154",["na "]="155",["rec"]="156",["rep"]="157",["ril"]="158",["rne"]="159",["rti"]="160",["uro"]="161",["uve"]="162",["ă p"]="163",[" ar"]="164",[" o "]="165",[" su"]="166",[" vi"]="167",["dec"]="168",["dre"]="169",["oar"]="170",["ons"]="171",["pe "]="172",["rii"]="173",[" ad"]="174",[" ge"]="175",["a m"]="176",["a r"]="177",["ain"]="178",["ali"]="179",["car"]="180",["cat"]="181",["ecu"]="182",["ene"]="183",["ept"]="184",["ext"]="185",["ilo"]="186",["iu "]="187",["n p"]="188",["ori"]="189",["sec"]="190",["u p"]="191",["une"]="192",["ă c"]="193",["şti"]="194",["ţia"]="195",[" ch"]="196",[" gu"]="197",["ai "]="198",["ani"]="199",["cea"]="200",["e f"]="201",["isc"]="202",["l a"]="203",["lic"]="204",["liu"]="205",["mar"]="206",["nic"]="207",["nt "]="208",["nul"]="209",["ris"]="210",["t c"]="211",["t p"]="212",["tic"]="213",["tid"]="214",["u a"]="215",["ucr"]="216",[" as"]="217",[" dr"]="218",[" fa"]="219",[" nu"]="220",[" pu"]="221",[" to"]="222",["cra"]="223",["dis"]="224",["enţ"]="225",["esc"]="226",["gen"]="227",["it "]="228",["ivi"]="229",["l d"]="230",["n d"]="231",["nd "]="232",["nu "]="233",["ond"]="234",["pen"]="235",["ral"]="236",["riv"]="237",["rte"]="238",["sti"]="239",["t d"]="240",["ta "]="241",["to "]="242",["uni"]="243",["xte"]="244",["ând"]="245",["îns"]="246",["ă s"]="247",[" bl"]="248",[" st"]="249",[" uc"]="250",["a b"]="251",["a i"]="252",["a l"]="253",["air"]="254",["ast"]="255",["bla"]="256",["bri"]="257",["che"]="258",["duc"]="259",["dul"]="260",["e m"]="261",["eas"]="262",["edi"]="263",["esp"]="264",["i l"]="265",["i p"]="266",["ica"]="267",["ică"]="268",["ir "]="269",["iun"]="270",["jud"]="271",["lai"]="272",["lul"]="273",["mai"]="274",["men"]="275",["ni "]="276",["pus"]="277",["put"]="278",["ra "]="279",["rai"]="280",["rop"]="281",["sil"]="282",["ti "]="283",["tra"]="284",["u s"]="285",["ua "]="286",["ude"]="287",["urs"]="288",["ân "]="289",["înt"]="290",["ţă "]="291",[" lu"]="292",[" mo"]="293",[" s "]="294",[" sa"]="295",[" sc"]="296",["a u"]="297",["an "]="298",["atu"]="299"},["russian"]={[" на"]="0",[" пр"]="1",["то "]="2",[" не"]="3",["ли "]="4",[" по"]="5",["но "]="6",[" в "]="7",["на "]="8",["ть "]="9",["не "]="10",[" и "]="11",[" ко"]="12",["ом "]="13",["про"]="14",[" то"]="15",["их "]="16",[" ка"]="17",["ать"]="18",["ото"]="19",[" за"]="20",["ие "]="21",["ова"]="22",["тел"]="23",["тор"]="24",[" де"]="25",["ой "]="26",["сти"]="27",[" от"]="28",["ах "]="29",["ми "]="30",["стр"]="31",[" бе"]="32",[" во"]="33",[" ра"]="34",["ая "]="35",["ват"]="36",["ей "]="37",["ет "]="38",["же "]="39",["иче"]="40",["ия "]="41",["ов "]="42",["сто"]="43",[" об"]="44",["вер"]="45",["го "]="46",["и в"]="47",["и п"]="48",["и с"]="49",["ии "]="50",["ист"]="51",["о в"]="52",["ост"]="53",["тра"]="54",[" те"]="55",["ели"]="56",["ере"]="57",["кот"]="58",["льн"]="59",["ник"]="60",["нти"]="61",["о с"]="62",["рор"]="63",["ств"]="64",["чес"]="65",[" бо"]="66",[" ве"]="67",[" да"]="68",[" ин"]="69",[" но"]="70",[" с "]="71",[" со"]="72",[" сп"]="73",[" ст"]="74",[" чт"]="75",["али"]="76",["ами"]="77",["вид"]="78",["дет"]="79",["е н"]="80",["ель"]="81",["еск"]="82",["ест"]="83",["зал"]="84",["и н"]="85",["ива"]="86",["кон"]="87",["ого"]="88",["одн"]="89",["ожн"]="90",["оль"]="91",["ори"]="92",["ров"]="93",["ско"]="94",["ся "]="95",["тер"]="96",["что"]="97",[" мо"]="98",[" са"]="99",[" эт"]="100",["ант"]="101",["все"]="102",["ерр"]="103",["есл"]="104",["иде"]="105",["ина"]="106",["ино"]="107",["иро"]="108",["ите"]="109",["ка "]="110",["ко "]="111",["кол"]="112",["ком"]="113",["ла "]="114",["ния"]="115",["о т"]="116",["оло"]="117",["ран"]="118",["ред"]="119",["сь "]="120",["тив"]="121",["тич"]="122",["ых "]="123",[" ви"]="124",[" вс"]="125",[" го"]="126",[" ма"]="127",[" сл"]="128",["ако"]="129",["ани"]="130",["аст"]="131",["без"]="132",["дел"]="133",["е д"]="134",["е п"]="135",["ем "]="136",["жно"]="137",["и д"]="138",["ика"]="139",["каз"]="140",["как"]="141",["ки "]="142",["нос"]="143",["о н"]="144",["опа"]="145",["при"]="146",["рро"]="147",["ски"]="148",["ти "]="149",["тов"]="150",["ые "]="151",[" вы"]="152",[" до"]="153",[" ме"]="154",[" ни"]="155",[" од"]="156",[" ро"]="157",[" св"]="158",[" чи"]="159",["а н"]="160",["ает"]="161",["аза"]="162",["ате"]="163",["бес"]="164",["в п"]="165",["ва "]="166",["е в"]="167",["е м"]="168",["е с"]="169",["ез "]="170",["ени"]="171",["за "]="172",["зна"]="173",["ини"]="174",["кам"]="175",["ках"]="176",["кто"]="177",["лов"]="178",["мер"]="179",["мож"]="180",["нал"]="181",["ниц"]="182",["ны "]="183",["ным"]="184",["ора"]="185",["оро"]="186",["от "]="187",["пор"]="188",["рав"]="189",["рес"]="190",["рис"]="191",["рос"]="192",["ска"]="193",["т н"]="194",["том"]="195",["чит"]="196",["шко"]="197",[" бы"]="198",[" о "]="199",[" тр"]="200",[" уж"]="201",[" чу"]="202",[" шк"]="203",["а б"]="204",["а в"]="205",["а р"]="206",["аби"]="207",["ала"]="208",["ало"]="209",["аль"]="210",["анн"]="211",["ати"]="212",["бин"]="213",["вес"]="214",["вно"]="215",["во "]="216",["вши"]="217",["дал"]="218",["дат"]="219",["дно"]="220",["е з"]="221",["его"]="222",["еле"]="223",["енн"]="224",["ент"]="225",["ете"]="226",["и о"]="227",["или"]="228",["ись"]="229",["ит "]="230",["ици"]="231",["ков"]="232",["лен"]="233",["льк"]="234",["мен"]="235",["мы "]="236",["нет"]="237",["ни "]="238",["нны"]="239",["ног"]="240",["ной"]="241",["ном"]="242",["о п"]="243",["обн"]="244",["ове"]="245",["овн"]="246",["оры"]="247",["пер"]="248",["по "]="249",["пра"]="250",["пре"]="251",["раз"]="252",["роп"]="253",["ры "]="254",["се "]="255",["сли"]="256",["сов"]="257",["тре"]="258",["тся"]="259",["уро"]="260",["цел"]="261",["чно"]="262",["ь в"]="263",["ько"]="264",["ьно"]="265",["это"]="266",["ют "]="267",["я н"]="268",[" ан"]="269",[" ес"]="270",[" же"]="271",[" из"]="272",[" кт"]="273",[" ми"]="274",[" мы"]="275",[" пе"]="276",[" се"]="277",[" це"]="278",["а м"]="279",["а п"]="280",["а т"]="281",["авш"]="282",["аже"]="283",["ак "]="284",["ал "]="285",["але"]="286",["ане"]="287",["ачи"]="288",["ают"]="289",["бна"]="290",["бол"]="291",["бы "]="292",["в и"]="293",["в с"]="294",["ван"]="295",["гра"]="296",["даж"]="297",["ден"]="298",["е к"]="299"},["serbian"]={[" на"]="0",[" је"]="1",[" по"]="2",["је "]="3",[" и "]="4",[" не"]="5",[" пр"]="6",["га "]="7",[" св"]="8",["ог "]="9",["а с"]="10",["их "]="11",["на "]="12",["кој"]="13",["ога"]="14",[" у "]="15",["а п"]="16",["не "]="17",["ни "]="18",["ти "]="19",[" да"]="20",["ом "]="21",[" ве"]="22",[" ср"]="23",["и с"]="24",["ско"]="25",[" об"]="26",["а н"]="27",["да "]="28",["е н"]="29",["но "]="30",["ног"]="31",["о ј"]="32",["ој "]="33",[" за"]="34",["ва "]="35",["е с"]="36",["и п"]="37",["ма "]="38",["ник"]="39",["обр"]="40",["ова"]="41",[" ко"]="42",["а и"]="43",["диј"]="44",["е п"]="45",["ка "]="46",["ко "]="47",["ког"]="48",["ост"]="49",["све"]="50",["ств"]="51",["сти"]="52",["тра"]="53",["еди"]="54",["има"]="55",["пок"]="56",["пра"]="57",["раз"]="58",["те "]="59",[" бо"]="60",[" ви"]="61",[" са"]="62",["аво"]="63",["бра"]="64",["гос"]="65",["е и"]="66",["ели"]="67",["ени"]="68",["за "]="69",["ики"]="70",["ио "]="71",["пре"]="72",["рав"]="73",["рад"]="74",["у с"]="75",["ју "]="76",["ња "]="77",[" би"]="78",[" до"]="79",[" ст"]="80",["аст"]="81",["бој"]="82",["ебо"]="83",["и н"]="84",["им "]="85",["ку "]="86",["лан"]="87",["неб"]="88",["ово"]="89",["ого"]="90",["осл"]="91",["ојш"]="92",["пед"]="93",["стр"]="94",["час"]="95",[" го"]="96",[" кр"]="97",[" мо"]="98",[" чл"]="99",["а м"]="100",["а о"]="101",["ако"]="102",["ача"]="103",["вел"]="104",["вет"]="105",["вог"]="106",["еда"]="107",["ист"]="108",["ити"]="109",["ије"]="110",["око"]="111",["сло"]="112",["срб"]="113",["чла"]="114",[" бе"]="115",[" ос"]="116",[" от"]="117",[" ре"]="118",[" се"]="119",["а в"]="120",["ан "]="121",["бог"]="122",["бро"]="123",["вен"]="124",["гра"]="125",["е о"]="126",["ика"]="127",["ија"]="128",["ких"]="129",["ком"]="130",["ли "]="131",["ну "]="132",["ота"]="133",["ојн"]="134",["под"]="135",["рбс"]="136",["ред"]="137",["рој"]="138",["са "]="139",["сни"]="140",["тач"]="141",["тва"]="142",["ја "]="143",["ји "]="144",[" ка"]="145",[" ов"]="146",[" тр"]="147",["а ј"]="148",["ави"]="149",["аз "]="150",["ано"]="151",["био"]="152",["вик"]="153",["во "]="154",["гов"]="155",["дни"]="156",["е ч"]="157",["его"]="158",["и о"]="159",["ива"]="160",["иво"]="161",["ик "]="162",["ине"]="163",["ини"]="164",["ипе"]="165",["кип"]="166",["лик"]="167",["ло "]="168",["наш"]="169",["нос"]="170",["о т"]="171",["од "]="172",["оди"]="173",["она"]="174",["оји"]="175",["поч"]="176",["про"]="177",["ра "]="178",["рис"]="179",["род"]="180",["рст"]="181",["се "]="182",["спо"]="183",["ста"]="184",["тић"]="185",["у д"]="186",["у н"]="187",["у о"]="188",["чин"]="189",["ша "]="190",["јед"]="191",["јни"]="192",["ће "]="193",[" м "]="194",[" ме"]="195",[" ни"]="196",[" он"]="197",[" па"]="198",[" сл"]="199",[" те"]="200",["а у"]="201",["ава"]="202",["аве"]="203",["авн"]="204",["ана"]="205",["ао "]="206",["ати"]="207",["аци"]="208",["ају"]="209",["ања"]="210",["бск"]="211",["вор"]="212",["вос"]="213",["вск"]="214",["дин"]="215",["е у"]="216",["едн"]="217",["ези"]="218",["ека"]="219",["ено"]="220",["ето"]="221",["ења"]="222",["жив"]="223",["и г"]="224",["и и"]="225",["и к"]="226",["и т"]="227",["ику"]="228",["ичк"]="229",["ки "]="230",["крс"]="231",["ла "]="232",["лав"]="233",["лит"]="234",["ме "]="235",["мен"]="236",["нац"]="237",["о н"]="238",["о п"]="239",["о у"]="240",["одн"]="241",["оли"]="242",["орн"]="243",["осн"]="244",["осп"]="245",["оче"]="246",["пск"]="247",["реч"]="248",["рпс"]="249",["сво"]="250",["ски"]="251",["сла"]="252",["срп"]="253",["су "]="254",["та "]="255",["тав"]="256",["тве"]="257",["у б"]="258",["јез"]="259",["ћи "]="260",[" ен"]="261",[" жи"]="262",[" им"]="263",[" му"]="264",[" од"]="265",[" су"]="266",[" та"]="267",[" хр"]="268",[" ча"]="269",[" шт"]="270",[" ње"]="271",["а д"]="272",["а з"]="273",["а к"]="274",["а т"]="275",["аду"]="276",["ало"]="277",["ани"]="278",["асо"]="279",["ван"]="280",["вач"]="281",["вањ"]="282",["вед"]="283",["ви "]="284",["вно"]="285",["вот"]="286",["вој"]="287",["ву "]="288",["доб"]="289",["дру"]="290",["дсе"]="291",["ду "]="292",["е б"]="293",["е д"]="294",["е м"]="295",["ем "]="296",["ема"]="297",["ент"]="298",["енц"]="299"},["slovak"]={[" pr"]="0",[" po"]="1",[" ne"]="2",[" a "]="3",["ch "]="4",[" na"]="5",[" je"]="6",["ní "]="7",["je "]="8",[" do"]="9",["na "]="10",["ova"]="11",[" v "]="12",["to "]="13",["ho "]="14",["ou "]="15",[" to"]="16",["ick"]="17",["ter"]="18",["že "]="19",[" st"]="20",[" za"]="21",["ost"]="22",["ých"]="23",[" se"]="24",["pro"]="25",[" te"]="26",["e s"]="27",[" že"]="28",["a p"]="29",[" kt"]="30",["pre"]="31",[" by"]="32",[" o "]="33",["se "]="34",["kon"]="35",[" př"]="36",["a s"]="37",["né "]="38",["ně "]="39",["sti"]="40",["ako"]="41",["ist"]="42",["mu "]="43",["ame"]="44",["ent"]="45",["ky "]="46",["la "]="47",["pod"]="48",[" ve"]="49",[" ob"]="50",["om "]="51",["vat"]="52",[" ko"]="53",["sta"]="54",["em "]="55",["le "]="56",["a v"]="57",["by "]="58",["e p"]="59",["ko "]="60",["eri"]="61",["kte"]="62",["sa "]="63",["ého"]="64",["e v"]="65",["mer"]="66",["tel"]="67",[" ak"]="68",[" sv"]="69",[" zá"]="70",["hla"]="71",["las"]="72",["lo "]="73",[" ta"]="74",["a n"]="75",["ej "]="76",["li "]="77",["ne "]="78",[" sa"]="79",["ak "]="80",["ani"]="81",["ate"]="82",["ia "]="83",["sou"]="84",[" so"]="85",["ení"]="86",["ie "]="87",[" re"]="88",["ce "]="89",["e n"]="90",["ori"]="91",["tic"]="92",[" vy"]="93",["a t"]="94",["ké "]="95",["nos"]="96",["o s"]="97",["str"]="98",["ti "]="99",["uje"]="100",[" sp"]="101",["lov"]="102",["o p"]="103",["oli"]="104",["ová"]="105",[" ná"]="106",["ale"]="107",["den"]="108",["e o"]="109",["ku "]="110",["val"]="111",[" am"]="112",[" ro"]="113",[" si"]="114",["nie"]="115",["pol"]="116",["tra"]="117",[" al"]="118",["ali"]="119",["o v"]="120",["tor"]="121",[" mo"]="122",[" ni"]="123",["ci "]="124",["o n"]="125",["ím "]="126",[" le"]="127",[" pa"]="128",[" s "]="129",["al "]="130",["ati"]="131",["ero"]="132",["ove"]="133",["rov"]="134",["ván"]="135",["ích"]="136",[" ja"]="137",[" z "]="138",["cké"]="139",["e z"]="140",[" od"]="141",["byl"]="142",["de "]="143",["dob"]="144",["nep"]="145",["pra"]="146",["ric"]="147",["spo"]="148",["tak"]="149",[" vš"]="150",["a a"]="151",["e t"]="152",["lit"]="153",["me "]="154",["nej"]="155",["no "]="156",["nýc"]="157",["o t"]="158",["a j"]="159",["e a"]="160",["en "]="161",["est"]="162",["jí "]="163",["mi "]="164",["slo"]="165",["stá"]="166",["u v"]="167",["for"]="168",["nou"]="169",["pos"]="170",["pře"]="171",["si "]="172",["tom"]="173",[" vl"]="174",["a z"]="175",["ly "]="176",["orm"]="177",["ris"]="178",["za "]="179",["zák"]="180",[" k "]="181",["at "]="182",["cký"]="183",["dno"]="184",["dos"]="185",["dy "]="186",["jak"]="187",["kov"]="188",["ny "]="189",["res"]="190",["ror"]="191",["sto"]="192",["van"]="193",[" op"]="194",["da "]="195",["do "]="196",["e j"]="197",["hod"]="198",["len"]="199",["ný "]="200",["o z"]="201",["poz"]="202",["pri"]="203",["ran"]="204",["u s"]="205",[" ab"]="206",["aj "]="207",["ast"]="208",["it "]="209",["kto"]="210",["o o"]="211",["oby"]="212",["odo"]="213",["u p"]="214",["va "]="215",["ání"]="216",["í p"]="217",["ým "]="218",[" in"]="219",[" mi"]="220",["ať "]="221",["dov"]="222",["ka "]="223",["nsk"]="224",["áln"]="225",[" an"]="226",[" bu"]="227",[" sl"]="228",[" tr"]="229",["e m"]="230",["ech"]="231",["edn"]="232",["i n"]="233",["kýc"]="234",["níc"]="235",["ov "]="236",["pří"]="237",["í a"]="238",[" aj"]="239",[" bo"]="240",["a d"]="241",["ide"]="242",["o a"]="243",["o d"]="244",["och"]="245",["pov"]="246",["svo"]="247",["é s"]="248",[" kd"]="249",[" vo"]="250",[" vý"]="251",["bud"]="252",["ich"]="253",["il "]="254",["ili"]="255",["ni "]="256",["ním"]="257",["od "]="258",["osl"]="259",["ouh"]="260",["rav"]="261",["roz"]="262",["st "]="263",["stv"]="264",["tu "]="265",["u a"]="266",["vál"]="267",["y s"]="268",["í s"]="269",["í v"]="270",[" hl"]="271",[" li"]="272",[" me"]="273",["a m"]="274",["e b"]="275",["h s"]="276",["i p"]="277",["i s"]="278",["iti"]="279",["lád"]="280",["nem"]="281",["nov"]="282",["opo"]="283",["uhl"]="284",["eno"]="285",["ens"]="286",["men"]="287",["nes"]="288",["obo"]="289",["te "]="290",["ved"]="291",["vlá"]="292",["y n"]="293",[" ma"]="294",[" mu"]="295",[" vá"]="296",["bez"]="297",["byv"]="298",["cho"]="299"},["slovene"]={["je "]="0",[" pr"]="1",[" po"]="2",[" je"]="3",[" v "]="4",[" za"]="5",[" na"]="6",["pre"]="7",["da "]="8",[" da"]="9",["ki "]="10",["ti "]="11",["ja "]="12",["ne "]="13",[" in"]="14",["in "]="15",["li "]="16",["no "]="17",["na "]="18",["ni "]="19",[" bi"]="20",["jo "]="21",[" ne"]="22",["nje"]="23",["e p"]="24",["i p"]="25",["pri"]="26",["o p"]="27",["red"]="28",[" do"]="29",["anj"]="30",["em "]="31",["ih "]="32",[" bo"]="33",[" ki"]="34",[" iz"]="35",[" se"]="36",[" so"]="37",["al "]="38",[" de"]="39",["e v"]="40",["i s"]="41",["ko "]="42",["bil"]="43",["ira"]="44",["ove"]="45",[" br"]="46",[" ob"]="47",["e b"]="48",["i n"]="49",["ova"]="50",["se "]="51",["za "]="52",["la "]="53",[" ja"]="54",["ati"]="55",["so "]="56",["ter"]="57",[" ta"]="58",["a s"]="59",["del"]="60",["e d"]="61",[" dr"]="62",[" od"]="63",["a n"]="64",["ar "]="65",["jal"]="66",["ji "]="67",["rit"]="68",[" ka"]="69",[" ko"]="70",[" pa"]="71",["a b"]="72",["ani"]="73",["e s"]="74",["er "]="75",["ili"]="76",["lov"]="77",["o v"]="78",["tov"]="79",[" ir"]="80",[" ni"]="81",[" vo"]="82",["a j"]="83",["bi "]="84",["bri"]="85",["iti"]="86",["let"]="87",["o n"]="88",["tan"]="89",["še "]="90",[" le"]="91",[" te"]="92",["eni"]="93",["eri"]="94",["ita"]="95",["kat"]="96",["por"]="97",["pro"]="98",["ali"]="99",["ke "]="100",["oli"]="101",["ov "]="102",["pra"]="103",["ri "]="104",["uar"]="105",["ve "]="106",[" to"]="107",["a i"]="108",["a v"]="109",["ako"]="110",["arj"]="111",["ate"]="112",["di "]="113",["do "]="114",["ga "]="115",["le "]="116",["lo "]="117",["mer"]="118",["o s"]="119",["oda"]="120",["oro"]="121",["pod"]="122",[" ma"]="123",[" mo"]="124",[" si"]="125",["a p"]="126",["bod"]="127",["e n"]="128",["ega"]="129",["ju "]="130",["ka "]="131",["lje"]="132",["rav"]="133",["ta "]="134",["a o"]="135",["e t"]="136",["e z"]="137",["i d"]="138",["i v"]="139",["ila"]="140",["lit"]="141",["nih"]="142",["odo"]="143",["sti"]="144",["to "]="145",["var"]="146",["ved"]="147",["vol"]="148",[" la"]="149",[" no"]="150",[" vs"]="151",["a d"]="152",["agu"]="153",["aja"]="154",["dej"]="155",["dnj"]="156",["eda"]="157",["gov"]="158",["gua"]="159",["jag"]="160",["jem"]="161",["kon"]="162",["ku "]="163",["nij"]="164",["omo"]="165",["oči"]="166",["pov"]="167",["rak"]="168",["rja"]="169",["sta"]="170",["tev"]="171",["a t"]="172",["aj "]="173",["ed "]="174",["eja"]="175",["ent"]="176",["ev "]="177",["i i"]="178",["i o"]="179",["ijo"]="180",["ist"]="181",["ost"]="182",["ske"]="183",["str"]="184",[" ra"]="185",[" s "]="186",[" tr"]="187",[" še"]="188",["arn"]="189",["bo "]="190",["drž"]="191",["i j"]="192",["ilo"]="193",["izv"]="194",["jen"]="195",["lja"]="196",["nsk"]="197",["o d"]="198",["o i"]="199",["om "]="200",["ora"]="201",["ovo"]="202",["raz"]="203",["rža"]="204",["tak"]="205",["va "]="206",["ven"]="207",["žav"]="208",[" me"]="209",[" če"]="210",["ame"]="211",["avi"]="212",["e i"]="213",["e o"]="214",["eka"]="215",["gre"]="216",["i t"]="217",["ija"]="218",["il "]="219",["ite"]="220",["kra"]="221",["lju"]="222",["mor"]="223",["nik"]="224",["o t"]="225",["obi"]="226",["odn"]="227",["ran"]="228",["re "]="229",["sto"]="230",["stv"]="231",["udi"]="232",["v i"]="233",["van"]="234",[" am"]="235",[" sp"]="236",[" st"]="237",[" tu"]="238",[" ve"]="239",[" že"]="240",["ajo"]="241",["ale"]="242",["apo"]="243",["dal"]="244",["dru"]="245",["e j"]="246",["edn"]="247",["ejo"]="248",["elo"]="249",["est"]="250",["etj"]="251",["eva"]="252",["iji"]="253",["ik "]="254",["im "]="255",["itv"]="256",["mob"]="257",["nap"]="258",["nek"]="259",["pol"]="260",["pos"]="261",["rat"]="262",["ski"]="263",["tič"]="264",["tom"]="265",["ton"]="266",["tra"]="267",["tud"]="268",["tve"]="269",["v b"]="270",["vil"]="271",["vse"]="272",["čit"]="273",[" av"]="274",[" gr"]="275",["a z"]="276",["ans"]="277",["ast"]="278",["avt"]="279",["dan"]="280",["e m"]="281",["eds"]="282",["for"]="283",["i z"]="284",["kot"]="285",["mi "]="286",["nim"]="287",["o b"]="288",["o o"]="289",["od "]="290",["odl"]="291",["oiz"]="292",["ot "]="293",["par"]="294",["pot"]="295",["rje"]="296",["roi"]="297",["tem"]="298",["val"]="299"},["somali"]={["ka "]="0",["ay "]="1",["da "]="2",[" ay"]="3",["aal"]="4",["oo "]="5",["aan"]="6",[" ka"]="7",["an "]="8",["in "]="9",[" in"]="10",["ada"]="11",["maa"]="12",["aba"]="13",[" so"]="14",["ali"]="15",["bad"]="16",["add"]="17",["soo"]="18",[" na"]="19",["aha"]="20",["ku "]="21",["ta "]="22",[" wa"]="23",["yo "]="24",["a s"]="25",["oma"]="26",["yaa"]="27",[" ba"]="28",[" ku"]="29",[" la"]="30",[" oo"]="31",["iya"]="32",["sha"]="33",["a a"]="34",["dda"]="35",["nab"]="36",["nta"]="37",[" da"]="38",[" ma"]="39",["nka"]="40",["uu "]="41",["y i"]="42",["aya"]="43",["ha "]="44",["raa"]="45",[" dh"]="46",[" qa"]="47",["a k"]="48",["ala"]="49",["baa"]="50",["doo"]="51",["had"]="52",["liy"]="53",["oom"]="54",[" ha"]="55",[" sh"]="56",["a d"]="57",["a i"]="58",["a n"]="59",["aar"]="60",["ee "]="61",["ey "]="62",["y k"]="63",["ya "]="64",[" ee"]="65",[" iy"]="66",["aa "]="67",["aaq"]="68",["gaa"]="69",["lam"]="70",[" bu"]="71",["a b"]="72",["a m"]="73",["ad "]="74",["aga"]="75",["ama"]="76",["iyo"]="77",["la "]="78",["a c"]="79",["a l"]="80",["een"]="81",["int"]="82",["she"]="83",["wax"]="84",["yee"]="85",[" si"]="86",[" uu"]="87",["a h"]="88",["aas"]="89",["alk"]="90",["dha"]="91",["gu "]="92",["hee"]="93",["ii "]="94",["ira"]="95",["mad"]="96",["o a"]="97",["o k"]="98",["qay"]="99",[" ah"]="100",[" ca"]="101",[" wu"]="102",["ank"]="103",["ash"]="104",["axa"]="105",["eed"]="106",["en "]="107",["ga "]="108",["haa"]="109",["n a"]="110",["n s"]="111",["naa"]="112",["nay"]="113",["o d"]="114",["taa"]="115",["u b"]="116",["uxu"]="117",["wux"]="118",["xuu"]="119",[" ci"]="120",[" do"]="121",[" ho"]="122",[" ta"]="123",["a g"]="124",["a u"]="125",["ana"]="126",["ayo"]="127",["dhi"]="128",["iin"]="129",["lag"]="130",["lin"]="131",["lka"]="132",["o i"]="133",["san"]="134",["u s"]="135",["una"]="136",["uun"]="137",[" ga"]="138",[" xa"]="139",[" xu"]="140",["aab"]="141",["abt"]="142",["aq "]="143",["aqa"]="144",["ara"]="145",["arl"]="146",["caa"]="147",["cir"]="148",["eeg"]="149",["eel"]="150",["isa"]="151",["kal"]="152",["lah"]="153",["ney"]="154",["qaa"]="155",["rla"]="156",["sad"]="157",["sii"]="158",["u d"]="159",["wad"]="160",[" ad"]="161",[" ar"]="162",[" di"]="163",[" jo"]="164",[" ra"]="165",[" sa"]="166",[" u "]="167",[" yi"]="168",["a j"]="169",["a q"]="170",["aad"]="171",["aat"]="172",["aay"]="173",["ah "]="174",["ale"]="175",["amk"]="176",["ari"]="177",["as "]="178",["aye"]="179",["bus"]="180",["dal"]="181",["ddu"]="182",["dii"]="183",["du "]="184",["duu"]="185",["ed "]="186",["ege"]="187",["gey"]="188",["hay"]="189",["hii"]="190",["ida"]="191",["ine"]="192",["joo"]="193",["laa"]="194",["lay"]="195",["mar"]="196",["mee"]="197",["n b"]="198",["n d"]="199",["n m"]="200",["no "]="201",["o b"]="202",["o l"]="203",["oog"]="204",["oon"]="205",["rga"]="206",["sh "]="207",["sid"]="208",["u q"]="209",["unk"]="210",["ush"]="211",["xa "]="212",["y d"]="213",[" bi"]="214",[" gu"]="215",[" is"]="216",[" ke"]="217",[" lo"]="218",[" me"]="219",[" mu"]="220",[" qo"]="221",[" ug"]="222",["a e"]="223",["a o"]="224",["a w"]="225",["adi"]="226",["ado"]="227",["agu"]="228",["al "]="229",["ant"]="230",["ark"]="231",["asa"]="232",["awi"]="233",["bta"]="234",["bul"]="235",["d a"]="236",["dag"]="237",["dan"]="238",["do "]="239",["e s"]="240",["gal"]="241",["gay"]="242",["guu"]="243",["h e"]="244",["hal"]="245",["iga"]="246",["ihi"]="247",["iri"]="248",["iye"]="249",["ken"]="250",["lad"]="251",["lid"]="252",["lsh"]="253",["mag"]="254",["mun"]="255",["n h"]="256",["n i"]="257",["na "]="258",["o n"]="259",["o w"]="260",["ood"]="261",["oor"]="262",["ora"]="263",["qab"]="264",["qor"]="265",["rab"]="266",["rit"]="267",["rta"]="268",["s o"]="269",["sab"]="270",["ska"]="271",["to "]="272",["u a"]="273",["u h"]="274",["u u"]="275",["ud "]="276",["ugu"]="277",["uls"]="278",["uud"]="279",["waa"]="280",["xus"]="281",["y b"]="282",["y q"]="283",["y s"]="284",["yad"]="285",["yay"]="286",["yih"]="287",[" aa"]="288",[" bo"]="289",[" br"]="290",[" go"]="291",[" ji"]="292",[" mi"]="293",[" of"]="294",[" ti"]="295",[" um"]="296",[" wi"]="297",[" xo"]="298",["a x"]="299"},["spanish"]={[" de"]="0",["de "]="1",[" la"]="2",["os "]="3",["la "]="4",["el "]="5",["es "]="6",[" qu"]="7",[" co"]="8",["e l"]="9",["as "]="10",["que"]="11",[" el"]="12",["ue "]="13",["en "]="14",["ent"]="15",[" en"]="16",[" se"]="17",["nte"]="18",["res"]="19",["con"]="20",["est"]="21",[" es"]="22",["s d"]="23",[" lo"]="24",[" pr"]="25",["los"]="26",[" y "]="27",["do "]="28",["ón "]="29",["ión"]="30",[" un"]="31",["ció"]="32",["del"]="33",["o d"]="34",[" po"]="35",["a d"]="36",["aci"]="37",["sta"]="38",["te "]="39",["ado"]="40",["pre"]="41",["to "]="42",["par"]="43",["a e"]="44",["a l"]="45",["ra "]="46",["al "]="47",["e e"]="48",["se "]="49",["pro"]="50",["ar "]="51",["ia "]="52",["o e"]="53",[" re"]="54",["ida"]="55",["dad"]="56",["tra"]="57",["por"]="58",["s p"]="59",[" a "]="60",["a p"]="61",["ara"]="62",["cia"]="63",[" pa"]="64",["com"]="65",["no "]="66",[" di"]="67",[" in"]="68",["ien"]="69",["n l"]="70",["ad "]="71",["ant"]="72",["e s"]="73",["men"]="74",["a c"]="75",["on "]="76",["un "]="77",["las"]="78",["nci"]="79",[" tr"]="80",["cio"]="81",["ier"]="82",["nto"]="83",["tiv"]="84",["n d"]="85",["n e"]="86",["or "]="87",["s c"]="88",["enc"]="89",["ern"]="90",["io "]="91",["a s"]="92",["ici"]="93",["s e"]="94",[" ma"]="95",["dos"]="96",["e a"]="97",["e c"]="98",["emp"]="99",["ica"]="100",["ivo"]="101",["l p"]="102",["n c"]="103",["r e"]="104",["ta "]="105",["ter"]="106",["e d"]="107",["esa"]="108",["ez "]="109",["mpr"]="110",["o a"]="111",["s a"]="112",[" ca"]="113",[" su"]="114",["ion"]="115",[" cu"]="116",[" ju"]="117",["an "]="118",["da "]="119",["ene"]="120",["ero"]="121",["na "]="122",["rec"]="123",["ro "]="124",["tar"]="125",[" al"]="126",[" an"]="127",["bie"]="128",["e p"]="129",["er "]="130",["l c"]="131",["n p"]="132",["omp"]="133",["ten"]="134",[" em"]="135",["ist"]="136",["nes"]="137",["nta"]="138",["o c"]="139",["so "]="140",["tes"]="141",["era"]="142",["l d"]="143",["l m"]="144",["les"]="145",["ntr"]="146",["o s"]="147",["ore"]="148",["rá "]="149",["s q"]="150",["s y"]="151",["sto"]="152",["a a"]="153",["a r"]="154",["ari"]="155",["des"]="156",["e q"]="157",["ivi"]="158",["lic"]="159",["lo "]="160",["n a"]="161",["one"]="162",["ora"]="163",["per"]="164",["pue"]="165",["r l"]="166",["re "]="167",["ren"]="168",["una"]="169",["ía "]="170",["ada"]="171",["cas"]="172",["ere"]="173",["ide"]="174",["min"]="175",["n s"]="176",["ndo"]="177",["ran"]="178",["rno"]="179",[" ac"]="180",[" ex"]="181",[" go"]="182",[" no"]="183",["a t"]="184",["aba"]="185",["ble"]="186",["ece"]="187",["ect"]="188",["l a"]="189",["l g"]="190",["lid"]="191",["nsi"]="192",["ons"]="193",["rac"]="194",["rio"]="195",["str"]="196",["uer"]="197",["ust"]="198",[" ha"]="199",[" le"]="200",[" mi"]="201",[" mu"]="202",[" ob"]="203",[" pe"]="204",[" pu"]="205",[" so"]="206",["a i"]="207",["ale"]="208",["ca "]="209",["cto"]="210",["e i"]="211",["e u"]="212",["eso"]="213",["fer"]="214",["fic"]="215",["gob"]="216",["jo "]="217",["ma "]="218",["mpl"]="219",["o p"]="220",["obi"]="221",["s m"]="222",["sa "]="223",["sep"]="224",["ste"]="225",["sti"]="226",["tad"]="227",["tod"]="228",["y s"]="229",[" ci"]="230",["and"]="231",["ces"]="232",["có "]="233",["dor"]="234",["e m"]="235",["eci"]="236",["eco"]="237",["esi"]="238",["int"]="239",["iza"]="240",["l e"]="241",["lar"]="242",["mie"]="243",["ner"]="244",["orc"]="245",["rci"]="246",["ria"]="247",["tic"]="248",["tor"]="249",[" as"]="250",[" si"]="251",["ce "]="252",["den"]="253",["e r"]="254",["e t"]="255",["end"]="256",["eri"]="257",["esp"]="258",["ial"]="259",["ido"]="260",["ina"]="261",["inc"]="262",["mit"]="263",["o l"]="264",["ome"]="265",["pli"]="266",["ras"]="267",["s t"]="268",["sid"]="269",["sup"]="270",["tab"]="271",["uen"]="272",["ues"]="273",["ura"]="274",["vo "]="275",["vor"]="276",[" sa"]="277",[" ti"]="278",["abl"]="279",["ali"]="280",["aso"]="281",["ast"]="282",["cor"]="283",["cti"]="284",["cue"]="285",["div"]="286",["duc"]="287",["ens"]="288",["eti"]="289",["imi"]="290",["ini"]="291",["lec"]="292",["o q"]="293",["oce"]="294",["ort"]="295",["ral"]="296",["rma"]="297",["roc"]="298",["rod"]="299"},["swahili"]={[" wa"]="0",["wa "]="1",["a k"]="2",["a m"]="3",[" ku"]="4",[" ya"]="5",["a w"]="6",["ya "]="7",["ni "]="8",[" ma"]="9",["ka "]="10",["a u"]="11",["na "]="12",["za "]="13",["ia "]="14",[" na"]="15",["ika"]="16",["ma "]="17",["ali"]="18",["a n"]="19",[" am"]="20",["ili"]="21",["kwa"]="22",[" kw"]="23",["ini"]="24",[" ha"]="25",["ame"]="26",["ana"]="27",["i n"]="28",[" za"]="29",["a h"]="30",["ema"]="31",["i m"]="32",["i y"]="33",["kuw"]="34",["la "]="35",["o w"]="36",["a y"]="37",["ata"]="38",["sem"]="39",[" la"]="40",["ati"]="41",["chi"]="42",["i w"]="43",["uwa"]="44",["aki"]="45",["li "]="46",["eka"]="47",["ira"]="48",[" nc"]="49",["a s"]="50",["iki"]="51",["kat"]="52",["nch"]="53",[" ka"]="54",[" ki"]="55",["a b"]="56",["aji"]="57",["amb"]="58",["ra "]="59",["ri "]="60",["rik"]="61",["ada"]="62",["mat"]="63",["mba"]="64",["mes"]="65",["yo "]="66",["zi "]="67",["da "]="68",["hi "]="69",["i k"]="70",["ja "]="71",["kut"]="72",["tek"]="73",["wan"]="74",[" bi"]="75",["a a"]="76",["aka"]="77",["ao "]="78",["asi"]="79",["cha"]="80",["ese"]="81",["eza"]="82",["ke "]="83",["moj"]="84",["oja"]="85",[" hi"]="86",["a z"]="87",["end"]="88",["ha "]="89",["ji "]="90",["mu "]="91",["shi"]="92",["wat"]="93",[" bw"]="94",["ake"]="95",["ara"]="96",["bw "]="97",["i h"]="98",["imb"]="99",["tik"]="100",["wak"]="101",["wal"]="102",[" hu"]="103",[" mi"]="104",[" mk"]="105",[" ni"]="106",[" ra"]="107",[" um"]="108",["a l"]="109",["ate"]="110",["esh"]="111",["ina"]="112",["ish"]="113",["kim"]="114",["o k"]="115",[" ir"]="116",["a i"]="117",["ala"]="118",["ani"]="119",["aq "]="120",["azi"]="121",["hin"]="122",["i a"]="123",["idi"]="124",["ima"]="125",["ita"]="126",["rai"]="127",["raq"]="128",["sha"]="129",[" ms"]="130",[" se"]="131",["afr"]="132",["ama"]="133",["ano"]="134",["ea "]="135",["ele"]="136",["fri"]="137",["go "]="138",["i i"]="139",["ifa"]="140",["iwa"]="141",["iyo"]="142",["kus"]="143",["lia"]="144",["lio"]="145",["maj"]="146",["mku"]="147",["no "]="148",["tan"]="149",["uli"]="150",["uta"]="151",["wen"]="152",[" al"]="153",["a j"]="154",["aad"]="155",["aid"]="156",["ari"]="157",["awa"]="158",["ba "]="159",["fa "]="160",["nde"]="161",["nge"]="162",["nya"]="163",["o y"]="164",["u w"]="165",["ua "]="166",["umo"]="167",["waz"]="168",["ye "]="169",[" ut"]="170",[" vi"]="171",["a d"]="172",["a t"]="173",["aif"]="174",["di "]="175",["ere"]="176",["ing"]="177",["kin"]="178",["nda"]="179",["o n"]="180",["oa "]="181",["tai"]="182",["toa"]="183",["usa"]="184",["uto"]="185",["was"]="186",["yak"]="187",["zo "]="188",[" ji"]="189",[" mw"]="190",["a p"]="191",["aia"]="192",["amu"]="193",["ang"]="194",["bik"]="195",["bo "]="196",["del"]="197",["e w"]="198",["ene"]="199",["eng"]="200",["ich"]="201",["iri"]="202",["iti"]="203",["ito"]="204",["ki "]="205",["kir"]="206",["ko "]="207",["kuu"]="208",["mar"]="209",["mbo"]="210",["mil"]="211",["ngi"]="212",["ngo"]="213",["o l"]="214",["ong"]="215",["si "]="216",["ta "]="217",["tak"]="218",["u y"]="219",["umu"]="220",["usi"]="221",["uu "]="222",["wam"]="223",[" af"]="224",[" ba"]="225",[" li"]="226",[" si"]="227",[" zi"]="228",["a v"]="229",["ami"]="230",["atu"]="231",["awi"]="232",["eri"]="233",["fan"]="234",["fur"]="235",["ger"]="236",["i z"]="237",["isi"]="238",["izo"]="239",["lea"]="240",["mbi"]="241",["mwa"]="242",["nye"]="243",["o h"]="244",["o m"]="245",["oni"]="246",["rez"]="247",["saa"]="248",["ser"]="249",["sin"]="250",["tat"]="251",["tis"]="252",["tu "]="253",["uin"]="254",["uki"]="255",["ur "]="256",["wi "]="257",["yar"]="258",[" da"]="259",[" en"]="260",[" mp"]="261",[" ny"]="262",[" ta"]="263",[" ul"]="264",[" we"]="265",["a c"]="266",["a f"]="267",["ais"]="268",["apo"]="269",["ayo"]="270",["bar"]="271",["dhi"]="272",["e a"]="273",["eke"]="274",["eny"]="275",["eon"]="276",["hai"]="277",["han"]="278",["hiy"]="279",["hur"]="280",["i s"]="281",["imw"]="282",["kal"]="283",["kwe"]="284",["lak"]="285",["lam"]="286",["mak"]="287",["msa"]="288",["ne "]="289",["ngu"]="290",["ru "]="291",["sal"]="292",["swa"]="293",["te "]="294",["ti "]="295",["uku"]="296",["uma"]="297",["una"]="298",["uru"]="299"},["swedish"]={["en "]="0",[" de"]="1",["et "]="2",["er "]="3",["tt "]="4",["om "]="5",["för"]="6",["ar "]="7",["de "]="8",["att"]="9",[" fö"]="10",["ing"]="11",[" in"]="12",[" at"]="13",[" i "]="14",["det"]="15",["ch "]="16",["an "]="17",["gen"]="18",[" an"]="19",["t s"]="20",["som"]="21",["te "]="22",[" oc"]="23",["ter"]="24",[" ha"]="25",["lle"]="26",["och"]="27",[" sk"]="28",[" so"]="29",["ra "]="30",["r a"]="31",[" me"]="32",["var"]="33",["nde"]="34",["är "]="35",[" ko"]="36",["on "]="37",["ans"]="38",["int"]="39",["n s"]="40",["na "]="41",[" en"]="42",[" fr"]="43",[" på"]="44",[" st"]="45",[" va"]="46",["and"]="47",["nte"]="48",["på "]="49",["ska"]="50",["ta "]="51",[" vi"]="52",["der"]="53",["äll"]="54",["örs"]="55",[" om"]="56",["da "]="57",["kri"]="58",["ka "]="59",["nst"]="60",[" ho"]="61",["as "]="62",["stä"]="63",["r d"]="64",["t f"]="65",["upp"]="66",[" be"]="67",["nge"]="68",["r s"]="69",["tal"]="70",["täl"]="71",["ör "]="72",[" av"]="73",["ger"]="74",["ill"]="75",["ng "]="76",["e s"]="77",["ekt"]="78",["ade"]="79",["era"]="80",["ers"]="81",["har"]="82",["ll "]="83",["lld"]="84",["rin"]="85",["rna"]="86",["säk"]="87",["und"]="88",["inn"]="89",["lig"]="90",["ns "]="91",[" ma"]="92",[" pr"]="93",[" up"]="94",["age"]="95",["av "]="96",["iva"]="97",["kti"]="98",["lda"]="99",["orn"]="100",["son"]="101",["ts "]="102",["tta"]="103",["äkr"]="104",[" sj"]="105",[" ti"]="106",["avt"]="107",["ber"]="108",["els"]="109",["eta"]="110",["kol"]="111",["men"]="112",["n d"]="113",["t k"]="114",["vta"]="115",["år "]="116",["juk"]="117",["man"]="118",["n f"]="119",["nin"]="120",["r i"]="121",["rsä"]="122",["sju"]="123",["sso"]="124",[" är"]="125",["a s"]="126",["ach"]="127",["ag "]="128",["bac"]="129",["den"]="130",["ett"]="131",["fte"]="132",["hor"]="133",["nba"]="134",["oll"]="135",["rnb"]="136",["ste"]="137",["til"]="138",[" ef"]="139",[" si"]="140",["a a"]="141",["e h"]="142",["ed "]="143",["eft"]="144",["ga "]="145",["ig "]="146",["it "]="147",["ler"]="148",["med"]="149",["n i"]="150",["nd "]="151",["så "]="152",["tiv"]="153",[" bl"]="154",[" et"]="155",[" fi"]="156",[" sä"]="157",["at "]="158",["des"]="159",["e a"]="160",["gar"]="161",["get"]="162",["lan"]="163",["lss"]="164",["ost"]="165",["r b"]="166",["r e"]="167",["re "]="168",["ret"]="169",["sta"]="170",["t i"]="171",[" ge"]="172",[" he"]="173",[" re"]="174",["a f"]="175",["all"]="176",["bos"]="177",["ets"]="178",["lek"]="179",["let"]="180",["ner"]="181",["nna"]="182",["nne"]="183",["r f"]="184",["rit"]="185",["s s"]="186",["sen"]="187",["sto"]="188",["tor"]="189",["vav"]="190",["ygg"]="191",[" ka"]="192",[" så"]="193",[" tr"]="194",[" ut"]="195",["ad "]="196",["al "]="197",["are"]="198",["e o"]="199",["gon"]="200",["kom"]="201",["n a"]="202",["n h"]="203",["nga"]="204",["r h"]="205",["ren"]="206",["t d"]="207",["tag"]="208",["tar"]="209",["tre"]="210",["ätt"]="211",[" få"]="212",[" hä"]="213",[" se"]="214",["a d"]="215",["a i"]="216",["a p"]="217",["ale"]="218",["ann"]="219",["ara"]="220",["byg"]="221",["gt "]="222",["han"]="223",["igt"]="224",["kan"]="225",["la "]="226",["n o"]="227",["nom"]="228",["nsk"]="229",["omm"]="230",["r k"]="231",["r p"]="232",["r v"]="233",["s f"]="234",["s k"]="235",["t a"]="236",["t p"]="237",["ver"]="238",[" bo"]="239",[" br"]="240",[" ku"]="241",[" nå"]="242",["a b"]="243",["a e"]="244",["del"]="245",["ens"]="246",["es "]="247",["fin"]="248",["ige"]="249",["m s"]="250",["n p"]="251",["någ"]="252",["or "]="253",["r o"]="254",["rbe"]="255",["rs "]="256",["rt "]="257",["s a"]="258",["s n"]="259",["skr"]="260",["t o"]="261",["ten"]="262",["tio"]="263",["ven"]="264",[" al"]="265",[" ja"]="266",[" p "]="267",[" r "]="268",[" sa"]="269",["a h"]="270",["bet"]="271",["cke"]="272",["dra"]="273",["e f"]="274",["e i"]="275",["eda"]="276",["eno"]="277",["erä"]="278",["ess"]="279",["ion"]="280",["jag"]="281",["m f"]="282",["ne "]="283",["nns"]="284",["pro"]="285",["r t"]="286",["rar"]="287",["riv"]="288",["rät"]="289",["t e"]="290",["t t"]="291",["ust"]="292",["vad"]="293",["öre"]="294",[" ar"]="295",[" by"]="296",[" kr"]="297",[" mi"]="298",["arb"]="299"},["tagalog"]={["ng "]="0",["ang"]="1",[" na"]="2",[" sa"]="3",["an "]="4",["nan"]="5",["sa "]="6",["na "]="7",[" ma"]="8",[" ca"]="9",["ay "]="10",["n g"]="11",[" an"]="12",["ong"]="13",[" ga"]="14",["at "]="15",[" pa"]="16",["ala"]="17",[" si"]="18",["a n"]="19",["ga "]="20",["g n"]="21",["g m"]="22",["ito"]="23",["g c"]="24",["man"]="25",["san"]="26",["g s"]="27",["ing"]="28",["to "]="29",["ila"]="30",["ina"]="31",[" di"]="32",[" ta"]="33",["aga"]="34",["iya"]="35",["aca"]="36",["g t"]="37",[" at"]="38",["aya"]="39",["ama"]="40",["lan"]="41",["a a"]="42",["qui"]="43",["a c"]="44",["a s"]="45",["nag"]="46",[" ba"]="47",["g i"]="48",["tan"]="49",["'t "]="50",[" cu"]="51",["aua"]="52",["g p"]="53",[" ni"]="54",["os "]="55",["'y "]="56",["a m"]="57",[" n "]="58",["la "]="59",[" la"]="60",["o n"]="61",["yan"]="62",[" ay"]="63",["usa"]="64",["cay"]="65",["on "]="66",["ya "]="67",[" it"]="68",["al "]="69",["apa"]="70",["ata"]="71",["t n"]="72",["uan"]="73",["aha"]="74",["asa"]="75",["pag"]="76",[" gu"]="77",["g l"]="78",["di "]="79",["mag"]="80",["aba"]="81",["g a"]="82",["ara"]="83",["a p"]="84",["in "]="85",["ana"]="86",["it "]="87",["si "]="88",["cus"]="89",["g b"]="90",["uin"]="91",["a t"]="92",["as "]="93",["n n"]="94",["hin"]="95",[" hi"]="96",["a't"]="97",["ali"]="98",[" bu"]="99",["gan"]="100",["uma"]="101",["a d"]="102",["agc"]="103",["aqu"]="104",["g d"]="105",[" tu"]="106",["aon"]="107",["ari"]="108",["cas"]="109",["i n"]="110",["niy"]="111",["pin"]="112",["a i"]="113",["gca"]="114",["siy"]="115",["a'y"]="116",["yao"]="117",["ag "]="118",["ca "]="119",["han"]="120",["ili"]="121",["pan"]="122",["sin"]="123",["ual"]="124",["n s"]="125",["nam"]="126",[" lu"]="127",["can"]="128",["dit"]="129",["gui"]="130",["y n"]="131",["gal"]="132",["hat"]="133",["nal"]="134",[" is"]="135",["bag"]="136",["fra"]="137",[" fr"]="138",[" su"]="139",["a l"]="140",[" co"]="141",["ani"]="142",[" bi"]="143",[" da"]="144",["alo"]="145",["isa"]="146",["ita"]="147",["may"]="148",["o s"]="149",["sil"]="150",["una"]="151",[" in"]="152",[" pi"]="153",["l n"]="154",["nil"]="155",["o a"]="156",["pat"]="157",["sac"]="158",["t s"]="159",[" ua"]="160",["agu"]="161",["ail"]="162",["bin"]="163",["dal"]="164",["g h"]="165",["ndi"]="166",["oon"]="167",["ua "]="168",[" ha"]="169",["ind"]="170",["ran"]="171",["s n"]="172",["tin"]="173",["ulo"]="174",["eng"]="175",["g f"]="176",["ini"]="177",["lah"]="178",["lo "]="179",["rai"]="180",["rin"]="181",["ton"]="182",["g u"]="183",["inu"]="184",["lon"]="185",["o'y"]="186",["t a"]="187",[" ar"]="188",["a b"]="189",["ad "]="190",["bay"]="191",["cal"]="192",["gya"]="193",["ile"]="194",["mat"]="195",["n a"]="196",["pau"]="197",["ra "]="198",["tay"]="199",["y m"]="200",["ant"]="201",["ban"]="202",["i m"]="203",["nas"]="204",["nay"]="205",["no "]="206",["sti"]="207",[" ti"]="208",["ags"]="209",["g g"]="210",["ta "]="211",["uit"]="212",["uno"]="213",[" ib"]="214",[" ya"]="215",["a u"]="216",["abi"]="217",["ati"]="218",["cap"]="219",["ig "]="220",["is "]="221",["la'"]="222",[" do"]="223",[" pu"]="224",["api"]="225",["ayo"]="226",["gos"]="227",["gul"]="228",["lal"]="229",["tag"]="230",["til"]="231",["tun"]="232",["y c"]="233",["y s"]="234",["yon"]="235",["ano"]="236",["bur"]="237",["iba"]="238",["isi"]="239",["lam"]="240",["nac"]="241",["nat"]="242",["ni "]="243",["nto"]="244",["od "]="245",["pa "]="246",["rgo"]="247",["urg"]="248",[" m "]="249",["adr"]="250",["ast"]="251",["cag"]="252",["gay"]="253",["gsi"]="254",["i p"]="255",["ino"]="256",["len"]="257",["lin"]="258",["m g"]="259",["mar"]="260",["nah"]="261",["to'"]="262",[" de"]="263",["a h"]="264",["cat"]="265",["cau"]="266",["con"]="267",["iqu"]="268",["lac"]="269",["mab"]="270",["min"]="271",["og "]="272",["par"]="273",["sal"]="274",[" za"]="275",["ao "]="276",["doo"]="277",["ipi"]="278",["nod"]="279",["nte"]="280",["uha"]="281",["ula"]="282",[" re"]="283",["ill"]="284",["lit"]="285",["mac"]="286",["nit"]="287",["o't"]="288",["or "]="289",["ora"]="290",["sum"]="291",["y p"]="292",[" al"]="293",[" mi"]="294",[" um"]="295",["aco"]="296",["ada"]="297",["agd"]="298",["cab"]="299"},["turkish"]={["lar"]="0",["en "]="1",["ler"]="2",["an "]="3",["in "]="4",[" bi"]="5",[" ya"]="6",["eri"]="7",["de "]="8",[" ka"]="9",["ir "]="10",["arı"]="11",[" ba"]="12",[" de"]="13",[" ha"]="14",["ın "]="15",["ara"]="16",["bir"]="17",[" ve"]="18",[" sa"]="19",["ile"]="20",["le "]="21",["nde"]="22",["da "]="23",[" bu"]="24",["ana"]="25",["ini"]="26",["ını"]="27",["er "]="28",["ve "]="29",[" yı"]="30",["lma"]="31",["yıl"]="32",[" ol"]="33",["ar "]="34",["n b"]="35",["nda"]="36",["aya"]="37",["li "]="38",["ası"]="39",[" ge"]="40",["ind"]="41",["n k"]="42",["esi"]="43",["lan"]="44",["nla"]="45",["ak "]="46",["anı"]="47",["eni"]="48",["ni "]="49",["nı "]="50",["rın"]="51",["san"]="52",[" ko"]="53",[" ye"]="54",["maz"]="55",["baş"]="56",["ili"]="57",["rin"]="58",["alı"]="59",["az "]="60",["hal"]="61",["ınd"]="62",[" da"]="63",[" gü"]="64",["ele"]="65",["ılm"]="66",["ığı"]="67",["eki"]="68",["gün"]="69",["i b"]="70",["içi"]="71",["den"]="72",["kar"]="73",["si "]="74",[" il"]="75",["e y"]="76",["na "]="77",["yor"]="78",["ek "]="79",["n s"]="80",[" iç"]="81",["bu "]="82",["e b"]="83",["im "]="84",["ki "]="85",["len"]="86",["ri "]="87",["sın"]="88",[" so"]="89",["ün "]="90",[" ta"]="91",["nin"]="92",["iği"]="93",["tan"]="94",["yan"]="95",[" si"]="96",["nat"]="97",["nın"]="98",["kan"]="99",["rı "]="100",["çin"]="101",["ğı "]="102",["eli"]="103",["n a"]="104",["ır "]="105",[" an"]="106",["ine"]="107",["n y"]="108",["ola"]="109",[" ar"]="110",["al "]="111",["e s"]="112",["lik"]="113",["n d"]="114",["sin"]="115",[" al"]="116",[" dü"]="117",["anl"]="118",["ne "]="119",["ya "]="120",["ım "]="121",["ına"]="122",[" be"]="123",["ada"]="124",["ala"]="125",["ama"]="126",["ilm"]="127",["or "]="128",["sı "]="129",["yen"]="130",[" me"]="131",["atı"]="132",["di "]="133",["eti"]="134",["ken"]="135",["la "]="136",["lı "]="137",["oru"]="138",[" gö"]="139",[" in"]="140",["and"]="141",["e d"]="142",["men"]="143",["un "]="144",["öne"]="145",["a d"]="146",["at "]="147",["e a"]="148",["e g"]="149",["yar"]="150",[" ku"]="151",["ayı"]="152",["dan"]="153",["edi"]="154",["iri"]="155",["ünü"]="156",["ği "]="157",["ılı"]="158",["eme"]="159",["eği"]="160",["i k"]="161",["i y"]="162",["ıla"]="163",[" ça"]="164",["a y"]="165",["alk"]="166",["dı "]="167",["ede"]="168",["el "]="169",["ndı"]="170",["ra "]="171",["üne"]="172",[" sü"]="173",["dır"]="174",["e k"]="175",["ere"]="176",["ik "]="177",["imi"]="178",["işi"]="179",["mas"]="180",["n h"]="181",["sür"]="182",["yle"]="183",[" ad"]="184",[" fi"]="185",[" gi"]="186",[" se"]="187",["a k"]="188",["arl"]="189",["aşı"]="190",["iyo"]="191",["kla"]="192",["lığ"]="193",["nem"]="194",["ney"]="195",["rme"]="196",["ste"]="197",["tı "]="198",["unl"]="199",["ver"]="200",[" sı"]="201",[" te"]="202",[" to"]="203",["a s"]="204",["aşk"]="205",["ekl"]="206",["end"]="207",["kal"]="208",["liğ"]="209",["min"]="210",["tır"]="211",["ulu"]="212",["unu"]="213",["yap"]="214",["ye "]="215",["ı i"]="216",["şka"]="217",["ştı"]="218",[" bü"]="219",[" ke"]="220",[" ki"]="221",["ard"]="222",["art"]="223",["aşa"]="224",["n i"]="225",["ndi"]="226",["ti "]="227",["top"]="228",["ı b"]="229",[" va"]="230",[" ön"]="231",["aki"]="232",["cak"]="233",["ey "]="234",["fil"]="235",["isi"]="236",["kle"]="237",["kur"]="238",["man"]="239",["nce"]="240",["nle"]="241",["nun"]="242",["rak"]="243",["ık "]="244",[" en"]="245",[" yo"]="246",["a g"]="247",["lis"]="248",["mak"]="249",["n g"]="250",["tir"]="251",["yas"]="252",[" iş"]="253",[" yö"]="254",["ale"]="255",["bil"]="256",["bul"]="257",["et "]="258",["i d"]="259",["iye"]="260",["kil"]="261",["ma "]="262",["n e"]="263",["n t"]="264",["nu "]="265",["olu"]="266",["rla"]="267",["te "]="268",["yön"]="269",["çık"]="270",[" ay"]="271",[" mü"]="272",[" ço"]="273",[" çı"]="274",["a a"]="275",["a b"]="276",["ata"]="277",["der"]="278",["gel"]="279",["i g"]="280",["i i"]="281",["ill"]="282",["ist"]="283",["ldı"]="284",["lu "]="285",["mek"]="286",["mle"]="287",["n ç"]="288",["onu"]="289",["opl"]="290",["ran"]="291",["rat"]="292",["rdı"]="293",["rke"]="294",["siy"]="295",["son"]="296",["ta "]="297",["tçı"]="298",["tın"]="299"},["ukrainian"]={[" на"]="0",[" за"]="1",["ння"]="2",["ня "]="3",["на "]="4",[" пр"]="5",["ого"]="6",["го "]="7",["ськ"]="8",[" по"]="9",[" у "]="10",["від"]="11",["ере"]="12",[" мі"]="13",[" не"]="14",["их "]="15",["ть "]="16",["пер"]="17",[" ві"]="18",["ів "]="19",[" пе"]="20",[" що"]="21",["льн"]="22",["ми "]="23",["ні "]="24",["не "]="25",["ти "]="26",["ати"]="27",["енн"]="28",["міс"]="29",["пра"]="30",["ува"]="31",["ник"]="32",["про"]="33",["рав"]="34",["івн"]="35",[" та"]="36",["буд"]="37",["влі"]="38",["рів"]="39",[" ко"]="40",[" рі"]="41",["аль"]="42",["но "]="43",["ому"]="44",["що "]="45",[" ви"]="46",["му "]="47",["рев"]="48",["ся "]="49",["інн"]="50",[" до"]="51",[" уп"]="52",["авл"]="53",["анн"]="54",["ком"]="55",["ли "]="56",["лін"]="57",["ног"]="58",["упр"]="59",[" бу"]="60",[" з "]="61",[" ро"]="62",["за "]="63",["и н"]="64",["нов"]="65",["оро"]="66",["ост"]="67",["ста"]="68",["ті "]="69",["ють"]="70",[" мо"]="71",[" ні"]="72",[" як"]="73",["бор"]="74",["ва "]="75",["ван"]="76",["ень"]="77",["и п"]="78",["нь "]="79",["ові"]="80",["рон"]="81",["сті"]="82",["та "]="83",["у в"]="84",["ько"]="85",["іст"]="86",[" в "]="87",[" ре"]="88",["до "]="89",["е п"]="90",["заб"]="91",["ий "]="92",["нсь"]="93",["о в"]="94",["о п"]="95",["при"]="96",["і п"]="97",[" ку"]="98",[" пі"]="99",[" сп"]="100",["а п"]="101",["або"]="102",["анс"]="103",["аці"]="104",["ват"]="105",["вни"]="106",["и в"]="107",["ими"]="108",["ка "]="109",["нен"]="110",["ніч"]="111",["она"]="112",["ої "]="113",["пов"]="114",["ьки"]="115",["ьно"]="116",["ізн"]="117",["ічн"]="118",[" ав"]="119",[" ма"]="120",[" ор"]="121",[" су"]="122",[" чи"]="123",[" ін"]="124",["а з"]="125",["ам "]="126",["ає "]="127",["вне"]="128",["вто"]="129",["дом"]="130",["ент"]="131",["жит"]="132",["зни"]="133",["им "]="134",["итл"]="135",["ла "]="136",["них"]="137",["ниц"]="138",["ова"]="139",["ови"]="140",["ом "]="141",["пор"]="142",["тьс"]="143",["у р"]="144",["ься"]="145",["ідо"]="146",["іль"]="147",["ісь"]="148",[" ва"]="149",[" ді"]="150",[" жи"]="151",[" че"]="152",[" і "]="153",["а в"]="154",["а н"]="155",["али"]="156",["вез"]="157",["вно"]="158",["еве"]="159",["езе"]="160",["зен"]="161",["ицт"]="162",["ки "]="163",["ких"]="164",["кон"]="165",["ку "]="166",["лас"]="167",["ля "]="168",["мож"]="169",["нач"]="170",["ним"]="171",["ної"]="172",["о б"]="173",["ову"]="174",["оди"]="175",["ою "]="176",["ро "]="177",["рок"]="178",["сно"]="179",["спо"]="180",["так"]="181",["тва"]="182",["ту "]="183",["у п"]="184",["цтв"]="185",["ьни"]="186",["я з"]="187",["і м"]="188",["ії "]="189",[" вс"]="190",[" гр"]="191",[" де"]="192",[" но"]="193",[" па"]="194",[" се"]="195",[" ук"]="196",[" їх"]="197",["а о"]="198",["авт"]="199",["аст"]="200",["ают"]="201",["вар"]="202",["ден"]="203",["ди "]="204",["ду "]="205",["зна"]="206",["и з"]="207",["ико"]="208",["ися"]="209",["ити"]="210",["ког"]="211",["мен"]="212",["ном"]="213",["ну "]="214",["о н"]="215",["о с"]="216",["обу"]="217",["ово"]="218",["пла"]="219",["ран"]="220",["рив"]="221",["роб"]="222",["ска"]="223",["тан"]="224",["тим"]="225",["тис"]="226",["то "]="227",["тра"]="228",["удо"]="229",["чин"]="230",["чни"]="231",["і в"]="232",["ію "]="233",[" а "]="234",[" во"]="235",[" да"]="236",[" кв"]="237",[" ме"]="238",[" об"]="239",[" ск"]="240",[" ти"]="241",[" фі"]="242",[" є "]="243",["а р"]="244",["а с"]="245",["а у"]="246",["ак "]="247",["ані"]="248",["арт"]="249",["асн"]="250",["в у"]="251",["вик"]="252",["віз"]="253",["дов"]="254",["дпо"]="255",["дів"]="256",["еві"]="257",["енс"]="258",["же "]="259",["и м"]="260",["и с"]="261",["ика"]="262",["ичн"]="263",["кі "]="264",["ків"]="265",["між"]="266",["нан"]="267",["нос"]="268",["о у"]="269",["обл"]="270",["одн"]="271",["ок "]="272",["оло"]="273",["отр"]="274",["рен"]="275",["рим"]="276",["роз"]="277",["сь "]="278",["сі "]="279",["тла"]="280",["тів"]="281",["у з"]="282",["уго"]="283",["уді"]="284",["чи "]="285",["ше "]="286",["я н"]="287",["я у"]="288",["ідп"]="289",["ій "]="290",["іна"]="291",["ія "]="292",[" ка"]="293",[" ни"]="294",[" ос"]="295",[" си"]="296",[" то"]="297",[" тр"]="298",[" уг"]="299"},["urdu"]={["یں "]="0",[" کی"]="1",["کے "]="2",[" کے"]="3",["نے "]="4",[" کہ"]="5",["ے ک"]="6",["کی "]="7",["میں"]="8",[" می"]="9",["ہے "]="10",["وں "]="11",["کہ "]="12",[" ہے"]="13",["ان "]="14",["ہیں"]="15",["ور "]="16",[" کو"]="17",["یا "]="18",[" ان"]="19",[" نے"]="20",["سے "]="21",[" سے"]="22",[" کر"]="23",["ستا"]="24",[" او"]="25",["اور"]="26",["تان"]="27",["ر ک"]="28",["ی ک"]="29",[" اس"]="30",["ے ا"]="31",[" پا"]="32",[" ہو"]="33",[" پر"]="34",["رف "]="35",[" کا"]="36",["ا ک"]="37",["ی ا"]="38",[" ہی"]="39",["در "]="40",["کو "]="41",[" ای"]="42",["ں ک"]="43",[" مش"]="44",[" مل"]="45",["ات "]="46",["صدر"]="47",["اکس"]="48",["شرف"]="49",["مشر"]="50",["پاک"]="51",["کست"]="52",["ی م"]="53",[" دی"]="54",[" صد"]="55",[" یہ"]="56",["ا ہ"]="57",["ن ک"]="58",["وال"]="59",["یہ "]="60",["ے و"]="61",[" بھ"]="62",[" دو"]="63",["اس "]="64",["ر ا"]="65",["نہی"]="66",["کا "]="67",["ے س"]="68",["ئی "]="69",["ہ ا"]="70",["یت "]="71",["ے ہ"]="72",["ت ک"]="73",[" سا"]="74",["لے "]="75",["ہا "]="76",["ے ب"]="77",[" وا"]="78",["ار "]="79",["نی "]="80",["کہا"]="81",["ی ہ"]="82",["ے م"]="83",[" سی"]="84",[" لی"]="85",["انہ"]="86",["انی"]="87",["ر م"]="88",["ر پ"]="89",["ریت"]="90",["ن م"]="91",["ھا "]="92",["یر "]="93",[" جا"]="94",[" جن"]="95",["ئے "]="96",["پر "]="97",["ں ن"]="98",["ہ ک"]="99",["ی و"]="100",["ے د"]="101",[" تو"]="102",[" تھ"]="103",[" گی"]="104",["ایک"]="105",["ل ک"]="106",["نا "]="107",["کر "]="108",["ں م"]="109",["یک "]="110",[" با"]="111",["ا ت"]="112",["دی "]="113",["ن س"]="114",["کیا"]="115",["یوں"]="116",["ے ج"]="117",["ال "]="118",["تو "]="119",["ں ا"]="120",["ے پ"]="121",[" چا"]="122",["ام "]="123",["بھی"]="124",["تی "]="125",["تے "]="126",["دوس"]="127",["س ک"]="128",["ملک"]="129",["ن ا"]="130",["ہور"]="131",["یے "]="132",[" مو"]="133",[" وک"]="134",["ائی"]="135",["ارت"]="136",["الے"]="137",["بھا"]="138",["ردی"]="139",["ری "]="140",["وہ "]="141",["ویز"]="142",["ں د"]="143",["ھی "]="144",["ی س"]="145",[" رہ"]="146",[" من"]="147",[" نہ"]="148",[" ور"]="149",[" وہ"]="150",[" ہن"]="151",["ا ا"]="152",["است"]="153",["ت ا"]="154",["ت پ"]="155",["د ک"]="156",["ز م"]="157",["ند "]="158",["ورد"]="159",["وکل"]="160",["گی "]="161",["گیا"]="162",["ہ پ"]="163",["یز "]="164",["ے ت"]="165",[" اع"]="166",[" اپ"]="167",[" جس"]="168",[" جم"]="169",[" جو"]="170",[" سر"]="171",["اپن"]="172",["اکث"]="173",["تھا"]="174",["ثری"]="175",["دیا"]="176",["ر د"]="177",["رت "]="178",["روی"]="179",["سی "]="180",["ملا"]="181",["ندو"]="182",["وست"]="183",["پرو"]="184",["چاہ"]="185",["کثر"]="186",["کلا"]="187",["ہ ہ"]="188",["ہند"]="189",["ہو "]="190",["ے ل"]="191",[" اک"]="192",[" دا"]="193",[" سن"]="194",[" وز"]="195",[" پی"]="196",["ا چ"]="197",["اء "]="198",["اتھ"]="199",["اقا"]="200",["اہ "]="201",["تھ "]="202",["دو "]="203",["ر ب"]="204",["روا"]="205",["رے "]="206",["سات"]="207",["ف ک"]="208",["قات"]="209",["لا "]="210",["لاء"]="211",["م م"]="212",["م ک"]="213",["من "]="214",["نوں"]="215",["و ا"]="216",["کرن"]="217",["ں ہ"]="218",["ھار"]="219",["ہوئ"]="220",["ہی "]="221",["یش "]="222",[" ام"]="223",[" لا"]="224",[" مس"]="225",[" پو"]="226",[" پہ"]="227",["انے"]="228",["ت م"]="229",["ت ہ"]="230",["ج ک"]="231",["دون"]="232",["زیر"]="233",["س س"]="234",["ش ک"]="235",["ف ن"]="236",["ل ہ"]="237",["لاق"]="238",["لی "]="239",["وری"]="240",["وزی"]="241",["ونو"]="242",["کھن"]="243",["گا "]="244",["ں س"]="245",["ں گ"]="246",["ھنے"]="247",["ھے "]="248",["ہ ب"]="249",["ہ ج"]="250",["ہر "]="251",["ی آ"]="252",["ی پ"]="253",[" حا"]="254",[" وف"]="255",[" گا"]="256",["ا ج"]="257",["ا گ"]="258",["اد "]="259",["ادی"]="260",["اعظ"]="261",["اہت"]="262",["جس "]="263",["جمہ"]="264",["جو "]="265",["ر س"]="266",["ر ہ"]="267",["رنے"]="268",["س م"]="269",["سا "]="270",["سند"]="271",["سنگ"]="272",["ظم "]="273",["عظم"]="274",["ل م"]="275",["لیے"]="276",["مل "]="277",["موہ"]="278",["مہو"]="279",["نگھ"]="280",["و ص"]="281",["ورٹ"]="282",["وہن"]="283",["کن "]="284",["گھ "]="285",["گے "]="286",["ں ج"]="287",["ں و"]="288",["ں ی"]="289",["ہ د"]="290",["ہن "]="291",["ہوں"]="292",["ے ح"]="293",["ے گ"]="294",["ے ی"]="295",[" اگ"]="296",[" بع"]="297",[" رو"]="298",[" شا"]="299"},["uzbek"]={["ан "]="0",["ган"]="1",["лар"]="2",["га "]="3",["нг "]="4",["инг"]="5",["нин"]="6",["да "]="7",["ни "]="8",["ида"]="9",["ари"]="10",["ига"]="11",["ини"]="12",["ар "]="13",["ди "]="14",[" би"]="15",["ани"]="16",[" бо"]="17",["дан"]="18",["лга"]="19",[" ҳа"]="20",[" ва"]="21",[" са"]="22",["ги "]="23",["ила"]="24",["н б"]="25",["и б"]="26",[" кў"]="27",[" та"]="28",["ир "]="29",[" ма"]="30",["ага"]="31",["ала"]="32",["бир"]="33",["ри "]="34",["тга"]="35",["лан"]="36",["лик"]="37",["а к"]="38",["аги"]="39",["ати"]="40",["та "]="41",["ади"]="42",["даг"]="43",["рга"]="44",[" йи"]="45",[" ми"]="46",[" па"]="47",[" бў"]="48",[" қа"]="49",[" қи"]="50",["а б"]="51",["илл"]="52",["ли "]="53",["аси"]="54",["и т"]="55",["ик "]="56",["или"]="57",["лла"]="58",["ард"]="59",["вчи"]="60",["ва "]="61",["иб "]="62",["ири"]="63",["лиг"]="64",["нга"]="65",["ран"]="66",[" ке"]="67",[" ўз"]="68",["а с"]="69",["ахт"]="70",["бўл"]="71",["иги"]="72",["кўр"]="73",["рда"]="74",["рни"]="75",["са "]="76",[" бе"]="77",[" бу"]="78",[" да"]="79",[" жа"]="80",["а т"]="81",["ази"]="82",["ери"]="83",["и а"]="84",["илг"]="85",["йил"]="86",["ман"]="87",["пах"]="88",["рид"]="89",["ти "]="90",["увч"]="91",["хта"]="92",[" не"]="93",[" со"]="94",[" уч"]="95",["айт"]="96",["лли"]="97",["тла"]="98",[" ай"]="99",[" фр"]="100",[" эт"]="101",[" ҳо"]="102",["а қ"]="103",["али"]="104",["аро"]="105",["бер"]="106",["бил"]="107",["бор"]="108",["ими"]="109",["ист"]="110",["он "]="111",["рин"]="112",["тер"]="113",["тил"]="114",["ун "]="115",["фра"]="116",["қил"]="117",[" ба"]="118",[" ол"]="119",["анс"]="120",["ефт"]="121",["зир"]="122",["кат"]="123",["мил"]="124",["неф"]="125",["саг"]="126",["чи "]="127",["ўра"]="128",[" на"]="129",[" те"]="130",[" эн"]="131",["а э"]="132",["ам "]="133",["арн"]="134",["ат "]="135",["иш "]="136",["ма "]="137",["нла"]="138",["рли"]="139",["чил"]="140",["шга"]="141",[" иш"]="142",[" му"]="143",[" ўқ"]="144",["ара"]="145",["ваз"]="146",["и у"]="147",["иқ "]="148",["моқ"]="149",["рим"]="150",["учу"]="151",["чун"]="152",["ши "]="153",["энг"]="154",["қув"]="155",["ҳам"]="156",[" сў"]="157",[" ши"]="158",["бар"]="159",["бек"]="160",["дам"]="161",["и ҳ"]="162",["иши"]="163",["лад"]="164",["оли"]="165",["олл"]="166",["ори"]="167",["оқд"]="168",["р б"]="169",["ра "]="170",["рла"]="171",["уни"]="172",["фт "]="173",["ўлг"]="174",["ўқу"]="175",[" де"]="176",[" ка"]="177",[" қў"]="178",["а ў"]="179",["аба"]="180",["амм"]="181",["атл"]="182",["б к"]="183",["бош"]="184",["збе"]="185",["и в"]="186",["им "]="187",["ин "]="188",["ишл"]="189",["лаб"]="190",["лей"]="191",["мин"]="192",["н д"]="193",["нда"]="194",["оқ "]="195",["р м"]="196",["рил"]="197",["сид"]="198",["тал"]="199",["тан"]="200",["тид"]="201",["тон"]="202",["ўзб"]="203",[" ам"]="204",[" ки"]="205",["а ҳ"]="206",["анг"]="207",["анд"]="208",["арт"]="209",["аёт"]="210",["дир"]="211",["ент"]="212",["и д"]="213",["и м"]="214",["и о"]="215",["и э"]="216",["иро"]="217",["йти"]="218",["нсу"]="219",["оди"]="220",["ор "]="221",["си "]="222",["тиш"]="223",["тоб"]="224",["эти"]="225",["қар"]="226",["қда"]="227",[" бл"]="228",[" ге"]="229",[" до"]="230",[" ду"]="231",[" но"]="232",[" пр"]="233",[" ра"]="234",[" фо"]="235",[" қо"]="236",["а м"]="237",["а о"]="238",["айд"]="239",["ало"]="240",["ама"]="241",["бле"]="242",["г н"]="243",["дол"]="244",["ейр"]="245",["ек "]="246",["ерг"]="247",["жар"]="248",["зид"]="249",["и к"]="250",["и ф"]="251",["ий "]="252",["ило"]="253",["лди"]="254",["либ"]="255",["лин"]="256",["ми "]="257",["мма"]="258",["н в"]="259",["н к"]="260",["н ў"]="261",["н ҳ"]="262",["ози"]="263",["ора"]="264",["оси"]="265",["рас"]="266",["риш"]="267",["рка"]="268",["роқ"]="269",["сто"]="270",["тин"]="271",["хат"]="272",["шир"]="273",[" ав"]="274",[" рў"]="275",[" ту"]="276",[" ўт"]="277",["а п"]="278",["авт"]="279",["ада"]="280",["аза"]="281",["анл"]="282",["б б"]="283",["бой"]="284",["бу "]="285",["вто"]="286",["г э"]="287",["гин"]="288",["дар"]="289",["ден"]="290",["дун"]="291",["иде"]="292",["ион"]="293",["ирл"]="294",["ишг"]="295",["йха"]="296",["кел"]="297",["кўп"]="298",["лио"]="299"},["vietnamese"]={["ng "]="0",[" th"]="1",[" ch"]="2",["g t"]="3",[" nh"]="4",["ông"]="5",[" kh"]="6",[" tr"]="7",["nh "]="8",[" cô"]="9",["côn"]="10",[" ty"]="11",["ty "]="12",["i t"]="13",["n t"]="14",[" ng"]="15",["ại "]="16",[" ti"]="17",["ch "]="18",["y l"]="19",["ền "]="20",[" đư"]="21",["hi "]="22",[" gở"]="23",["gởi"]="24",["iền"]="25",["tiề"]="26",["ởi "]="27",[" gi"]="28",[" le"]="29",[" vi"]="30",["cho"]="31",["ho "]="32",["khá"]="33",[" và"]="34",["hác"]="35",[" ph"]="36",["am "]="37",["hàn"]="38",["ách"]="39",["ôi "]="40",["i n"]="41",["ược"]="42",["ợc "]="43",[" tô"]="44",["chú"]="45",["iệt"]="46",["tôi"]="47",["ên "]="48",["úng"]="49",["ệt "]="50",[" có"]="51",["c t"]="52",["có "]="53",["hún"]="54",["việ"]="55",["đượ"]="56",[" na"]="57",["g c"]="58",["i c"]="59",["n c"]="60",["n n"]="61",["t n"]="62",["và "]="63",["n l"]="64",["n đ"]="65",["àng"]="66",["ác "]="67",["ất "]="68",["h l"]="69",["nam"]="70",["ân "]="71",["ăm "]="72",[" hà"]="73",[" là"]="74",[" nă"]="75",[" qu"]="76",[" tạ"]="77",["g m"]="78",["năm"]="79",["tại"]="80",["ới "]="81",[" lẹ"]="82",["ay "]="83",["e g"]="84",["h h"]="85",["i v"]="86",["i đ"]="87",["le "]="88",["lẹ "]="89",["ều "]="90",["ời "]="91",["hân"]="92",["nhi"]="93",["t t"]="94",[" củ"]="95",[" mộ"]="96",[" về"]="97",[" đi"]="98",["an "]="99",["của"]="100",["là "]="101",["một"]="102",["về "]="103",["ành"]="104",["ết "]="105",["ột "]="106",["ủa "]="107",[" bi"]="108",[" cá"]="109",["a c"]="110",["anh"]="111",["các"]="112",["h c"]="113",["iều"]="114",["m t"]="115",["ện "]="116",[" ho"]="117",["'s "]="118",["ave"]="119",["e's"]="120",["el "]="121",["g n"]="122",["le'"]="123",["n v"]="124",["o c"]="125",["rav"]="126",["s t"]="127",["thi"]="128",["tra"]="129",["vel"]="130",["ận "]="131",["ến "]="132",[" ba"]="133",[" cu"]="134",[" sa"]="135",[" đó"]="136",[" đế"]="137",["c c"]="138",["chu"]="139",["hiề"]="140",["huy"]="141",["khi"]="142",["nhâ"]="143",["như"]="144",["ong"]="145",["ron"]="146",["thu"]="147",["thư"]="148",["tro"]="149",["y c"]="150",["ày "]="151",["đến"]="152",["ười"]="153",["ườn"]="154",["ề v"]="155",["ờng"]="156",[" vớ"]="157",["cuộ"]="158",["g đ"]="159",["iết"]="160",["iện"]="161",["ngà"]="162",["o t"]="163",["u c"]="164",["uộc"]="165",["với"]="166",["à c"]="167",["ài "]="168",["ơng"]="169",["ươn"]="170",["ải "]="171",["ộc "]="172",["ức "]="173",[" an"]="174",[" lậ"]="175",[" ra"]="176",[" sẽ"]="177",[" số"]="178",[" tổ"]="179",["a k"]="180",["biế"]="181",["c n"]="182",["c đ"]="183",["chứ"]="184",["g v"]="185",["gia"]="186",["gày"]="187",["hán"]="188",["hôn"]="189",["hư "]="190",["hức"]="191",["i g"]="192",["i h"]="193",["i k"]="194",["i p"]="195",["iên"]="196",["khô"]="197",["lập"]="198",["n k"]="199",["ra "]="200",["rên"]="201",["sẽ "]="202",["t c"]="203",["thà"]="204",["trê"]="205",["tổ "]="206",["u n"]="207",["y t"]="208",["ình"]="209",["ấy "]="210",["ập "]="211",["ổ c"]="212",[" má"]="213",[" để"]="214",["ai "]="215",["c s"]="216",["gườ"]="217",["h v"]="218",["hoa"]="219",["hoạ"]="220",["inh"]="221",["m n"]="222",["máy"]="223",["n g"]="224",["ngư"]="225",["nhậ"]="226",["o n"]="227",["oa "]="228",["oàn"]="229",["p c"]="230",["số "]="231",["t đ"]="232",["y v"]="233",["ào "]="234",["áy "]="235",["ăn "]="236",["đó "]="237",["để "]="238",["ước"]="239",["ần "]="240",["ển "]="241",["ớc "]="242",[" bá"]="243",[" cơ"]="244",[" cả"]="245",[" cầ"]="246",[" họ"]="247",[" kỳ"]="248",[" li"]="249",[" mạ"]="250",[" sở"]="251",[" tặ"]="252",[" vé"]="253",[" vụ"]="254",[" đạ"]="255",["a đ"]="256",["bay"]="257",["cơ "]="258",["g s"]="259",["han"]="260",["hươ"]="261",["i s"]="262",["kỳ "]="263",["m c"]="264",["n m"]="265",["n p"]="266",["o b"]="267",["oại"]="268",["qua"]="269",["sở "]="270",["tha"]="271",["thá"]="272",["tặn"]="273",["vào"]="274",["vé "]="275",["vụ "]="276",["y b"]="277",["àn "]="278",["áng"]="279",["ơ s"]="280",["ầu "]="281",["ật "]="282",["ặng"]="283",["ọc "]="284",["ở t"]="285",["ững"]="286",[" du"]="287",[" lu"]="288",[" ta"]="289",[" to"]="290",[" từ"]="291",[" ở "]="292",["a v"]="293",["ao "]="294",["c v"]="295",["cả "]="296",["du "]="297",["g l"]="298",["giả"]="299"},["welsh"]={["yn "]="0",["dd "]="1",[" yn"]="2",[" y "]="3",["ydd"]="4",["eth"]="5",["th "]="6",[" i "]="7",["aet"]="8",["d y"]="9",["ch "]="10",["od "]="11",["ol "]="12",["edd"]="13",[" ga"]="14",[" gw"]="15",["'r "]="16",["au "]="17",["ddi"]="18",["ad "]="19",[" cy"]="20",[" gy"]="21",[" ei"]="22",[" o "]="23",["iad"]="24",["yr "]="25",["an "]="26",["bod"]="27",["wed"]="28",[" bo"]="29",[" dd"]="30",["el "]="31",["n y"]="32",[" am"]="33",["di "]="34",["edi"]="35",["on "]="36",[" we"]="37",[" ym"]="38",[" ar"]="39",[" rh"]="40",["odd"]="41",[" ca"]="42",[" ma"]="43",["ael"]="44",["oed"]="45",["dae"]="46",["n a"]="47",["dda"]="48",["er "]="49",["h y"]="50",["all"]="51",["ei "]="52",[" ll"]="53",["am "]="54",["eu "]="55",["fod"]="56",["fyd"]="57",["l y"]="58",["n g"]="59",["wyn"]="60",["d a"]="61",["i g"]="62",["mae"]="63",["neu"]="64",["os "]="65",[" ne"]="66",["d i"]="67",["dod"]="68",["dol"]="69",["n c"]="70",["r h"]="71",["wyd"]="72",["wyr"]="73",["ai "]="74",["ar "]="75",["in "]="76",["rth"]="77",[" fy"]="78",[" he"]="79",[" me"]="80",[" yr"]="81",["'n "]="82",["dia"]="83",["est"]="84",["h c"]="85",["hai"]="86",["i d"]="87",["id "]="88",["r y"]="89",["y b"]="90",[" dy"]="91",[" ha"]="92",["ada"]="93",["i b"]="94",["n i"]="95",["ote"]="96",["rot"]="97",["tes"]="98",["y g"]="99",["yd "]="100",[" ad"]="101",[" mr"]="102",[" un"]="103",["cyn"]="104",["dau"]="105",["ddy"]="106",["edo"]="107",["i c"]="108",["i w"]="109",["ith"]="110",["lae"]="111",["lla"]="112",["nd "]="113",["oda"]="114",["ryd"]="115",["tho"]="116",[" a "]="117",[" dr"]="118",["aid"]="119",["ain"]="120",["ddo"]="121",["dyd"]="122",["fyn"]="123",["gyn"]="124",["hol"]="125",["io "]="126",["o a"]="127",["wch"]="128",["wyb"]="129",["ybo"]="130",["ych"]="131",[" br"]="132",[" by"]="133",[" di"]="134",[" fe"]="135",[" na"]="136",[" o'"]="137",[" pe"]="138",["art"]="139",["byd"]="140",["dro"]="141",["gal"]="142",["l e"]="143",["lai"]="144",["mr "]="145",["n n"]="146",["r a"]="147",["rhy"]="148",["wn "]="149",["ynn"]="150",[" on"]="151",[" r "]="152",["cae"]="153",["d g"]="154",["d o"]="155",["d w"]="156",["gan"]="157",["gwy"]="158",["n d"]="159",["n f"]="160",["n o"]="161",["ned"]="162",["ni "]="163",["o'r"]="164",["r d"]="165",["ud "]="166",["wei"]="167",["wrt"]="168",[" an"]="169",[" cw"]="170",[" da"]="171",[" ni"]="172",[" pa"]="173",[" pr"]="174",[" wy"]="175",["d e"]="176",["dai"]="177",["dim"]="178",["eud"]="179",["gwa"]="180",["idd"]="181",["im "]="182",["iri"]="183",["lwy"]="184",["n b"]="185",["nol"]="186",["r o"]="187",["rwy"]="188",[" ch"]="189",[" er"]="190",[" fo"]="191",[" ge"]="192",[" hy"]="193",[" i'"]="194",[" ro"]="195",[" sa"]="196",[" tr"]="197",["bob"]="198",["cwy"]="199",["cyf"]="200",["dio"]="201",["dyn"]="202",["eit"]="203",["hel"]="204",["hyn"]="205",["ich"]="206",["ll "]="207",["mdd"]="208",["n r"]="209",["ond"]="210",["pro"]="211",["r c"]="212",["r g"]="213",["red"]="214",["rha"]="215",["u a"]="216",["u c"]="217",["u y"]="218",["y c"]="219",["ymd"]="220",["ymr"]="221",["yw "]="222",[" ac"]="223",[" be"]="224",[" bl"]="225",[" co"]="226",[" os"]="227",["adw"]="228",["ae "]="229",["af "]="230",["d p"]="231",["efn"]="232",["eic"]="233",["en "]="234",["eol"]="235",["es "]="236",["fer"]="237",["gel"]="238",["h g"]="239",["hod"]="240",["ied"]="241",["ir "]="242",["laf"]="243",["n h"]="244",["na "]="245",["nyd"]="246",["odo"]="247",["ofy"]="248",["rdd"]="249",["rie"]="250",["ros"]="251",["stw"]="252",["twy"]="253",["yda"]="254",["yng"]="255",[" at"]="256",[" de"]="257",[" go"]="258",[" id"]="259",[" oe"]="260",[" â "]="261",["'ch"]="262",["ac "]="263",["ach"]="264",["ae'"]="265",["al "]="266",["bl "]="267",["d c"]="268",["d l"]="269",["dan"]="270",["dde"]="271",["ddw"]="272",["dir"]="273",["dla"]="274",["ed "]="275",["ela"]="276",["ell"]="277",["ene"]="278",["ewn"]="279",["gyd"]="280",["hau"]="281",["hyw"]="282",["i a"]="283",["i f"]="284",["iol"]="285",["ion"]="286",["l a"]="287",["l i"]="288",["lia"]="289",["med"]="290",["mon"]="291",["n s"]="292",["no "]="293",["obl"]="294",["ola"]="295",["ref"]="296",["rn "]="297",["thi"]="298",["un "]="299"}},["trigram-unicodemap"]={["Basic Latin"]={["albanian"]=661,["azeri"]=653,["bengali"]=1,["cebuano"]=750,["croatian"]=733,["czech"]=652,["danish"]=734,["dutch"]=741,["english"]=723,["estonian"]=739,["finnish"]=743,["french"]=733,["german"]=750,["hausa"]=752,["hawaiian"]=751,["hungarian"]=693,["icelandic"]=662,["indonesian"]=776,["italian"]=741,["latin"]=764,["latvian"]=693,["lithuanian"]=738,["mongolian"]=19,["norwegian"]=742,["pidgin"]=702,["polish"]=701,["portuguese"]=726,["romanian"]=714,["slovak"]=677,["slovene"]=740,["somali"]=755,["spanish"]=749,["swahili"]=770,["swedish"]=717,["tagalog"]=767,["turkish"]=673,["vietnamese"]=503,["welsh"]=728},["Latin-1 Supplement"]={["albanian"]=68,["azeri"]=10,["czech"]=51,["danish"]=13,["estonian"]=19,["finnish"]=39,["french"]=21,["german"]=8,["hungarian"]=72,["icelandic"]=80,["italian"]=3,["norwegian"]=5,["polish"]=6,["portuguese"]=18,["romanian"]=9,["slovak"]=37,["spanish"]=6,["swedish"]=26,["turkish"]=25,["vietnamese"]=56,["welsh"]=1},["[Malformatted]"]={["albanian"]=68,["arabic"]=724,["azeri"]=109,["bengali"]=1472,["bulgarian"]=750,["croatian"]=10,["czech"]=78,["danish"]=13,["estonian"]=19,["farsi"]=706,["finnish"]=39,["french"]=21,["german"]=8,["hausa"]=8,["hindi"]=1386,["hungarian"]=74,["icelandic"]=80,["italian"]=3,["kazakh"]=767,["kyrgyz"]=767,["latvian"]=56,["lithuanian"]=30,["macedonian"]=755,["mongolian"]=743,["nepali"]=1514,["norwegian"]=5,["pashto"]=677,["polish"]=45,["portuguese"]=18,["romanian"]=31,["russian"]=759,["serbian"]=757,["slovak"]=45,["slovene"]=10,["spanish"]=6,["swedish"]=26,["turkish"]=87,["ukrainian"]=748,["urdu"]=682,["uzbek"]=773,["vietnamese"]=289,["welsh"]=1},["Arabic"]={["arabic"]=724,["farsi"]=706,["pashto"]=677,["urdu"]=682},["Latin Extended-B"]={["azeri"]=73,["hausa"]=8,["vietnamese"]=19},["Latin Extended-A"]={["azeri"]=25,["croatian"]=10,["czech"]=27,["hungarian"]=2,["latvian"]=56,["lithuanian"]=30,["polish"]=39,["romanian"]=22,["slovak"]=8,["slovene"]=10,["turkish"]=62,["vietnamese"]=20},["Combining Diacritical Marks"]={["azeri"]=1},["Bengali"]={["bengali"]=714},["Gujarati"]={["bengali"]=16},["Gurmukhi"]={["bengali"]=6},["Cyrillic"]={["bulgarian"]=750,["kazakh"]=767,["kyrgyz"]=767,["macedonian"]=755,["mongolian"]=743,["russian"]=759,["serbian"]=757,["ukrainian"]=748,["uzbek"]=773},["Devanagari"]={["hindi"]=693,["nepali"]=757},["Latin Extended Additional"]={["vietnamese"]=97}}}
|
local msrpc = require "msrpc"
local nmap = require "nmap"
local smb = require "smb"
local stdnse = require "stdnse"
local string = require "string"
local table = require "table"
local vulns = require "vulns"
description = [[
Detects Microsoft Windows systems with Dns Server RPC vulnerable to MS07-029.
MS07-029 targets the <code>R_DnssrvQuery()</code> and <code>R_DnssrvQuery2()</code>
RPC method which isa part of DNS Server RPC interface that serves as a RPC service
for configuring and getting information from the DNS Server service.
DNS Server RPC service can be accessed using "\dnsserver" SMB named pipe.
The vulnerability is triggered when a long string is send as the "zone" parameter
which causes the buffer overflow which crashes the service.
This check was previously part of smb-check-vulns.
]]
---
--@usage
-- nmap --script smb-vuln-ms07-029.nse -p445 <host>
-- nmap -sU --script smb-vuln-ms07-029.nse -p U:137,T:139 <host>
--
--@output
--Host script results:
--| smb-vuln-ms07-029:
--| VULNERABLE:
--| Windows DNS RPC Interface Could Allow Remote Code Execution (MS07-029)
--| State: VULNERABLE
--| IDs: CVE:CVE-2007-1748
--| A stack-based buffer overflow in the RPC interface in the Domain Name System (DNS) Server Service in
--| Microsoft Windows 2000 Server SP 4, Server 2003 SP 1, and Server 2003 SP 2 allows remote attackers to
--| execute arbitrary code via a long zone name containing character constants represented by escape sequences.
--|
--| Disclosure date: 2007-06-06
--| References:
--| https://cve.mitre.org/cgi-bin/cvename.cgi?name=CVE-2007-1748
--|_ https://technet.microsoft.com/en-us/library/security/ms07-029.aspx
---
author = {"Ron Bowes", "Jiayi Ye", "Paulino Calderon <calderon()websec.mx>"}
copyright = "Ron Bowes"
license = "Same as Nmap--See https://nmap.org/book/man-legal.html"
categories = {"intrusive","exploit","dos","vuln"}
-- run after all smb-* scripts (so if it DOES crash something, it doesn't kill
-- other scans have had a chance to run)
dependencies = {
"smb-brute", "smb-enum-sessions", "smb-security-mode",
"smb-enum-shares", "smb-server-stats",
"smb-enum-domains", "smb-enum-users", "smb-system-info",
"smb-enum-groups", "smb-os-discovery", "smb-enum-processes",
"smb-psexec",
};
hostrule = function(host)
return smb.get_port(host) ~= nil
end
local VULNERABLE = 1
local PATCHED = 2
local UNKNOWN = 3
local NOTUP = 8
---Check the existence of ms07_029 vulnerability in Microsoft Dns Server service.
--This check is not safe as it crashes the Dns Server RPC service its dependencies.
--@param host Host object.
--@return (status, result)
--* <code>status == false</code> -> <code>result == NOTUP</code> which designates
--that the targeted Dns Server RPC service is not active.
--* <code>status == true</code> ->
-- ** <code>result == VULNERABLE</code> for vulnerable.
-- ** <code>result == PATCHED</code> for not vulnerable.
function check_ms07_029(host)
--create the SMB session
local status, smbstate
status, smbstate = msrpc.start_smb(host, msrpc.DNSSERVER_PATH)
if(status == false) then
stdnse.debug1("check_ms07_029: Service is not active.")
return false, NOTUP --if not accessible across pipe then the service is inactive
end
--bind to DNSSERVER service
local bind_result
status, bind_result = msrpc.bind(smbstate, msrpc.DNSSERVER_UUID, msrpc.DNSSERVER_VERSION)
if(status == false) then
stdnse.debug1("check_ms07_029: false")
msrpc.stop_smb(smbstate)
return false, UNKNOWN --if bind operation results with a false status we can't conclude anything.
end
--call
local req_blob, q_result
status, q_result = msrpc.DNSSERVER_Query(
smbstate,
"VULNSRV",
string.rep("\\\13", 1000),
1)--any op num will do
--sanity check
msrpc.stop_smb(smbstate)
if(status == false) then
stdnse.debug1("check_ms07_029: DNSSERVER_Query failed")
if(q_result == "NT_STATUS_PIPE_BROKEN") then
return true, VULNERABLE
else
return true, PATCHED
end
else
return true, PATCHED
end
end
action = function(host)
local status, result, message
local response = {}
local vuln_report = vulns.Report:new(SCRIPT_NAME, host)
local vuln_table = {
title = 'Windows DNS RPC Interface Could Allow Remote Code Execution (MS07-029)',
state = vulns.STATE.NOT_VULN,
description = [[
A stack-based buffer overflow in the RPC interface in the Domain Name System (DNS) Server Service in
Microsoft Windows 2000 Server SP 4, Server 2003 SP 1, and Server 2003 SP 2 allows remote attackers to
execute arbitrary code via a long zone name containing character constants represented by escape sequences.
]],
IDS = {CVE = 'CVE-2007-1748'},
references = {
'https://technet.microsoft.com/en-us/library/security/ms07-029.aspx'
},
dates = {
disclosure = {year = '2007', month = '06', day = '06'},
}
}
-- Check for ms07-029
status, result = check_ms07_029(host)
if(status == false) then
if(result == NOTUP) then
vuln_table.extra_info = "Service is not active."
vuln_table.state = vulns.STATE.NOT_VULN
else
vuln_table.state = vulns.STATE.NOT_VULN
end
else
if(result == VULNERABLE) then
vuln_table.state = vulns.STATE.VULN
else
vuln_table.state = vulns.STATE.NOT_VULN
end
end
return vuln_report:make_output(vuln_table)
end
|
--[[
Name: accel-and-compass-lsm303dlhc.lua
Desc: This is an example that uses the LSM303DLHC Accelerometer &
Magnetometer on the I2C Bus on EIO4(SCL) and EIO5(SDA)
Note: This example is a combination of the LSM303 Accelerometer and
LSM303 Magnetometer Lua scripts
I2C examples assume power is provided by a LJTick-LVDigitalIO at 3.3V
(a DAC set to 3.3V or a DIO line could also be used for power)
--]]
--Outputs data to Registers:
--X mag = 46000
--Y mag = 46002
--Z mag = 46004
--X accel = 46006
--Y accel = 46008
--Z accel = 46010
local MAG_ADDRESS = 0x1E
local ACCEL_ADDRESS = 0x19
-------------------------------------------------------------------------------
-- Desc: Returns a number adjusted using the conversion factor
-- Use 1 if not desired
-------------------------------------------------------------------------------
local function convert_16_bit(msb, lsb, conv)
res = 0
if msb >= 128 then
res = (-0x7FFF+((msb-128)*256+lsb))/conv
else
res = (msb*256+lsb)/conv
end
return res
end
-- Configure the I2C Bus
I2C.config(13, 12, 65516, 0, MAG_ADDRESS, 0)
local addrs = I2C.search(0, 127)
local addrslen = table.getn(addrs)
local found = 0
-- Make sure all device slave addresses are found
for i=1, addrslen do
if addrs[i] == MAG_ADDRESS then
print("I2C Magnetometer Slave Detected")
found = found+1
end
if addrs[i] == ACCEL_ADDRESS then
print("I2C Accelerometer Slave Detected")
found = found+1
end
end
if found ~= 2 then
print(string.format("%d", found).." slave devices found (looking for 3 devices), program stopping")
MB.writeName("LUA_RUN", 0)
end
-- Change the target to the magnetometer
MB.writeName("I2C_SLAVE_ADDRESS", MAG_ADDRESS)
-- Data Output Rate set (30Hz), disable temp sensor
I2C.write({0x00, 0x14})
-- Amplifier Gain set (+-1.3 Gauss)
I2C.write({0x01, 0x20})
-- Set mode (continous conversion)
I2C.write({0x02, 0x00})
-- Change the target to the accelerometer
MB.writeName("I2C_SLAVE_ADDRESS", ACCEL_ADDRESS)
--Data Rate: 10Hz, disable low-power, enable all axes
I2C.write({0x20, 0x27})
-- Continuous update, LSB at lower addr, +- 2g, Hi-Res disable
I2C.write({0x23, 0x49})
LJ.IntervalConfig(0, 500)
while true do
if LJ.CheckInterval(0) then
-- Change the target to the magnetometer
MB.writeName("I2C_SLAVE_ADDRESS", MAG_ADDRESS)
local rawmagdata = {}
-- Sequentially read the addresses containing the magnetic field data
for i=0, 5 do
I2C.write({0x03+i})
local indata = I2C.read(2)
table.insert(rawmagdata, indata[1])
end
local magdata = {}
-- Convert the data into useful gauss values
table.insert(magdata, convert_16_bit(rawmagdata[1], rawmagdata[2], 1100))
table.insert(magdata, convert_16_bit(rawmagdata[3], rawmagdata[4], 11000))
table.insert(magdata, convert_16_bit(rawmagdata[5], rawmagdata[6], 980))
-- Change the target to the accelerometer
MB.writeName("I2C_SLAVE_ADDRESS", ACCEL_ADDRESS)
local rawacceldata = {}
-- Sequentially read the addresses containing the accel data
for i=0, 5 do
I2C.write({0x28+i})
local indata = I2C.read(2)
table.insert(rawacceldata, indata[1])
end
local acceldata = {}
-- Convert the data into Gs
for i=0, 2 do
table.insert(acceldata, convert_16_bit(rawacceldata[1+i*2], rawacceldata[2+i*2], (0x7FFF/2)))
end
-- Add magX value, in Gauss, to the user_ram registers
MB.writeName("USER_RAM0_F32", magdata[1])
-- Add magY
MB.writeName("USER_RAM1_F32", magdata[2])
-- Add magZ
MB.writeName("USER_RAM2_F32", magdata[3])
-- Add accelX value, in Gs, to the user_ram register
MB.writeName("USER_RAM3_F32", acceldata[1])
-- Add accelY
MB.writeName("USER_RAM4_F32", acceldata[2])
-- Add accelZ
MB.writeName("USER_RAM5_F32", acceldata[3])
print("Accel X: "..acceldata[1].." Mag X: "..magdata[1])
print("Accel Y: "..acceldata[2].." Mag Y: "..magdata[2])
print("Accel Z: "..acceldata[3].." Mag Z: "..magdata[3])
print("------")
end
end
|
--アビス・シャーク
--
--Script by Trishula9
function c100426001.initial_effect(c)
--spsummon
local e1=Effect.CreateEffect(c)
e1:SetCategory(CATEGORY_SPECIAL_SUMMON+CATEGORY_SEARCH+CATEGORY_TOHAND)
e1:SetType(EFFECT_TYPE_IGNITION)
e1:SetRange(LOCATION_HAND)
e1:SetCountLimit(1,100426001)
e1:SetCondition(c100426001.spcon)
e1:SetTarget(c100426001.sptg)
e1:SetOperation(c100426001.spop)
c:RegisterEffect(e1)
--xyzlv
local e2=Effect.CreateEffect(c)
e2:SetType(EFFECT_TYPE_SINGLE)
e2:SetCode(EFFECT_XYZ_LEVEL)
e2:SetProperty(EFFECT_FLAG_SINGLE_RANGE)
e2:SetRange(LOCATION_MZONE)
e2:SetValue(c100426001.xyzlv)
e2:SetLabel(3)
c:RegisterEffect(e2)
local e3=e2:Clone()
e3:SetLabel(4)
c:RegisterEffect(e3)
end
function c100426001.spfilter(c)
return not c:IsAttribute(ATTRIBUTE_WATER) or c:IsFacedown()
end
function c100426001.spcon(e,tp,eg,ep,ev,re,r,rp)
return Duel.GetFieldGroupCount(tp,LOCATION_MZONE,0)>0
and not Duel.IsExistingMatchingCard(c100426001.spfilter,tp,LOCATION_MZONE,0,1,nil)
end
function c100426001.thfilter(c)
return not c:IsCode(100426001) and c:IsLevelAbove(3) and c:IsLevelBelow(5) and c:IsRace(RACE_FISH) and c:IsAbleToHand()
end
function c100426001.sptg(e,tp,eg,ep,ev,re,r,rp,chk)
if chk==0 then return Duel.GetLocationCount(tp,LOCATION_MZONE)>0
and e:GetHandler():IsCanBeSpecialSummoned(e,0,tp,false,false)
and Duel.IsExistingMatchingCard(c100426001.thfilter,tp,LOCATION_DECK,0,1,nil) end
Duel.SetOperationInfo(0,CATEGORY_SPECIAL_SUMMON,e:GetHandler(),1,0,0)
Duel.SetOperationInfo(0,CATEGORY_TOHAND,nil,1,tp,LOCATION_DECK)
end
function c100426001.spop(e,tp,eg,ep,ev,re,r,rp)
local c=e:GetHandler()
if c:IsRelateToEffect(e) and Duel.SpecialSummon(c,0,tp,tp,false,false,POS_FACEUP)>0 then
local g=Duel.GetMatchingGroup(c100426001.thfilter,tp,LOCATION_DECK,0,nil)
if #g>0 then
Duel.Hint(HINT_SELECTMSG,tp,HINTMSG_ATOHAND)
local sg=g:Select(tp,1,1,nil)
if #sg>0 then
Duel.SendtoHand(sg,nil,REASON_EFFECT)
Duel.ConfirmCards(1-tp,sg)
end
end
end
local e1=Effect.CreateEffect(c)
e1:SetType(EFFECT_TYPE_FIELD)
e1:SetCode(EFFECT_CANNOT_SPECIAL_SUMMON)
e1:SetProperty(EFFECT_FLAG_PLAYER_TARGET)
e1:SetTargetRange(1,0)
e1:SetTarget(c100426001.splimit)
e1:SetReset(RESET_PHASE+PHASE_END)
Duel.RegisterEffect(e1,tp)
local e2=Effect.CreateEffect(c)
e2:SetType(EFFECT_TYPE_FIELD)
e2:SetCode(EFFECT_CHANGE_BATTLE_DAMAGE)
e2:SetProperty(EFFECT_FLAG_PLAYER_TARGET)
e2:SetTargetRange(0,1)
e2:SetCondition(c100426001.damcon)
e2:SetValue(DOUBLE_DAMAGE)
e2:SetReset(RESET_PHASE+PHASE_DAMAGE_CAL+PHASE_END)
Duel.RegisterEffect(e2,tp)
end
function c100426001.splimit(e,c,sump,sumtype,sumpos,targetp,se)
return not c:IsAttribute(ATTRIBUTE_WATER)
end
function c100426001.damcon(e)
local tp=e:GetHandlerPlayer()
local a,d=Duel.GetBattleMonster(tp)
return a and d and a:GetControler()==tp and a:IsSetCard(0x48)
end
function c100426001.xyzlv(e,c,rc)
if rc:IsSetCard(0x48) then
return c:GetLevel()+0x10000*e:GetLabel()
else
return c:GetLevel()
end
end
|
--[[
*************************************************************
* This script is developed by Arturs Sosins aka ar2rsawseen, http://appcodingeasy.com
* Feel free to distribute and modify code, but keep reference to its creator
*
* TextWrap object splits string into multiple lines by provided width.
* You can also specify line spacing and alignment modes : left, right, center and justify
* It is completely compatible with existing TextField object methods
*
* For more information, examples and online documentation visit:
* http://appcodingeasy.com/Gideros-Mobile/Creating-multi-line-text-fields-in-Gideros-Mobile
**************************************************************
]]--
TextWrap = gideros.class(Sprite)
function TextWrap:init(text, width, align, linespace, font)
--argument check
if not align then align = "left" end
if not linespace then linespace = 2 end
if not font then font = nil end
--internal settings
self.textColor = 0x000000
self.letterSpacing = 0.6
self.text = text
self.align = align
self.width = width
self.lineSpacing = linespace
self.font = font
self:setText(text)
end
function TextWrap:setText(text)
self.text = text
--remove previous lines
local childCount = self:getNumChildren()
if childCount > 0 then
for i = 0, childCount-1 do
self:removeChildAt(childCount-i)
end
end
--some calculations
local test = TextField.new(self.font, self.text)
test:setLetterSpacing(self.letterSpacing)
local textWidth = test:getWidth()
local letterCount = text:len()
local letterChunks = math.floor(letterCount/(textWidth/self.width))
local iters = math.ceil(letterCount/letterChunks)
local newstr, replaces = text:gsub("\n", "\n")
--add new line breaks
iters = iters + replaces
--split string in lines
local height = 0
local last = 1
for i = 1, iters do
local part = text:sub(last, last+letterChunks-1)
local lastSpace = 0
local newLine = false
local len = part:len()
local startStr, endStr = part:find("\n")
if startStr ~= nil then
lastSpace = startStr - 1
last = last + 1
newLine = true
end
if lastSpace == 0 then
--finding last space
for i = 1, len do
if part:find(" ", -i) ~= nil then
lastSpace = ((len-i)+1)
break
end
end
end
if lastSpace > 0 and i ~= iters then
last = last + lastSpace
part = part:sub(1, lastSpace)
else
last = last + letterChunks
end
local line = TextField.new(self.font, part)
if line.enableBaseLine then --GiderosCodingEasy hack
line:enableBaseLine()
end
line:setLetterSpacing(self.letterSpacing)
line:setTextColor(self.textColor)
if self.align == "left" or (newLine and self.align == "justify") then
self:addChild(line)
line:setPosition(0, height)
elseif self.align == "right" then
self:addChild(line)
line:setPosition(self.width - line:getWidth(), height)
elseif self.align == "center" then
self:addChild(line)
line:setPosition((self.width - line:getWidth())/2, height)
elseif self.align == "justify" then
local diff = self.width - line:getWidth()
--if no difference or last line
if diff == 0 or i == iters then
self:addChild(line)
line:setPosition(0, height)
else
local res, spaceCount = part:gsub(" ", "")
local newLine = TextField.new(self.font, res)
newLine:setLetterSpacing(self.letterSpacing)
diff = self.width - newLine:getWidth()
local eachSpace = diff/(spaceCount-1)
local lastPos = 0
for wordString in part:gmatch("[^%s]+") do
local word = TextField.new(self.font, wordString)
if word.enableBaseLine then --GiderosCodingEasy hack
word:enableBaseLine()
end
word:setLetterSpacing(self.letterSpacing)
word:setTextColor(self.textColor)
self:addChild(word)
word:setPosition(lastPos, height)
lastPos = lastPos + word:getWidth() + eachSpace
end
end
end
height = height + line:getHeight() + self.lineSpacing
end
end
function TextWrap:getText()
return self.text
end
function TextWrap:setTextColor(color)
self.textColor = color
for i = 1, self:getNumChildren() do
local sprite = self:getChildAt(i)
sprite:setTextColor(color)
end
end
function TextWrap:getTextColor()
return self.textColor
end
function TextWrap:setLetterSpacing(spacing)
self.letterSpacing = spacing
for i = 1, self:getNumChildren() do
local sprite = self:getChildAt(i)
sprite:setLetterSpacing(spacing)
end
end
function TextWrap:getLetterSpacing()
return self.letterSpacing
end
function TextWrap:setAlignment(align)
self.align = align
self:setText(self.text)
end
function TextWrap:getAlignment()
return self.align
end
function TextWrap:setWidth(width)
self.width = width
self:setText(self.text)
end
function TextWrap:getWidth()
return self.width
end
function TextWrap:setLineSpacing(linespace)
self.lineSpacing = linespace
self:setText(self.text)
end
function TextWrap:getLineSpacing()
return self.lineSpacing
end
function TextWrap:setFont(font)
self.font = font
self:setText(self.text)
end
function TextWrap:getFont()
return self.font
end
|
-----------------------------------
-- Area: Dangruf Wadi
-- NM: Teporingo
-----------------------------------
require("scripts/globals/hunts")
function onMobDeath(mob, player, isKiller)
tpz.hunts.checkHunt(mob, player, 223)
end
|
server = nil
service = nil
return function()
server.Admin = {
OnlineAdmins = {};
LevelToWord = function(Level)
return ({
[0] = "Player";
[1] = "Moderator";
[2] = "Admin";
[3] = "Creator";
}) [Level]
end;
GetAdminLevel = function(Player)
for i, v in pairs(server.Settings.Creators) do
if Player.UserId or Player.Name == v then
return 3
end
end
for i,v in pairs(server.Settings.Admins) do
if Player.Name or Player.UserId == v then
return 2
end
end
for i,v in pairs(server.Settings.Moderators) do
if Player.Name or Player.UserId == v then
return 1
end
end
return 0
end;
CheckCommandLevel = function(Level, CommandLevel)
if type(CommandLevel) == "string" then
return Level:lower() == CommandLevel:lower()
end
end;
CanRunCommand = function(Player, Command)
local PlayerLevel = server.Admin.GetAdminLevel(Player)
local CommandCheck = server.Admin.CheckCommandLevel
if PlayerLevel >= 3 then
return true
elseif PlayerLevel >= 2 and CommandCheck("Admin", Command.AdminLevel) then
return true
elseif PlayerLevel >= 1 and CommandCheck("Moderator", Command.AdminLevel) then
return true
elseif PlayerLevel >= 0 and CommandCheck("Player", Command.AdminLevel) then
return true
end
return false
end;
--// Will make better later maybe?
}
end
|
local PANEL = {}
function PANEL:Init()
//self:ShowCloseButton( false )
self.Avatar = vgui.Create( "AvatarImage", self )
self.PlayerName = translate.Get( "rd_ui_shop_not_available" )
self.Desc = ""
self:PerformLayout()
end
function PANEL:SetPlayerEnt( ply )
self.Avatar:SetPlayer( ply )
if IsValid( ply ) then
self.PlayerName = ply:Nick()
end
end
function PANEL:SetCount( num )
self.Count = num
end
function PANEL:SetDescription( text )
self.Desc = text
end
function PANEL:GetPadding()
return 5
end
function PANEL:PerformLayout()
self.Avatar:SetSize( 16, 16 )
self.Avatar:SetPos( self:GetPadding(), self:GetPadding() )
self:SetTall( 16 + self:GetPadding() * 2 )
end
function PANEL:Paint()
draw.RoundedBox( 4, 2, 2, self:GetWide() - 4, self:GetTall() - 4, Color( 100, 100, 100, 255 ) )
draw.SimpleText( self.PlayerName .. " " .. self.Desc, "EndGame", self:GetPadding() * 3 + 16, self:GetTall() * 0.4 - self:GetPadding(), Color( 255, 255, 255 ), TEXT_ALIGN_LEFT, TEXT_ALIGN_LEFT )
if self.Count then
draw.SimpleText( self.Count, "EndGame", self:GetWide() - self:GetPadding() * 2, self:GetTall() * 0.4 - self:GetPadding(), Color( 255, 50, 50 ), TEXT_ALIGN_RIGHT, TEXT_ALIGN_RIGHT )
end
end
derma.DefineControl( "PlayerPanel", "A HUD Element with a player name and avatar", PANEL, "PanelBase" )
|
local mroot = os.getenv("MODULEPATH_ROOT")
prepend_path("MODULEPATH", pathJoin(mroot, "C3"))
|
local status_ok, _ = pcall(require, "lspconfig")
if not status_ok then
return
end
require("rc/lsp/configs")
require("rc/lsp/handlers").setup()
|
local M = {}
local query = require('possession.query')
local utils = require('possession.utils')
-- FIXME: This seems hacky as hell and will most likely break some day...
-- Get the lua parser for given buffer and replace its injection query
-- with one that will highlight vimscript inside the string stored in
-- the`vimscript` variable.
local function patch_treesitter_injections(buf)
local parser = vim.treesitter.get_parser(buf, 'lua')
local new_query = vim.treesitter.parse_query(
'lua',
[[
(assignment_statement
(variable_list (identifier) @_vimscript_identifier)
(expression_list (string content: _ @vim)
(#eq? @_vimscript_identifier "vimscript")))
]]
)
parser._injection_query = new_query
end
-- Print a list of sessions as Vim message
--@param sessions table?: optional list of sessions
--@param vimscript boolean?: include vimscript in the output
--@param user_data boolean?: include user_data in the output
function M.echo_sessions(opts)
opts = vim.tbl_extend('force', {
sessions = nil,
vimscript = false,
user_data = true,
}, opts or {})
local sessions = opts.sessions or query.as_list()
local chunks = {}
local add = function(parts)
local as_chunk = function(part)
return type(part) == 'string' and { part } or part
end
vim.list_extend(chunks, vim.tbl_map(as_chunk, parts))
end
for i, data in ipairs(sessions) do
if i ~= 1 then
add { '\n' }
end
add { { 'Name: ', 'Title' }, data.name, '\n' }
if data.file then
add { { 'File: ', 'Title' }, data.file, '\n' }
end
add { { 'Cwd: ', 'Title' }, data.cwd, '\n' }
if opts.user_data then
local s = vim.inspect(data.user_data, { indent = ' ' })
local lines = utils.split_lines(s)
add { { 'User data: ', 'Title' }, '\n' }
for l = 2, #lines do
add { lines[l], '\n' }
end
end
if opts.vimscript then
-- Does not really make sense to list vimscript, at least join lines.
local line = data.vimscript:gsub('\n', '\\n')
add { { 'Vimscript: ', 'Title' }, line, '\n' }
end
end
vim.api.nvim_echo(chunks, false, {})
end
-- Display session data in given buffer.
-- Data may optionally contain "file" key with path to session file.
function M.in_buffer(data, buf)
-- (a bit hacky) way to easily get syntax highlighting - just format everything
-- as valid Lua code and set filetype.
buf = buf or vim.api.nvim_get_current_buf()
local lines = {}
table.insert(lines, 'name = ' .. vim.inspect(data.name))
table.insert(lines, 'file = ' .. vim.inspect(data.file))
table.insert(lines, 'cwd = ' .. vim.inspect(data.cwd))
table.insert(lines, '')
local user_data = vim.inspect(data.user_data, { indent = ' ' })
user_data = utils.split_lines(user_data)
table.insert(lines, 'user_data = ' .. user_data[1])
vim.list_extend(lines, user_data, 2)
local plugin_data = vim.inspect(data.plugins, { indent = ' ' })
plugin_data = utils.split_lines(plugin_data)
table.insert(lines, 'plugin_data = ' .. plugin_data[1])
vim.list_extend(lines, plugin_data, 2)
table.insert(lines, '')
table.insert(lines, 'vimscript = [[')
local vimscript = utils.split_lines(data.vimscript, true)
vimscript = vim.tbl_map(function(line)
return ' ' .. line
end, vimscript)
vim.list_extend(lines, vimscript)
table.insert(lines, ']]')
vim.api.nvim_buf_set_option(buf, 'filetype', 'lua')
-- Try to add vimscript injections
local ok = pcall(patch_treesitter_injections, buf)
if not ok then
utils.warn('Adding treesitter injections in preview window failed')
end
vim.api.nvim_buf_set_lines(buf, 0, -1, false, lines)
end
return M
|
ESX = nil
local connectedPlayers = {}
TriggerEvent('esx:getSharedObject', function(obj) ESX = obj end)
function CountJobs()
local EMSConnected = 0
local PoliceConnected = 0
local TaxiConnected = 0
local MekConnected = 0
local BilConnected = 0
local MaklareConnected = 0
local PlayerConnected = 0
local xPlayers = ESX.GetPlayers()
for i=1, #xPlayers, 1 do
local xPlayer = ESX.GetPlayerFromId(xPlayers[i])
PlayerConnected = PlayerConnected + 1
if xPlayer.job.name == 'ambulance' then
EMSConnected = EMSConnected + 1
elseif xPlayer.job.name == 'police' then
PoliceConnected = PoliceConnected + 1
elseif xPlayer.job.name == 'taxi' then
TaxiConnected = TaxiConnected + 1
elseif xPlayer.job.name == 'mecano' then
MekConnected = MekConnected + 1
elseif xPlayer.job.name == 'cardealer' then
BilConnected = BilConnected + 1
elseif xPlayer.job.name == 'realestateagent' then
MaklareConnected = MaklareConnected + 1
end
end
return EMSConnected, PoliceConnected, TaxiConnected, MekConnected, BilConnected, MaklareConnected, PlayerConnected
end
ESX.RegisterServerCallback('scoreboard:getScoreboard', function(source, cb)
cb(CountJobs())
end)
ESX.RegisterServerCallback('scoreboard:getPlayers', function(source, cb)
cb(connectedPlayers)
end)
AddEventHandler('esx:playerLoaded', function(player)
connectedPlayers[player] = {}
local identifier = GetPlayerIdentifiers(player)[1]
MySQL.Async.fetchAll('SELECT firstname, lastname, name FROM users WHERE identifier = @identifier', {
['@identifier'] = identifier
}, function (result)
if result[1].firstname and result[1].lastname then
connectedPlayers[player].name = result[1].firstname .. ' ' .. result[1].lastname
TriggerClientEvent('scoreboard:updatePlayers', -1, connectedPlayers)
elseif result[1].name then
connectedPlayers[player].name = result[1].name
TriggerClientEvent('scoreboard:updatePlayers', -1, connectedPlayers)
else
connectedPlayers[player].name = 'Unknown player name'
TriggerClientEvent('scoreboard:updatePlayers', -1, connectedPlayers)
end
end)
end)
AddEventHandler('esx:playerDropped', function(playerID)
connectedPlayers[playerID] = nil
TriggerClientEvent('scoreboard:updatePlayers', -1, connectedPlayers)
end)
AddEventHandler('onResourceStart', function(resource)
if resource == GetCurrentResourceName() then
Citizen.CreateThread(function()
Citizen.Wait(1000)
ForceCountPlayers()
end)
end
end)
function ForceCountPlayers()
local xPlayers = ESX.GetPlayers()
local player
for i=1, #xPlayers, 1 do
player = xPlayers[i]
connectedPlayers[player] = {}
local identifier = GetPlayerIdentifiers(player)[1]
MySQL.Async.fetchAll('SELECT firstname, lastname, name FROM users WHERE identifier = @identifier', {
['@identifier'] = identifier
}, function (result)
if result[1].firstname and result[1].lastname then
connectedPlayers[player].name = result[1].firstname .. ' ' .. result[1].lastname
elseif result[1].name then
connectedPlayers[player].name = result[1].name
else
connectedPlayers[player].name = 'Unknown player name'
end
end)
-- await!
while connectedPlayers[player].name == nil do
Citizen.Wait(1)
end
end
TriggerClientEvent('scoreboard:updatePlayers', -1, connectedPlayers)
end
|
--[[
Audio Stats
Author: Native Instruments
Written by: Yaron Eshkar
Modified: June 4, 2021
--]]
-- Imports
local root_path = filesystem.parentPath(scriptPath)
package.path = root_path .. "/?.lua;" .. package.path
local ctAudio = require("Modules.CtAudio")
local ctUtil = require("Modules.CtUtil")
-----------------------USER VARIABLES--------------------------------
-- Path to the samples
local current_path = root_path .. filesystem.preferred("/Samples/")
-----------------------SCRIPT----------------------------------------
local sample_paths_table = {}
sample_paths_table = ctUtil.paths_to_table(current_path,".wav")
table.sort(sample_paths_table)
for index, file in pairs(sample_paths_table) do
ctAudio.audio_stats(file,true)
end
|
-- Vim ftplugin file
-- Remap: Better vim Support
-- Better default for vim
vim.bo.tabstop=2
vim.bo.softtabstop=2
vim.bo.shiftwidth=2
vim.bo.expandtab = true
vim.api.nvim_buf_set_keymap(0, 'n', '<leader>h', ':source %<CR>', { noremap = true })
|
modifier_hero_stunned = class({})
function modifier_hero_stunned:IsHidden()
return false
end
function modifier_hero_stunned:IsPurgable()
return true
end
function modifier_hero_stunned:IsDebuff()
return true
end
function modifier_hero_stunned:IsStunDebuff()
return true
end
function modifier_hero_stunned:GetEffectName()
return "particles/generic_gameplay/generic_stunned.vpcf"
end
function modifier_hero_stunned:GetEffectAttachType()
return PATTACH_OVERHEAD_FOLLOW
end
function modifier_hero_stunned:DeclareFunctions()
local funcs = {
MODIFIER_PROPERTY_OVERRIDE_ANIMATION,
}
return funcs
end
function modifier_hero_stunned:GetOverrideAnimation( params )
return ACT_DOTA_DISABLED
end
function modifier_hero_stunned:CheckState()
local state = {
[MODIFIER_STATE_STUNNED] = true,
}
return state
end
|
---
--- Generated by MLN Team (https://www.immomo.com)
--- Created by MLN Team.
--- DateTime: 15-01-2020 17:35
---
---
--- ScrollView滚动方向
---
---@link https://www.immomo.comScrollDirection.html
---@class ScrollDirection @parent class
---@public field name string
---@type ScrollDirection
ScrollDirection = {
---
--- ScrollView滚动方向
---
VERTICAL = "value",
---
--- ScrollView滚动方向
---
HORIZONTAL = "value"
}
|
-- ========== THIS IS AN AUTOMATICALLY GENERATED FILE! ==========
PlaceObj('StoryBit', {
ActivationEffects = {
PlaceObj('CallTradeRocket', {
'rocket_id', "TheEternalSummerMoney",
'display_name', T(11386, --[[StoryBit TheDoorToSummer_RefuelExpensive display_name]] "The Eternal Summer"),
'description', T(11387, --[[StoryBit TheDoorToSummer_RefuelExpensive description]] "An orbital cryopod sanctuary for the filthy rich."),
'travel_time_mars', 300000,
'travel_time_earth', 300000,
'fuel_amount', 80000,
'resource1', "Electronics",
'amount1', 20000,
'resource2', "MachineParts",
'amount2', 25000,
'funding_on_mars_launch', 850000000,
}),
},
Effects = {},
Enables = {
"TheDoorToSummer_RefuelExpensive1",
},
NotificationText = "",
Prerequisites = {},
ScriptDone = true,
TextReadyForValidation = true,
TextsDone = true,
group = "Earth",
id = "TheDoorToSummer_RefuelExpensive",
qa_info = PlaceObj('PresetQAInfo', {
data = {
{
action = "Modified",
time = 1626360845,
},
},
}),
PlaceObj('StoryBitParamFunding', {
'Name', "eternal_summer_reward_oligarch",
'Value', 850000000,
}),
})
|
-- ===========================================================================
-- Base File
-- ===========================================================================
include("TechTree");
include("techtree_CQUI.lua");
|
--[[
author: Aussiemon
-----
Copyright 2018 Aussiemon
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.
-----
Gives Stormvermin patrols white armor (client-side, host only)
--]]
local mod = get_mod("FashionPatrol")
-- ##########################################################
-- ################## Variables #############################
mod.white_storm_variation = {
material_variations = {
cloth_tint = {
min = 31,
max = 31,
variable = "gradient_variation",
materials = {
"mtr_outfit"
},
meshes = {
"g_stormvermin_armor_lod0",
"g_stormvermin_armor_lod1",
"g_stormvermin_armor_lod2"
}
}
}
}
local Material = Material
local Mesh = Mesh
local Unit = Unit
local UnitSpawner = UnitSpawner
local math = math
-- ##########################################################
-- ################## Functions #############################
-- Sets Stormvermin armor material to white
mod.trigger_stormvermin_variation = function(unit)
local variation_settings = mod.white_storm_variation
local variation = variation_settings.material_variations["cloth_tint"]
local variable_value = math.random(variation.min, variation.max)
local variable_name = variation.variable
local materials = variation.materials
local meshes = variation.meshes
local num_materials = #materials
local Mesh_material = Mesh.material
local Material_set_scalar = Material.set_scalar
if not meshes then
local Unit_set_scalar_for_material_table = Unit.set_scalar_for_material_table
Unit_set_scalar_for_material_table(unit, materials, variable_name, variable_value)
else
for i=1, #meshes do
local mesh = meshes[i]
local Unit_mesh = Unit.mesh
local current_mesh = Unit_mesh(unit, mesh)
for material_i=1, num_materials do
local material = materials[material_i]
local current_material = Mesh_material(current_mesh, material)
Material_set_scalar(current_material,variable_name,variable_value)
end
end
end
local Unit_set_visibility = Unit.set_visibility
Unit_set_visibility(unit, "all", false)
end
-- ##########################################################
-- #################### Hooks ###############################
mod:hook(UnitSpawner, "spawn_local_unit_with_extensions", function (func, self, unit_name, unit_template_name, extension_init_data, ...)
local unit, unit_template_name = func(self, unit_name, unit_template_name, extension_init_data, ...)
-- Changes here: --------------------------------
if unit_template_name == "ai_unit_storm_vermin" and extension_init_data and extension_init_data.ai_group_system and extension_init_data.ai_group_system.template == "storm_vermin_formation_patrol" then
mod.trigger_stormvermin_variation(unit)
end
-- Changes end. ---------------------------------
return unit, unit_template_name
end)
-- ##########################################################
-- ################### Callback #############################
-- ##########################################################
-- ################### Script ###############################
-- ##########################################################
|
workspace "TestGround"
architecture "x86_64"
startproject "TestGround"
configurations
{
"Test",
"Release"
}
flags
{
"MultiProcessorCompile"
}
OutputDir = "%{cfg.buildcfg}_%{cfg.system}_%{cfg.architecture}\\"
IncludeDir = {}
IncludeDir["KLIB_CORE"] = "../kLibrary/Source/"
IncludeDir["KLIB_TEST"] = "../kLibrary/Tests/",
group "Subjects"
include "../kLibrary/"
group ""
project "TestGround"
location "TestGround/"
kind "ConsoleApp"
language "C++"
cppdialect "C++latest"
characterset ("default")
staticruntime "on"
targetdir ("bin/" .. OutputDir .. "/")
objdir ("bin-int/" .. OutputDir .. "/")
files
{
"TestGround/Src/**.hpp",
"TestGround/Src/**.cpp",
-- "cpp.hint"
}
includedirs
{
"%{IncludeDir.KLIB_CORE}",
"%{IncludeDir.KLIB_TEST}",
"TestGround/Source Code/",
}
defines
{
"KLIB_SHORT_NAMESPACE",
"KLOG_OPT_DBG_STR",
"_CRT_SECURE_NO_WARNINGS"
}
links
{
"kLibrary",
}
filter "system:Windows"
systemversion "latest"
defines
{
"_CRT_SECURE_NO_WARNINGS",
"KLIB_LIB",
"KLIB_WINDOWS_OS",
"MSVC_PLATFORM_TOOLSET=$(PlatformToolsetVersion)"
}
filter "configurations:Test"
defines
{
"KLIB_TEST",
}
symbols "On"
runtime "Debug"
filter "configurations:Release"
defines
{
"KLIB_RELEASE",
"KLIB_TEST",
}
optimize "Full"
runtime "Release"
filter "configurations:Profile"
defines "KLIB_PROFILE"
optimize "Speed"
runtime "Release"
|
local root = script.Parent.Parent
local G = require(root.G)
local module = {}
module.__index = module
local function getSelectedName(value)
for i, material in ipairs(G.modules["Data"].materials) do
if material[1] == value then
return material[3]
end
end
end
module.New = function(value)
local object = setmetatable({}, module)
object.event = G.classes["Event"].New()
object.openEvent = G.classes["Event"].New()
object.value = value
object.selected = value or ""
object.selectedName = getSelectedName(value)
object.selectionOpen = false
object.gui = Instance.new("Frame")
object.gui.Size = UDim2.new(1, 0, 0, 24)-- 184
object.gui.Position = UDim2.new(0, 0, 0, 0)
object.gui.BackgroundTransparency = 0
local listLayout = Instance.new("UIListLayout")
listLayout.Parent = object.gui
listLayout.SortOrder = Enum.SortOrder.LayoutOrder
listLayout.VerticalAlignment = Enum.VerticalAlignment.Center
local materialTitleFrame = Instance.new("Frame")
materialTitleFrame.BackgroundTransparency = 1
materialTitleFrame.Size = UDim2.new(1, 0, 0, 24)
materialTitleFrame.Parent = object.gui
local materialTitle = Instance.new("TextLabel")
materialTitle.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Item)
materialTitle.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border)
materialTitle.TextColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.MainText)
materialTitle.Size = UDim2.new(0, 120, 1, 0)
materialTitle.Text = "Brush Material"
materialTitle.Font = Enum.Font.Arial
materialTitle.TextSize = 12
materialTitle.LayoutOrder = 1
materialTitle.Parent = materialTitleFrame
object.selectedLabel = Instance.new("TextLabel")
object.selectedLabel.Text = object.selectedName
object.selectedLabel.Font = Enum.Font.Arial
object.selectedLabel.TextSize = 12
object.selectedLabel.Position = UDim2.new(0, 121, 0, 0)
object.selectedLabel.Size = UDim2.new(1, -121, 1, 0)
object.selectedLabel.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Item)
object.selectedLabel.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border)
object.selectedLabel.TextColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.MainText)
object.selectedLabel.Parent = materialTitleFrame
object.selectedLabel.InputBegan:Connect(function(input)
if input.UserInputType == Enum.UserInputType.MouseButton1 then
object:ToggleSelection()
end
end)
object.selectedLabel.MouseEnter:Connect(function()
object.selectedLabel.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Item, Enum.StudioStyleGuideModifier.Hover)
object.selectedLabel.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border, Enum.StudioStyleGuideModifier.Hover)
object.selectedLabel.TextColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.MainText, Enum.StudioStyleGuideModifier.Hover)
object.selectedLabel.Text = "Click to change noise pattern..."
end)
object.selectedLabel.MouseLeave:Connect(function()
object.selectedLabel.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Item, Enum.StudioStyleGuideModifier.Default)
object.selectedLabel.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border, Enum.StudioStyleGuideModifier.Default)
object.selectedLabel.TextColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.MainText, Enum.StudioStyleGuideModifier.Default)
object.selectedLabel.Text = object.selectedName
end)
return object
end
module.ToggleSelection = function(self)
if self.selectionOpen then
self.selectionOpen = false
self.openEvent:Call(false)
self.materialFrame:Destroy()
self.gui.Size = UDim2.new(1, 0, 0, 24)
else
self.selectionOpen = true
self.openEvent:Call(true)
self.gui.Size = UDim2.new(1, 0, 0, 208)
--[[self.materialFrame = Instance.new("Frame")
self.materialFrame.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Item)
self.materialFrame.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border)
self.materialFrame.Size = UDim2.new(1, 0, 0, 184)
self.materialFrame.Parent = self.gui
self.materialFrame.LayoutOrder = 2]]
self.materialFrame = G.classes["Indent"].New({
["indent"] = 0,
["position"] = UDim2.new(1, 0, 0, 24),
["parent"] = self.gui,
["ySizeOffset"] = 184,
["ySizeScale"] = 0,
["backgroundColor3"] = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Dropdown),
["borderColor3"] = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Border),
["borderSizePixel"] = 1,
["xSizeScale"] = 1,
["backgroundTransparency"] = 0
})
local materialPadding = Instance.new("UIPadding")
materialPadding.PaddingBottom = UDim.new(0, 8)
materialPadding.PaddingLeft = UDim.new(0, 8)
materialPadding.PaddingRight = UDim.new(0, 0)
materialPadding.PaddingTop = UDim.new(0, 8)
--materialPadding.Parent = self.materialFrame
materialPadding.Parent = self.materialFrame.gui
local gridLayout = Instance.new("UIGridLayout")
gridLayout.CellSize = UDim2.new(0.125, -8, 0, 50)
gridLayout.CellPadding = UDim2.new(0, 8, 0, 8)
gridLayout.SortOrder = Enum.SortOrder.LayoutOrder
gridLayout.VerticalAlignment = Enum.VerticalAlignment.Bottom
--gridLayout.Parent = self.materialFrame
gridLayout.Parent = self.materialFrame.gui
self.imageButtons = {}
for i, material in ipairs(G.modules["Data"].materials) do
local imageButton = Instance.new("ImageButton")
imageButton.Image = material[2]
imageButton.ScaleType = Enum.ScaleType.Crop
imageButton.BorderSizePixel = 2
imageButton.AutoButtonColor = false
imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button)
if self.selected == (material[1] or "") then
imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Selected)
else
imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder)
end
--imageButton.Parent = self.materialFrame
imageButton.Parent = self.materialFrame.gui
imageButton.MouseEnter:Connect(function()
if self.selected == (material[1] or "") then return end
imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Hover)
imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Hover)
imageButton.ImageColor3 = Color3.new(0.75, 0.75, 0.75)
end)
imageButton.MouseLeave:Connect(function()
if self.selected == (material[1] or "") then return end
imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Default)
imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Default)
imageButton.ImageColor3 = Color3.new(1, 1, 1)
end)
imageButton.MouseButton1Down:Connect(function()
if self.selected == (material[1] or "") then return end
imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Pressed)
imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Pressed)
imageButton.ImageColor3 = Color3.new(0.5, 0.5, 0.5)
end)
imageButton.MouseButton1Up:Connect(function()
if self.selected == (material[1] or "") then return end
imageButton.BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Hover)
imageButton.BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Hover)
imageButton.ImageColor3 = Color3.new(0.75, 0.75, 0.75)
end)
imageButton.Activated:Connect(function()
if self.value == material[1] then return end
self.value = material[1]
self.selectedName = material[3]
self.selectedLabel.Text = self.selectedName
self.event:Call(material[1], material[2])
self:ToggleSelection()
end)
self.imageButtons[material[1] or ""] = imageButton
end
end
end
module.Select = function(self, value)
self.imageButtons[self.selected].BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Default)
self.imageButtons[self.selected].BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.ButtonBorder, Enum.StudioStyleGuideModifier.Default)
self.imageButtons[self.selected].ImageColor3 = Color3.new(1, 1, 1)
self.selected = value or ""
self.imageButtons[self.selected].BackgroundColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Default)
self.imageButtons[self.selected].BorderColor3 = settings().Studio.Theme:GetColor(Enum.StudioStyleGuideColor.Button, Enum.StudioStyleGuideModifier.Selected)
self.imageButtons[self.selected].ImageColor3 = Color3.new(1, 1, 1)
self.selectedName = getSelectedName(value)
self.selectedLabel.Text = self.selectedName
end
module.Destroy = function(self)
self.event:UnBindAll()
self.gui:Destroy()
end
return module
|
--
-- Ubernim 0.8.0 plugin for Lite XL editor
--
-- NOTE: the following is from language_nim.lua plugin ...
--
-- mod-version:2 -- lite-xl 2.0
local syntax = require "core.syntax"
local patterns = {}
local symbols = {
["nil"] = "literal",
["true"] = "literal",
["false"] = "literal",
}
local number_patterns = {
"0[bB][01][01_]*",
"0o[0-7][0-7_]*",
"0[xX]%x[%x_]*",
"%d[%d_]*%.%d[%d_]*[eE][-+]?%d[%d_]*",
"%d[%d_]*%.%d[%d_]*",
"%d[%d_]*",
}
local type_suffix_patterns = {}
for _, size in ipairs({"", "8", "16", "32", "64"}) do
table.insert(type_suffix_patterns, "'?[fuiFUI]"..size)
end
for _, pattern in ipairs(number_patterns) do
for _, suffix in ipairs(type_suffix_patterns) do
table.insert(patterns, { pattern = pattern..suffix, type = "literal" })
end
table.insert(patterns, { pattern = pattern, type = "literal" })
end
local keywords = {
"addr", "and", "as", "asm",
"bind", "block", "break",
"case", "cast", "concept", "const", "continue", "converter",
"defer", "discard", "distinct", "div", "do",
"elif", "else", "end", "enum", "except", "export",
"finally", "for", "from", "func",
"if", "import", "in", "include", "interface", "is", "isnot", "iterator",
"let",
"macro", "method", "mixin", "mod",
"not", "notin",
"object", "of", "or", "out",
"proc", "ptr",
"raise", "ref", "return",
"shl", "shr", "static",
"template", "try", "tuple", "type",
"using",
"var",
"when", "while",
"xor",
"yield",
}
for _, keyword in ipairs(keywords) do
symbols[keyword] = "keyword"
end
local standard_types = {
"bool", "byte",
"int", "int8", "int16", "int32", "int64",
"uint", "uint8", "uint16", "uint32", "uint64",
"float", "float32", "float64",
"char", "string", "cstring",
"pointer",
"typedesc",
"void", "auto", "any",
"untyped", "typed",
"clong", "culong", "cchar", "cschar", "cshort", "cint", "csize", "csize_t",
"clonglong", "cfloat", "cdouble", "clongdouble", "cuchar", "cushort",
"cuint", "culonglong", "cstringArray",
}
for _, type in ipairs(standard_types) do
symbols[type] = "keyword2"
end
local standard_generic_types = {
"range",
"array", "open[aA]rray", "varargs", "seq", "set",
"sink", "lent", "owned",
}
for _, type in ipairs(standard_generic_types) do
table.insert(patterns, { pattern = type.."%f[%[]", type = "keyword2" })
table.insert(patterns, { pattern = type.." +%f[%w]", type = "keyword2" })
end
local user_patterns = {
-- comments
{ pattern = { "##?%[", "]##?" }, type = "comment" },
{ pattern = "##?.-\n", type = "comment" },
-- strings and chars
{ pattern = { '"', '"', '\\' }, type = "string" },
{ pattern = { '"""', '"""[^"]' }, type = "string" },
{ pattern = { "'", "'", '\\' }, type = "literal" },
-- function calls
{ pattern = "[a-zA-Z][a-zA-Z0-9_]*%f[(]", type = "function" },
-- identifiers
{ pattern = "[A-Z][a-zA-Z0-9_]*", type = "keyword2" },
{ pattern = "[a-zA-Z][a-zA-Z0-9_]*", type = "symbol" },
-- operators
{ pattern = "%.%f[^.]", type = "normal" },
{ pattern = ":%f[ ]", type = "normal" },
{ pattern = "[=+%-*/<>@$~&%%|!?%^&.:\\]+", type = "operator" },
}
for _, pattern in ipairs(user_patterns) do
table.insert(patterns, pattern)
end
--
-- NOTE: ... until here, where the following is ubernim specific.
--
local utype = "literal" -- you can change it if you want
local upatterns = {
-- LANGUAGE
{ pattern = { '%.note', '^%.end' }, type = "comment" },
{ pattern = { '%.docs', '^%.%w+' }, type = utype },
{ pattern = "%.protocol", type = utype },
{ pattern = "%.imports", type = utype },
{ pattern = "%.exports", type = utype },
{ pattern = "%.importing", type = utype },
{ pattern = "%.exporting", type = utype },
{ pattern = "%.applying", type = utype },
{ pattern = "%.push", type = utype },
{ pattern = "%.pop", type = utype },
{ pattern = "%.pragmas", type = utype },
{ pattern = "%.class", type = utype },
{ pattern = "%.record", type = utype },
{ pattern = "%.compound", type = utype },
{ pattern = "%.interface", type = utype },
{ pattern = "%.protocol", type = utype },
{ pattern = "%.applies", type = utype },
{ pattern = "%.extends", type = utype },
{ pattern = "%.templates", type = utype },
{ pattern = "%.constructor", type = utype },
{ pattern = "%.getter", type = utype },
{ pattern = "%.setter", type = utype },
{ pattern = "%.setter var", type = utype },
{ pattern = "%.method", type = utype },
{ pattern = "%.template", type = utype },
{ pattern = "%.routine", type = utype },
{ pattern = "%.code", type = utype },
{ pattern = "%.uses", type = utype },
{ pattern = "%.member", type = utype },
{ pattern = "%.member var", type = utype },
{ pattern = "%.value", type = utype },
{ pattern = "%.fields", type = utype },
{ pattern = "%.methods", type = utype },
{ pattern = "%.pattern", type = utype },
{ pattern = "%.parameters", type = utype },
{ pattern = "%.data", type = utype },
{ pattern = "%.stamp", type = utype },
{ pattern = "%.end", type = utype },
-- TARGETED
{ pattern = "%.targeted[:]pass", type = utype },
{ pattern = "%.targeted[:]compile", type = utype },
{ pattern = "%.targeted[:]link", type = utype },
{ pattern = "%.targeted[:]emit", type = utype },
{ pattern = "%.targeted[:]end", type = utype },
{ pattern = "%.targeted", type = utype },
-- SWITCHES
{ pattern = "%.nimc[:]target", type = utype },
{ pattern = "%.nimc[:]project", type = utype },
{ pattern = "%.nimc[:]config", type = utype },
{ pattern = "%.nimc[:]define", type = utype },
{ pattern = "%.nimc[:]switch", type = utype },
{ pattern = "%.nimc[:]minimum", type = utype },
-- SHELLCMD
{ pattern = "%.exec", type = utype },
-- UNIMCMDS
{ pattern = "%.unim[:]version", type = utype },
{ pattern = "%.unim[:]cleanup", type = utype },
{ pattern = "%.unim[:]flush", type = utype },
{ pattern = "%.unim[:]mode", type = utype },
{ pattern = "%.unim[:]destination", type = utype },
-- UNIMPRJS
{ pattern = "%.project", type = utype },
{ pattern = "%.defines", type = utype },
{ pattern = "%.undefines", type = utype },
{ pattern = "%.main", type = utype },
-- FSACCESS
{ pattern = "%.make", type = utype },
{ pattern = "%.copy", type = utype },
{ pattern = "%.move", type = utype },
{ pattern = "%.remove", type = utype },
{ pattern = "%.write", type = utype },
{ pattern = "%.append", type = utype },
{ pattern = "%.mkdir", type = utype },
{ pattern = "%.chdir", type = utype },
{ pattern = "%.cpdir", type = utype },
{ pattern = "%.rmdir", type = utype },
-- REQUIRES
{ pattern = "%.require", type = utype },
{ pattern = "%.requirable", type = utype },
-- PREROD
{ pattern = "%.$.*", type = utype },
{ pattern = "%.#.*", type = "comment" },
-- DECLARATIONS
{ pattern = "[%+%-%<%>]*[a-zA-Z][a-zA-Z0-9_]*[%*]*%f[(]", type = "function" },
}
for _, upattern in ipairs(upatterns) do
table.insert(patterns, 1, upattern) -- insert at the top
end
local unim = {
name = "Ubernim",
files = { "%.unim$", "%.unimp$" },
comment = "#",
patterns = patterns,
symbols = symbols,
}
syntax.add(unim)
|
--[[
################################################################################
#
# Copyright (c) 2014-2017 Ultraschall (http://ultraschall.fm)
#
# 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.
#
################################################################################
]]
local info = debug.getinfo(1,'S');
script_path = info.source:match[[^@?(.*[\/])[^\/]-$]]
dofile(script_path .. "ultraschall_helper_functions.lua")
is_new,name,sec,cmd,rel,res,val = reaper.get_action_context()
state = reaper.GetToggleCommandStateEx(sec, cmd)
if state <= 0 then
reaper.SetToggleCommandState(sec, cmd, 1)
reaper.Main_OnCommand(39029,0) --change mode to select
else
reaper.SetToggleCommandState(sec, cmd, 0)
reaper.Main_OnCommand(39013,0) --change mode to move
end
ultraschall.SetUSExternalState("ultraschall_mouse", "state", state, true)
reaper.RefreshToolbar2(sec, cmd)
-- Msg(cmd)
-- Msg(ID_2)
|
-- BURST CACHE ---------------------------------------------------
local _G = _G;
local table = table;
local floor = floor;
local ipairs = ipairs;
local twipe = table.wipe;
local VUHDO_CONFIG;
local VUHDO_PANEL_SETUP;
local VUHDO_RAID;
local VUHDO_getHeaderPos;
local VUHDO_customizeHeader;
local VUHDO_getDynamicModelArray;
local VUHDO_getGroupMembersSorted;
local VUHDO_getHealButton;
local VUHDO_getHealButtonPos;
local VUHDO_setupAllHealButtonAttributes;
local VUHDO_isDifferentButtonPoint;
local VUHDO_addUnitButton;
local VUHDO_getTargetButton;
local VUHDO_getTotButton;
local VUHDO_getOrCreateHealButton;
local VUHDO_updateAllCustomDebuffs;
local VUHDO_getHeaderWidth;
local VUHDO_initAllEventBouquets;
local VUHDO_getActionPanelOrStub;
local VUHDO_isPanelPopulated;
local VUHDO_updateAllRaidBars;
local VUHDO_isTableHeaderOrFooter;
local VUHDO_fixFrameLevels;
local VUHDO_resetNameTextCache;
local VUHDO_reloadRaidMembers;
local VUHDO_isPanelVisible;
local VUHDO_positionHealButton;
local VUHDO_positionTableHeaders;
local sLastDebuffIcon;
local sShowPanels;
function VUHDO_panelRefreshInitLocalOverrides()
VUHDO_CONFIG = _G["VUHDO_CONFIG"];
VUHDO_PANEL_SETUP = _G["VUHDO_PANEL_SETUP"];
VUHDO_RAID = _G["VUHDO_RAID"];
VUHDO_getHeaderPos = _G["VUHDO_getHeaderPos"];
VUHDO_customizeHeader = _G["VUHDO_customizeHeader"];
VUHDO_getDynamicModelArray = _G["VUHDO_getDynamicModelArray"];
VUHDO_getGroupMembersSorted = _G["VUHDO_getGroupMembersSorted"];
VUHDO_getHealButton = _G["VUHDO_getHealButton"];
VUHDO_getHealButtonPos = _G["VUHDO_getHealButtonPos"];
VUHDO_setupAllHealButtonAttributes = _G["VUHDO_setupAllHealButtonAttributes"];
VUHDO_isDifferentButtonPoint = _G["VUHDO_isDifferentButtonPoint"];
VUHDO_addUnitButton = _G["VUHDO_addUnitButton"];
VUHDO_getTargetButton = _G["VUHDO_getTargetButton"];
VUHDO_getTotButton = _G["VUHDO_getTotButton"];
VUHDO_getOrCreateHealButton = _G["VUHDO_getOrCreateHealButton"];
VUHDO_updateAllCustomDebuffs = _G["VUHDO_updateAllCustomDebuffs"];
VUHDO_getHeaderWidth = _G["VUHDO_getHeaderWidth"];
VUHDO_initAllEventBouquets = _G["VUHDO_initAllEventBouquets"];
VUHDO_getActionPanelOrStub = _G["VUHDO_getActionPanelOrStub"];
VUHDO_isPanelPopulated = _G["VUHDO_isPanelPopulated"];
VUHDO_updateAllRaidBars = _G["VUHDO_updateAllRaidBars"];
VUHDO_isTableHeaderOrFooter = _G["VUHDO_isTableHeaderOrFooter"];
VUHDO_fixFrameLevels = _G["VUHDO_fixFrameLevels"];
VUHDO_resetNameTextCache = _G["VUHDO_resetNameTextCache"];
VUHDO_reloadRaidMembers = _G["VUHDO_reloadRaidMembers"];
VUHDO_isPanelVisible = _G["VUHDO_isPanelVisible"];
VUHDO_positionHealButton = _G["VUHDO_positionHealButton"];
VUHDO_positionTableHeaders = _G["VUHDO_positionTableHeaders"];
if (VUHDO_CONFIG["DEBUFF_TOOLTIP"]) then
sLastDebuffIcon = VUHDO_CONFIG["CUSTOM_DEBUFF"]["max_num"] + 39;
else
sLastDebuffIcon = -1;
end
sShowPanels = VUHDO_CONFIG["SHOW_PANELS"];
end
-- BURST CACHE ---------------------------------------------------
--
local function VUHDO_hasPanelButtons(aPanelNum)
if not sShowPanels or not VUHDO_IS_SHOWN_BY_GROUP then
return false;
end
return #VUHDO_PANEL_DYN_MODELS[aPanelNum] > 0;
end
--
local tColIdx;
local tButtonIdx;
local tModels;
local tSortBy;
local tPanelName;
local tSetup;
local tX, tY;
local tButton;
local tGroupArray;
local tDebuffFrame;
local function VUHDO_refreshPositionAllHealButtons(aPanel, aPanelNum)
tSetup = VUHDO_PANEL_SETUP[aPanelNum];
tModels = VUHDO_getDynamicModelArray(aPanelNum);
tSortBy = tSetup["MODEL"]["sort"];
tPanelName = aPanel:GetName();
tColIdx = 1;
tButtonIdx = 1;
for tModelIndex, tModelId in ipairs(tModels) do
tGroupArray = VUHDO_getGroupMembersSorted(tModelId, tSortBy, aPanelNum, tModelIndex);
for tGroupIdx, tUnit in ipairs(tGroupArray) do
tButton = VUHDO_getOrCreateHealButton(tButtonIdx, aPanelNum);
tButtonIdx = tButtonIdx + 1;
if tButton["raidid"] ~= tUnit then
VUHDO_setupAllHealButtonAttributes(tButton, tUnit, false, 70 == tModelId, false, false); -- VUHDO_ID_VEHICLES
for tCnt = 40, sLastDebuffIcon do
tDebuffFrame = VUHDO_getBarIconFrame(tButton, tCnt);
if tDebuffFrame then
VUHDO_setupAllHealButtonAttributes(tDebuffFrame, tUnit, false, 70 == tModelId, false, true); -- VUHDO_ID_VEHICLES
end
end
VUHDO_setupAllTargetButtonAttributes(VUHDO_getTargetButton(tButton), tUnit);
VUHDO_setupAllTotButtonAttributes(VUHDO_getTotButton(tButton), tUnit);
end
tX, tY = VUHDO_getHealButtonPos(tColIdx, tGroupIdx, aPanelNum);
if VUHDO_isDifferentButtonPoint(tButton, tX, -tY) then
tButton:Hide();-- for clearing secure handler mouse wheel bindings
tButton:SetPoint("TOPLEFT", tPanelName, "TOPLEFT", tX, -tY);
end
VUHDO_addUnitButton(tButton, aPanelNum);
if not tButton:IsShown() then tButton:Show(); end -- Wg. Secure handlers?
-- Bei Profil-Wechseln existiert der Button schon, hat aber die falsche Gr��e
VUHDO_positionHealButton(tButton, tSetup["SCALING"]);
end
tColIdx = tColIdx + 1;
end
while true do
tButton = VUHDO_getHealButton(tButtonIdx, aPanelNum);
if not tButton then break; end
tButton["raidid"] = nil;
tButton:SetAttribute("unit", nil);
tButton:Hide();
tButtonIdx = tButtonIdx + 1;
end
end
--
local function VUHDO_refreshInitPanel(aPanel, aPanelNum)
aPanel:SetHeight(VUHDO_getHealPanelHeight(aPanelNum));
aPanel:SetWidth(VUHDO_getHealPanelWidth(aPanelNum));
aPanel:StopMovingOrSizing();
aPanel["isMoving"] = false;
end
--
local tPanel;
local function VUHDO_refreshPanel(aPanelNum)
tPanel = VUHDO_getOrCreateActionPanel(aPanelNum);
if VUHDO_hasPanelButtons(aPanelNum) then
tPanel:Show();
VUHDO_refreshInitPanel(tPanel, aPanelNum);
VUHDO_positionTableHeaders(tPanel, aPanelNum);
end
-- Even if model is not in panel, we need to refresh VUHDO_UNIT_BUTTONS
if VUHDO_isPanelPopulated(aPanelNum) then
VUHDO_refreshPositionAllHealButtons(tPanel, aPanelNum);
VUHDO_fixFrameLevels(false, tPanel, 2, tPanel:GetChildren());
end
end
--
local function VUHDO_refreshAllPanels()
for tCnt = 1, 10 do -- VUHDO_MAX_PANELS
if VUHDO_isPanelVisible(tCnt) then
VUHDO_refreshPanel(tCnt);
else
VUHDO_getActionPanelOrStub(tCnt):Hide();
end
end
VUHDO_updateAllRaidBars();
VUHDO_updatePanelVisibility();
VuhDoGcdStatusBar:Hide();
end
--
function VUHDO_refreshUiNoMembers()
VUHDO_resetNameTextCache();
twipe(VUHDO_UNIT_BUTTONS);
twipe(VUHDO_UNIT_BUTTONS_PANEL);
VUHDO_refreshAllPanels();
VUHDO_updateAllCustomDebuffs(true);
if VUHDO_INTERNAL_TOGGLES[22] then -- VUHDO_UPDATE_UNIT_TARGET
VUHDO_rebuildTargets();
end
VUHDO_initAllEventBouquets();
VUHDO_resetDebuffIconDispenser();
end
local VUHDO_refreshUiNoMembers = VUHDO_refreshUiNoMembers;
--
function VUHDO_refreshUI()
VUHDO_IS_RELOADING = true;
VUHDO_reloadRaidMembers();
VUHDO_refreshUiNoMembers();
VUHDO_IS_RELOADING = false;
end
|
surface.CreateFont( "HUDFont", { font = "Trebuchet MS", size = 15 } )
local function DrawHUDRectangle( x, y, w, h, bg, fg, innerW )
surface.SetDrawColor( bg )
surface.DrawRect( x, y, w, h )
surface.SetDrawColor( fg )
surface.DrawRect( x, y + h / 4, innerW * ( w - h / 4 ), h / 2 )
draw.SimpleText( innerW * 100 .. "%", "HUDFont", x + w, y + h / 2, fg, TEXT_ALIGN_LEFT, TEXT_ALIGN_CENTER )
end
hook.Add( "HUDPaint", "blah", function()
local background = Color( 0, 0, 0, 120 )
local armorCol = Color( 0, 0, 150 )
local armor = LocalPlayer():Armor() / 100
DrawHUDRectangle( 0, ScrH() * 0.8, ScrW() * 0.3, ScrH() * 0.03, background, armorCol, armor )
local healthCol = Color( 150, 0, 0 )
local health = LocalPlayer():Health() / LocalPlayer():GetMaxHealth()
DrawHUDRectangle( 0, ScrH() * 0.85, ScrW() * 0.3, ScrH() * 0.03, background, healthCol, health )
end )
|
sky = true
object_atmo = true
height_distribution_rayleigh = 8000
height_distribution_mie = 1200
ground_r = 6378
atmo_r = 6478
scatter_rayleigh = { 5.802 / 33.1, 13.558 / 33.1, 33.1 / 33.1 }
scatter_fog = { 1, 1, 1 }
scatter_mie = { 1, 1, 1 }
absorb_mie = {1, 1, 1 }
sunlight_color = {1, 1, 1}
sunlight_strength = 10
cloud_param0 = 1
cloud_param1 = 1
cloud_param2 = 1
cloud_param3 = 1
enable_clouds = false
enable_fog = false
enable_godrays = false
fog_top = 100
fog_density = 1
Editor.setPropertyType(this, "scatter_fog", Editor.COLOR_PROPERTY)
Editor.setPropertyType(this, "scatter_rayleigh", Editor.COLOR_PROPERTY)
Editor.setPropertyType(this, "scatter_mie", Editor.COLOR_PROPERTY)
Editor.setPropertyType(this, "absorb_mie", Editor.COLOR_PROPERTY)
Editor.setPropertyType(this, "sunlight_color", Editor.COLOR_PROPERTY)
function setDrawcallUniforms(env, x, y, z)
local f_fog_enabled = 0
if enable_fog then
f_fog_enabled = 1
end
local f_godarys_enabled = 0
if enable_godrays then
f_godarys_enabled = 1
end
env.drawcallUniforms(
ground_r * 1000,
atmo_r * 1000,
height_distribution_rayleigh,
height_distribution_mie,
scatter_rayleigh[1] * 33.1 * 0.000001,
scatter_rayleigh[2] * 33.1 * 0.000001,
scatter_rayleigh[3] * 33.1 * 0.000001,
0,
scatter_mie[1] * 3.996 * 0.000001,
scatter_mie[2] * 3.996 * 0.000001,
scatter_mie[3] * 3.996 * 0.000001,
0,
absorb_mie[1] * 4.4 * 0.000001,
absorb_mie[2] * 4.4 * 0.000001,
absorb_mie[3] * 4.4 * 0.000001,
0,
sunlight_color[1],
sunlight_color[2],
sunlight_color[3],
sunlight_strength,
x,
y,
z,
0,
scatter_fog[1] * 0.0001 * fog_density,
scatter_fog[2] * 0.0001 * fog_density,
scatter_fog[3] * 0.0001 * fog_density,
0,
fog_top,
f_fog_enabled,
f_godarys_enabled,
0
)
end
function postprocess(env, transparent_phase, hdr_buffer, gbuffer0, gbuffer1, gbuffer2, gbuffer_depth, shadowmap)
if not enabled then return hdr_buffer end
if transparent_phase ~= "pre" then return hdr_buffer end
env.beginBlock("atmo")
if env.atmo_shader == nil then
env.atmo_shader = env.preloadShader("pipelines/atmo.shd")
env.clouds_shader = env.preloadShader("pipelines/clouds.shd")
env.clouds_noise_shader = env.preloadShader("pipelines/clouds_noise.shd")
env.atmo_scattering_shader = env.preloadShader("pipelines/atmo_scattering.shd")
env.atmo_optical_depth_shader = env.preloadShader("pipelines/atmo_optical_depth.shd")
env.inscatter_precomputed = env.createTexture2D(64, 128, "rgba32f", "inscatter_precomputed")
env.opt_depth_precomputed = env.createTexture2D(128, 128, "rg32f", "opt_depth_precomputed")
env.clouds_noise_precomputed = env.createTexture3D(128, 128, 128, "rgba32f", "cloud_noise")
end
env.setRenderTargetsReadonlyDS(hdr_buffer, gbuffer_depth)
local state = {
blending = "dual",
depth_write = false,
depth_test = false
}
local clouds_state = {
blending = "alpha",
depth_write = false,
depth_test = false,
stencil_write_mask = 0,
stencil_func = env.STENCIL_EQUAL,
stencil_ref = 0,
stencil_mask = 0xff,
stencil_sfail = env.STENCIL_KEEP,
stencil_zfail = env.STENCIL_KEEP,
stencil_zpass = env.STENCIL_KEEP,
}
if object_atmo == false then
state.stencil_write_mask = 0
state.stencil_func = env.STENCIL_EQUAL
state.stencil_ref = 0
state.stencil_mask = 0xff
state.stencil_sfail = env.STENCIL_KEEP
state.stencil_zfail = env.STENCIL_KEEP
state.stencil_zpass = env.STENCIL_KEEP
elseif not sky then
state.stencil_write_mask = 0
state.stencil_func = env.STENCIL_NOT_EQUAL
state.stencil_ref = 0
state.stencil_mask = 0xff
state.stencil_sfail = env.STENCIL_KEEP
state.stencil_zfail = env.STENCIL_KEEP
state.stencil_zpass = env.STENCIL_KEEP
end
env.beginBlock("precompute_transmittance")
env.bindImageTexture(env.opt_depth_precomputed, 0)
setDrawcallUniforms(env, 128, 128, 1)
env.dispatch(env.atmo_optical_depth_shader, 128 / 16, 128 / 16, 1)
env.endBlock()
setDrawcallUniforms(env, 64, 128, 1)
env.bindImageTexture(env.inscatter_precomputed, 0)
env.bindTextures({env.opt_depth_precomputed}, 1)
env.beginBlock("precompute_inscatter")
env.dispatch(env.atmo_scattering_shader, 64 / 16, 128 / 16, 1)
env.endBlock()
env.bindTextures({env.inscatter_precomputed, env.opt_depth_precomputed}, 2);
env.drawArray(0, 3, env.atmo_shader, { gbuffer_depth, shadowmap }, state)
if enable_clouds then
--if cloudsonce == nil then
env.beginBlock("clouds_noise")
env.bindImageTexture(env.clouds_noise_precomputed, 0)
env.dispatch(env.clouds_noise_shader, 128 / 16, 128 / 16, 128)
env.endBlock()
--end
--cloudsonce = true
--
env.beginBlock("clouds")
env.drawcallUniforms(
cloud_param0, cloud_param1, cloud_param2, cloud_param3
)
env.bindTextures({env.inscatter_precomputed, env.clouds_noise_precomputed}, 1);
env.drawArray(0, 3, env.clouds_shader, { gbuffer_depth }, clouds_state)
env.endBlock()
end
env.endBlock()
return hdr_buffer
end
function awake()
_G["postprocesses"] = _G["postprocesses"] or {}
_G["postprocesses"]["atmo"] = postprocess
end
function onUnload()
_G["postprocesses"]["atmo"] = nil
end
function onDestroy()
_G["postprocesses"]["atmo"] = nil
end
|
object_mobile_dressed_trader_thug_male_wke_02 = object_mobile_shared_dressed_trader_thug_male_wke_02:new {
}
ObjectTemplates:addTemplate(object_mobile_dressed_trader_thug_male_wke_02, "object/mobile/dressed_trader_thug_male_wke_02.iff")
|
local M = {}
M.__index = M
local private = {}
local default_angle = { 0, 0, 0 }
local default_scale = { 1, 1, 1 }
local default_albedo = { 0.96, 0.96, 0.97 }
local default_physics = { roughness = 0.5, metallic = 0.3 }
function M.new(...)
local obj = setmetatable({}, M)
obj:init(...)
return obj
end
function M:init()
self.model = {}
self.ordered_model = {}
self.lights = {}
self.sun_dir = { 1, 1, 1 }
self.sun_color = { 1, 1, 1 }
self.ambient_color = { 0.1, 0.1, 0.1 }
end
-- Params:
-- coord: { x, y, z } or { x = x, y = y, z = z }, optional. If not coord, will not try to attach instances.
-- angle: { x, y, z } or { x = x, y = y, z = z }, optional, default { 0, 0, 0 }
-- scale: { x, y, z } or { x = x, y = y, z = z } or number, optional, default { 1, 1, 1 }
-- albedo: { r, g, b, a } or { r == r, g = g, b = b, a = a }
-- physics: { roughness, metallic } or { metallic == mv, roughness = rv }, 0.0-1.0
function M:add_model(model, coord, angle, scale, albedo, physics)
local m_set = (model.options.order or -1) >= 0 and self.ordered_model or self.model
local instances_attrs = m_set[model]
if not instances_attrs then instances_attrs = {}; m_set[model] = instances_attrs end
if not coord then return end
if not angle then angle = default_angle end
if not scale then
scale = default_scale
elseif type(scale) == 'number' then
scale = { scale, scale, scale }
end
if not albedo then albedo = default_albedo end
if not physics then physics = default_physics end
table.insert(instances_attrs, {
coord.x or coord[1], coord.y or coord[2], coord.z or coord[3],
angle.x or angle[1], angle.y or angle[2], angle.z or angle[3],
scale.x or scale[1], scale.y or scale[2], scale.z or scale[3],
albedo.r or albedo[1], albedo.g or albedo[2], albedo.b or albedo[3], albedo.a or albedo[4],
physics.roughness or physics[1], physics.metallic or physics[2],
})
end
-- pos: { x,y,z }
-- color: { r,g,b }
-- linear: float
-- quadratic: float
function M:add_light(pos, color, linear, quadratic)
assert(pos, 'Light pos cannot be nil')
assert(color, 'light color cannot be nil')
table.insert(self.lights, { pos = pos, color = color, linear = linear or 0, quadratic = quadratic or 1 })
end
-- lights: {
-- { pos = { x,y, z}, color = { r, g, b}, linear = 0, quadratic = 1 },
-- light2, light3, ...
-- }
function M:set_lights(lights)
self.lights = lights
end
function M:build()
local models = {}
local od_models = {}
for m, instances_attrs in pairs(self.model) do
if #instances_attrs > 0 then m:set_raw_instances(instances_attrs) end
table.insert(models, m)
end
for m, instances_attrs in pairs(self.ordered_model) do
if #instances_attrs > 0 then m:set_raw_instances(instances_attrs) end
table.insert(od_models, m)
end
table.sort(od_models, private.sort_models)
local lights = { pos = {}, color = {}, linear = {}, quadratic = {} }
for i, light in ipairs(self.lights) do
if not light.pos then error("light.pos cannot be nil") end
if not light.color then error("light.color cannot be nil") end
table.insert(lights.pos, light.pos)
table.insert(lights.color, light.color)
table.insert(lights.linear, light.linear or 0)
table.insert(lights.quadratic, light.quadratic or 1)
end
return {
model = models,
ordered_model = od_models,
lights = lights,
sun_dir = self.sun_dir,
sun_color = self.sun_color,
ambient_color = self.ambient_color,
}
end
function M:clean_model()
self.model = {}
self.ordered_model = {}
end
function M:clean()
self:clean_model()
self.lights = {}
end
----------------------
function private.sort_models(a, b)
return a.options.order < b.options.order
end
return M
|
-- Input file for Hasegawa-Wakatani
----------------------------------
-- Problem dependent parameters --
----------------------------------
polyOrder = 2
coupleCoeff = 0.3 -- adiabacity coefficient
cfl = 0.5/(2*polyOrder+1)
LX, LY = 40, 40 -- domain size
NX, NY = 32, 32 -- number of cells
numOverlappingCells = 4 -- number of overlapping cells
-- (extend left domain to overlap with right domain)
NX_LEFT = NX/2+numOverlappingCells
NX_RIGHT = NX/2
dx = LX/NX -- cell-size
-- sanity
assert(NX_LEFT+NX_RIGHT-numOverlappingCells == NX, "Overlapping grids are not matched")
------------------------------------------------
-- COMPUTATIONAL DOMAIN, DATA STRUCTURE, ETC. --
------------------------------------------------
grid = Grid.RectCart2D {
lower = {-LX/2, -LY/2},
upper = {LX/2, LY/2},
cells = {NX, NY},
periodicDirs = {0, 1},
}
basis = NodalFiniteElement2D.SerendipityElement {
onGrid = grid,
polyOrder = polyOrder,
}
gridLeft = Grid.RectCart2D {
lower = {-LX/2, -LY/2},
upper = {0.0+numOverlappingCells*dx, LY/2},
cells = {NX_LEFT, NY},
periodicDirs = {1},
}
basisLeft = NodalFiniteElement2D.SerendipityElement {
onGrid = gridLeft,
polyOrder = polyOrder,
}
gridRight = Grid.RectCart2D {
lower = {0.0, -LY/2},
upper = {LX/2, LY/2},
cells = {NX_RIGHT, NY},
periodicDirs = {1},
}
basisRight = NodalFiniteElement2D.SerendipityElement {
onGrid = gridRight,
polyOrder = polyOrder,
}
-- vorticity on full domain
chiFull = DataStruct.Field2D {
onGrid = grid,
numComponents = basis:numNodes(),
ghost = {1, 1},
}
-- number density on full domain
numDensFull = DataStruct.Field2D {
onGrid = grid,
numComponents = basis:numNodes(),
ghost = {1, 1},
}
-- vorticity (left domain)
chiLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
-- extra fields for performing RK updates
chiNewLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
chi1Left = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
chiDupLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
-- vorticity (right domain)
chiRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
writeGhost = {0, 0},
}
-- extra fields for performing RK updates
chiNewRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
chi1Right = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
chiDupRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
-- number density fluctuations (left domain)
numDensLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
-- extra fields for performing RK updates
numDensNewLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
numDens1Left = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
numDensDupLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
-- number density fluctuations (right domain)
numDensRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
-- extra fields for performing RK updates
numDensNewRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
numDens1Right = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
numDensDupRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
-- background number density (remains fixed, left domain)
numDensBackLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basis:numNodes(),
ghost = {1, 1},
writeGhost = {1, 1},
}
-- total number density
numDensTotalLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
-- background number density (remains fixed, right domain)
numDensBackRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
writeGhost = {1, 1},
}
-- total number density
numDensTotalRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
-- Poisson source term
poissonSrc = DataStruct.Field2D {
onGrid = grid,
numComponents = basis:numNodes(),
ghost = {1, 1},
}
-- discontinuous field for potential (for use in source term)
phiDG = DataStruct.Field2D {
onGrid = grid,
numComponents = basis:numNodes(),
ghost = {1, 1},
}
phiDGDup = DataStruct.Field2D {
onGrid = grid,
numComponents = basis:numNodes(),
ghost = {1, 1},
}
-- potential on left/right grids
phiDGLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
phiDGDupLeft = DataStruct.Field2D {
onGrid = gridLeft,
numComponents = basisLeft:numNodes(),
ghost = {1, 1},
}
phiDGRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
phiDGDupRight = DataStruct.Field2D {
onGrid = gridRight,
numComponents = basisRight:numNodes(),
ghost = {1, 1},
}
-----------------------
-- Utility functions --
-----------------------
-- generic function to run an updater
function runUpdater(updater, currTime, timeStep, inpFlds, outFlds)
updater:setCurrTime(currTime)
if inpFlds then
updater:setIn(inpFlds)
end
if outFlds then
updater:setOut(outFlds)
end
return updater:advance(currTime+timeStep)
end
--------------------------------
-- INITIAL CONDITION UPDATERS --
--------------------------------
function oneVortex(x,y,z)
local r1 = x^2 + y^2
local s = 2.0
return math.exp(-r1/s^2)
end
function chiVortex(x,y,z)
local r1 = x^2 + y^2
local s = 2.0
local beta = 0.1
return 4*(r1-s^2)*math.exp(-r1/s^2)/s^4
end
-- create updater to initialize vorticity
function makeInitChi(grid, basis)
return Updater.EvalOnNodes2D {
onGrid = grid,
basis = basis,
shareCommonNodes = false, -- In DG, common nodes are not shared
evaluate = function (x,y,z,t)
return -chiVortex(x,y,z)
end
}
end
-- initialize vorticity on left/right domains
initChiLeft = makeInitChi(gridLeft, basisLeft)
runUpdater(initChiLeft, 0.0, 0.0, {}, {chiLeft})
initChiRight = makeInitChi(gridRight, basisRight)
runUpdater(initChiRight, 0.0, 0.0, {}, {chiRight})
-- create updater to initialize background density
function makeInitNumDensBack(grid, basis)
return Updater.EvalOnNodes2D {
onGrid = grid,
basis = basis,
shareCommonNodes = false, -- In DG, common nodes are not shared
evaluate = function (x,y,z,t)
return x
end
}
end
-- initialize background density on left/right domains
initNumDensBackLeft = makeInitNumDensBack(gridLeft, basisLeft)
runUpdater(initNumDensBackLeft, 0.0, 0.0, {}, {numDensBackLeft})
initNumDensBackRight = makeInitNumDensBack(gridRight, basisRight)
runUpdater(initNumDensBackRight, 0.0, 0.0, {}, {numDensBackRight})
numDensBackLeft:write("numDensBackLeft.h5", 0.0)
numDensBackRight:write("numDensBackRight.h5", 0.0)
-- create updater to number density
function makeInitNumDens(grid, basis)
return Updater.EvalOnNodes2D {
onGrid = grid,
basis = basis,
shareCommonNodes = false, -- In DG, common nodes are not shared
evaluate = function (x,y,z,t)
return oneVortex(x,y,z)
end
}
end
-- initialize density on left/right domains
initNumDensLeft = makeInitNumDens(gridLeft, basisLeft)
runUpdater(initNumDensLeft, 0.0, 0.0, {}, {numDensLeft})
initNumDensRight = makeInitNumDens(gridRight, basisRight)
runUpdater(initNumDensRight, 0.0, 0.0, {}, {numDensRight})
----------------------
-- EQUATION SOLVERS --
----------------------
-- updater for Poisson bracket
function makePbSlvr(grid, basis)
return Updater.PoissonBracket {
onGrid = grid,
basis = basis,
cfl = cfl,
fluxType = "upwind",
hamilNodesShared = false,
onlyIncrement = true,
}
end
pbSlvrLeft = makePbSlvr(gridLeft, basisLeft)
pbSlvrRight = makePbSlvr(gridRight, basisRight)
-- updater to solve Poisson equation
poissonSlvr = Updater.FemPoisson2D {
onGrid = grid,
basis = basis,
sourceNodesShared = false, -- default true
solutionNodesShared = false, -- solution is discontinous
periodicDirs = {0, 1}
}
-- set boundaries by copy stuff over to ghost cells
setCouplingBCs = Updater.OverlappingFieldCopy2D {
onGrid = grid,
dir = 0, -- direction of overlap
numOverlappingCells = numOverlappingCells, -- number of overlapping cells
copyPeriodicDirs = true,
}
-- average subdomains to compute global field
averageToGlobal = Updater.OverlappingFieldAverage2D {
onGrid = grid,
dir = 0, -- direction of overlap
numOverlappingCells = numOverlappingCells, -- number of overlapping cells
}
-- copy from global to sub-domains
copyToSubdomains = Updater.OverlappingFieldSplit2D {
onGrid = grid,
dir = 0, -- direction of overlap
numOverlappingCells = numOverlappingCells, -- number of overlapping cells
}
-------------------------
-- Boundary Conditions --
-------------------------
-- function to apply copy boundary conditions
function applyBc(fld)
fld:sync()
end
function applyCouplingBc(fldLeft, fldRight)
fldLeft:sync(); fldRight:sync()
-- set interior ghost cells by copying from overlapping regions
runUpdater(setCouplingBCs, 0.0, 0.0, {}, {fldLeft, fldRight})
end
----------------------
-- SOLVER UTILITIES --
----------------------
-- generic function to run an updater
function runUpdater(updater, currTime, timeStep, inpFlds, outFlds)
updater:setCurrTime(currTime)
if inpFlds then
updater:setIn(inpFlds)
end
if outFlds then
updater:setOut(outFlds)
end
return updater:advance(currTime+timeStep)
end
poissonSolveTime = 0.0 -- time spent in Poisson solve
-- function to solve Poisson equation
function solvePoissonEqn(srcFld, outFld)
local t1 = os.time() -- begin timer
-- set poissonSrc <- -srcFld
poissonSrc:combine(-1.0, srcFld)
applyBc(poissonSrc)
local s, dt, msg = runUpdater(poissonSlvr, 0.0, 0.0, {poissonSrc}, {outFld})
if (s == false) then
Lucee.logError(string.format("Poisson solver failed to converge (%s)", msg))
end
applyBc(outFld)
poissonSolveTime = poissonSolveTime + os.difftime(os.time(), t1)
end
-- function to solve vorticity equations
function solveVorticityEqn(pbSlvr, t, dt, vortIn, vortOut, phiIn)
local pbStatus, pbDt = runUpdater(pbSlvr, t, dt, {vortIn, phiIn}, {vortOut})
vortOut:scale(dt)
vortOut:accumulate(1.0, vortIn)
return pbStatus, pbDt
end
-- function to solve number density equations
function solveNumDensEqn(pbSlvr, t, dt, numDensTotal, numDensBack, numDensIn, numDensOut, phiIn)
-- accumulate background number density
numDensTotal:combine(1.0, numDensBack, 1.0, numDensIn)
local pbStatus, pbDt = runUpdater(pbSlvr, t, dt, {numDensTotal, phiIn}, {numDensOut})
numDensOut:scale(dt)
numDensOut:accumulate(1.0, numDensIn)
return pbStatus, pbDt
end
-- solve Poisson equation to determine initial potential
applyCouplingBc(chiLeft, chiRight)
applyCouplingBc(numDensLeft, numDensRight)
-- copy chi into a global field for use in Poisson solver
runUpdater(averageToGlobal, 0.0, 0.0, {chiLeft, chiRight}, {chiFull})
solvePoissonEqn(chiFull, phiDG)
-- now split potential between left/right subdomains
runUpdater(copyToSubdomains, 0.0, 0.0, {phiDG}, {phiDGLeft, phiDGRight})
applyCouplingBc(phiDGLeft, phiDGRight)
-- function to compute diagnostics
function calcDiagnostics(tc, dt)
end
-- function to take a time-step using SSP-RK3 time-stepping scheme
function rk3(tCurr, myDt)
local myStatus, myDtSuggested
---------------------------------------------- RK
-- RK stage 1 (left)
solveNumDensEqn(pbSlvrLeft, tCurr, myDt, numDensTotalLeft, numDensBackLeft, numDensLeft, numDens1Left, phiDGLeft)
local myStatusL, myDtSuggestedL = solveVorticityEqn(pbSlvrLeft, tCurr, myDt, chiLeft, chi1Left, phiDGLeft)
-- accumulate source term into updated solutions
numDens1Left:accumulate(-coupleCoeff*myDt, phiDGLeft, -coupleCoeff*myDt, numDensLeft)
chi1Left:accumulate(-coupleCoeff*myDt, phiDGLeft, -coupleCoeff*myDt, numDensLeft)
-- RK stage 1 (right)
solveNumDensEqn(pbSlvrRight, tCurr, myDt, numDensTotalRight, numDensBackRight, numDensRight, numDens1Right, phiDGRight)
local myStatusR, myDtSuggestedR = solveVorticityEqn(pbSlvrRight, tCurr, myDt, chiRight, chi1Right, phiDGRight)
-- accumulate source term into updated solutions
numDens1Right:accumulate(-coupleCoeff*myDt, phiDGRight, -coupleCoeff*myDt, numDensRight)
chi1Right:accumulate(-coupleCoeff*myDt, phiDGRight, -coupleCoeff*myDt, numDensRight)
myStatus, myDtSuggested = myStatusL and myStatusR, math.min(myDtSuggestedL, myDtSuggestedR)
-- check if step failed and return immediately if it did
if (myStatus == false) then
return myStatus, myDtSuggested
end
-- apply BCs
applyCouplingBc(chi1Left, chi1Right)
applyCouplingBc(numDens1Left, numDens1Right)
-- copy chi into a global field for use in Poisson solver
runUpdater(averageToGlobal, 0.0, 0.0, {chi1Left, chi1Right}, {chiFull})
-- solve Poisson equation to determine Potential
solvePoissonEqn(chiFull, phiDG)
-- now split potential between left/right subdomains
runUpdater(copyToSubdomains, 0.0, 0.0, {phiDG}, {phiDGLeft, phiDGRight})
applyCouplingBc(phiDGLeft, phiDGRight)
---------------------------------------------- RK
-- RK stage 2 (left)
solveNumDensEqn(pbSlvrLeft, tCurr, myDt, numDensTotalLeft, numDensBackLeft, numDens1Left, numDensNewLeft, phiDGLeft)
local myStatusL, myDtSuggestedL = solveVorticityEqn(pbSlvrLeft, tCurr, myDt, chi1Left, chiNewLeft, phiDGLeft)
-- accumulate source term into updated solutions
numDensNewLeft:accumulate(-coupleCoeff*myDt, phiDGLeft, -coupleCoeff*myDt, numDens1Left)
chiNewLeft:accumulate(-coupleCoeff*myDt, phiDGLeft, -coupleCoeff*myDt, numDens1Left)
chi1Left:combine(3.0/4.0, chiLeft, 1.0/4.0, chiNewLeft)
numDens1Left:combine(3.0/4.0, numDensLeft, 1.0/4.0, numDensNewLeft)
-- RK stage 2 (right)
solveNumDensEqn(pbSlvrRight, tCurr, myDt, numDensTotalRight, numDensBackRight, numDens1Right, numDensNewRight, phiDGRight)
local myStatusR, myDtSuggestedR = solveVorticityEqn(pbSlvrRight, tCurr, myDt, chi1Right, chiNewRight, phiDGRight)
-- accumulate source term into updated solutions
numDensNewRight:accumulate(-coupleCoeff*myDt, phiDGRight, -coupleCoeff*myDt, numDens1Right)
chiNewRight:accumulate(-coupleCoeff*myDt, phiDGRight, -coupleCoeff*myDt, numDens1Right)
chi1Right:combine(3.0/4.0, chiRight, 1.0/4.0, chiNewRight)
numDens1Right:combine(3.0/4.0, numDensRight, 1.0/4.0, numDensNewRight)
myStatus, myDtSuggested = myStatusL and myStatusR, math.min(myDtSuggestedL, myDtSuggestedR)
-- check if step failed and return immediately if it did
if (myStatus == false) then
return myStatus, myDtSuggested
end
-- apply BCs
applyCouplingBc(chi1Left, chi1Right)
applyCouplingBc(numDens1Left, numDens1Right)
-- copy chi into a global field for use in Poisson solver
runUpdater(averageToGlobal, 0.0, 0.0, {chi1Left, chi1Right}, {chiFull})
-- solve Poisson equation to determine Potential
solvePoissonEqn(chiFull, phiDG)
-- now split potential between left/right subdomains
runUpdater(copyToSubdomains, 0.0, 0.0, {phiDG}, {phiDGLeft, phiDGRight})
applyCouplingBc(phiDGLeft, phiDGRight)
---------------------------------------------- RK
-- RK stage 3 (left)
solveNumDensEqn(pbSlvrLeft, tCurr, myDt, numDensTotalLeft, numDensBackLeft, numDens1Left, numDensNewLeft, phiDGLeft)
local myStatusL, myDtSuggestedL = solveVorticityEqn(pbSlvrLeft, tCurr, myDt, chi1Left, chiNewLeft, phiDGLeft)
-- accumulate source term into updated solutions
numDensNewLeft:accumulate(-coupleCoeff*myDt, phiDGLeft, -coupleCoeff*myDt, numDens1Left)
chiNewLeft:accumulate(-coupleCoeff*myDt, phiDGLeft, -coupleCoeff*myDt, numDens1Left)
chi1Left:combine(1.0/3.0, chiLeft, 2.0/3.0, chiNewLeft)
numDens1Left:combine(1.0/3.0, numDensLeft, 2.0/3.0, numDensNewLeft)
-- RK stage 3 (right)
solveNumDensEqn(pbSlvrRight, tCurr, myDt, numDensTotalRight, numDensBackRight, numDens1Right, numDensNewRight, phiDGRight)
local myStatus, myDtSuggested = solveVorticityEqn(pbSlvrRight, tCurr, myDt, chi1Right, chiNewRight, phiDGRight)
-- accumulate source term into updated solutions
numDensNewRight:accumulate(-coupleCoeff*myDt, phiDGRight, -coupleCoeff*myDt, numDens1Right)
chiNewRight:accumulate(-coupleCoeff*myDt, phiDGRight, -coupleCoeff*myDt, numDens1Right)
chi1Right:combine(1.0/3.0, chiRight, 2.0/3.0, chiNewRight)
numDens1Right:combine(1.0/3.0, numDensRight, 2.0/3.0, numDensNewRight)
myStatus, myDtSuggested = myStatusL and myStatusR, math.min(myDtSuggestedL, myDtSuggestedR)
-- check if step failed and return immediately if it did
if (myStatus == false) then
return myStatus, myDtSuggested
end
-- apply BCs
applyCouplingBc(chi1Left, chi1Right)
applyCouplingBc(numDens1Left, numDens1Right)
-- copy chi into a global field for use in Poisson solver
runUpdater(averageToGlobal, 0.0, 0.0, {chi1Left, chi1Right}, {chiFull})
-- solve Poisson equation to determine Potential
solvePoissonEqn(chiFull, phiDG)
-- now split potential between left/right subdomains
runUpdater(copyToSubdomains, 0.0, 0.0, {phiDG}, {phiDGLeft, phiDGRight})
applyCouplingBc(phiDGLeft, phiDGRight)
-- copy over solution
chiLeft:copy(chi1Left)
chiRight:copy(chi1Right)
numDensLeft:copy(numDens1Left)
numDensRight:copy(numDens1Right)
return myStatus, myDtSuggested
end
-- function to advance solution from tStart to tEnd
function advanceFrame(tStart, tEnd, initDt)
local step = 1
local tCurr = tStart
local myDt = initDt
local lastGood = 0.0
-- main loop
while tCurr<=tEnd do
-- copy stuff in case we need to retake step
chiDupLeft:copy(chiLeft)
chiDupRight:copy(chiRight)
numDensDupLeft:copy(numDensLeft)
numDensDupRight:copy(numDensRight)
phiDGDupLeft:copy(phiDGLeft)
phiDGDupRight:copy(phiDGRight)
phiDGDup:copy(phiDG)
-- if needed adjust dt to hit tEnd exactly
if (tCurr+myDt > tEnd) then
myDt = tEnd-tCurr
end
Lucee.logInfo (string.format("Taking step %d at time %g with dt %g", step, tCurr, myDt))
-- take a time-step
local advStatus, advDtSuggested = rk3(tCurr, myDt)
lastGood = advDtSuggested
if (advStatus == false) then
-- time-step too large
Lucee.logInfo (string.format("** Time step %g too large! Will retake with dt %g", myDt, advDtSuggested))
-- copy in case current solutions were messed up
chiLeft:copy(chiDupLeft)
chiRight:copy(chiDupRight)
numDensLeft:copy(numDensDupLeft)
numDensRight:copy(numDensDupRight)
phiDGLeft:copy(phiDGDupLeft)
phiDGRight:copy(phiDGDupRight)
phiDG:copy(phiDGDup)
myDt = advDtSuggested
else
-- compute diagnostics
calcDiagnostics(tCurr, myDt)
tCurr = tCurr + myDt
myDt = advDtSuggested
step = step + 1
-- check if done
if (tCurr >= tEnd) then
break
end
end
myDt = math.min(myDt, 0.01)
end
return lastGood
end
-- write out data
function writeFields(frame, tm)
phiDG:write( string.format("phi_%d.h5", frame), tm)
chiLeft:write( string.format("chiLeft_%d.h5", frame), tm )
chiRight:write( string.format("chiRight_%d.h5", frame), tm)
chiFull:write( string.format("chiFull_%d.h5", frame), tm)
numDensLeft:write( string.format("numDensLeft_%d.h5", frame), tm )
numDensRight:write( string.format("numDensRight_%d.h5", frame), tm )
runUpdater(averageToGlobal, 0.0, 0.0, {numDensLeft, numDensRight}, {numDensFull})
numDensFull:write( string.format("numDensFull_%d.h5", frame), tm )
end
-- write out initial conditions
writeFields(0, 0.0)
-- parameters to control time-stepping
tStart = 0.0
tEnd = 100.0
dtSuggested = 0.01 -- initial time-step to use (will be adjusted)
nFrames = 10
tFrame = (tEnd-tStart)/nFrames -- time between frames
tCurr = tStart
for frame = 1, nFrames do
Lucee.logInfo (string.format("-- Advancing solution from %g to %g", tCurr, tCurr+tFrame))
-- advance solution between frames
local retDtSuggested = advanceFrame(tCurr, tCurr+tFrame, dtSuggested)
dtSuggested = retDtSuggested
-- write out data
writeFields(frame, tCurr+tFrame)
tCurr = tCurr+tFrame
Lucee.logInfo ("")
end
Lucee.logInfo (string.format("Poisson solves took %g seconds", poissonSolveTime))
|
object_tangible_loot_creature_loot_collections_aurebesh_tile_qek = object_tangible_loot_creature_loot_collections_shared_aurebesh_tile_qek:new {
}
ObjectTemplates:addTemplate(object_tangible_loot_creature_loot_collections_aurebesh_tile_qek, "object/tangible/loot/creature/loot/collections/aurebesh_tile_qek.iff")
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.