content
stringlengths
5
1.05M
return { mod_key = 'Mod4', alt_key = 'Mod1' }
local name, addon = ...; --[[ Many azerite traits augment healing done from existing spellIDs, and the amount added by the azerite traits does NOT scale with intellect. This code is to estimate the percentage of a heal which was added by azerite, using knowledge of the spell coeffecients & calculated azerite coeffecients. --]] local AzeriteAugmentations = { Active={}, Options={}, SpellCoeffecients={}, TraitCoeffecients={} }; --[[ Call this to setup an azerite trait augmenting an existing spellID. The options table allows for some additional customization on the calculations: options.Overtime --when true, excludes calculation on direct healing or damage events options.Direct --when true, exclude calculation on non-direct healing or damage events options.ValueScalar(targetUnit) --scale the azerite value added by a multiplicative factor. A return value of 0 is equivalent to no value added. A value of 1 is equivalent to full value added. options.HealScalar(targetUnit) --scale the base healing by a multiplicative factor. options.Timeout --require this many seconds to elapse before calculating again. ]] function AzeriteAugmentations:TraitAugmentsSpell(traitID,traitCoeffecient,spellID,spCoeffecient,options) local options = options or {}; self.TraitCoeffecients[traitID] = self.TraitCoeffecients[traitID] or {}; self.TraitCoeffecients[traitID][spellID] = traitCoeffecient; self.SpellCoeffecients[spellID] = spCoeffecient; self.Options[traitID] = self.Options[traitID] or {}; self.Options[traitID][spellID] = options; end --[[ Call this function on gear change, before adding current azerite traits. ]] function AzeriteAugmentations:ClearActiveTraits() wipe(self.Active); end --[[ Call this function on gear change, for all equipped azerite traits ]] function AzeriteAugmentations:SetActiveTrait(traitID,itemInt) if ( self.Options[traitID] ) then for spellID,_ in pairs(self.Options[traitID]) do self.Active[spellID] = self.Active[spellID] or {}; self.Active[spellID][traitID] = self.Active[spellID][traitID] or 0; self.Active[spellID][traitID] = self.Active[spellID][traitID] + itemInt; end end end --[[ Multiply intellect derivative by this factor to account for azerite augmentations which do not scale with intellect. ]] function AzeriteAugmentations:GetAugmentationFactor(spellID,targetUnit,ev) if ( self.Active[spellID] ) then local azeriteAdded = 0; for traitID,intVal in pairs(self.Active[spellID]) do azeriteAdded = azeriteAdded + self:CalcAzeriteAdded(ev,spellID,traitID,intVal,targetUnit); end local baseHeal = self:CalcBaseHeal(spellID); local frac = (baseHeal / (baseHeal+azeriteAdded)); --addon:Msg("AzeriteAugmentation on spell "..spellID.." is "..tostring(math.floor((1-frac)*1000)/10).."%."); return frac; end return 1.0; end function AzeriteAugmentations:CalcAzeriteAdded(ev,spellID,traitID,intVal,targetUnit) --handle Timeouts local options = self.Options[traitID] and self.Options[traitID][spellID] or {}; if ( options.Timeout and options.Timeout > 0 ) then local lastTimeout = options.lastTimeout or 0; local curTime = GetTime(); if ( curTime - lastTimeout >= options.Timeout ) then --continue self.Options[traitID][spellID].lastTimeout = curTime; else return 0; end elseif ( options and options.Direct and (ev=="SPELL_PERIODIC_HEAL" or ev=="SPELL_PERIODIC_DAMAGE")) then return 0; elseif ( options and options.Overtime and (ev=="SPELL_HEAL" or ev=="SPELL_DAMAGE")) then return 0; end --handle custom Scalars local scalar; if ( options.ValueScalar ) then scalar = options.ValueScalar(targetUnit); --print("valuescalar",scalar); else scalar = 1.0; end --return value return scalar * intVal * self.TraitCoeffecients[traitID][spellID]; end function AzeriteAugmentations:CalcBaseHeal(spellID) local scalar; local options = self.Options[traitID] and self.Options[traitID][spellID] or {}; if ( options.HealScalar ) then scalar = options.HealScalar(); else scalar = 1; end return addon.ply_sp * self.SpellCoeffecients[spellID] * scalar; end addon.AzeriteAugmentations = AzeriteAugmentations;
require "ataraxis.autocommands" local options = require "ataraxis.options" local add_pads = require "ataraxis.add_pads" local M = {} function M.setup(user_options) options.set(user_options) add_pads() end return M
if not modules then modules = { } end modules ['publ-dat'] = { version = 1.001, comment = "this module part of publication support", author = "Hans Hagen, PRAGMA-ADE, Hasselt NL", copyright = "PRAGMA ADE / ConTeXt Development Team", license = "see context related readme files" } -- todo: strip the @ in the lpeg instead of on do_definition and do_shortcut -- todo: store bibroot and bibrootdt -- todo: dataset = datasets[dataset] => current = datasets[dataset] -- todo: maybe split this file --[[ldx-- <p>This is a prelude to integrated bibliography support. This file just loads bibtex files and converts them to xml so that the we access the content in a convenient way. Actually handling the data takes place elsewhere.</p> --ldx]]-- if not characters then dofile(resolvers.findfile("char-utf.lua")) dofile(resolvers.findfile("char-tex.lua")) end local lower, find, sub = string.lower, string.find, string.sub local concat, copy, tohash = table.concat, table.copy, table.tohash local next, type, rawget = next, type, rawget local utfchar = utf.char local lpegmatch, lpegpatterns = lpeg.match, lpeg.patterns local textoutf = characters and characters.tex.toutf local settings_to_hash, settings_to_array = utilities.parsers.settings_to_hash, utilities.parsers.settings_to_array local formatters = string.formatters local sortedkeys, sortedhash, keys = table.sortedkeys, table.sortedhash, table.keys local xmlcollected, xmltext, xmlconvert = xml.collected, xml.text, xml.convert local setmetatableindex = table.setmetatableindex -- todo: more allocate local P, R, S, V, C, Cc, Cs, Ct, Carg, Cmt, Cp = lpeg.P, lpeg.R, lpeg.S, lpeg.V, lpeg.C, lpeg.Cc, lpeg.Cs, lpeg.Ct, lpeg.Carg, lpeg.Cmt, lpeg.Cp local p_whitespace = lpegpatterns.whitespace local p_utf8character = lpegpatterns.utf8character local trace = false trackers.register("publications", function(v) trace = v end) local trace_duplicates = true trackers.register("publications.duplicates", function(v) trace = v end) local report = logs.reporter("publications") local report_duplicates = logs.reporter("publications","duplicates") local allocate = utilities.storage.allocate local commands = commands local implement = interfaces and interfaces.implement publications = publications or { } local publications = publications local datasets = publications.datasets or { } publications.datasets = datasets local writers = publications.writers or { } publications.writers = writers local tables = publications.tables or { } publications.tables = tables publications.statistics = publications.statistics or { } local publicationsstats = publications.statistics local loaders = publications.loaders or { } publications.loaders = loaders local casters = { } publications.casters = casters -- local sorters = { } -- publications.sorters = sorters -- -- local indexers = { } -- publications.indexers = indexers local components = { } publications.components = components -- register components local enhancers = publications.enhancers or { } publications.enhancers = enhancers local enhancer = publications.enhancer or utilities.sequencers.new { arguments = "dataset" } publications.enhancer = enhancer utilities.sequencers.appendgroup(enhancer,"system") -- private publicationsstats.nofbytes = 0 publicationsstats.nofdefinitions = 0 publicationsstats.nofshortcuts = 0 publicationsstats.nofdatasets = 0 local privates = allocate { category = true, tag = true, index = true, suffix = true, specification = true, } local specials = allocate { key = true, crossref = true, keywords = true, language = true, comment = true, } local implicits = allocate { category = "implicit", tag = "implicit", key = "implicit", keywords = "implicit", language = "implicit", crossref = "implicit", } local origins = allocate { "optional", "extra", "required", "virtual", } local virtuals = allocate { "authoryear", "authoryears", "authornum", "num", "suffix", } local defaulttypes = allocate { author = "author", editor = "author", publisher = "author", page = "pagenumber", pages = "pagenumber", keywords = "keyword", doi = "url", url = "url", } local defaultsets = allocate { page = { "page", "pages" }, } tables.implicits = implicits tables.origins = origins tables.virtuals = virtuals tables.types = defaulttypes tables.sets = defaultsets tables.privates = privates tables.specials = specials local variables = interfaces and interfaces.variables or setmetatableindex("self") local v_all = variables.all local v_default = variables.default if not publications.usedentries then function publications.usedentries() return { } end end local xmlplaceholder = "<?xml version='1.0' standalone='yes'?>\n<bibtex></bibtex>" local defaultshortcuts = allocate { jan = "1", feb = "2", mar = "3", apr = "4", may = "5", jun = "6", jul = "7", aug = "8", sep = "9", oct = "10", nov = "11", dec = "12", } local space = p_whitespace^0 local separator = space * "+" * space local p_splitter = lpeg.tsplitat(separator) local unknownfield = function(t,k) local v = "extra" t[k] = v return v end local unknowncategory = function(t,k) local v = { required = false, optional = false, virtual = false, fields = setmetatableindex(unknownfield), -- this will remember them types = unknowntypes, sets = setmetatableindex(defaultsets), -- new, but rather small } t[k] = v return v end local unknowntype = function(t,k) local v = "string" t[k] = v return v end local default = { name = name, version = "1.00", comment = "unknown specification.", author = "anonymous", copyright = "no one", categories = setmetatableindex(unknowncategory), types = setmetatableindex(defaulttypes,unknowntype), } -- maybe at some point we can have a handlers table with per field -- a found, fetch, ... method local function checkfield(specification,category,data) local list = setmetatableindex({},implicits) data.fields = list data.category = category local sets = data.sets or { } for i=1,#origins do local t = origins[i] local d = data[t] if d then for i=1,#d do local di = d[i] di = sets[di] or di if type(di) == "table" then for i=1,#di do list[di[i]] = t end else list[di] = t end end else data[t] = { } end end return data end local specifications = setmetatableindex(function(t,name) if not name then return default -- initializer end local filename = formatters["publ-imp-%s.lua"](name) local fullname = resolvers.findfile(filename) or "" if fullname == "" then report("no data definition file %a for %a",filename,name) return default end local specification = table.load(fullname) if not specification then report("invalid data definition file %a for %a",fullname,name) return default end -- local categories = specification.categories if not categories then categories = { } specification.categories = categories end setmetatableindex(categories,unknowncategory) -- local types = specification.types if not types then types = defaulttypes specification.types = types end setmetatableindex(types,unknowntype) -- local fields = setmetatableindex(unknownfield) specification.fields = fields -- local virtual = specification.virtual if virtual == nil then -- so false is valid virtual = { } elseif virtual == false then virtual = { } elseif type(virtual) ~= table then virtual = virtuals end specification.virtual = virtual specification.virtualfields = tohash(virtual) -- for category, data in next, categories do categories[category] = checkfield(specification,category,copy(data)) -- we make sure we have no clones end -- t[name] = specification -- return specification end) publications.specifications = specifications function publications.setcategory(target,category,data) local specification = specifications[target] specification.categories[category] = checkfield(specification,category,data) end function publications.parenttag(dataset,tag) if not dataset or not tag then report("error in specification, dataset %a, tag %a",dataset,tag) elseif find(tag,"%+") then local tags = lpegmatch(p_splitter,tag) local parent = tags[1] local current = datasets[dataset] local luadata = current.luadata local details = current.details local first = luadata[parent] if first then local detail = details[parent] local children = detail.children if not children then children = { } detail.children = children end -- add new ones but only once for i=2,#tags do local tag = tags[i] for j=1,#children do if children[j] == tag then tag = false end end if tag then local entry = luadata[tag] if entry then local detail = details[tag] children[#children+1] = tag if detail.parent then report("error in combination, dataset %a, tag %a, parent %a, ignored %a",dataset,tag,detail.parent,parent) else report("combining, dataset %a, tag %a, parent %a",dataset,tag,parent) detail.parent = parent end end end end return parent end end return tag or "" end function publications.new(name) publicationsstats.nofdatasets = publicationsstats.nofdatasets + 1 local dataset = { name = name or "dataset " .. publicationsstats.nofdatasets, nofentries = 0, shortcuts = { }, luadata = { }, suffixes = { }, xmldata = xmlconvert(xmlplaceholder), details = { }, ordered = { }, nofbytes = 0, entries = nil, -- empty == all sources = { }, loaded = { }, fields = { }, userdata = { }, used = { }, commands = { }, -- for statistical purposes citestate = { }, status = { resources = false, userdata = false, }, specifications = { -- used specifications }, suffixed = false, } -- we delay details till we need it (maybe we just delay the -- individual fields but that is tricky as there can be some -- depedencies) return dataset end setmetatableindex(datasets,function(t,k) if type(k) == "table" then return k -- so we can use this accessor as checker else local v = publications.new(k) datasets[k] = v return v end end) local function getindex(dataset,luadata,tag) local found = luadata[tag] if found then local index = found.index or 0 dataset.ordered[tag] = index return index else local index = dataset.nofentries + 1 dataset.nofentries = index dataset.ordered[index] = tag return index end end publications.getindex = getindex do -- we apply some normalization local space = S(" \t\n\r\f") -- / " " local collapsed = space^1/" " local csletter = lpegpatterns.csletter or R("az","AZ") ----- command = P("\\") * Cc("btxcmd{") * (R("az","AZ")^1) * Cc("}") ----- command = P("\\") * (Carg(1) * C(R("az","AZ")^1) / function(list,c) list[c] = (list[c] or 0) + 1 return "btxcmd{" .. c .. "}" end) ----- command = P("\\") * (Carg(1) * C(R("az","AZ")^1) * space^0 / function(list,c) list[c] = (list[c] or 0) + 1 return "btxcmd{" .. c .. "}" end) local command = P("\\") * (Carg(1) * C(csletter^1) * space^0 / function(list,c) list[c] = (list[c] or 0) + 1 return "btxcmd{" .. c .. "}" end) local whatever = P("\\") * P(" ")^1 / " " + P("\\") * ( P("hbox") + P("raise") ) -- bah local somemath = P("$") * ((1-P("$"))^1) * P("$") -- let's not assume nested math ----- character = lpegpatterns.utf8character local any = P(1) local done = P(-1) -- local one_l = P("{") / "" -- local one_r = P("}") / "" -- local two_l = P("{{") / "" -- local two_r = P("}}") / "" local zero_l_r = P("{}") / "" * #P(1) local special = P("#") / "\\letterhash " local filter_0 = S('\\{}#') local filter_1 = (1-filter_0)^0 * filter_0 local filter_2 = Cs( -- {{...}} ... {{...}} -- two_l * (command + special + any - two_r - done)^0 * two_r * done + -- one_l * (command + special + any - one_r - done)^0 * one_r * done + ( somemath + whatever + command + special + collapsed + zero_l_r + any )^0 ) -- Currently we expand shortcuts and for large ones (like the acknowledgements -- in tugboat.bib) this is not that efficient. However, eventually strings get -- hashed again. local function do_shortcut(key,value,dataset) publicationsstats.nofshortcuts = publicationsstats.nofshortcuts + 1 dataset.shortcuts[key] = value end -- todo: categories : metatable that lowers and also counts -- todo: fields : metatable that lowers local tags = table.setmetatableindex("table") local function do_definition(category,tag,tab,dataset) publicationsstats.nofdefinitions = publicationsstats.nofdefinitions + 1 if tag == "" then tag = "no-tag-set" end local fields = dataset.fields local luadata = dataset.luadata local hashtag = tag if luadata[tag] then local t = tags[tag] local d = dataset.name local n = (t[d] or 0) + 1 t[d] = n hashtag = tag .. "-" .. n if trace_duplicates then local p = { } for k, v in sortedhash(t) do p[#p+1] = formatters["%s:%s"](k,v) end report_duplicates("tag %a is present multiple times: % t, assigning hashtag %a",tag,p,hashtag) end end local index = getindex(dataset,luadata,hashtag) local entries = { category = lower(category), tag = tag, index = index, } for i=1,#tab,2 do local original = tab[i] local normalized = fields[original] if not normalized then normalized = lower(original) -- we assume ascii fields fields[original] = normalized end -- if entries[normalized] then if rawget(entries,normalized) then if trace_duplicates then report_duplicates("redundant field %a is ignored for tag %a in dataset %a",normalized,tag,dataset.name) end else local value = tab[i+1] value = textoutf(value) if lpegmatch(filter_1,value) then value = lpegmatch(filter_2,value,1,dataset.commands) -- we need to start at 1 for { } end if normalized == "crossref" then local parent = luadata[value] if parent then setmetatableindex(entries,parent) else -- warning end end entries[normalized] = value end end luadata[hashtag] = entries end local function resolve(s,dataset) return dataset.shortcuts[s] or defaultshortcuts[s] or s -- can be number end local pattern = p_whitespace^0 * C(P("message") + P("warning") + P("error") + P("comment")) * p_whitespace^0 * P(":") * p_whitespace^0 * C(P(1)^1) local function do_comment(s,dataset) local how, what = lpegmatch(pattern,s) if how and what then local t = string.splitlines(utilities.strings.striplines(what)) local b = file.basename(dataset.fullname or dataset.name or "unset") for i=1,#t do report("%s > %s : %s",b,how,t[i]) end end end local percent = P("%") local start = P("@") local comma = P(",") local hash = P("#") local escape = P("\\") local single = P("'") local double = P('"') local left = P('{') local right = P('}') local both = left + right local lineending = S("\n\r") local space = S(" \t\n\r\f") -- / " " local spacing = space^0 local equal = P("=") ----- collapsed = (space^1)/ " " local collapsed = p_whitespace^1/" " local nospaces = p_whitespace^1/"" local p_left = (p_whitespace^0 * left) / "" local p_right = (right * p_whitespace^0) / "" local balanced = P { [1] = ((escape * (left+right)) + (collapsed + 1 - (left+right))^1 + V(2))^0, [2] = left * V(1) * right, } -- local unbalanced = P { -- [1] = left * V(2) * right, -- [2] = ((escape * (left+right)) + (collapsed + 1 - (left+right))^1 + V(1))^0, -- } local unbalanced = (left/"") * balanced * (right/"") * P(-1) local keyword = C((R("az","AZ","09") + S("@_:-"))^1) local key = C((1-space-equal)^1) local tag = C((1-space-comma)^0) local reference = keyword local category = C((1-space-left)^1) local s_quoted = ((escape*single) + collapsed + (1-single))^0 local d_quoted = ((escape*double) + collapsed + (1-double))^0 local b_value = p_left * balanced * p_right -- local u_value = p_left * unbalanced * p_right -- get rid of outer { } -- local s_value = (single/"") * (u_value + s_quoted) * (single/"") -- local d_value = (double/"") * (u_value + d_quoted) * (double/"") local s_value = (single/"") * (unbalanced + s_quoted) * (single/"") local d_value = (double/"") * (unbalanced + d_quoted) * (double/"") local r_value = reference * Carg(1) /resolve local somevalue = d_value + b_value + s_value + r_value local value = Cs((somevalue * ((spacing * hash * spacing)/"" * somevalue)^0)) value = value / function(s) return lpegmatch(lpegpatterns.stripper,s) end local forget = percent^1 * (1-lineending)^0 local spacing = spacing * forget^0 * spacing local assignment = spacing * key * spacing * equal * spacing * value * spacing local definition = category * spacing * left * spacing * tag * spacing * comma * Ct((assignment * comma^0)^0) * spacing * right * Carg(1) / do_definition local crapword = C((1-space-left)^1) local shortcut = Cmt(crapword,function(_,p,s) return lower(s) == "string" and p end) * spacing * left * ((assignment * Carg(1))/do_shortcut * comma^0)^0 * spacing * right local comment = Cmt(crapword,function(_,p,s) return lower(s) == "comment" and p end) * spacing * lpegpatterns.argument * Carg(1) / do_comment local casecrap = #S("sScC") * (shortcut + comment) local bibtotable = (space + forget + P("@") * (casecrap + definition) + 1)^0 -- todo \% -- loadbibdata -> dataset.luadata -- loadtexdata -> dataset.luadata -- loadluadata -> dataset.luadata -- converttoxml -> dataset.xmldata from dataset.luadata function publications.loadbibdata(dataset,content,source,kind) if not source then report("invalid source for dataset %a",dataset) return end local current = datasets[dataset] local size = #content if size == 0 then report("empty source %a for dataset %a",source,current.name) else report("adding bib data to set %a from source %a",current.name,source) end statistics.starttiming(publications) publicationsstats.nofbytes = publicationsstats.nofbytes + size current.nofbytes = current.nofbytes + size if source then table.insert(current.sources, { filename = source, checksum = md5.HEX(content) }) current.loaded[source] = kind or true end current.newtags = #current.luadata > 0 and { } or current.newtags lpegmatch(bibtotable,content or "",1,current) statistics.stoptiming(publications) end end do -- we could use xmlescape again local cleaner_0 = S('<>&') local cleaner_1 = (1-cleaner_0)^0 * cleaner_0 local cleaner_2 = Cs ( ( P("<") / "&lt;" + P(">") / "&gt;" + P("&") / "&amp;" + P(1) )^0) local compact = false -- can be a directive but then we also need to deal with newlines ... not now function publications.converttoxml(dataset,nice,dontstore,usedonly,subset) -- we have fields ! local current = datasets[dataset] local luadata = subset or (current and current.luadata) if luadata then statistics.starttiming(publications) -- local result, r, n = { }, 0, 0 local usedonly = usedonly and publications.usedentries() -- r = r + 1 ; result[r] = "<?xml version='1.0' standalone='yes'?>" r = r + 1 ; result[r] = "<bibtex>" -- if nice then -- will be default local f_entry_start = formatters[" <entry tag='%s' category='%s' index='%s'>"] local s_entry_stop = " </entry>" local f_field = formatters[" <field name='%s'>%s</field>"] for tag, entry in sortedhash(luadata) do if not usedonly or usedonly[tag] then r = r + 1 ; result[r] = f_entry_start(tag,entry.category,entry.index) for key, value in sortedhash(entry) do if key ~= "tag" and key ~= "category" and key ~= "index" then if lpegmatch(cleaner_1,value) then value = lpegmatch(cleaner_2,value) end if value ~= "" then r = r + 1 ; result[r] = f_field(key,value) end end end r = r + 1 ; result[r] = s_entry_stop n = n + 1 end end else local f_entry_start = formatters["<entry tag='%s' category='%s' index='%s'>"] local s_entry_stop = "</entry>" local f_field = formatters["<field name='%s'>%s</field>"] for tag, entry in next, luadata do if not usedonly or usedonly[tag] then r = r + 1 ; result[r] = f_entry_start(entry.tag,entry.category,entry.index) for key, value in next, entry do if key ~= "tag" and key ~= "category" and key ~= "index" then if lpegmatch(cleaner_1,value) then value = lpegmatch(cleaner_2,value) end if value ~= "" then r = r + 1 ; result[r] = f_field(key,value) end end end r = r + 1 ; result[r] = s_entry_stop n = n + 1 end end end -- r = r + 1 ; result[r] = "</bibtex>" -- result = concat(result,nice and "\n" or nil) -- if dontstore then -- indeed else statistics.starttiming(xml) current.xmldata = xmlconvert(result, { resolve_entities = true, resolve_predefined_entities = true, -- in case we have escaped entities -- unify_predefined_entities = true, -- &#038; -> &amp; utfize_entities = true, } ) statistics.stoptiming(xml) if lxml then lxml.register(formatters["btx:%s"](current.name),current.xmldata) end end statistics.stoptiming(publications) return result, n end end end do local function resolvedname(dataset,filename) local current = datasets[dataset] if type(filename) ~= "string" then report("invalid filename %a",tostring(filename)) end local fullname = resolvers.findfile(filename,"bib") if fullname == "" then fullname = resolvers.findfile(filename) -- let's not be too picky end if not fullname or fullname == "" then report("no file %a",filename) current.fullname = filename return current, false else current.fullname = fullname return current, fullname end end publications.resolvedname = resolvedname local cleaner = false local cleaned = false function loaders.registercleaner(what,fullname) if not fullname or fullname == "" then report("no %s file %a",what,fullname) return end local list = table.load(fullname) if not list then report("invalid %s file %a",what,fullname) return end list = list.replacements if not list then report("no replacement table in %a",fullname) return end if cleaned then report("adding replacements from %a",fullname) for k, v in next, list do cleaned[k] = v end else report("using replacements from %a",fullname) cleaned = list end cleaner = true end function loaders.bib(dataset,filename,kind) local dataset, fullname = resolvedname(dataset,filename) if not fullname then return end local data = io.loaddata(fullname) or "" if data == "" then report("empty file %a, nothing loaded",fullname) return end if cleaner == true then cleaner = Cs((lpeg.utfchartabletopattern(keys(cleaned)) / cleaned + p_utf8character)^1) end if cleaner ~= false then data = lpegmatch(cleaner,data) end if trace then report("loading file %a",fullname) end publications.loadbibdata(dataset,data,fullname,kind) end function loaders.lua(dataset,filename) -- if filename is a table we load that one local current, data, fullname if type(filename) == "table" then current = datasets[dataset] data = filename else dataset, fullname = resolvedname(dataset,filename) if not fullname then return end current = datasets[dataset] data = table.load(fullname) end if data then local luadata = current.luadata -- we want the same index each run for tag, entry in sortedhash(data) do if type(entry) == "table" then entry.index = getindex(current,luadata,tag) entry.tag = tag luadata[tag] = entry -- no cleaning yet end end end end function loaders.buffer(dataset,name) -- if filename is a table we load that one local current = datasets[dataset] local barename = file.removesuffix(name) local data = buffers.getcontent(barename) or "" if data == "" then report("empty buffer %a, nothing loaded",barename) return end if trace then report("loading buffer",barename) end publications.loadbibdata(current,data,barename,"bib") end function loaders.xml(dataset,filename) local dataset, fullname = resolvedname(dataset,filename) if not fullname then return end local current = datasets[dataset] local luadata = current.luadata local root = xml.load(fullname) for bibentry in xmlcollected(root,"/bibtex/entry") do local attributes = bibentry.at local tag = attributes.tag local entry = { category = attributes.category, tag = tag, -- afterwards also set, to prevent overload index = 0, -- prelocated } for field in xmlcollected(bibentry,"/field") do entry[field.at.name] = field.dt[1] -- no cleaning yet | xmltext(field) end entry.index = getindex(current,luadata,tag) entry.tag = tag luadata[tag] = entry end end setmetatableindex(loaders,function(t,filetype) local v = function(dataset,filename) report("no loader for file %a with filetype %a",filename,filetype) end t[filetype] = v return v end) local done = setmetatableindex("table") function publications.load(specification) local name = specification.dataset or v_default local current = datasets[name] local files = settings_to_array(specification.filename) local kind = specification.kind local dataspec = specification.specification statistics.starttiming(publications) local somedone = false for i=1,#files do local filetype, filename = string.splitup(files[i],"::") if not filename then filename = filetype filetype = file.suffix(filename) end if filename then if not filetype or filetype == "" then filetype = "bib" end if file.suffix(filename) == "" then file.addsuffix(filename,filetype) end if done[current][filename] then report("file %a is already loaded in dataset %a",filename,name) else loaders[filetype](current,filename) done[current][filename] = true somedone = true end if kind then current.loaded[current.fullname or filename] = kind end if dataspec then current.specifications[dataspec] = true end end end if somedone then local runner = enhancer.runner if runner then runner(current) end end statistics.stoptiming(publications) return current end end do function enhancers.order(dataset) local luadata = dataset.luadata local ordered = dataset.ordered for i=1,#ordered do local tag = ordered[i] if type(tag) == "string" then ordered[i] = luadata[tag] end end end function enhancers.details(dataset) local luadata = dataset.luadata local details = dataset.details for tag, entry in next, luadata do if not details[tag] then details[tag] = { } end end end utilities.sequencers.appendaction(enhancer,"system","publications.enhancers.order") utilities.sequencers.appendaction(enhancer,"system","publications.enhancers.details") end do local checked = function(s,d) d[s] = (d[s] or 0) + 1 end local checktex = ( (1-P("\\"))^1 + P("\\") * ((C(R("az","AZ")^1) * Carg(1))/checked))^0 function publications.analyze(dataset) local current = datasets[dataset] local data = current.luadata local categories = { } local fields = { } local commands = { } for k, v in next, data do categories[v.category] = (categories[v.category] or 0) + 1 for k, v in next, v do fields[k] = (fields[k] or 0) + 1 lpegmatch(checktex,v,1,commands) end end current.analysis = { categories = categories, fields = fields, commands = commands, } end end function publications.tags(dataset) return sortedkeys(datasets[dataset].luadata) end function publications.sortedentries(dataset) return sortedhash(datasets[dataset].luadata) end -- a helper: function publications.concatstate(i,n) if i == 0 then return 0 elseif i == 1 then return 1 elseif i == 2 and n == 2 then return 4 elseif i == n then return 3 else return 2 end end -- savers do local savers = { } local s_preamble = [[ % this is an export from context mkiv @preamble{ \ifdefined\btxcmd % we're probably in context \else \def\btxcmd#1{\csname#1\endcsname} \fi } ]] function savers.bib(dataset,filename,tobesaved) local f_start = formatters["@%s{%s,\n"] local f_field = formatters[" %s = {%s},\n"] local s_stop = "}\n\n" local result = { s_preamble } local n, r = 0, 1 for tag, data in sortedhash(tobesaved) do r = r + 1 ; result[r] = f_start(data.category or "article",tag) for key, value in sortedhash(data) do if not privates[key] then r = r + 1 ; result[r] = f_field(key,value) end end r = r + 1 ; result[r] = s_stop n = n + 1 end report("%s entries from dataset %a saved in %a",n,dataset,filename) io.savedata(filename,concat(result)) end function savers.lua(dataset,filename,tobesaved) local list = { } local n = 0 for tag, data in next, tobesaved do local t = { } for key, value in next, data do if not privates[key] then d[key] = value end end list[tag] = t n = n + 1 end report("%s entries from dataset %a saved in %a",n,dataset,filename) table.save(filename,list) end function savers.xml(dataset,filename,tobesaved) local result, n = publications.converttoxml(dataset,true,true,false,tobesaved) report("%s entries from dataset %a saved in %a",n,dataset,filename) io.savedata(filename,result) end function publications.save(specification) local dataset = specification.dataset local filename = specification.filename local filetype = specification.filetype local criterium = specification.criterium statistics.starttiming(publications) if not filename or filename == "" then report("no filename for saving given") return end if not filetype or filetype == "" then filetype = file.suffix(filename) end if not criterium or criterium == "" then criterium = v_all end local saver = savers[filetype] if saver then local current = datasets[dataset] local luadata = current.luadata or { } local tobesaved = { } local result = structures.lists.filter({criterium = criterium, names = "btx"}) or { } for i=1,#result do local userdata = result[i].userdata if userdata then local set = userdata.btxset or v_default if set == dataset then local tag = userdata.btxref if tag then tobesaved[tag] = luadata[tag] end end end end saver(dataset,filename,tobesaved) else report("unknown format %a for saving %a",filetype,dataset) end statistics.stoptiming(publications) return dataset end if implement then implement { name = "btxsavedataset", actions = publications.save, arguments = { { { "dataset" }, { "filename" }, { "filetype" }, { "criterium" }, } } } end end -- casters do publications.detailed = setmetatableindex(function(detailed,kind) local values = setmetatableindex(function(values,value) local caster = casters[kind] local cast = caster and caster(value) or value values[value] = cast return cast end) detailed[kind] = values return values end) local keywordsplitter = utilities.parsers.groupedsplitat(";,") casters.keyword = function(str) return lpegmatch(keywordsplitter,str) end writers.keyword = function(k) if type(k) == "table" then return concat(p,";") else return k end end local pagessplitter = lpeg.splitat(P("-")^1) casters.range = function(str) local first, last = lpegmatch(pagessplitter,str) return first and last and { first, last } or str end writers.range = function(p) if type(p) == "table" then return concat(p,"-") else return p end end casters.pagenumber = casters.range writers.pagenumber = writers.range end
-- -- vs2010.lua -- Add support for the Visual Studio 2010 project formats. -- Copyright (c) Jason Perkins and the Premake project -- local p = premake p.vstudio.vs2010 = {} local vs2010 = p.vstudio.vs2010 local vstudio = p.vstudio local project = p.project local tree = p.tree --- -- Map Premake tokens to the corresponding Visual Studio variables. --- vs2010.pathVars = { ["cfg.objdir"] = { absolute = true, token = "$(IntDir)" }, ["prj.location"] = { absolute = true, token = "$(ProjectDir)" }, ["prj.name"] = { absolute = false, token = "$(ProjectName)" }, ["sln.location"] = { absolute = true, token = "$(SolutionDir)" }, ["sln.name"] = { absolute = false, token = "$(SolutionName)" }, ["wks.location"] = { absolute = true, token = "$(SolutionDir)" }, ["wks.name"] = { absolute = false, token = "$(SolutionName)" }, ["cfg.buildtarget.directory"] = { absolute = false, token = "$(TargetDir)" }, ["cfg.buildtarget.name"] = { absolute = false, token = "$(TargetFileName)" }, ["cfg.buildtarget.basename"] = { absolute = false, token = "$(TargetName)" }, ["file.basename"] = { absolute = false, token = "%(Filename)" }, ["file.abspath"] = { absolute = true, token = "%(FullPath)" }, ["file.relpath"] = { absolute = false, token = "%(Identity)" }, ["file.path"] = { absolute = false, token = "%(Identity)" }, ["file.directory"] = { absolute = true, token = "%(RootDir)%(Directory)" }, ["file.reldirectory"] = { absolute = false, token = "%(RelativeDir)" }, ["file.extension"] = { absolute = false, token = "%(Extension)" }, } --- -- Identify the type of project being exported and hand it off -- the right generator. --- function vs2010.generateProject(prj) p.eol("\r\n") p.indent(" ") p.escaper(vs2010.esc) if p.project.iscsharp(prj) then p.generate(prj, ".csproj", vstudio.cs2005.generate) -- Skip generation of empty user files local user = p.capture(function() vstudio.cs2005.generateUser(prj) end) if #user > 0 then p.generate(prj, ".csproj.user", function() p.outln(user) end) end elseif p.project.isfsharp(prj) then p.generate(prj, ".fsproj", vstudio.fs2005.generate) -- Skip generation of empty user files local user = p.capture(function() vstudio.fs2005.generateUser(prj) end) if #user > 0 then p.generate(prj, ".fsproj.user", function() p.outln(user) end) end elseif p.project.isc(prj) or p.project.iscpp(prj) then local projFileModified = p.generate(prj, ".vcxproj", vstudio.vc2010.generate) -- Skip generation of empty user files local user = p.capture(function() vstudio.vc2010.generateUser(prj) end) if #user > 0 then p.generate(prj, ".vcxproj.user", function() p.outln(user) end) end -- Only generate a filters file if the source tree actually has subfolders if tree.hasbranches(project.getsourcetree(prj)) then if p.generate(prj, ".vcxproj.filters", vstudio.vc2010.generateFilters) == true and projFileModified == false then -- vs workaround for issue where if only the .filters file is modified, VS doesn't automaticly trigger a reload p.touch(prj, ".vcxproj") end end end -- Skip generation of empty packages.config files local packages = p.capture(function() vstudio.nuget2010.generatePackagesConfig(prj) end) if #packages > 0 then p.generate(prj, "packages.config", function() p.outln(packages) end) end -- Skip generation of empty NuGet.Config files local config = p.capture(function() vstudio.nuget2010.generateNuGetConfig(prj) end) if #config > 0 then p.generate(prj, "NuGet.Config", function() p.outln(config) end) end end --- -- Generate the .props, .targets, and .xml files for custom rules. --- function vs2010.generateRule(rule) p.eol("\r\n") p.indent(" ") p.escaper(vs2010.esc) p.generate(rule, ".props", vs2010.rules.props.generate) p.generate(rule, ".targets", vs2010.rules.targets.generate) p.generate(rule, ".xml", vs2010.rules.xml.generate) end -- -- The VS 2010 standard for XML escaping in generated project files. -- function vs2010.esc(value) value = value:gsub('&', "&amp;") value = value:gsub('<', "&lt;") value = value:gsub('>', "&gt;") return value end --- -- Define the Visual Studio 2010 export action. --- newaction { -- Metadata for the command line and help system trigger = "vs2010", shortname = "Visual Studio 2010", description = "Generate Visual Studio 2010 project files", -- Visual Studio always uses Windows path and naming conventions targetos = "windows", toolset = "msc-v100", -- The capabilities of this action valid_kinds = { "ConsoleApp", "WindowedApp", "StaticLib", "SharedLib", "Makefile", "None", "Utility" }, valid_languages = { "C", "C++", "C#", "F#" }, valid_tools = { cc = { "msc" }, dotnet = { "msnet" }, }, -- Workspace and project generation logic onWorkspace = function(wks) vstudio.vs2005.generateSolution(wks) end, onProject = function(prj) vstudio.vs2010.generateProject(prj) end, onRule = function(rule) vstudio.vs2010.generateRule(rule) end, onCleanWorkspace = function(wks) vstudio.cleanSolution(wks) end, onCleanProject = function(prj) vstudio.cleanProject(prj) end, onCleanTarget = function(prj) vstudio.cleanTarget(prj) end, pathVars = vs2010.pathVars, -- This stuff is specific to the Visual Studio exporters vstudio = { csprojSchemaVersion = "2.0", productVersion = "8.0.30703", solutionVersion = "11", versionName = "2010", targetFramework = "4.0", toolsVersion = "4.0", } }
-- ## Global Configuration ## UMMConfig = nil; UMMSettings = { Save = function(self) SaveVariables("UMMConfig"); end; Set = function(self, entry, value) if (UMMConfig == nil) then self:Init(); end UMMConfig.Settings[entry] = value; self:Save(); end; Get = function(self, entry) if (UMMConfig.Settings ~= nil) then if (UMMConfig.Settings[entry]) then return UMMConfig.Settings[entry]; else return nil; end else return nil; end end; Init = function(self) if (UMMConfig == nil) then UMMConfig = {}; end if (UMMConfig.Settings == nil) then UMMConfig.Settings = {}; self:Set("AudioWarning", true); self:Set("DeleteDelay", 1.0); self:Set("CheckTooltipDisplay", false); self:Set("CheckTakeDeleteEmpty", true); end if (UMMConfig.NewMail == nil) then UMMConfig.NewMail = {}; end if (UMMConfig.Characters == nil) then UMMConfig.Characters = {}; end self:Save(); end; CheckCharacter = function(self) if (UMMConfig == nil) then self:Init(); end local name = UnitName("player"); if (name ~= nil and name ~= "") then local found = nil; for index = 1, table.getn(UMMConfig.Characters) do if (UMMConfig.Characters[index] == name) then found = true; break; end end if (not found) then table.insert(UMMConfig.Characters, name); table.sort(UMMConfig.Characters); end end self:Save(); end; NewMail = function(self, number) if (number == nil) then local name = UnitName("player"); if (name ~= nil and name ~= "") then return UMMConfig.NewMail[name]; else return 0; end else if (UMMConfig == nil) then self:Init(); end local name = UnitName("player"); if (name ~= nil and name ~= "") then UMMConfig.NewMail[name] = number; end self:Save(); end end; NoNewMail = function(self) if (UMMConfig == nil) then self:Init(); end local name = UnitName("player"); if (name ~= nil and name ~= "") then UMMConfig.NewMail[name] = 0; end self:Save(); end; };
MARKET_TIMER = { TIMER_ADDR = 0x7E2513, TIMER = 0, TIMER_GOAL = 0xc4e0, TIMER_OVERFLOW = 0x3b1f, FRAME_COUNTER_ADDR = 0x7E0B19, FRAME_COUNTER = 0, FPS = 60.098475521, OVERRIDE_FLAG_ADDR = 0x7E225D, OVERRIDE_FLAG_OFFSET = 0x08, OVERRIDE_FLAG = false }
local log = require('tarantool-lsp.log') local function ltrim(s) return (s:gsub("^%s*", "")) end local function rtrim(s) local n = #s while n > 0 and s:find("^%s", n) do n = n - 1 end return s:sub(1, n) end local completionKinds = { Text = 1, Method = 2, Function = 3, Constructor = 4, Field = 5, Variable = 6, Class = 7, Interface = 8, Module = 9, Property = 10, Unit = 11, Value = 12, Enum = 13, Keyword = 14, Snippet = 15, Color = 16, File = 17, Reference = 18, } local function parseFunction(scope, moduleName) local is, ie, funcName = scope:find("^([%w.:_]+)") local argsDisplay argsDisplay, scope = scope:match("%(([^\n]*)%)\n\n(.*)", ie) if not scope then return nil end -- NOTE: Scope based regexp local termDescription = scope:match("^(.*)\n%s*\n%s*%:%w+[%s%w%-]*%:") -- Temporally solution if not termDescription then termDescription = scope end termDescription = rtrim(ltrim(termDescription or "")) return { name = funcName, description = termDescription, type = completionKinds['Function'], argsDisplay = argsDisplay } end local function parseIndex(scope, moduleName) local is, ie = scope:find("%+[%=]+%+[%=]+%+\n") local index_rows = scope:sub(ie + 1, scope:len()) local index = {} local ROW_SEPARATOR = "%+[%-]+%+[%-]+%+\n" local TEXT_REGEXP = "[%w.,:()%s'`+/-]+" local FUNC_REGEXP = "[%w._()]+" local ROW_REGEXP = "[%s]*%|[%s]*%:ref%:%`(" .. FUNC_REGEXP .. ")" local i = 1 while true do local is, ie, func_name = index_rows:find(ROW_REGEXP, i) if not is then break end if moduleName and func_name:find(moduleName .. '.') == 1 then func_name = func_name:sub(moduleName:len() + 2) end local row_dump = index_rows:sub(ie + 1, index_rows:find(ROW_SEPARATOR, ie + 1)) local desc = "" for desc_row in row_dump:gmatch("[^\n][%s]*%|[%s]*(" .. TEXT_REGEXP .. ")%|\n") do desc = desc .. desc_row end index[func_name:gsub("%(%)", "")] = rtrim(desc):gsub("[%s]+", " ") i = ie + 1 end return index end local function findNextTerm(text, pos, termType) local directives = { { pattern = "%.%. module%:%:", name = "module" }, { pattern = "%.%. function%:%:", name = "function" }, } local headings = { { pattern = "[%-]+\n[%s]+Submodule%s", name = "submodule" }, { pattern = "[%=]+\n[%s]+Overview[%s]*\n[%=]+\n\n", name = "overview" }, { pattern = "[%=]+\n[%s]+Index[%s]*\n[%=]+\n\n", name = "index" } } local terms = directives if termType == 'headings' then terms = headings end local nextTerm for _, term in ipairs(terms) do local is, ie = text:find(term.pattern, pos) if is then if not nextTerm then nextTerm = { pos = is, term = term, e_pos = ie } else if is < nextTerm.pos then nextTerm = { pos = is, term = term, e_pos = ie } end end end end return nextTerm end local function normalizeToMarkDown(text) if not text then return nil end local REF_REGEXP = "%:ref%:`([^<]+)%s[^>]+%>%`" -- Normalize references while text:match(REF_REGEXP) do text = text:gsub(REF_REGEXP, "`%1`") end local CODEBLOCK_REGEXP = "%.%. code%-block%:%:%s([^\n]*)\n\n(.-)\n\n" while true do local language, code = text:match(CODEBLOCK_REGEXP) if not code then break end -- `tarantoolsession` is not supported MD code language language = language == 'tarantoolsession' and 'lua' or language:lower() text = text:gsub(CODEBLOCK_REGEXP, "```" .. language .. "\n%2\n```\n\n") end return text end local function truncateScope(text, startPos) local nextTerm = findNextTerm(text, startPos) local lastPos = text:len() if nextTerm then lastPos = nextTerm.pos end return text:sub(startPos, lastPos - 1) end local function create_if_not_exist(terms, termName, data) local existenTerm = terms[termName] if not existenTerm then terms[termName] = data existenTerm = terms[termName] existenTerm.name = termName end if not existenTerm.description then existenTerm.description = data.description end if not existenTerm.brief then existenTerm.brief = data.brief end existenTerm.description = normalizeToMarkDown(existenTerm.description) return existenTerm end local it = 1 local function parseHeadings(titleName, text, terms) local i = 1 -- Scope for functions and other objects local moduleName while true do local nextTerm = findNextTerm(text, i, 'headings') if not nextTerm then break end if nextTerm.term.name == "submodule" then moduleName = text:match("%`([%w.]+)%`", nextTerm.pos) create_if_not_exist(terms, moduleName, { type = completionKinds['Module'] }) elseif nextTerm.term.name == "overview" then -- TODO: Uncomment -- assert(moduleName ~= nil, "Module name should be setted") if moduleName then create_if_not_exist(terms, moduleName, { description = truncateScope(text, nextTerm.e_pos) }) end elseif nextTerm.term.name == "index" then local index = parseIndex(truncateScope(text, nextTerm.e_pos), titleName) for func, brief_desc in pairs(index) do -- TODO: Maybe it's not a function... create_if_not_exist(terms, func, { brief = brief_desc, type = completionKinds['Function'] }) end end i = nextTerm.e_pos + 1 end end -- Parse only functions local function parseDocFile(text, terms) -- Scope for functions and other objects local moduleName local i = 1 -- local terms = {} while true do local nextTerm = findNextTerm(text, i) if not nextTerm then break end if nextTerm.term.name == "module" then local is, ie, mName = text:find("%.%. module%:%: ([%w.:_]*)\n", nextTerm.pos) moduleName = mName local _ = create_if_not_exist(terms, moduleName, { type = completionKinds['Module'], description = truncateScope(text, ie + 1) }) elseif nextTerm.term.name == "function" then local is, ie = text:find("%.%. function%:%:", nextTerm.pos) local nextNextTerm = findNextTerm(text, nextTerm.pos + 1) -- Skip space between directive and term name local scope = text:sub(ie + 2, nextNextTerm and nextNextTerm.pos or text:len()) local term = parseFunction(scope, moduleName) if term then create_if_not_exist(terms, term.name, term) end end i = nextTerm.e_pos + 1 end parseHeadings(moduleName, text, terms) end return { parseDocFile = parseDocFile }
local mysql = require "db.zs_sql" local cjson = require "cjson" local lua_db_help = require "db.lua_db_help" local db_help = lua_db_help.new() local _M = {} _M._VERSION = '0.01' local mt = { __index = _M } function _M.new() return setmetatable({}, mt) end -- 将一个字符串通过空格分割成table 为了便捷模糊查询 function splitStringByBlank(s) local temptable={} for w in string.gmatch(s, "%S+") do table.insert(temptable,w) end return temptable end -- 用户监控管理首页 -- user 代表的是where = 的参数集 ; table -- like_param 代表的是模糊查询的参数集; table -- order_param 代表的是排序的参数集; table function _M.getUserInfoBySearch(user,like_param,order_param,limit_star,limit_size) --删除所有空值 for i= table.getn(user),1,-1 do local keyvalue = user[i]; if not keyvalue then table.remove(user,i); end end --删除所有空值 for i= table.getn(like_param),1,-1 do local keyvalue = like_param[i]; if not keyvalue then table.remove(like_param,i); end end --删除所有空值 for i= table.getn(order_param),1,-1 do local keyvalue = order_param[i]; if not keyvalue then table.remove(order_param,i); end end -- 这就表示所有的table要么为空,要么有值 --组装数据库 xx=xx local sqlsuffix = "" for k,v in pairs(user) do if sqlsuffix == "" then sqlsuffix = " where "..k.."="..ngx.quote_sql_str(v) else sqlsuffix = sqlsuffix.." and "..k.."="..ngx.quote_sql_str(v) end end -- 组装数据库 xxx like %xxx% local likesuffix = "" for k,v in pairs(like_param) do if sqlsuffix=="" then if likesuffix=="" then likesuffix=" where "..k.." like '%"..v.."%'" else likesuffix=likesuffix.." and "..k.." like '%"..v.."%'" end else if likesuffix=="" then likesuffix=" and "..k.." like '%"..v.."%'" else likesuffix=likesuffix.." and "..k.." like '%"..v.."'%" end end end -- 组装数据库 order by xxx local ordersuffix="" for k,v in pairs(order_param) do if ordersuffix=="" then ordersuffix=" order by "..k.." "..v else ordersuffix=ordersuffix .." , "..k.." "..v end end local sql ="" sql = string.format("select t1.user_code,t3.nickname,t3.win_streak,t3.login_count,t2.channel_name from t_user t1 LEFT JOIN t_channel_business t2 on t1.channel_id_fk=t2.id_pk LEFT JOIN t_user_ext_info t3 on t1.user_code=t3.user_code_fk %s %s %s limit %s,%s ",sqlsuffix,likesuffix,ordersuffix,limit_star,limit_size) local db = mysql:new() db:query("SET NAMES utf8") local res, err, errno, sqlstate = db:query(sql) db:close() if not res then return nil,err end return res end -- 用户监控管理首页 获取总数量的 -- user 代表的是where = 的参数集 ; table -- like_param 代表的是模糊查询的参数集; table -- order_param 代表的是排序的参数集; table function _M.getUserInfoBySearch_count(user,like_param,order_param) --删除所有空值 for i= table.getn(user),1,-1 do local keyvalue = user[i]; if not keyvalue then table.remove(user,i); end end --删除所有空值 for i= table.getn(like_param),1,-1 do local keyvalue = like_param[i]; if not keyvalue then table.remove(like_param,i); end end --删除所有空值 for i= table.getn(order_param),1,-1 do local keyvalue = order_param[i]; if not keyvalue then table.remove(order_param,i); end end -- 这就表示所有的table要么为空,要么有值 --组装数据库 xx=xx local sqlsuffix = "" for k,v in pairs(user) do if sqlsuffix == "" then sqlsuffix = " where "..k.."="..ngx.quote_sql_str(v) else sqlsuffix = sqlsuffix.." and "..k.."="..ngx.quote_sql_str(v) end end -- 组装数据库 xxx like %xxx% local likesuffix = "" for k,v in pairs(like_param) do if sqlsuffix=="" then if likesuffix=="" then likesuffix=" where "..k.." like '%"..v.."%'" else likesuffix=likesuffix.." and "..k.." like '%"..v.."%'" end else if likesuffix=="" then likesuffix=" and "..k.." like '%"..v.."%'" else likesuffix=likesuffix.." and "..k.." like '%"..v.."'%" end end end -- 组装数据库 order by xxx local ordersuffix="" for k,v in pairs(order_param) do if ordersuffix=="" then ordersuffix=" order by "..k.." "..v else ordersuffix=ordersuffix .." , "..k.." "..v end end local sql ="" sql = string.format("select count(*) as all_clum from t_user t1 LEFT JOIN t_channel_business t2 on t1.channel_id_fk=t2.id_pk LEFT JOIN t_user_ext_info t3 on t1.user_code=t3.user_code_fk %s %s %s",sqlsuffix,likesuffix,ordersuffix) local db = mysql:new() db:query("SET NAMES utf8") local res, err, errno, sqlstate = db:query(sql) db:close() if not res then return nil,err end return res end return _M
local WatchDog = {} local Delegate = require 'Utils.Delegate' function WatchDog.WatchTable(tbl) local proxy = { __value = tbl, onValueChanged = Delegate(), } return setmetatable(proxy, { __index = function(t, name) return t.__value[name] end, __newindex = function(t, name, newValue) local old = t.__value[name] if old ~= newValue then t.__value[name] = newValue t.onValueChanged(name, newValue) end end }) end return WatchDog
--[[ Miscellaneous functions to help with handling colors ]] return { hexToRGBA = function(hexcode) hexcode = hexcode:gsub("#","") -- remove pound symbol, if present -- extract values in a format love2d can use local r = tonumber(hexcode:sub(1,2),16) / 255 local g = tonumber(hexcode:sub(3,4),16) / 255 local b = tonumber(hexcode:sub(5,6),16) / 255 local a = 1 -- optional alpha if #hexcode > 6 then a = tonumber(hexcode:sub(7,8),16) / 255 end -- return values return {r,g,b,a} end }
LIGHT_PIN = 2 gpio.mode(LIGHT_PIN, gpio.OUTPUT) function Light_on() gpio.write(LIGHT_PIN, gpio.HIGH) end function Light_off() gpio.write(LIGHT_PIN, gpio.LOW) end
local mod = DBM:NewMod(675, "DBM-Party-MoP", 4, 303) local L = mod:GetLocalizedStrings() local sndWOP = mod:SoundMM("SoundWOP") mod:SetRevision(("$Revision: 9469 $"):sub(12, -3)) mod:SetCreatureID(56589) mod:SetZone() mod:RegisterCombat("combat") mod:RegisterEventsInCombat( "SPELL_AURA_APPLIED", "SPELL_AURA_REMOVED", "SPELL_CAST_SUCCESS", "SPELL_DAMAGE", "SPELL_MISSED", "RAID_BOSS_EMOTE" ) local warnImpalingStrike = mod:NewTargetAnnounce(107047, 3) local warnPreyTime = mod:NewTargetAnnounce(106933, 3, nil, mod:IsHealer()) local warnStrafingRun = mod:NewSpellAnnounce("ej5660", 4) local specWarnStafingRun = mod:NewSpecialWarningSpell("ej5660", nil, nil, nil, true) local specWarnStafingRunAoe = mod:NewSpecialWarningMove(116297) local specWarnAcidBomb = mod:NewSpecialWarningMove(115458) local timerImpalingStrikeCD = mod:NewNextTimer(30, 107047) local timerPreyTime = mod:NewTargetTimer(5, 106933, nil, mod:IsHealer()) local timerPreyTimeCD = mod:NewNextTimer(14.5, 106933) function mod:OnCombatStart(delay) -- timerImpalingStrikeCD:Start(-delay)--Bad pull, no pull timers. -- timerPreyTimeCD:Start(-delay) end function mod:SPELL_AURA_APPLIED(args) if args.spellId == 106933 then warnPreyTime:Show(args.destName) timerPreyTime:Start(args.destName) timerPreyTimeCD:Start() end end function mod:SPELL_AURA_REMOVED(args) if args.spellId == 106933 then timerPreyTime:Start(args.destName) end end function mod:SPELL_CAST_SUCCESS(args) if args.spellId == 107047 then warnImpalingStrike:Show(args.destName) timerImpalingStrikeCD:Start() end end function mod:SPELL_DAMAGE(_, _, _, _, destGUID, _, _, _, spellId) if spellId == 115458 and destGUID == UnitGUID("player") and self:AntiSpam() then specWarnAcidBomb:Show() sndWOP:Play("runaway")--快躲開 elseif spellId == 116297 and destGUID == UnitGUID("player") and self:AntiSpam() then specWarnStafingRunAoe:Show() sndWOP:Play("runaway")--快躲開 end end mod.SPELL_MISSED = mod.SPELL_DAMAGE function mod:RAID_BOSS_EMOTE(msg)--Needs a better trigger if possible using transcriptor. if msg == L.StaffingRun or msg:find(L.StaffingRun) then warnStrafingRun:Show() specWarnStafingRun:Show() timerImpalingStrikeCD:Start(29) timerPreyTimeCD:Start(32.5) sndWOP:Play("bombsoon")--準備炸彈 end end
local http = require "datanet.http"; -- TEST USE-CASE SETTINGS local CollectionName = "testdata"; local Key = "unit_test"; -- TEST DEFAULT SETTINGS local Channel = "0"; local Username = "default"; local Password = "password"; -- ERROR USE-CASE SETTINGS local MissingKey = "abcdefghijklmnopqrstuvwxyz"; local MissingField = "abc.efg.ijk.mno.qrs.uvw.yz"; local BogusUsername = "BogusUsername"; local BogusPassword = "BogusPassword"; local BogusChannel = "BogusChannel"; local function ngx_say_flush(txt) ngx.say(txt); ngx.flush(); end local function build_client_notify_body(url) local jreq = {jsonrpc = "2.0", method = "ClientNotify", id = 1, params = { data = { command = "ADD", url = url }, authentication = { username = "admin", password = "apassword" } } }; return cjson.encode(jreq); end local function send_https_request(url, jbody) local options; if (jbody == nil) then options = {ssl_verify = false}; else options = { path = "/agent"; method = "POST", body = jbody, ssl_verify = false }; end local httpc = http.new() local hres, err = httpc:request_uri(url, options); if (err) then return nil, err; else return hres.body, nil; end end local function build_url(ip, port, location, args) local url = "https://" .. ip .. ":" .. port .. "/" .. location; if (args ~= nil) then url = url .. "?" .. args; end return url; end local function register_notify(sip, sport) local nurl = build_url(sip, sport, "notify"); local nbody = build_client_notify_body(nurl); local url = build_url(sip, sport, "agent"); local res, err = send_https_request(url, nbody); if (err) then return err; end ngx_say_flush('PASS: NOTIFY: HTTP RESULT: ' .. res); return nil; end local function remove_document(sip, sport) local args = "id=" .. Key .. "&cmd=REMOVE"; local url = build_url(sip, sport, "client", args); local res, err = send_https_request(url); if (err) then return err; end -- NOTE: do NOT check status -> OK: REMOVE on NON-existent key ngx_say_flush('PASS: REMOVE: HTTP RESULT: ' .. res); return nil; end local function get_client_error(res) return string.sub(res, 8); end local function check_client_status(res) local status = string.match(res, '[A-Z]*:') if (status == "ERROR:") then return get_client_error(res); end return nil; end local function do_run_operation(url, desc) local res, err = send_https_request(url); if (err) then return err; end local err = check_client_status(res); if (err) then return err; end ngx_say_flush('PASS: ' .. desc .. ': HTTP RESULT: ' .. res); return nil; end local function run_command(sip, sport, cmd) local args = "id=" .. Key .. "&cmd=" .. cmd; local url = build_url(sip, sport, "client", args); return do_run_operation(url, cmd); end local function run_operation(sip, sport, op, path, value, byvalue, pos) local args = "id=" .. Key .. "&cmd=" .. op .. "&field=" .. path; if (value ~= nil) then args = args .. "&value=" .. value; end if (byvalue ~= nil) then args = args .. "&byvalue=" .. byvalue; end if (pos ~= nil) then args = args .. "&position=" .. pos; end local url = build_url(sip, sport, "client", args); return do_run_operation(url, "run_operation"); end local function run_and_validate_operation(sip, sport, op, path, value, byvalue, pos) local cvalue = (value ~= nil) and value or byvalue; local cpath = (pos ~= nil) and path .. "." .. pos or path; local cname = Datanet.Helper:BuildConditionName(op, cpath, cvalue); local err = Datanet.Helper:ConditionInitialize(cname); if (err) then return err; end local err = run_operation(sip, sport, op, path, value, byvalue, pos); if (err) then return err; end Datanet.Helper:ConditionWait(cname); ngx_say_flush('PASS: CONDITION MET: ' .. cname); return nil; end local function run_set_TS_command(sip, sport) local op = "set"; local path = "ts"; local value = ngx.time(); return run_and_validate_operation(sip, sport, op, path, value, nil, nil); end local function cache_modify_evict(sip, sport) local err = run_command(sip, sport, "CACHE"); if (err) then return err; end local err = run_set_TS_command(sip, sport); if (err) then return err; end ngx_say_flush('PASS: cache_modify_evict: SET'); local err = run_command(sip, sport, "EVICT"); if (err) then return err; end return nil; end function setup_tests(sip, sport) local err = register_notify(sip, sport); if (err) then return err; end local err = run_command(sip, sport, "INITIALIZE"); -- INITIALIZE TO REMOVE if (err) then return err; end local err = remove_document(sip, sport); if (err) then return err; end local err = run_command(sip, sport, "INITIALIZE"); -- INITIALIZE AND STORE if (err) then return err; end local err = run_set_TS_command(sip, sport); if (err) then return err; end return nil; end function test_increment_insert_delete(sip, sport) local op = "increment"; local path = "num"; local byvalue = 11; local err = run_and_validate_operation(sip, sport, op, path, nil, byvalue, nil); if (err) then return err; end ngx_say_flush('PASS: test_increment_insert_delete: INCREMENT'); local op = "insert"; local path = "events"; local value = '"BIG OLE EVENT at ' .. ngx.time() .. '"'; local pos = 0; local err = run_and_validate_operation(sip, sport, op, path, value, nil, pos); if (err) then return err; end ngx_say_flush('PASS: test_increment_insert_delete: INSERT'); local op = "delete"; local path = "ts"; local err = run_and_validate_operation(sip, sport, op, path, nil, nil, nil); if (err) then return err; end ngx_say_flush('PASS: test_increment_insert_delete: DELETE'); return nil; end function unsubcribe_cache_subscribe_test(sip, sport) local err = run_command(sip, sport, "UNSUBSCRIBE"); if (err) then return err; end ngx_say_flush('INFO: SLEEP 2 seconds: CENTRAL CONFIRMS: UNSUBSCRIBE'); ngx.sleep(2); local err = cache_modify_evict(sip, sport); if (err) then return err; end ngx_say_flush('INFO: SLEEP 2 seconds: CENTRAL CONFIRMS: EVICT'); ngx.sleep(2); local err = cache_modify_evict(sip, sport); if (err) then return err; end local err = run_command(sip, sport, "SUBSCRIBE"); if (err) then return err; end ngx_say_flush('INFO: SLEEP 2 seconds: CENTRAL CONFIRMS: SUBSCRIBE'); ngx.sleep(2); local err = run_set_TS_command(sip, sport); if (err) then return err; end return nil; end function test_cache_modify_evict_cache(collection) local ok, err = Datanet:unsubscribe(Channel); if (err) then return err; end ngx_say_flush('INFO: SLEEP 2 seconds: CENTRAL CONFIRMS: UNSUBSCRIBE'); ngx.sleep(2); local doc, err = collection:fetch(Key, true); if (err) then return err; end -- TEST: C-M-E-C(SET) local field = "ts"; local value = ngx.time(); local err = doc:set(field, value); if (err) then return err; end local doc, err = doc:commit(); if (err) then return err; end local ok, err = collection:evict(Key); if (err) then return err; end ngx_say_flush('INFO: SLEEP 2 seconds: CENTRAL CONFIRMS: EVICT'); ngx.sleep(2); local doc, err = collection:fetch(Key, true); if (err) then return err; end local j = doc.json; -- GET DOCUMENT's JSON local ts = j.ts; -- GET FIELD(TS) if (ts == value) then ngx_say_flush('PASS: C-M-E-C(SET): TS: ' .. ts .. ' CORRECT(TS): ' .. value); else return 'ERROR: C-M-E-C(SET): TS: ' .. ts .. ' CORRECT(TS): ' .. value; end -- TEST: C-M-E-C(INSERT) local field = "events"; local pos = 0; local value = '"BIG OLE EVENT at ' .. ngx.time() .. '"'; local err = doc:insert(field, pos, value); if (err) then return err; end local doc, err = doc:commit(); if (err) then return err; end local ok, err = collection:evict(Key); if (err) then return err; end ngx_say_flush('INFO: SLEEP 2 seconds: CENTRAL CONFIRMS: EVICT'); ngx.sleep(2); local doc, err = collection:fetch(Key, true); if (err) then return err; end local j = doc.json; -- GET DOCUMENT's JSON local events = j.events; -- GET FIELD(EVENTS) local fev = events[1]; if (fev == value) then ngx_say_flush('PASS: C-M-E-C(INSERT): EV: ' .. fev .. ' CORRECT(EV): ' .. value); else return 'ERROR: C-M-E-C(INSERT): EV: ' .. fev .. ' CORRECT(EV): ' .. value; end return nil; end function test_retrieve_missing_key(collection) local doc, err = collection:fetch(MissingKey, false); if (err) then return 'ERROR: FETCH: MISSING_KEY: ' .. err; end if (doc) then return 'ERROR: FETCH: MISSING_KEY: FOUND DOCUMENT'; end ngx_say_flush('PASS: FETCH: MISSING_KEY: MISS'); local doc, err = collection:fetch(MissingKey, true); if (err) then return 'ERROR: FETCH: MISSING_KEY: ' .. err; end if (doc) then return 'ERROR: CACHE: MISSING_KEY: FOUND DOCUMENT'; end ngx_say_flush('PASS: CACHE: MISSING_KEY: MISS'); return nil; end function test_remove_missing_key(collection) local ok, err = collection:evict(MissingKey); if (err) then return 'ERROR: EVICT: ' .. err; end ngx_say_flush('PASS: EVICT: MISSING_KEY: NO ERROR: OK'); local ok, err = collection:remove(MissingKey); if (err == nil) then return 'ERROR: REMOVE: MISSING-KEY: WORKED'; end ngx_say_flush('PASS: REMOVE: MISSING_KEY: GOT ERROR: ' .. err); return nil; end function test_bogus_username_channel() Datanet:switch_user(BogusUsername, BogusPassword); -- SWITCH TO BOGUS-NAME local ok, err = Datanet:station_user(); if (not err) then return 'ERROR: STATION-USER: BogusUsername: NO ERROR'; end ngx_say_flush('PASS: STATION-USER: BogusUsername: GOT ERROR: ' .. err); local ok, err = Datanet:destation_user(); if (not err) then return 'ERROR: DESTATION-USER: BogusUsername: NO ERROR'; end ngx_say_flush('PASS: DESTATION-USER: BogusUsername: GOT ERROR: ' .. err); local ok, err = Datanet:subscribe(Channel); if (not err) then return 'ERROR: SUBSCRIBE: BogusUsername: NO ERROR'; end ngx_say_flush('PASS: SUBSCRIBE: BogusUsername: GOT ERROR: ' .. err); Datanet:switch_user(Username, Password); -- REVERT BACK TO DEFAULT local ok, err = Datanet:unsubscribe(BogusChannel); if (not err) then return 'ERROR: UNSUBSCRIBE: BogusChannel: NO ERROR'; end ngx_say_flush('PASS: UNSUBSCRIBE: BogusChannel: GOT ERROR: ' .. err); return nil; end function test_store_bad_input(collection) local mdoc = {num = 1}; -- NO ID local doc, err = collection:store(mdoc); if (not err) then return 'ERROR: STORE: BAD INPUT(LUA: NO ID): NO ERROR'; end ngx_say_flush('PASS: STORE: BAD INPUT(LUA: NO ID): GOT ERROR: ' .. err); local mtxt = '{"num" : 1}'; -- NO ID local doc, err = collection:store(mtxt); if (not err) then return 'ERROR: STORE: BAD INPUT(JSON: NO ID): NO ERROR'; end ngx_say_flush('PASS: STORE: BAD INPUT(JSON: NO ID): GOT ERROR: ' .. err); local mtxt = '{INVALID}'; -- INVALID local doc, err = collection:store(mtxt); if (not err) then return 'ERROR: STORE: BAD INPUT(JSON: INVALID): NO ERROR'; end ngx_say_flush('PASS: STORE: BAD INPUT(JSON: INVALID): GOT ERROR: ' .. err); return nil; end function test_store_bad_operations(collection) local mtxt = '{"_id" : "OP_TEST_2", "n" : 2}'; local doc, err = collection:store(mtxt); if (err) then return err; end ngx_say_flush('PASS: STORE: JSON-STRING'); local tkey = "OP_TEST_1"; local mdoc = {_id = tkey, n = 1, s = "AM-STRING-1", a = {1}, o = {x=11} }; local doc, err = collection:store(mdoc); if (err) then return err; end ngx_say_flush('PASS: STORE: LUA-TABLE'); local err = doc:set(MissingField, 111); if (not err) then return 'ERROR: SET: MissingField: WORKED'; end ngx_say_flush('PASS: SET: MissingField: ERROR: ' .. err); local err = doc:delete(MissingField); if (not err) then return 'ERROR: DELETE: MissingField: WORKED'; end ngx_say_flush('PASS: DELETE: MissingField: ERROR: ' .. err); local err = doc:incr(MissingField, 111); if (not err) then return 'ERROR: INCREMENT: MissingField: WORKED'; end ngx_say_flush('PASS: INCREMENT: MissingField: ERROR: ' .. err); local err = doc:insert(MissingField, 0, 111); if (not err) then return 'ERROR: INSERT: MissingField: WORKED'; end ngx_say_flush('PASS: INSERT: MissingField: ERROR: ' .. err); local err = doc:set("n.x", 111); if (not err) then return "ERROR: NESTED-SET ON NON-OBJECT: NO ERROR"; end ngx_say_flush('PASS: NESTED-SET ON NON-OBJECT: ERROR: ' .. err); local err = doc:set(); if (not err) then return 'ERROR: SET MISSING KEY: NO ERROR'; end ngx_say_flush('PASS: SET MISSING KEY: ERROR: ' .. err); local err = doc:set("o.y"); if (not err) then return 'ERROR: SET MISSING VALUE: NO ERROR'; end ngx_say_flush('PASS: SET MISSING VALUE: ERROR: ' .. err); local err = doc:delete(); if (not err) then return 'ERROR: DELETE MISSING KEY: NO ERROR'; end ngx_say_flush('PASS: DELETE MISSING KEY: ERROR: ' .. err); local err = doc:incr(); if (not err) then return 'ERROR: INCR MISSING KEY: NO ERROR'; end ngx_say_flush('PASS: INCR MISSING KEY: ERROR: ' .. err); local err = doc:incr("n"); if (not err) then return 'ERROR: INCR MISSING BYVAL: NO ERROR'; end ngx_say_flush('PASS: INCR MISSING BYVAL: ERROR: ' .. err); local err = doc:insert(); if (not err) then return 'ERROR: INSERT MISSING KEY: NO ERROR'; end ngx_say_flush('PASS: INSERT MISSING KEY: ERROR: ' .. err); local err = doc:insert("a"); if (not err) then return 'ERROR: INSERT MISSING POSITION: NO ERROR'; end ngx_say_flush('PASS: INSERT MISSING POSITION: ERROR: ' .. err); local err = doc:insert("a", 0); if (not err) then return 'ERROR: INSERT MISSING VALUE: NO ERROR'; end ngx_say_flush('PASS: INSERT MISSING VALUE: ERROR: ' .. err); local err = doc:incr("s", 111); if (not err) then return 'ERROR: INCR NON NUMERICAL FIELD(S): NO ERROR'; end ngx_say_flush('PASS: INCR NON NUMERICAL FIELD(S): ERROR: ' .. err); local err = doc:incr("a", 111); if (not err) then return 'ERROR: INCR NON NUMERICAL FIELD(A): NO ERROR'; end ngx_say_flush('PASS: INCR NON NUMERICAL FIELD(A): ERROR: ' .. err); local err = doc:incr("o", 111); if (not err) then return 'ERROR: INCR NON NUMERICAL FIELD(O): NO ERROR'; end ngx_say_flush('PASS: INCR NON NUMERICAL FIELD(O): ERROR: ' .. err); local err = doc:insert("n", 0, 111); if (not err) then return 'ERROR: INSERT NON ARRAY FIELD(N): NO ERROR'; end ngx_say_flush('PASS: INSERT NON ARRAY FIELD(N): ERROR: ' .. err); local err = doc:insert("s", 0, 111); if (not err) then return 'ERROR: INSERT NON ARRAY FIELD(S): NO ERROR'; end ngx_say_flush('PASS: INSERT NON ARRAY FIELD(S): ERROR: ' .. err); local err = doc:insert("a", "BAD", 111); if (not err) then return 'ERROR: INSERT POSITION NOT NUMBER: NO ERROR'; end ngx_say_flush('PASS: INSERT POSITION NOT NUMBER: ERROR: ' .. err); local doc, err = collection:fetch(tkey, false); local err = doc:set("a.x", 111); -- NOTE: caught on COMMIT local doc, err = doc:commit(); if (not err) then return "ERROR: ARRAY-SET NON NUMERICAL INDEX: NO ERROR"; end ngx_say_flush('PASS: ARRAY-SET NON NUMERICAL INDEX: ERROR: ' .. err); local doc, err = collection:fetch(tkey, false); local err = doc:set("_id", 111); -- NOTE: caught on COMMIT local doc, err = doc:commit(); if (not err) then return 'ERROR: SET RESERVED FIELD(ID): NO ERROR'; end ngx_say_flush('PASS: SET RESERVED FIELD(ID): ERROR: ' .. err); local doc, err = collection:fetch(tkey, false); local err = doc:set("_channels", 111); -- NOTE: caught on COMMIT local doc, err = doc:commit(); if (not err) then return 'ERROR: SET RESERVED FIELD(CHANNELS): NO ERROR'; end ngx_say_flush('PASS: SET RESERVED FIELD(CHANNELS): ERROR: ' .. err); local doc, err = collection:fetch(tkey, false); local err = doc:set("_meta", 111); -- NOTE: caught on COMMIT local doc, err = doc:commit(); if (not err) then return 'ERROR: SET RESERVED FIELD(META): NO ERROR'; end ngx_say_flush('PASS: SET RESERVED FIELD(META): ERROR: ' .. err); local doc, err = collection:fetch(tkey, false); local err = doc:insert("o", 0, 111); -- NOTE: caught on COMMIT local doc, err = doc:commit(); if (not err) then return 'ERROR: INSERT NON ARRAY FIELD(O): NO ERROR'; end ngx_say_flush('PASS: INSERT NON ARRAY FIELD(O): ERROR: ' .. err); return nil; end function exit_tests(sip, sport) local err = run_command(sip, sport, "UNSUBSCRIBE"); if (err) then return err; end local err = run_command(sip, sport, "DESTATION"); if (err) then return err; end return nil; end local sip = ngx.var.server_addr; -- NOTE: HTTP/S CONFIG DEPENDENCY (e.g. 8080->4000 or 8081->4001) local sport = ngx.var.server_port - 4080; ngx_say_flush('INFO: IP: ' .. sip .. ' P: ' .. sport); local err = setup_tests(sip, sport); if (err) then return ngx_say_flush('ERROR: setup_tests: ' .. err); end local err = test_increment_insert_delete(sip, sport) if (err) then return ngx_say_flush('ERROR: test_increment_insert_delete: ' .. err); end local err = unsubcribe_cache_subscribe_test(sip, sport); if (err) then return ngx_say_flush('ERROR: unsubcribe_cache_subscribe_test: ' .. err); end -- DIRECT API TESTS local collection = Datanet:collection(CollectionName); local err = test_cache_modify_evict_cache(collection); if (err) then return ngx_say_flush('ERROR: test_cache_modify_evict_cache: ' .. err); end local err = test_retrieve_missing_key(collection); if (err) then return ngx_say_flush('ERROR: test_retrieve_missing_key: ' .. err); end local err = test_remove_missing_key(collection); if (err) then return ngx_say_flush('ERROR: test_remove_missing_key: ' .. err); end local err = test_bogus_username_channel(); if (err) then return ngx_say_flush('ERROR: test_bogus_username_channel: ' .. err); end local err = test_store_bad_input(collection); if (err) then return ngx_say_flush('ERROR: test_store_bad_input: ' .. err); end local err = test_store_bad_operations(collection); if (err) then return ngx_say_flush('ERROR: test_store_bad_operations: ' .. err); end local err = exit_tests(sip, sport); if (err) then return ngx_say_flush('ERROR: exit_tests: ' .. err); end ngx_say_flush('TESTS SUCCEEDED');
AddCSLuaFile("cl_init.lua") AddCSLuaFile("shared.lua") include("shared.lua") function ENT:Initialize() self:SetModel( "models/props_combine/combine_intmonitor003.mdl" ) self:PhysicsInit( SOLID_VPHYSICS ) -- Make us work with physics, self:SetMoveType( MOVETYPE_VPHYSICS ) -- after all, gmod is a physics self:SetSolid( SOLID_VPHYSICS ) -- Toolbox self:SetRenderMode(RENDERMODE_TRANSALPHA) self:SetUseType( SIMPLE_USE ) self:SetNWString("W_C","") self:SetKeyValue("fademindist", 2000) self:SetKeyValue("fademaxdist", 2000) end function ENT:SpawnFunction( ply, tr, ClassName ) if ( not tr.Hit ) then return end local SpawnPos = tr.HitPos + tr.HitNormal * 16 local ent = ents.Create( ClassName ) ent:SetPos( SpawnPos ) ent:SetAngles(Angle(0,ply:EyeAngles().y + 180,0)) ent:Spawn() ent:Activate() return ent end
include( "shared.lua" ) language.Add("weapon_rpw_binoculars_scout", "Scouting Binoculars") surface.CreateFont( "rangefinderscout", { font = "Arial", extended = false, size = 32, weight = 600, blursize = 2, scanlines = 0, antialias = true, underline = false, italic = false, strikeout = false, symbol = false, rotary = false, shadow = false, additive = false, outline = false, } ) SWEP.PrintName = "Scout Binoculars" SWEP.Slot = 0 SWEP.SlotPos = 1 SWEP.DrawAmmo = false SWEP.DrawCrosshair = false SWEP.ViewModelFlip = false SWEP.WepSelectIcon = surface.GetTextureID("vgui/swepicons/weapon_rpw_binoculars_scout") SWEP.DrawWeaponInfoBox = false SWEP.BounceWeaponIcon = false SWEP.ViewModelFOV = 65 local mat_bino_overlay = Material( "vgui/hud/rpw_binoculars_overlay_usa" ) function SWEP:DrawHUD() if (self.Zoom_InZoom) then -- This part is for drawing the overlay and night vision. local w = ScrW() local h = ScrH() surface.SetMaterial( mat_bino_overlay ) surface.SetDrawColor( 255, 255, 255, 255 ) surface.DrawTexturedRect( 0 ,-(w-h)/2 ,w ,w ) local tr = self.Owner:GetEyeTrace() local man = "None" if (LocalPlayer():GetEyeTraceNoCursor().Entity && IsValid((LocalPlayer():GetEyeTraceNoCursor().Entity)) && !(LocalPlayer():GetEyeTraceNoCursor().Entity:GetClass() == "player") ) then man = Localize( LocalPlayer():GetEyeTraceNoCursor().Entity:GetClass(), LocalPlayer():GetEyeTraceNoCursor().Entity:GetClass() ) end draw.Text({ text = "Target: "..man, font = "stalkertitlefont", pos = {w/2, h/2}, xalign = TEXT_ALIGN_CENTER, yalign = TEXT_ALIGN_TOP, color = Color(0,0,0,255) }) end end function SWEP:AdjustMouseSensitivity() if (self.Zoom_InZoom) then local zoom = 90/self.Owner:GetFOV() local adjustedsens = 1 / zoom return adjustedsens end end
return {'rhone','rhona','rhonda','rhonas','rhondas','rhoonse'}
--- 控制某个变量随时间变化的协程类 --- @module TweenController --- @copyright Lilith Games, Avatar Team --- @author An Dai local TweenController = class('TweenController') ---_name:类名,_sender:使用它的类,_getTotalTime:获得总时间的方法,_update _callback:回调函数 _isFix:是否在fixupdate中执行, _start: 开始函数 function TweenController:initialize(_name, _sender, _getTotalTime, _update, _callback, _isFix, _start) _start = _start or function() return end local updateStr = (_isFix and 'Fix' or '') .. 'Update' self.Start = function(self) _start() self.totalTime = _getTotalTime() self.time = 0 _sender[updateStr .. 'Table'][_name] = self end self[updateStr] = function(self, _dt) self.time = self.time + _dt if (self.time > self.totalTime) then self:Stop() goto UpdateReturn end _update(self.time, self.totalTime, _dt) ::UpdateReturn:: end self.Stop = function(self) _sender[updateStr .. 'Table'][_name] = nil _callback() end end return TweenController
local cjson = require "cjson" local helpers = require "spec.helpers" local function get_available_port() local socket = require("socket") local server = assert(socket.bind("*", 0)) local _, port = server:getsockname() server:close() return port end local test_port1 = get_available_port() local test_port2 = get_available_port() -- create two servers, one double the delay of the other local fixtures = { http_mock = { least_connections = [[ server { server_name mock_delay_100; listen ]] .. test_port1 .. [[; location ~ "/leastconnections" { content_by_lua_block { local delay = 100 ngx.sleep(delay/1000) ngx.say(delay) ngx.exit(200) } } } server { server_name mock_delay_200; listen ]] .. test_port2 .. [[; location ~ "/leastconnections" { content_by_lua_block { local delay = 200 ngx.sleep(delay/1000) ngx.say(delay) ngx.exit(200) } } } ]] }, } for _, strategy in helpers.each_strategy() do describe("Balancer: least-connections [#" .. strategy .. "]", function() local upstream1_id lazy_setup(function() local bp = helpers.get_db_utils(strategy, { "routes", "services", "upstreams", "targets", }) assert(bp.routes:insert({ hosts = { "least1.test" }, protocols = { "http" }, service = bp.services:insert({ protocol = "http", host = "lcupstream", }) })) local upstream1 = assert(bp.upstreams:insert({ name = "lcupstream", algorithm = "least-connections", })) upstream1_id = upstream1.id assert(bp.targets:insert({ upstream = upstream1, target = "127.0.0.1:" .. test_port1, weight = 100, })) assert(bp.targets:insert({ upstream = upstream1, target = "127.0.0.1:" .. test_port2, weight = 100, })) assert(helpers.start_kong({ database = strategy, nginx_conf = "spec/fixtures/custom_nginx.template", }, nil, nil, fixtures)) end) before_each(function() -- wait until helper servers are alive helpers.wait_until(function() local client = helpers.proxy_client() local res = assert(client:send({ method = "GET", path = "/leastconnections", headers = { ["Host"] = "least1.test" }, })) client:close() return res.status == 200 end, 20) end) lazy_teardown(function() helpers.stop_kong() end) it("balances by least-connections", function() local thread_max = 50 -- maximum number of threads to use local done = false local results = {} local threads = {} local handler = function() while not done do local client = helpers.proxy_client() local res = assert(client:send({ method = "GET", path = "/leastconnections", headers = { ["Host"] = "least1.test" }, })) assert(res.status == 200) local body = tonumber(assert(res:read_body())) results[body] = (results[body] or 0) + 1 client:close() end end -- start the threads for i = 1, thread_max do threads[#threads+1] = ngx.thread.spawn(handler) end -- wait while we're executing local finish_at = ngx.now() + 1.5 repeat ngx.sleep(0.1) until ngx.now() >= finish_at -- finish up done = true for i = 1, thread_max do ngx.thread.wait(threads[i]) end --assert.equal(results,false) local ratio = results[100]/results[200] assert.near(2, ratio, 0.8) end) if strategy ~= "off" then it("add and remove targets", function() local api_client = helpers.admin_client() -- create a new target local res = assert(api_client:send({ method = "POST", path = "/upstreams/" .. upstream1_id .. "/targets", headers = { ["Content-Type"] = "application/json", }, body = { target = "127.0.0.1:10003", weight = 100 }, })) api_client:close() assert.same(201, res.status) -- check if it is available api_client = helpers.admin_client() local res, err = api_client:send({ method = "GET", path = "/upstreams/" .. upstream1_id .. "/targets/all", }) assert.is_nil(err) local body = cjson.decode((res:read_body())) api_client:close() local found = false for _, entry in ipairs(body.data) do if entry.target == "127.0.0.1:10003" and entry.weight == 100 then found = true break end end assert.is_true(found) -- update the target and assert that it still exists with weight == 0 api_client = helpers.admin_client() res, err = api_client:send({ method = "PATCH", path = "/upstreams/" .. upstream1_id .. "/targets/127.0.0.1:10003", headers = { ["Content-Type"] = "application/json", }, body = { weight = 0 }, }) assert.is_nil(err) assert.same(200, res.status) local json = assert.response(res).has.jsonbody() assert.is_string(json.id) assert.are.equal("127.0.0.1:10003", json.target) assert.are.equal(0, json.weight) api_client:close() api_client = helpers.admin_client() local res, err = api_client:send({ method = "GET", path = "/upstreams/" .. upstream1_id .. "/targets/all", }) assert.is_nil(err) local body = cjson.decode((res:read_body())) api_client:close() local found = false for _, entry in ipairs(body.data) do if entry.target == "127.0.0.1:10003" and entry.weight == 0 then found = true break end end assert.is_true(found) end) end end) if strategy ~= "off" then describe("Balancer: add and remove a single target to a least-connection upstream [#" .. strategy .. "]", function() local bp lazy_setup(function() bp = helpers.get_db_utils(strategy, { "routes", "services", "upstreams", "targets", }) assert(helpers.start_kong({ database = strategy, nginx_conf = "spec/fixtures/custom_nginx.template", }, nil, nil, fixtures)) end) lazy_teardown(function() helpers.stop_kong() end) it("add and remove targets", function() local an_upstream = assert(bp.upstreams:insert({ name = "anupstream", algorithm = "least-connections", })) local api_client = helpers.admin_client() -- create a new target local res = assert(api_client:send({ method = "POST", path = "/upstreams/" .. an_upstream.id .. "/targets", headers = { ["Content-Type"] = "application/json", }, body = { target = "127.0.0.1:" .. test_port1, weight = 100 }, })) api_client:close() assert.same(201, res.status) -- check if it is available api_client = helpers.admin_client() local res, err = api_client:send({ method = "GET", path = "/upstreams/" .. an_upstream.id .. "/targets/all", }) assert.is_nil(err) local body = cjson.decode((res:read_body())) api_client:close() local found = false for _, entry in ipairs(body.data) do if entry.target == "127.0.0.1:" .. test_port1 and entry.weight == 100 then found = true break end end assert.is_true(found) -- delete the target and assert that it is gone api_client = helpers.admin_client() res, err = api_client:send({ method = "DELETE", path = "/upstreams/" .. an_upstream.id .. "/targets/127.0.0.1:" .. test_port1, }) assert.is_nil(err) assert.same(204, res.status) api_client:close() api_client = helpers.admin_client() local res, err = api_client:send({ method = "GET", path = "/upstreams/" .. an_upstream.id .. "/targets/all", }) assert.is_nil(err) local body = cjson.decode((res:read_body())) api_client:close() local found = false for _, entry in ipairs(body.data) do if entry.target == "127.0.0.1:" .. test_port1 and entry.weight == 0 then found = true break end end assert.is_false(found) end) end) end end
#!/usr/bin/env tarantool local build_path = os.getenv("BUILDDIR") package.cpath = build_path..'/test/sql-tap/?.so;'..build_path..'/test/sql-tap/?.dylib;'..package.cpath local test = require("sqltester") test:plan(2) box.schema.func.create("gh-5938-wrong-string-length.ret_str", { language = "C", param_list = { "string" }, returns = "string", exports = { "LUA", "SQL" }, is_deterministic = true }) test:execsql([[CREATE TABLE t (i INT PRIMARY KEY, s STRING);]]) box.space.T:insert({1, 'This is a complete string'}) box.space.T:insert({2, 'This is a cropped\0 string'}) test:do_execsql_test( "gh-5938-1", [[ SELECT "gh-5938-wrong-string-length.ret_str"(s) from t; ]], { "This is a complete string","This is a cropped\0 string" }) box.schema.func.create("ret_str", { language = "Lua", body = [[function(str) return str end]], param_list = { "string" }, returns = "string", exports = { "LUA", "SQL" }, is_deterministic = true }) test:do_execsql_test( "gh-5938-2", [[ SELECT "ret_str"(s) from t; ]], { "This is a complete string","This is a cropped\0 string" }) test:finish_test()
omniknight_guardian_angel_lua = class({}) LinkLuaModifier( "modifier_omniknight_guardian_angel_lua", "lua_abilities/omniknight_guardian_angel_lua/modifier_omniknight_guardian_angel_lua", LUA_MODIFIER_MOTION_NONE ) -------------------------------------------------------------------------------- -- Ability Start function omniknight_guardian_angel_lua:OnSpellStart() -- unit identifier local caster = self:GetCaster() -- load data local buffDuration = self:GetSpecialValueFor("duration") local radius = self:GetSpecialValueFor("radius") local targets = DOTA_UNIT_TARGET_HERO + DOTA_UNIT_TARGET_BASIC if caster:HasScepter() then buffDuration = self:GetSpecialValueFor("duration_scepter") radius = FIND_UNITS_EVERYWHERE targets = DOTA_UNIT_TARGET_ALL end -- Find Units in Radius local allies = FindUnitsInRadius( self:GetCaster():GetTeamNumber(), -- int, your team number caster:GetOrigin(), -- point, center point nil, -- handle, cacheUnit. (not known) radius, -- float, radius. or use FIND_UNITS_EVERYWHERE DOTA_UNIT_TARGET_TEAM_FRIENDLY, -- int, team filter targets, -- int, type filter 0, -- int, flag filter 0, -- int, order filter false -- bool, can grow cache ) for _,ally in pairs(allies) do -- Add modifier ally:AddNewModifier( caster, -- player source self, -- ability source "modifier_omniknight_guardian_angel_lua", -- modifier name { duration = buffDuration } -- kv ) end -- Play Effects local sound_cast = "Hero_Omniknight.GuardianAngel.Cast" EmitSoundOn( sound_cast, caster ) end
local G = torch.class('Check') function G.gradCheck(module, criterion, input, label, delta) delta = delta or 1e-6 local grad_param, grad_input = G.analyticalGrad(module, criterion, input, label) print('\n-- Module --') G.printModule(module, input, 1, '') print('\n-- Params --') G.printParams(module) local paramNames = G.getParams(module, '') if not delta or delta == 0 then print('\n-- Grad params --') G.printAbsMean(paramNames, grad_param) print('\n-- Grad input --') G.printAbsMean('grad_input', grad_input) else local grad_param2, grad_input2 = G.empiricalGrad(module, criterion, input, label, delta) if grad_param then print('\n-- Error grad param --') G.compare(paramNames, grad_param, grad_param2) end print('\n-- Error grad input --') G.compare('input', grad_input, grad_input2) --print('--->', grad_input, grad_input2) end print('') end function G.randParams(module, var) local params = module:parameters() for i = 1, #params do local rand = torch.randn(params[i]:size()) if var then rand = rand * var end params[i]:copy(rand) end end function G.randData(sizes, var) local input = {} for i = 1, #sizes do input[i] = torch.randn(unpack(sizes[i])) if var then input[i] = input[i] * var end end return input end function G.randIndex(sizes, ranges) local input = {} for i = 1, #sizes do input[i] = (torch.rand(unpack(sizes[i])) * ranges[i]) + 1 input[i] = input[i]:long() end return input end function G.getParams(module, recursive) local names = {} local params = {} local function findKey(map, elem) for key, val in pairs(map) do if val == elem then return key end end return nil end local function toMap(array, map, ignore, names, data) if not array then return {}, {} end names = names or {} data = data or {} for i = 1, #array do local key = findKey(map, array[i]) if key or not ignore then if not key then key = '#' .. i end names[#names + 1] = key data[#data + 1] = array[i] end end return names, data end local function forSubModules(prefix, module) if torch.isTypeOf(module, 'nn.Dynamic') then local names, submodule = toMap(module.modules, module) for i = 1, #names do forSubModules(prefix .. '.' .. names[i], submodule[i]) end else local names2, params2 = toMap(module:parameters(), module) for i = 1, #names2 do names[#names + 1] = prefix .. '.' .. names2[i] params[#params + 1] = params2[i] end end end recursive = (recursive == nil and '' or recursive) if recursive then forSubModules(recursive, module) return names, params else local params = module:parameters() return toMap(params, module, true) end end function G.printModule(module, input, depth, line_prefix) line_prefix = line_prefix or '' if not torch.isTypeOf(module, 'nn.Dynamic') then local paramNames = G.getParams(module, false) paramNames = (#paramNames == 0 and '' or '[' .. table.concat(paramNames, ',') .. ']') print(string.format('%s%s%s', line_prefix, torch.type(module), paramNames)) return end if not module.forwSequence then assert(input ~= nil, 'Must call forward before printModule for nn.Dynamic.') module:forward(input) end local dataIdMap = {} local dataCount = 0 local function getIds(data, ids) ids = ids or {} if type(data) == 'table' then for i = 1, #data do getIds(data[i], ids) end else if not dataIdMap[data] then dataCount = dataCount + 1 dataIdMap[data] = dataCount end ids[#ids + 1] = dataIdMap[data] end return ids end local tab = ' ' print(string.format('%s<x%d>:\t%s -> %s', line_prefix, #module.forwSequence, table.concat(getIds(module._input), ','), table.concat(getIds(module._output), ','))) for i = 1, #module.forwSequence do local submodule, input, output = unpack(module.forwSequence[i]) local paramNames = G.getParams(submodule, false) paramNames = (#paramNames == 0 and '' or '[' .. table.concat(paramNames, ',') .. ']') print(string.format('%s%s%s:\t%s -> %s', line_prefix, torch.type(submodule), paramNames, table.concat(getIds(input), ','), table.concat(getIds(output), ','))) if torch.isTypeOf(submodule, 'nn.Dynamic') and depth ~= 1 then if depth then depth = depth - 1 end G.printModule(submodule, nil, depth, line_prefix .. tab) end end end function G.printAbsMean(names, data, digits) digits = digits or 6 local function printAbsMean1(name, data1) if not data1 then print(name .. ': nil') elseif ##data1 == 0 then print(name .. ': emtpy') else print(string.format('%s[%s]\tabs_mean=%.' .. digits .. 'f', name, table.concat(torch.totable(#data1), ','), torch.abs(data1):mean())) end end if type(data) ~= 'table' then printAbsMean1(names, data) else if type(names) ~= 'table' then local name = names names = {} for i = 1, #data do names[i] = name .. '[' .. i .. ']' end end for i = 1, #names do printAbsMean1(names[i], data[i]) end end end function G.printParams(module) local names, params = G.getParams(module) G.printAbsMean(names, params) end function G.analyticalGrad(module, criterion, input, label) local params, gradParams = module:parameters() --module:zeroGradParameters() if gradParams then for i = 1, #gradParams do gradParams[i]:zero() end end local output = module:forward(input) --print('--->\n', params[1], params[2], output) criterion:forward(output, label) local gradOutput = criterion:backward(output, label) local gradInput = module:backward(input, gradOutput) return gradParams, gradInput end function G.empiricalGrad(module, criterion, input, label, delta) local function empiricalGrad1(module, criterion, input, label, delta, var) local output = module:forward(input) local cost = criterion:forward(output, label) local grad = var.new(var:size()) local grad1 = grad:view(-1) local var1 = var:view(-1) for i = 1, var1:size(1) do local original = var1[i] var1[i] = original + delta local output2 = module:forward(input) grad1[i] = (criterion:forward(output2, label) - cost) / delta var1[i] = original end return grad end local params = module:parameters() local gradParams = nil if params then gradParams = {} for i = 1, #params do gradParams[i] = empiricalGrad1(module, criterion, input, label, delta, params[i]) end end local _, gradInput1 = G.analyticalGrad(module, criterion, input, label) local gradInput = nil if gradInput1 then if type(input) == 'table' then gradInput = {} for i = 1, #input do if gradInput1[i] then gradInput[i] = empiricalGrad1(module, criterion, input, label, delta, input[i]) end end else gradInput = empiricalGrad1(module, criterion, input, label, delta, input) end end return gradParams, gradInput end function G.compare(names, analyticGrad, empiricalGrad) local diff = nil if type(analyticGrad) == 'table' then diff = {} for i = 1, #analyticGrad do if analyticGrad[i] then diff[i] = analyticGrad[i] - empiricalGrad[i] end end elseif analyticGrad then diff = analyticGrad - empiricalGrad end G.printAbsMean(names, diff, 15) end --[[ require 'Dynamic' local c = Check() M, p = torch.class('Test', 'nn.Dynamic') function M:__init(linear1, linear2) self.linear1 = linear1 or nn.Linear(3,4) self.linear2 = linear2 or nn.Linear(4,3) p.__init(self, self.linear1, self.linear2) end function M:updateOutput(input) self:setInput(input) local hidden = self:DF(self.linear1, input) hidden = self:DF(nn.Tanh(), hidden) hidden = self:DF(self.linear2, hidden) hidden = self:DF(nn.SoftMax(), hidden) return self:setOutput(hidden) end local linear1 = nn.Linear(3,4) local linear2 = nn.Linear(4,3) --print('==>\n', linear1.weight, linear1.bias) local model = Test(linear1, linear2) local input = c.randData({{1,3}})[1] local label = c.randData({{1,3}})[1] local criterion = nn.MSECriterion() c.gradCheck(model, criterion, input, label, 1e-6) --print('==>\n', linear1.weight, linear1.bias) local seq = nn.Sequential() seq:add(linear1) seq:add(nn.Tanh()) seq:add(linear2) seq:add(nn.SoftMax()) c.gradCheck(seq, criterion, input, label, 1e-6) --print(model:forward(input)) --print(model:forward(input)) --[[]]--
-- Key Codes -- KEY_SPACE = 32 KEY_APOSTROPHE = 39 KEY_COMMA = 44 KEY_MINUS = 45 KEY_PERIOD = 46 KEY_SLASH = 47 KEY_0 = 48 KEY_1 = 49 KEY_2 = 50 KEY_3 = 51 KEY_4 = 52 KEY_5 = 53 KEY_6 = 54 KEY_7 = 55 KEY_8 = 56 KEY_9 = 57 KEY_SEMICOLON = 59 KEY_EQUAL = 61 KEY_A = 65 KEY_B = 66 KEY_C = 67 KEY_D = 68 KEY_E = 69 KEY_F = 70 KEY_G = 71 KEY_H = 72 KEY_I = 73 KEY_J = 74 KEY_K = 75 KEY_L = 76 KEY_M = 77 KEY_N = 78 KEY_O = 79 KEY_P = 80 KEY_Q = 81 KEY_R = 82 KEY_S = 83 KEY_T = 84 KEY_U = 85 KEY_V = 86 KEY_W = 87 KEY_X = 88 KEY_Y = 89 KEY_Z = 90 KEY_LEFT_BRACKET = 91 KEY_BACKSLASH = 92 KEY_RIGHT_BRACKET = 93 KEY_GRAVE_ACCENT = 96 KEY_WORLD_1 = 161 KEY_WORLD_2 = 162 KEY_ESCAPE = 256 KEY_ENTER = 257 KEY_TAB = 258 KEY_BACKSPACE = 259 KEY_INSERT = 260 KEY_DELETE = 261 KEY_RIGHT = 262 KEY_LEFT = 263 KEY_DOWN = 264 KEY_UP = 265 KEY_PAGE_UP = 266 KEY_PAGE_DOWN = 267 KEY_HOME = 268 KEY_END = 269 KEY_CAPS_LOCK = 280 KEY_SCROLL_LOCK = 281 KEY_NUM_LOCK = 282 KEY_PRINT_SCREEN = 283 KEY_PAUSE = 284 KEY_F1 = 290 KEY_F2 = 291 KEY_F3 = 292 KEY_F4 = 293 KEY_F5 = 294 KEY_F6 = 295 KEY_F7 = 296 KEY_F8 = 297 KEY_F9 = 298 KEY_F10 = 299 KEY_F11 = 300 KEY_F12 = 301 KEY_F13 = 302 KEY_F14 = 303 KEY_F15 = 304 KEY_F16 = 305 KEY_F17 = 306 KEY_F18 = 307 KEY_F19 = 308 KEY_F20 = 309 KEY_F21 = 310 KEY_F22 = 311 KEY_F23 = 312 KEY_F24 = 313 KEY_F25 = 314 KEY_KP_0 = 320 KEY_KP_1 = 321 KEY_KP_2 = 322 KEY_KP_3 = 323 KEY_KP_4 = 324 KEY_KP_5 = 325 KEY_KP_6 = 326 KEY_KP_7 = 327 KEY_KP_8 = 328 KEY_KP_9 = 329 KEY_KP_DECIMAL = 330 KEY_KP_DIVIDE = 331 KEY_KP_MULTIPLY = 332 KEY_KP_SUBTRACT = 333 KEY_KP_ADD = 334 KEY_KP_ENTER = 335 KEY_KP_EQUAL = 336 KEY_LEFT_SHIFT = 340 KEY_LEFT_CONTROL = 341 KEY_LEFT_ALT = 342 KEY_LEFT_SUPER = 343 KEY_RIGHT_SHIFT = 344 KEY_RIGHT_CONTROL = 345 KEY_RIGHT_ALT = 346 KEY_RIGHT_SUPER = 347 KEY_MENU = 348 -- Vector2 -- Vector2 = {} Vector2.__index = Vector2 function Vector2.new(x, y) return setmetatable({ x = x or 0, y = y or 0 }, Vector2) end function Vector2.__add(a, b) if type(a) == "number" then return Vector2.new(b.x + a, b.y + a) elseif type(b) == "number" then return Vector2.new(a.x + b, a.y + b) else return Vector2.new(a.x + b.x, a.y + b.y) end end function Vector2.__sub(a, b) if type(a) == "number" then return Vector2.new(b.x - a, b.y - a) elseif type(b) == "number" then return Vector2.new(a.x - b, a.y - b) else return Vector2.new(a.x - b.x, a.y - b.y) end end function Vector2.__mul(a, b) if type(a) == "number" then return Vector2.new(b.x * a, b.y * a) elseif type(b) == "number" then return Vector2.new(a.x * b, a.y * b) else return Vector2.new(a.x * b.x, a.y * b.y) end end function Vector2.__div(a, b) if type(a) == "number" then return Vector2.new(b.x / a, b.y / a) elseif type(b) == "number" then return Vector2.new(a.x / b, a.y / b) else return Vector2.new(a.x / b.x, a.y / b.y) end end function Vector2.__eq(a, b) return a.x == b.x and a.y == b.y end function Vector2.__tostring(a) return "[" .. a.x .. ", " .. a.y .. "]" end function Vector2.clone() return Vector2.new(self.x, self.y) end function Vector2.unpack() return self.x, self.y end -- Mouse Position -- function GetMousePosition() local values = _NativeGetMousePosition() return Vector2.new(values.x, values.y) end
-- See `:help vim.diagnostic.*` for documentation on any of the below functions vim.keymap.set('n', '<leader>de', '<cmd>lua vim.diagnostic.open_float()<CR>') vim.keymap.set('n', '[d', '<cmd>lua vim.diagnostic.goto_prev()<CR>') vim.keymap.set('n', ']d', '<cmd>lua vim.diagnostic.goto_next()<CR>') vim.keymap.set('n', '<leader>q', '<cmd>lua vim.diagnostic.setloclist()<CR>') local on_attach = function(client, bufnr) -- Enable completion triggered by <c-x><c-o> vim.api.nvim_buf_set_option(bufnr, 'omnifunc', 'v:lua.vim.lsp.omnifunc') -- See `:help vim.lsp.*` for documentation on any of the below functions vim.keymap.set('n', 'gd', '<cmd>lua vim.lsp.buf.definition()<CR>', { buffer = bufnr }) vim.keymap.set('n', 'K', '<cmd>lua vim.lsp.buf.hover()<CR>', { buffer = bufnr }) vim.keymap.set('n', 'gi', '<cmd>lua vim.lsp.buf.implementation()<CR>', { buffer = bufnr }) vim.keymap.set('n', '<C-k>', '<cmd>lua vim.lsp.buf.signature_help()<CR>', { buffer = bufnr }) vim.keymap.set('n', '<leader>D', '<cmd>lua vim.lsp.buf.type_definition()<CR>', { buffer = bufnr }) vim.keymap.set('n', '<leader>rn', '<cmd>lua vim.lsp.buf.rename()<CR>', { buffer = bufnr }) vim.keymap.set('n', '<leader>ca', '<cmd>lua vim.lsp.buf.code_action()<CR>', { buffer = bufnr }) vim.keymap.set('n', 'gr', '<cmd>lua vim.lsp.buf.references()<CR>', { buffer = bufnr }) vim.keymap.set('n', '<leader>f', '<cmd>lua vim.lsp.buf.formatting()<CR>', { buffer = bufnr }) end local servers = { 'bashls', 'clangd', 'cssls', -- vscode-langservers-extracted 'eslint', -- vscode-langservers-extracted 'html', -- vscode-langservers-extracted 'rust_analyzer', 'pyright', } -- Add additional capabilities supported by nvim-cmp local capabilities = vim.lsp.protocol.make_client_capabilities() capabilities.textDocument.completion.completionItem.snippetSupport = true capabilities = require('cmp_nvim_lsp').update_capabilities(capabilities) for _, lsp in pairs(servers) do require('lspconfig')[lsp].setup({ on_attach = on_attach, capabilities = capabilities, }) end -- luasnip setup local luasnip = require('luasnip') -- nvim-cmp setup local cmp = require('cmp') cmp.setup({ snippet = { expand = function(args) luasnip.lsp_expand(args.body) end, }, mapping = cmp.mapping.preset.insert({ ['<C-d>'] = cmp.mapping.scroll_docs(-4), ['<C-f>'] = cmp.mapping.scroll_docs(4), ['<C-Space>'] = cmp.mapping.complete(), ['<CR>'] = cmp.mapping.confirm({ behavior = cmp.ConfirmBehavior.Replace, select = true, }), ['<Tab>'] = cmp.mapping(function(fallback) if cmp.visible() then cmp.select_next_item() elseif luasnip.expand_or_jumpable() then luasnip.expand_or_jump() else fallback() end end, { 'i', 's' }), ['<S-Tab>'] = cmp.mapping(function(fallback) if cmp.visible() then cmp.select_prev_item() elseif luasnip.jumpable(-1) then luasnip.jump(-1) else fallback() end end, { 'i', 's' }), }), sources = { { name = 'nvim_lsp' }, { name = 'luasnip' }, }, })
-- visp operatives and AST manipulation functions. -- -- operatives are first-class combiners whose operands -- are never evaluated. -- applicatives are operatives that evaluate the operands. -- -- Defines oper, wrapoper and defoper. -- Lambda could be defined as: -- (def-oper "lambda" -- (oper (args body) -- (wrapoper (oper args body)))) -- -- For it to be any use, ast manipulation and related functions are added: -- ast-parse ast-unpack -- -- Inspired by $vau from Kernel Lisp. local opers = {} local type = type local tconc = table.concat -- (oper (args body)) -> operative anonf -- Generates an anonymous function, -- not explicitly evaluating the arguments. opers.oper = function(ev, args, body) if args.type ~= "expr" then error("oper needs args as expr ast of ids, got "..tostring(args.type).." instead of expr", 1) end -- Generate function prelude. local argnames = {} for i=1, #args do local argn = args[i] if argn.type ~= "id" then error("oper needs args as expr ast of ids, got "..argn.type.." instead of id", 1) end argnames[i] = argn[1] end local t = { ["type"] = "expr", -- very important: it's been wrapped "(function(_eval_inst, " .. tconc(argnames, ", ") .. ")" } -- Generate function body. t[#t+1] = ev.closureize(ev:parse(body)) t[#t+1] = "end)" return t end -- (wrapoper (oper args..)) -> applicative anonf -- Wraps an operative converting it into -- an applicative. -- It itself is somewhat of an operative, -- but essentially emulating an applicative. opers["wrapoper"] = function(ev, oper) if oper.type ~= "expr" then error("wrapoper: can't wrap non-oper", 1) end if oper[1].type ~= "id" then error("wrapoper: can't wrap expr with non-id oper reference (only static)", 1) end local oper_name = oper[1][1] if not ev.cgfns[oper_name] then error("wrapoper: cannot find oper named '"..oper_name.."'", 1) end local args = {} local nargs = #oper - 1 for i=1, nargs do local t = { ev:parse(oper[1+i]) } if i ~= nargs then t[2] = ',' end args[i] = t end -- This is bad. Bad to write, bad to read. -- Rather inefficient, too. -- This all stems from the cgfns only returning code graphs. -- We're a JIT. We generate code. We don't know what's going on. -- I'm not sure we can do better without much effort, -- but this code is not pretty. return { ['type'] = 'closure', 'local _wrapper_oper = _eval_inst.jit:run(_eval_inst.cgfns["'..oper_name..'"](_eval_inst, ', args, '))', 'local _wrapperfn = function(...)', { 'return _wrapper_oper(_eval_inst, ...)', }, 'end', 'local _wrapper_hash = "oper_" .. _cg_gethash(_wrapperfn)', '_G[_wrapper_hash] = _wrapperfn', 'return _wrapper_hash' } end -- (defoper name oper) -- Registers an oper. -- Applicative. local function gendefoper(inst) inst.vals["defoper"] = function(name, oper) if type(name) ~= "string" then error("def-oper needs string name: got "..type(name), 1) end if type(oper) ~= "function" then error("def-oper needs operative function: got "..type(name), 1) end inst.cgfns[name] = oper return name end end return function(inst) -- Bind essentials. inst.vals["_eval_inst"] = inst inst.vals["_cg_gethash"] = inst.jit.gethash inst.vals["ast-parse"] = function(ast) return inst:parse(ast) end -- Register all operatives. for name, operative in pairs(opers) do inst.cgfns[name] = operative end -- Generate applicatives. gendefoper(inst) end
local pie = require "lua-pie" local class = pie.class local static = pie.static local public = pie.public local private = pie.private local operators = pie.operators local extends = pie.extends local interface = pie.interface local abstract_function = pie.abstract_function local implements = pie.implements interface "IGreeter" { say_hello = abstract_function("self", "name") } interface "IShouter" { shout = abstract_function() } class "Greeter" { implements { "IGreeter", "IShouter" }; public { say_hello = function(self, name) self:private_hello(name) end; shout = function(self) print("I CAN SHOUT REALLY LOUD!") end }; private { private_hello = function(self, name) print("Hello "..name) end; } } class "Person" { extends "Greeter"; static { count = 0 }; public { constructor = function(self, name) self.name = name self.count = self.count + 1 end; introduce = function(self) self:private_intro() end; say_hello = function(self, name) self.super:say_hello(name) print("Override hello") end; }; private { private_intro = function(self) print("Hi! My name is "..self.name) end; }; } local Number Number = class "Number" { public { constructor = function(self, value) self.value = value end; getValue = function(self) return self.value end; }; operators { __add = function(self, n2) return Number(self.value + n2:getValue()) end; __tostring = function(self) return tostring(self.value) end } }
client = client or {} function client.init(conf) client.tcp_gate = conf.tcp_gate client.websocket_gate = conf.websocket_gate client.kcp_gate = conf.kcp_gate client.session = 0 client.sessions = {} -- 连线对象 client.linkobjs = ccontainer.new() end function client.onconnect(linktype,linkid,addr) local linkobj = clinkobj.new(linktype,linkid,addr) client.addlinkobj(linkobj) end -- 客户端连接断开,被动掉线 function client.onclose(linkid) local linkobj = client.getlinkobj(linkid) if not linkobj then return end local pid = linkobj.pid local player = playermgr.getplayer(pid) if player then player:disconnect("onclose") end end function client.onmessage(linkid,message) local linkobj = client.getlinkobj(linkid) if not linkobj then return end logger.logf("debug","client","op=recv,linkid=%s,linktype=%s,ip=%s,port=%s,pid=%s,message=%s", linkid,linkobj.linktype,linkobj.ip,linkobj.port,linkobj.pid,message) local player if linkobj.pid then player = assert(playermgr.getonlineplayer(linkobj.pid)) else player = linkobj end if message.type == "REQUEST" then local func = net.cmd(message.proto) if func then func(player,message) end else local session = assert(message.session) local callback = client.sessions[session] if callback then callback(player,message) end end end function client._sendpackage(linkid,proto,request,callback) local linkobj = client.getlinkobj(linkid) if not linkobj then return end local is_response = type(callback) == "number" local message if not is_response then local session if callback then client.session = client.session + 1 session = client.session client.sessions[session] = callback end message = { type = "REQUEST", session = session, proto = proto, request = request } else local session = callback local response = request message = { type = "RESPONSE", session = session, proto = proto, response = response, } end local pid = linkobj.pid local linktype = linkobj.linktype if not pid and linkobj.master then pid = linkobj.master.pid end logger.logf("debug","client","op=send,linkid=%s,linktype=%s,ip=%s,port=%s,pid=%s,message=%s", linkid,linktype,linkobj.ip,linkobj.port,pid,message) if linktype == "tcp" then skynet.send(client.tcp_gate,"lua","write",linkid,message) elseif linktype == "kcp" then skynet.send(client.kcp_gate,"lua","write",linkid,message) elseif linktype == "websocket" then skynet.send(client.websocket_gate,"lua","write",linkid,message) end end -- linkobj格式 table:linkobj number: pid function client.send_request(linkobj,proto,request,callback) if type(linkobj) == "number" then local player = playermgr.getplayer(linkobj) linkobj = player.linkobj end if not linkobj then return end client._sendpackage(linkobj.linkid,proto,request,callback) end client.sendpackage = client.send_request function client.send_response(linkobj,proto,response,session) if type(linkobj) == "number" then local player = playermgr.getplayer(linkobj) linkobj = player.linkobj end if not linkobj then return end client._sendpackage(linkobj.linkid,proto,response,session) end function client.dispatch(session,source,cmd,...) if cmd == "onconnect" then client.onconnect(...) elseif cmd == "onclose" then client.onclose(...) elseif cmd == "onmessage" then client.onmessage(...) elseif cmd == "slaveof" then client.slaveof(...) end end function client.getlinkobj(linkid) return client.linkobjs:get(linkid) end function client.addlinkobj(linkobj) local linkid = assert(linkobj.linkid) return client.linkobjs:add(linkobj,linkid) end function client.dellinkobj(linkid) local linkobj = client.linkobjs:del(linkid) if linkobj then if linkobj.linktype == "tcp" then skynet.send(client.tcp_gate,"lua","close",linkid) elseif linkobj.linktype == "websocket" then skynet.send(client.websocket_gate,"lua","close",linkid) else assert(linkobj.linktype == "kcp") skynet.send(client.kcp_gate,"lua","close",linkid) end if linkobj.slave then client.dellinkobj(linkobj.slave.linkid) elseif linkobj.master then client.unbind_slave(linkobj.master) end end return linkobj end function client.slaveof(master_linkid,slave_linkid) local master_linkobj = client.getlinkobj(master_linkid) local slave_linkobj = client.getlinkobj(slave_linkid) if not (master_linkobj and slave_linkobj) then return end assert(master_linkobj.slave == nil) assert(slave_linkobj.master == nil) master_linkobj.slave = slave_linkobj slave_linkobj.master = master_linkobj end function client.unbind_slave(master_linkobj) local slave_linkobj = master_linkobj.slave if not slave_linkobj then return end assert(slave_linkobj.master == master_linkobj) master_linkobj.slave = nil slave_linkobj.master = nil end function client.reload_proto() if client.tcp_gate then skynet.send(client.tcp_gate,"lua","reload") end if client.websocket_gate then skynet.send(client.websocket_gate,"lua","reload") end if client.kcp_gate then skynet.send(client.kcp_gate,"lua","reload") end end function client.forward(proto,address) if client.tcp_gate then skynet.send(client.tcp_gate,"lua","forward",proto,address) end if client.websocket_gate then skynet.send(client.websocket_gate,"lua","forward",proto,address) end if client.kcp_gate then skynet.send(client.kcp_gate,"lua","forward",proto,address) end end function client.http_onmessage(linkobj,uri,header,query,body) linkobj.method = string.lower(linkobj.method) logger.logf("debug","http","op=recv,linkid=%s,ip=%s,port=%s,method=%s,uri=%s,header=%s,query=%s,body=%s", linkobj.linkid,linkobj.ip,linkobj.port,linkobj.method,uri,header,query,body) local handler = net.http_cmd(uri) if handler then local func = handler[linkobj.method] if func then func(linkobj,header,query,body) else -- method not implemented httpc.response(linkobj.linkid,501) end else -- not found httpc.response(linkobj.linkid,404) end skynet.ret(nil) end return client
local quick = require("arshlib.quick") ---Text object for in/around the next object. ---@param motion any local function next_obj(motion) --{{{ local c = vim.fn.getchar() local ch = vim.fn.nr2char(c) local step = "l" if ch == ")" or ch == "]" or ch == ">" or ch == "}" then step = "h" end local sequence = "f" .. ch .. step .. "v" .. motion .. ch quick.normal("x", sequence) end --}}} -- Backtick support ---@param include boolean if true, will remove the backticks too. local function in_backticks(include) --{{{ quick.normal("n", "m'") vim.fn.search("`", "bcsW") local motion = "" if not include then motion = "l" end quick.normal("x", motion .. "o") vim.fn.search("`", "") if include then return end quick.normal("x", "h") end --}}} -- stylua: ignore start local function config(opts) vim.validate({--{{{ next_obj = { opts.next_obj, { "table", "boolean", "nil" }, true }, in_chars = { opts.in_chars, { "table", "boolean", "nil" }, true }, line = { opts.line, { "table", "boolean", "nil" }, true }, backticks = { opts.backticks, { "string", "boolean", "nil" }, true }, })--}}} -- Next object support {{{ if opts.next_obj then if opts.next_obj.a_next then local key = opts.next_obj.a_next local motion = key:sub(1, 1) local opt = { desc = "around next pairs" } vim.keymap.set("x", key, function() next_obj(motion) end, opt) vim.keymap.set("o", key, function() next_obj(motion) end, opt) end if opts.next_obj.i_next then local key = opts.next_obj.i_next local motion = key:sub(1, 1) local opt = { desc = "in next pairs" } vim.keymap.set("x", key, function() next_obj(motion) end, opt) vim.keymap.set("o", key, function() next_obj(motion) end, opt) end end --}}} -- In random character support {{{ if opts.in_chars then local chars = opts.in_chars or {} for _, ch in ipairs(opts.extra_in_chars or {}) do table.insert(chars, ch) end for _, ch in ipairs(chars) do local opt = { desc = "in pairs of " .. ch } vim.keymap.set("x", "i" .. ch, function() quick.normal("xt", "T" .. ch .. "ot" .. ch) end, opt) vim.keymap.set("o", "i" .. ch, function() quick.normal("x", "vi" .. ch) end, opt) opt = { desc = "around pairs of " .. ch } vim.keymap.set("x", "a" .. ch, function() quick.normal("xt", "F" .. ch .. "of" .. ch) end, opt) vim.keymap.set("o", "a" .. ch, function() quick.normal("x", "va" .. ch) end, opt) end end--}}} -- Line support {{{ if opts.line then if opts.line.i_line then local opt = { desc = "in current line" } vim.keymap.set("x", "il", function() quick.normal("xt", "g_o^") end, opt) vim.keymap.set("o", "il", function() quick.normal("x", "vil") end, opt) end if opts.line.a_line then local opt = { desc = "around current line" } vim.keymap.set("x", "al", function() quick.normal("xt", "$o0") end, opt) vim.keymap.set("o", "al", function() quick.normal("x", "val") end, opt) end end --}}} -- Backtick support {{{ if opts.backtick then local b = opts.backtick local opt = { silent = true, desc = "in backticks" } vim.keymap.set("v", "i" .. b, function() in_backticks(false) end, opt) vim.keymap.set("o", "i" .. b, function() quick.normal("x", "vi" .. b) end, opt) opt = { silent = true, desc = "around backticks" } vim.keymap.set("v", "a" .. b, function() in_backticks(true) end, opt) vim.keymap.set("o", "a" .. b, function() quick.normal("x", "va" .. b) end, opt) end --}}} end -- stylua: ignore end return { config = config, } -- vim: fdm=marker fdl=0
local T = {} local function sort2(x, y, optargs) local exp_file = 'Q/OPERATORS/F1F2_IN_PLACE/lua/expander_f1f2_in_place' local expander = assert(require(exp_file)) local z = assert(expander("sort2", x, y, optargs)) return z end T.sort2 = sort2 require('Q/q_export').export('sort2', sort2) --=============================================== return T
-- -- MUST be included through blend2d.lua, not independently -- -- since the BLContextCore is by far the biggest object, it makes -- sense to have it split out on its own for easy maintenance -- local ffi = require("ffi") local C = ffi.C local bit = require("bit") local bor, band = bit.bor, bit.band local min, max = math.min, math.max local SIZE_MAX = 0xffffffffffffffffULL; local blapi = require("blend2d_ffi") -- blcontext types BLContextCreateInfo = ffi.new("struct BLContextCreateInfo") BLContextCookie = ffi.typeof("struct BLContextCookie") BLContextHints = ffi.typeof("struct BLContextHints") BLContextState = ffi.typeof("struct BLContextState") local BLContext = ffi.typeof("struct BLContextCore") ffi.metatype(BLContext, { __gc = function(self) --print("BLContext.gc") local bResult = blapi.blContextReset(self) ; end; __new = function(ct, a, b) local obj = ffi.new(ct); if (not b) and (not a) then -- zero arguments local bResult = blapi.blContextInit(obj) if bResult ~= C.BL_SUCCESS then return nil, bResult end elseif a and (not b) then -- one argument, should be an image local bResult = blapi.blContextInitAs(obj, a, nil) ; if bResult ~= C.BL_SUCCESS then return nil, bResult end elseif a and b then -- it could be two numbers indicating size -- or it could be an image and creation options if type(a) == "number" and type(b) == "number" then local img = BLImage(a, b) local bResult = blapi.blContextInitAs(obj, img, nil) if bResult ~= C.BL_SUCCESS then return nil, bResult; end elseif ffi.typeof(a) == BLImage then local bResult = blapi.blContextInitAs(obj, a, b) ; if bResult ~= C.BL_SUCCESS then return nil, bResult end end end return obj; end; __eq = function(self, other) return self.impl == other.impl; end; __index = { targetSize = function(self) return self.impl.targetSize; end; targetWidth = function(self) return self.impl.targetSize.w; end; targetHeight = function(self) return self.impl.targetSize.h; end; -- -- BLImage Attachment -- -- const BLContextCreateInfo& options begin = function(self, image, options) local bResult = blapi.blContextBegin(self, image, options); end; finish = function(self) local bResult = blapi.blContextEnd(self); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; flush = function(self, flags) flags = flags or C.BL_CONTEXT_FLUSH_SYNC; local bResult = self.impl.virt.flush(self.impl, flags); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; --[[ State Management If a cookie is specified when saving, then it must be used when restoring. --]] save = function(self, cookie) local bResult = self.impl.virt.save(self.impl, cookie); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; restore = function(self, cookie) local bResult = self.impl.virt.restore(self.impl, cookie); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; clipRectI = function(self, rect) local bResult = self.impl.virt.clipToRectI(self.impl, rect); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; removeClip = function(self) local bResult = self.impl.virt.restoreClipping(self.impl) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; --[[ -- Matrix transformations -- Applies a matrix operation to the current transformation matrix (internal). --]] metaMatrix = function(self) return self.impl.state.metaMatrix; end; userMatrix = function(self) return self.impl.state.userMatrix; end; _applyMatrixOp = function(self, opType, opData) local bResult= self.impl.virt.matrixOp(self.impl, opType, opData); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; _applyMatrixOpV = function(self, opType, ...) local opData = ffi.new("double[?]",select('#',...), {...}); local bResult self.impl.virt.matrixOp(self.impl, opType, opData); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; resetMatrix = function(self) local bResult = self.impl.virt.matrixOp(self.impl, C.BL_MATRIX2D_OP_RESET, nil); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- const BLMatrix2D& m setMatrix = function(self, m) local bResult = self.impl.virt.matrixOp(self.impl, C.BL_MATRIX2D_OP_ASSIGN, m) if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; translate = function(self, x, y) return self:_applyMatrixOpV(C.BL_MATRIX2D_OP_TRANSLATE, x, y); end; scale = function(self, x, y) return self:_applyMatrixOpV(C.BL_MATRIX2D_OP_SCALE, x, y) end; skew = function(self, x, y) return self:_applyMatrixOpV(C.BL_MATRIX2D_OP_SKEW, x, y); end; -- 3 values - an angle, and a point to rotate around rotateAroundPoint = function(self, rads, x, y) return self:_applyMatrixOpV(C.BL_MATRIX2D_OP_ROTATE_PT,rads, x, y); end; -- overloaded rotate -- 1 value - an angle (in radians) rotate = function(self, rads) return self:_applyMatrixOp(C.BL_MATRIX2D_OP_ROTATE, ffi.new("double[1]",rads)); end; transform = function(self, m) return self:_applyMatrixOp(C.BL_MATRIX2D_OP_TRANSFORM, m); end; userToMeta = function(self) local bResult = self.impl.virt.userToMeta(self.impl); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- -- Composition Options -- compOp = function(self) return self.impl.state.compOp; end; setCompOp = function(self, cOp) --print("setCompOp: ", self, compOp) local bResult = self.impl.virt.setCompOp(self.impl, cOp); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- Returns global alpha value. globalAlpha = function(self) return self.impl.state.globalAlpha; end; -- Sets global alpha value. setGlobalAlpha = function(self, alpha) local bResult = self.impl.virt.setGlobalAlpha(self.impl, alpha); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; --[[ -- Style Settings --]] setFillStyle = function(self, obj) if ffi.typeof(obj) == BLRgba32 then return self:setFillStyleRgba32(obj.value) end local bResult = blapi.blContextSetFillStyle(self, obj); return bResult == 0 or bResult; end; setFillStyleRgba32 = function(self, rgba32) local bResult = blapi.blContextSetFillStyleRgba32(self, rgba32); return bResult == 0 or bResult; end; fillRule = function(self) return self.impl.state.fillRule; end; setFillRule = function(self, fillRule) local bResult = self.impl.virt.setFillRule(self.impl, fillRule); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- -- Stroke specifics -- setStrokeTransformOrder = function(self, transformOrder) local bResult = self.impl.virt.setStrokeTransformOrder(self.impl, transformOrder) if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; setStrokeStartCap = function(self, strokeCap) local bResult = blapi.blContextSetStrokeCap(self, C.BL_STROKE_CAP_POSITION_START, strokeCap) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; setStrokeEndCap = function(self, strokeCap) local bResult = blapi.blContextSetStrokeCap(self, C.BL_STROKE_CAP_POSITION_END, strokeCap) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- joinKind == BLStrokeJoin setStrokeJoin = function(self, joinKind) local bResult = blapi.blContextSetStrokeJoin(self, joinKind) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; setStrokeStyleRgba32 = function(self, rgba32) local bResult = blapi.blContextSetStrokeStyleRgba32(self, rgba32); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; setStrokeStyle = function(self, obj) if ffi.typeof(obj) == BLRgba32 then return self:setStrokeStyleRgba32(obj.value) end local bResult = blapi.blContextSetStrokeStyle(self, obj) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; setStrokeWidth = function(self, width) local bResult = blapi.blContextSetStrokeWidth(self, width) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; --[[ Actual Drawing ]] -- dst is a BLPoint -- srcArea is BLRectI or nil blitImage = function(self, dst, src, srcArea ) local bResult = self.impl.virt.blitImageD(self.impl, dst, src, srcArea); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- dst is a BLRect, -- srcArea is BLRectI, or nil blitScaledImage = function(self, dst, src, srcArea) local bResult = self.impl.virt.blitScaledImageD(impl, dst, src, srcArea); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- Whole canvas drawing functions clearAll = function(self) local bResult = self.impl.virt.clearAll(self.impl); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; clearRect = function(self, rect) local bResult = self.impl.virt.clearRectD(self.impl, rect); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; fillAll = function(self) local bResult = self.impl.virt.fillAll(self.impl); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; -- Geometry drawing functions fillGeometry = function(self, geometryType, geometryData) local bResult = self.impl.virt.fillGeometry(self.impl, geometryType, geometryData); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; fillCircle = function(self, geo) return self:fillGeometry(C.BL_GEOMETRY_TYPE_CIRCLE, geo); end; fillEllipse = function(self, geo) return self:fillGeometry(C.BL_GEOMETRY_TYPE_ELLIPSE, geo) end; fillPathD = function(self, path) local bResult = blapi.blContextFillPathD(self, path) ; if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; fillPolygon = function(self, pts) --print("fillPolygon: ", pts) if type(pts) == "table" then local npts = #pts local polypts = ffi.new("struct BLPoint[?]", npts,pts) local arrview = BLArrayView(polypts, npts) self:fillGeometry(C.BL_GEOMETRY_TYPE_POLYGOND, arrview) end end; fillRectI = function(self, rect) local bResult = self.impl.virt.fillRectI(self.impl, rect); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; fillRectD = function(self, rect) local bResult = self.impl.virt.fillRectD(self.impl, rect); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; fillRoundRect = function(self, rr) return self:fillGeometry(C.BL_GEOMETRY_TYPE_ROUND_RECT, rr); end; fillTriangle = function(self, ...) local nargs = select("#",...) if nargs == 6 then local tri = BLTriangle(...) return self:fillGeometry(C.BL_GEOMETRY_TYPE_TRIANGLE, tri) end end; --(BLContextImpl* impl, const BLPoint* pt, const BLFontCore* font, const void* text, size_t size, uint32_t encoding) ; fillTextD = function(self, pt, font, text, size, encoding) local bResult = self.impl.virt.fillTextD(self.impl, pt, font, text, size, encoding) ; end; -- Fills the passed UTF-8 text by using the given `font`. -- the 'size' is the number of characters in the text. -- This is vague, as for utf8 and latin, it's a one to one with -- the bytes. With unicode, it's the number of code points. fillTextUtf8 = function(self, dst, font, text, size) size = size or math.huge return self:fillTextD(dst, font, text, size, C.BL_TEXT_ENCODING_UTF8) end; strokeGeometry = function(self, geometryType, geometryData) local bResult = self.impl.virt.strokeGeometry(self.impl, geometryType, geometryData); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeGlyphRunI = function(self, pt, font, glyphRun) local bResult = self.impl.virt.strokeGlyphRunI(self.impl, pt, font, glyphRun); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeGlyphRunD = function(self, pt, font, glyphRun) local bResult = self.impl.virt.strokeGlyphRunD(self.impl, pt, font, glyphRun); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeEllipse = function(self, geo) return self:strokeGeometry(C.BL_GEOMETRY_TYPE_ELLIPSE, geo) end; strokePolygon = function(self, pts) if type(pts) == "table" then local npts = #pts local polypts = ffi.new("struct BLPoint[?]", npts,pts) local arrview = BLArrayView(polypts, npts) return self:strokeGeometry(C.BL_GEOMETRY_TYPE_POLYGOND, arrview) end end; strokeRectI = function(self, rect) local bResult = self.impl.virt.strokeRectI(self.impl, rect); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeRectD = function(self, rect) local bResult = self.impl.virt.strokeRectD(self.impl, rect); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeRoundRect = function(self, geo) return self:strokeGeometry(C.BL_GEOMETRY_TYPE_ROUND_RECT, geo) end; strokePathD = function(self, path) local bResult = self.impl.virt.strokePathD(self.impl, path); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeLine = function(self, x1, y1, x2, y2) local aLine = BLLine(x1,y1,x2,y2) return self:strokeGeometry(C.BL_GEOMETRY_TYPE_LINE, aLine); end; strokeTextI = function(self, pt, font, text, size, encoding) local bResult = self.impl.virt.strokeTextI(self.impl, pt, font, text, size, encoding); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeTextD = function(self, pt, font, text, size, encoding) local bResult = self.impl.virt.strokeTextD(self.impl, pt, font, text, size, encoding); if bResult == C.BL_SUCCESS then return true; end return false, bResult; end; strokeTextUtf8 = function(self,pt, font, text, size) return self:strokeTextD(pt, font, text, size, C.BL_TEXT_ENCODING_UTF8) end; strokeTriangle = function(self, ...) local nargs = select("#",...) if nargs == 6 then local tri = BLTriangle(...) return self:strokeGeometry(C.BL_GEOMETRY_TYPE_TRIANGLE, tri) end end; }; }) return BLContext
local mod = {} local device = require "device" local turbo = require "turbo" local libmoon = require "libmoon" local stats = require "stats" local ffi = require "ffi" local log = require "log" local HTTPError = turbo.web.HTTPError local deviceHandler = class("deviceHandler", turbo.web.RequestHandler) local function deviceInfo(id) local dev = device.get(id) local info = dev:getInfo() return { configured = dev.initialized or false, id = info.if_index, rxQueues = info.nb_rx_queues, txQueues = info.nb_tx_queues, maxRxQueues = info.max_rx_queues, maxTxQueues = info.max_tx_queues, driver = ffi.string(info.driver_name), name = dev:getName(), numaSocket = dev:getSocket(), mac = dev:getMacString(), linkUp = dev:getLinkStatus().status, linkSpeed = dev:getLinkStatus().speed, } end function deviceHandler:get(id) if id == "all" then local result = {} for i = 0, device.numDevices() - 1 do result[#result + 1] = deviceInfo(i) end self:write(result) elseif id == "num" then self:write({num = device.numDevices()}) elseif tonumber(id) then local id = tonumber(id) if id >= device.numDevices() then error(HTTPError(400, {message = ("there are only %d devices"):format(device.numDevices())})) end self:write(deviceInfo(id)) else self:set_status(400) end end local counterHandler = class("counterHandler", turbo.web.RequestHandler) local counters = {} local statsPipe = stats.share.pipe local function updateCounters() while true do local data = statsPipe:tryRecv() if not data then break end counters[data.id] = counters[data.id] or { id = data.id, name = data.name, direction = data.dir, data = {} } table.insert(counters[data.id].data, data) -- do not repeat these values for every entry data.id = nil data.name = nil data.dir = nil end end local function counterInfo(id) return counters[id] or {} end function counterHandler:get(id) if id == "all" then local result = {} for i = 1, stats.numCounters() do result[#result + 1] = counterInfo(i) end self:write(result) elseif id == "num" then self:write({num = stats.numCounters()}) elseif tonumber(id) then local id = tonumber(id) if id > stats.numCounters() then error(HTTPError(400, {message = ("there are only %d counters"):format(stats.numCounters())})) end self:write(counterInfo(id)) else self:set_status(400) end end function mod.webserverTask(options, ...) options = options or {} options.port = options.port or 8888 log:info("Starting REST API on port %d", options.port) local extraHandlers = {} if options.init then extraHandlers = _G[options.init](turbo, ...) end local handlers = { {"^/devices/([^/]+)/?$", deviceHandler}, {"^/counters/([^/]+)/?$", counterHandler}, } for _, v in ipairs(extraHandlers) do if type(v) ~= "table" then log:fatal('Init function must return list of handlers, e.g., {{"url", handler}, {"url2", handler2}}') end table.insert(handlers, v) end local application = turbo.web.Application:new(handlers) application:listen(options.port, options.bind, {}) local ioloop = turbo.ioloop.instance() ioloop:set_interval(500, updateCounters) ioloop:set_interval(50, function() if not libmoon.running() then ioloop:close() end end) ioloop:start() end return mod
local GFX = {} GFX.__index = GFX return GFX
return { boolean = function(Value0, Value1, Alpha) return Alpha < 0.5 and Value0 or Value1; end, number = function(Value0, _, Alpha) local Delta = Value0 - Value0; return Value0 + Delta * Alpha; end, CFrame = function(Value0, Value1, Alpha) return Value0:Lerp(Value1,Alpha); end, Vector2 = function(Value0, Value1, Alpha) return Value0:Lerp(Value1,Alpha); end, Vector3 = function(Value0, Value1, Alpha) return Value0:Lerp(Value1,Alpha); end, UDim = function(Value0, Value1, Alpha) local Scale, Offset = Value0.Scale, Value0.Offset; local DeltaScale, DeltaOffset = Value1.Scale - Scale, Value1.Offset - Offset; return UDim.new(Scale + Alpha * DeltaScale, Offset + Alpha * DeltaOffset); end, UDim2 = function(Value0, Value1, Alpha) return Value0:Lerp(Value1,Alpha); end, Color3 = function(Value0, Value1, Alpha) --// Credits to @howmanysmaII; local L0, U0, V0 local R0, G0, B0 = Value0.R, Value0.G, Value0.B R0 = R0 < 0.0404482362771076 and R0 / 12.92 or 0.87941546140213 * (R0 + 0.055) ^ 2.4 G0 = G0 < 0.0404482362771076 and G0 / 12.92 or 0.87941546140213 * (G0 + 0.055) ^ 2.4 B0 = B0 < 0.0404482362771076 and B0 / 12.92 or 0.87941546140213 * (B0 + 0.055) ^ 2.4 local Y0 = 0.2125862307855956 * R0 + 0.71517030370341085 * G0 + 0.0722004986433362 * B0 local Z0 = 3.6590806972265883 * R0 + 11.4426895800574232 * G0 + 4.1149915024264843 * B0 local _L0 = Y0 > 0.008856451679035631 and 116 * Y0 ^ (1 / 3) - 16 or 903.296296296296 * Y0 if Z0 > 1E-15 then local X = 0.9257063972951867 * R0 - 0.8333736323779866 * G0 - 0.09209820666085898 * B0 L0, U0, V0 = _L0, _L0 * X / Z0, _L0 * (9 * Y0 / Z0 - 0.46832) else L0, U0, V0 = _L0, -0.19783 * _L0, -0.46832 * _L0 end local L1, U1, V1 local R1, G1, B1 = Value1.R, Value1.G, Value1.B R1 = R1 < 0.0404482362771076 and R1 / 12.92 or 0.87941546140213 * (R1 + 0.055) ^ 2.4 G1 = G1 < 0.0404482362771076 and G1 / 12.92 or 0.87941546140213 * (G1 + 0.055) ^ 2.4 B1 = B1 < 0.0404482362771076 and B1 / 12.92 or 0.87941546140213 * (B1 + 0.055) ^ 2.4 local Y1 = 0.2125862307855956 * R1 + 0.71517030370341085 * G1 + 0.0722004986433362 * B1 local Z1 = 3.6590806972265883 * R1 + 11.4426895800574232 * G1 + 4.1149915024264843 * B1 local _L1 = Y1 > 0.008856451679035631 and 116 * Y1 ^ (1 / 3) - 16 or 903.296296296296 * Y1 if Z1 > 1E-15 then local X = 0.9257063972951867 * R1 - 0.8333736323779866 * G1 - 0.09209820666085898 * B1 L1, U1, V1 = _L1, _L1 * X / Z1, _L1 * (9 * Y1 / Z1 - 0.46832) else L1, U1, V1 = _L1, -0.19783 * _L1, -0.46832 * _L1 end local L = (1 - Alpha) * L0 + Alpha * L1 if L < 0.0197955 then return Color3.new(); end local U = ((1 - Alpha) * U0 + Alpha * U1) / L + 0.19783 local V = ((1 - Alpha) * V0 + Alpha * V1) / L + 0.46832 local Y = (L + 16) / 116 Y = Y > 0.206896551724137931 and Y * Y * Y or 0.12841854934601665 * Y - 0.01771290335807126 local X = Y * U / V local Z = Y * ((3 - 0.75 * U) / V - 5) local R = 7.2914074 * X - 1.5372080 * Y - 0.4986286 * Z local G = -2.1800940 * X + 1.8757561 * Y + 0.0415175 * Z local B = 0.1253477 * X - 0.2040211 * Y + 1.0569959 * Z if R < 0 and R < G and R < B then R, G, B = 0, G - R, B - R elseif G < 0 and G < B then R, G, B = R - G, 0, B - G elseif B < 0 then R, G, B = R - B, G - B, 0 end R = R < 3.1306684425E-3 and 12.92 * R or 1.055 * R ^ (1 / 2.4) - 0.055 -- 3.1306684425E-3 G = G < 3.1306684425E-3 and 12.92 * G or 1.055 * G ^ (1 / 2.4) - 0.055 B = B < 3.1306684425E-3 and 12.92 * B or 1.055 * B ^ (1 / 2.4) - 0.055 R = R > 1 and 1 or R < 0 and 0 or R G = G > 1 and 1 or G < 0 and 0 or G B = B > 1 and 1 or B < 0 and 0 or B return Color3.new(R, G, B) end, };
-- Title: QuestLevelPatch -- Version: 1.24 -- Author: iceeagle -- Notes: Adds level within brackets to the quest name. Example: [62] Order Must Be Restored -------------------------------------------------------------------------------------------------------- -- QuestLevelPatch variables -- -------------------------------------------------------------------------------------------------------- local QuestLevelPatch = {} local E = unpack(ElvUI) local _G = _G local GetGossipActiveQuests = GetGossipActiveQuests local GetGossipAvailableQuests = GetGossipAvailableQuests local getn = table.getn local TRIVIAL_QUEST_DISPLAY, NORMAL_QUEST_DISPLAY = TRIVIAL_QUEST_DISPLAY, NORMAL_QUEST_DISPLAY local GossipResize = GossipResize local GetQuestWatchInfo = GetQuestWatchInfo local OBJECTIVE_TRACKER_COLOR = OBJECTIVE_TRACKER_COLOR local GetNumQuestLogEntries = GetNumQuestLogEntries local GetQuestLogTitle = GetQuestLogTitle local select = select local GetQuestLogSelection = GetQuestLogSelection -------------------------------------------------------------------------------------------------------- -- QuestLevelPatch hooked functions -- -------------------------------------------------------------------------------------------------------- -- Hook gossip frame function GossipFrameUpdate_hook() if not E.db.euiscript.QuestLevel then return; end local buttonIndex = 1 -- name, level, isTrivial, isDaily, isRepeatable, isLegendary, isIgnored, ... = GetGossipAvailableQuests() local availableQuests = {GetGossipAvailableQuests()} local numAvailableQuests = table.getn(availableQuests) for i=1, numAvailableQuests, 7 do local titleButton = _G["GossipTitleButton" .. buttonIndex] local title = "["..availableQuests[i+1].."] "..availableQuests[i] local isTrivial = availableQuests[i+2] if isTrivial then titleButton:SetFormattedText(TRIVIAL_QUEST_DISPLAY, title) else titleButton:SetFormattedText(NORMAL_QUEST_DISPLAY, title) end GossipResize(titleButton) buttonIndex = buttonIndex + 1 end if numAvailableQuests > 1 then buttonIndex = buttonIndex + 1 end -- name, level, isTrivial, isDaily, isLegendary, isIgnored, ... = GetGossipActiveQuests() local activeQuests = {GetGossipActiveQuests()} local numActiveQuests = table.getn(activeQuests) for i=1, numActiveQuests, 6 do local titleButton = _G["GossipTitleButton" .. buttonIndex] local title = "["..activeQuests[i+1].."] "..activeQuests[i] local isTrivial = activeQuests[i+2] if isTrivial then titleButton:SetFormattedText(TRIVIAL_QUEST_DISPLAY, title) else titleButton:SetFormattedText(NORMAL_QUEST_DISPLAY, title) end GossipResize(titleButton) buttonIndex = buttonIndex + 1 end end hooksecurefunc("GossipFrameUpdate", GossipFrameUpdate_hook) -- Hook objective tracker function SetBlockHeader_hook() if not E.db.euiscript.QuestLevel then return; end for i = 1, GetNumQuestWatches() do local questID, title, questLogIndex, numObjectives, requiredMoney, isComplete, startEvent, isAutoComplete, failureTime, timeElapsed, questType, isTask, isStory, isOnMap, hasLocalPOI = GetQuestWatchInfo(i) if ( not questID ) then break end local oldBlock = QUEST_TRACKER_MODULE:GetExistingBlock(questID) if oldBlock then local oldBlockHeight = oldBlock.height local oldHeight = QUEST_TRACKER_MODULE:SetStringText(oldBlock.HeaderText, title, nil, OBJECTIVE_TRACKER_COLOR["Header"]) local newTitle = "["..select(2, GetQuestLogTitle(questLogIndex)).."] "..title local newHeight = QUEST_TRACKER_MODULE:SetStringText(oldBlock.HeaderText, newTitle, nil, OBJECTIVE_TRACKER_COLOR["Header"]) oldBlock:SetHeight(oldBlockHeight + newHeight - oldHeight); end end end hooksecurefunc(QUEST_TRACKER_MODULE, "Update", SetBlockHeader_hook) -- Hook quest log on map function QuestLogQuests_hook(self, poiTable) if not E.db.euiscript.QuestLevel then return; end local button for button in QuestScrollFrame.titleFramePool:EnumerateActive() do local title, level, suggestedGroup, isHeader, isCollapsed, isComplete, frequency, questID, startEvent, displayQuestID, isOnMap, hasLocalPOI, isTask, isBounty, isStory, isHidden = GetQuestLogTitle(button.questLogIndex) local buttonText = button.Text:GetText() or '' local oldBlockHeight = button:GetHeight() local oldHeight = button.Text:GetStringHeight() local newTitle = "["..level.."] "..buttonText button.Text:SetText(newTitle) local newHeight = button.Text:GetStringHeight() button:SetHeight(oldBlockHeight + newHeight - oldHeight) end end hooksecurefunc("QuestLogQuests_Update", QuestLogQuests_hook) -- Hook quest info function QuestInfo_hook(template, parentFrame, acceptButton, material, mapView) local elementsTable = template.elements for i = 1, #elementsTable, 3 do if elementsTable[i] == QuestInfo_ShowTitle then if QuestInfoFrame.questLog then local questLogIndex = GetQuestLogSelection() local level = select(2, GetQuestLogTitle(questLogIndex)) or "?" local oldTitle = QuestInfoTitleHeader:GetText() or "" local newTitle = "["..level.."] "..oldTitle QuestInfoTitleHeader:SetText(newTitle) end end end end hooksecurefunc("QuestInfo_Display", QuestInfo_hook)
local parser = {} return parser
local pg = require('PiroGame/PiroGame'); local gs = require('GameState'); local mms = pg.class('MainMenuState', gs); function mms.testscore(button) button.gameState.game.currentScore = { name = 'Test level', time = 1010101, points = 1234 }; button.gameState.game:switchState('SaveScoreState'); end function mms:initialize(game) gs.initialize(self, game); self:resize(love.window.getMode()); end function mms:draw() local slab = self.game.slab; slab.BeginWindow("MMW"); slab.Text(self.game.version); if (slab.Button("Levels")) then self.game:switchState("LevelListState"); end if (slab.Button("Quit")) then love.event.push("quit"); end slab.EndWindow(); end function mms:resize(w, h) end return mms;
-- Config local storage_types = { "minecraft:chest", "ironchest:iron_chest", "ironchest:gold_chest", "ironchest:diamond_chest", "ironchest:copper_chest", "ironchest:silver_chest", "ironchest:obsidian_chest" } local io_types = {"minecraft:trapped_chest", "ironchest:crystal_chest"} local listening_channel = 234 -- End of Config -- Check config settings local cc_expect = require("cc.expect") cc_expect.expect(1, storage_types, "table") cc_expect.expect(1, io_types, "table") cc_expect.expect(1, listening_channel, "number") local common_functions = require(".storage.common_functions") local Controller = require("controller") -- To please the lua diagnostics os.pullEvent = os.pullEvent or printError("os.pullEvent missing") -- Returns array of inventories of peripheral type local function find_inventories(types) local result = {} for _, type in pairs(types) do local found_invs = table.pack(peripheral.find(type)) for k, inv in pairs(found_invs) do -- TODO Ignore sides, since inventory.pull/pushItem doesn't work with them if k ~= "n" then table.insert(result, inv) end end end return result end -- Find modems local modems = table.pack(peripheral.find("modem")) if #modems <= 0 then printError("No modem found, please attach one!") return else print(#modems .. " modems mounted.\n") end ---- NETWORKING STUFF ---- local function receive_string_ping(modem, reply_channel) modem.transmit(reply_channel, listening_channel, "PONG") print("Replied to ping") end local function receive_string_clear_io() -- TODO: Confirmation -- modem.transmit(listening_channel, channel, "CLEARED IO") print("Clearing io") Controller:io_clear() end local function receive_string_items(modem, reply_channel) local items = Controller:export_item_table() modem.transmit(reply_channel, listening_channel, items) print("Sent items") end local networking_actions_string = {["PING"] = receive_string_ping, ["CLEAR IO"] = receive_string_clear_io, ["ITEMS"] = receive_string_items} local function receive_table_pull_item(_, _, message) local io_inv = peripheral.wrap(message.io_inv_name) local item_name = message.item_name local amount = message.amount print("Pulling", amount, item_name, "into", message.io_inv_name) Controller:io_pull_item(io_inv, item_name, amount) end local networking_actions_table = {["PULL ITEM"] = receive_table_pull_item} print("Searching for inventories..") Controller.storage_inventories = find_inventories(storage_types) print("-Found " .. common_functions.tablelength(Controller.storage_inventories) .. " storage inventories") Controller.io_inventories = find_inventories(io_types) print("-Found " .. common_functions.tablelength(Controller.io_inventories) .. " io inventories") print() print("Scanning inventories..") Controller:populate_items() print("-Found " .. common_functions.tablelength(Controller.items) .. " different items.") print() for key, modem in pairs(modems) do if (key ~= "n") then modem.open(listening_channel) end end print("Listening on port " .. listening_channel) -- Main loop while true do local _, peripheral_name, _, reply_channel, message = os.pullEvent("modem_message") local modem = peripheral.wrap(peripheral_name) if type(message) == "string" then local action = networking_actions_string[message] if action ~= nil then action(modem, reply_channel) else printError("Unknown string message: ", message) end elseif type(message) == "table" then local action = networking_actions_table[message.action] if action ~= nil then action(modem, reply_channel, message) else printError("Unknown table message action: ", message.action) end else printError("Unknown " .. type(message) .. " message: ", message) end end
--[[ GetPostions: Return the postion of Mario Using in game Hex Bits --]] function getPositions() --In the classic game the X bit is done using a paging bit first --This allows you to have bigger numbers than 256 marioPage=memory.readbyte(0x6D) marioX = memory.readbyte(0x6D) * 0x100 + memory.readbyte(0x86) marioY = memory.readbyte(0x03B8)+16 marioScore = memory.readbyte(0x7D8)*100000+memory.readbyte(0x07D9)*10000+memory.readbyte(0x07DA)*1000 marioScore = marioScore+memory.readbyte(0x07DB)*100 + memory.readbyte(0x07DC)*10 + memory.readbyte(0x07DC)*1 pool.marioLevel = memory.readbyte(0x075C) pool.marioWorld = memory.readbyte(0x075F) --marioScore= 19 screenX = memory.readbyte(0x03AD) screenY = memory.readbyte(0x03B8) end --[[ getTile: Return each of the tiles used for the input Return: Whether the tile is --]] function getTile(dx, dy) --Dx plus what page they are on local x = marioX + dx + 8 local y = marioY + dy - 16 local page = math.floor(x/256)%2 local subx = math.floor((x%256)/16) local suby = math.floor((y - 32)/16) local addr = 0x500 + page*13*16+suby*16+subx if suby >= 13 or suby < 0 then return 0 end if memory.readbyte(addr) ~= 0 and memory.readbyte(addr) ~= 0xC2 then return 1 else return 0 end end --[[ GetSprites: Return the monster if they are on a tile --]] function getSprites() local sprites = {} for slot=0,6 do --Reads the four slots and see if there are monsters 000F-0012 local enemy = memory.readbyte(0xF+slot) --What page number an enemy is on and what's it's x and y if enemy ~= 0 then local ex = memory.readbyte(0x6E + slot)*0x100 + memory.readbyte(0x87+slot) local ey = memory.readbyte(0xCF + slot)+24 local obj= memory.readbyte(0x0016+slot) --Go to the end of the list no append --Add the tuple X and Y of each monster sprites[#sprites+1] = {["x"]=ex,["y"]=ey,["obj"]=obj} end end return sprites end --[[ GetInputs: Uses the previous functions to generates all inputs --]] function getInputs() getPositions() sprites = getSprites() local inputs = {} local block=0 --For loop dy from negative 16 times the BoxRadius to postive 16 times the BoxRadius incrementing by 16 --It will loop BoxRadius*Two for dy=-BoxRadius*16,BoxRadius*16,16 do --Do the same thing for y's for dx=-BoxRadius*16,BoxRadius*16,16 do --Initializes all inputs to 0 inputs[#inputs+1] = 0 tile = getTile(dx, dy) --If the current location is a block and above the screen set input to 1 if (tile == 1 and marioY+dy < 0x1B0) or block>0 then block=block-1 inputs[#inputs] = 1 end --If the current tile is then where a monster is set it to -1 for i = 1,#sprites do distx = math.abs(sprites[i]["x"] - (marioX+dx)) disty = math.abs(sprites[i]["y"] - (marioY+dy)) if distx <= 8 and disty <= 8 then if sprites[i]["obj"]>=0x24 and sprites[i]["obj"]<=0x28 then inputs[#inputs]=1 block=2 elseif sprites[i]["obj"]==0x2B then inputs[#inputs]=1 block=1 blocky=7 elseif sprites[i]["obj"]==0x2C then inputs[#inputs]=1 block=1 --inputs[#inputs-(7*BoxRadius*2+6)]=1 --inputs[#inputs-(7*BoxRadius*2+6+1)]=1 else inputs[#inputs] = -1 end end end end end for dy=-BoxRadius*16,BoxRadius*16,16 do --Do the same thing for y's for dx=-BoxRadius*16,BoxRadius*16,16 do --Initializes all inputs to 0 inputs[#inputs+1] = 0 tile = getTile(dx, dy) --If the current location is a block and above the screen set input to 1 if tile == 0 and marioY+dy < 0x1B0 then inputs[#inputs] = 1 end end end return inputs end
object_mobile_otonon_tracks_ice_cream = object_mobile_shared_otonon_tracks_ice_cream:new { } ObjectTemplates:addTemplate(object_mobile_otonon_tracks_ice_cream, "object/mobile/otonon_tracks_ice_cream.iff")
local uv = require('uv') local getenv = require('os').getenv local success, luvi = pcall(require, 'luvi') if success then loadstring(luvi.bundle.readfile("luvit-loader.lua"), "bundle:luvit-loader.lua")() else dofile('luvit-loader.lua') end local connect = require('redis-client') local p = require('pretty-print').prettyPrint local sha1 = require('sha1') local json = require('json') local msgpack = require('msgpack') local S = require('schema') local Array = S.Array local String = S.String local Optional = S.Optional local Int = S.Int local CustomString = S.CustomString local addSchema = S.addSchema local Hash = CustomString("Hash", function (str) return #str == 40 and str:match("^[0-9a-fA-F]+$") end) local Email = CustomString("Email", function (str) return str:match(".@.") end) -- String representation of module public interface in schema format. local Type = CustomString("Type", function (str) -- TODO: compile type interface return str end) local q local function query(...) if not q then q = connect() end return q(...) end local function exists(hash) return assert(query("exists", hash)) ~= 0 end -- hashes are put in this table with an associated timeout timestamp -- If they are still in here when the timestamp expires, the corresponding -- key is deleted from the database. local temps = {} local interval = uv.new_timer() interval:start(1000, 1000, function () local now = uv.now() local expired = {} for key, ttl in pairs(temps) do if ttl < now then expired[key] = true end end for key in pairs(expired) do temps[key] = nil print("Ejecting timed out value", key) coroutine.wrap(function () query("del", key) end)() end end) interval:unref() local function validateHash(hash, name) if not exists(hash) then error(name .. " points to missing hash: " .. hash) end temps[hash] = nil end local function validatePairsHashes(list, group) for i = 1, #list do local name, hash = unpack(list[i]) validateHash(hash, name .. group) end end local publish = assert(addSchema("publish", { {"message", { name = String, -- single word name code = Hash, -- Source code to module as a single file. description = String, -- single-line description interface = Optional(Type), -- type signature of module's exports. docs = Hash, -- Markdown document with full documentation dependencies = Optional(Array({String,Hash})), -- Mapping from local aliases to hash. assets = Optional(Array({String,Hash})), -- Mapping from name to binary data. tests = Array({String, Hash}), -- Unit tests as array of named files. owners = Array(Email), -- List of users authorized to publish updates changes = Optional{ -- Fine grained data about change history parent = Hash, -- Parent module level = Optional(Int), -- 0 - metadata-only, 1 - backwards-compat, 2 - breaking meta = Optional(Array(String)), -- metadata related changes fixes = Optional(Array(String)), -- bug fixes additions = Optional(Array(String)), -- New features changes = Optional(Array(String)), -- breaking changes }, license = String }}, }, { {"hash", Hash}, }, function (message) local data = msgpack.encode(message) local hash = sha1(data) if exists(hash) then return hash end validateHash(message.code, "code") if message.docs then validateHash(message.docs, "docs") end if message.dependencies then validatePairsHashes(message.dependencies, " dependency") end if message.assets then validatePairsHashes(message.assets, " asset") end if message.tests then validatePairsHashes(message.tests, " test") end if message.changes then validateHash(message.changes.parent, "changes.parent") end query("set", hash, data) return hash end)) require('weblit-app') .use(require('weblit-logger')) .use(require('weblit-auto-headers')) .use(require('weblit-etag-cache')) .route({ method = "GET", path = "/:hash" }, function (req, res) local hash = req.params.hash assert(#hash == 40, "hash param must be 40 characters long") local data = query("get", hash) if not data then return end res.code = 200 res.headers["Content-Type"] = "application/octet-stream" res.body = data end) .route({ method = "PUT", path = "/:hash" }, function (req, res) local hash = req.params.hash assert(#hash == 40, "hash param must be 40 characters long") local body = assert(req.body, "missing request body") assert(sha1(body) == hash, "hash mismatch") if exists(hash) then res.code = 200 -- TODO: find out if we can cancel upload in case value already exists. else assert(query("set", hash, body)) res.code = 201 temps[hash] = uv.now() + (5 * 60 * 1000) end res.body = nil res.headers["ETag"] = '"' .. hash .. '"' end) .route({ method = "POST", path = "/" }, function (req, res) local body = assert(req.body, "missing request body") local message local contentType = assert(req.headers["Content-Type"], "Content-Type header missing") if contentType == "application/json" then message = assert(json.parse(body)) elseif contentType == "application/msgpack" then message = assert(msgpack.decode(body)) else error("Supported content types are application/json and application/msgpack") end local hash = assert(publish(message)) res.code = 201 res.body = hash res.headers["Refresh"] = '/' .. hash res.headers["Content-Type"] = 'text/plain' end) .bind { host = getenv('HOST') or '127.0.0.1', port = getenv('PORT') or 4000 } .start() require('uv').run()
musicentity = class("musicentity") function musicentity:init(x, y, r) self.x = x self.y = y self.cox = x self.coy = y self.visible = false self.r = {unpack(r)} self.single = true self.triggered = false table.remove(self.r, 1) table.remove(self.r, 1) --VISIBLE if #self.r > 0 and self.r[1] ~= "link" then self.visible = (self.r[1] == "true") table.remove(self.r, 1) end --Single Trigger if #self.r > 0 and self.r[1] ~= "link" then self.single = (self.r[1] == "true") table.remove(self.r, 1) end --MUSIC SOURCE if #self.r > 0 and self.r[1] ~= "link" then self.musicname = self.r[1] table.remove(self.r, 1) end end function musicentity:link() while #self.r > 3 do for j, w in pairs(outputs) do for i, v in pairs(objects[w]) do if tonumber(self.r[3]) == v.cox and tonumber(self.r[4]) == v.coy then v:addoutput(self, self.r[2]) end end end table.remove(self.r, 1) table.remove(self.r, 1) table.remove(self.r, 1) table.remove(self.r, 1) end end function musicentity:draw() if self.visible then love.graphics.setColor(255, 255, 255) love.graphics.draw(musicentityimg, math.floor((self.x-1-xscroll)*16*scale), ((self.y-yscroll-1)*16-8)*scale, 0, scale, scale) end end function musicentity:input(t, input) if t ~= "off" then if not self.triggered or not self.single then self.triggered = true stopmusic() if self.musicname ~= "none.ogg" then musicname = self.musicname playmusic() end end end end
local utils = {} utils.if_nil = function(x, was_nil, was_not_nil) if x == nil then return was_nil else return was_not_nil end end utils.get_default = function(x, default) return utils.if_nil(x, default, x) end utils.get_border = function(title, width, title_pos) local top = '╭' .. string.rep('─', width - 2) .. '╮' local mid = '│' .. string.rep(' ', width - 2) .. '│' local bot = '╰' .. string.rep('─', width - 2) .. '╯' if title then if title_pos == 'center' or title_pos == '' then local even_space = string.len(title) % 2 local pad = (width - string.len(title) - 1)/2 top = '╭' .. string.rep('─', pad) .. title .. string.rep('─', pad - even_space) .. '╮' elseif title_pos == 'right' then top = '╭' .. string.rep('─', width - (3 + string.len(title))) .. title .. '─╮' end end return { top=top , mid=mid, bot=bot} end utils.runUserAutocmdLoaded = function() vim.cmd'do User NotifierNotificationLoaded' end return utils
function SMOnlineScreen() for pn in ivalues(GAMESTATE:GetHumanPlayers()) do if not IsSMOnlineLoggedIn(pn) then return "ScreenSMOnlineLogin" end end return "ScreenNetRoom" end function SelectMusicOrCourse() if IsNetSMOnline() then return "ScreenNetSelectMusic" elseif GAMESTATE:IsCourseMode() then return "ScreenSelectCourse" else return "ScreenSelectMusic" end end -- help if not Branch then Branch = {} end Branch.GameStart = function() local AutoSetStyle = THEME:GetMetric("Common","AutoSetStyle") == true return AutoSetStyle and "ScreenSelectNumPlayers" or "ScreenSelectStyle" end -- assumes a branch table exists in the fallback theme: Branch.NetworkConnect = function() if IsNetSMOnline() then return "ScreenReportStyle" end return "ScreenServerConnect" end Branch.ReportStyle = function() if IsNetConnected() then ReportStyle() end if IsNetSMOnline() then return SMOnlineScreen() end end Branch.ServerConnectNext = function() if IsNetConnected() then return "ScreenReportStyle" end if IsNetSMOnline() then return SMOnlineScreen() end return "ScreenSelectMode" -- exiting while offline end Branch.PlayerOptions = function() local pm = GAMESTATE:GetPlayMode() local restricted = { "PlayMode_Oni", "PlayMode_Rave", --"PlayMode_Battle" -- has forced mods as gameplay... } for i=1,#restricted do if restricted[i] == pm then if SCREENMAN:GetTopScreen():GetGoToOptions() then return "ScreenPlayerOptionsRestricted" else return "ScreenStageInformation" end end end if SCREENMAN:GetTopScreen():GetGoToOptions() then return "ScreenPlayerOptions" else return "ScreenStageInformation" end end Branch.BackOutOfPlayerOptions = function() local env = GAMESTATE:Env() if env["Network"] then return "ScreenNetSelectMusic" else if GAMESTATE:IsCourseMode() then return "ScreenSelectCourse" else return "ScreenSelectMusic" end end end Branch.AfterContinue = function() -- Nobody joined? Show the game over. if GAMESTATE:GetNumPlayersEnabled() == 0 then return "ScreenGameOver" end -- The player is reset. This means a few things, but I need to do some testing. -- (might depend on value of AutoSetStyle.) local AutoSetStyle = THEME:GetMetric("Common","AutoSetStyle") == true if STATSMAN:GetStagesPlayed() == 0 then return AutoSetStyle and "ScreenProfileLoad" or "ScreenSelectStyle" end return "ScreenProfileLoad" end
-- VECTOR 2D function CreateVector(x, y) return { x = x, y = y } end function CreateZeroVector() return CreateVector(0, 0) end -- returns a new vector (a lua table w/ x and y properties) function CloneVector(original) return CreateVector(original.x, original.y) end function SetVector(v, x, y) v.x = x v.y = y end function MagnitudeSquared(x, y) return x * x + y * y end function Magnitude(x, y) return math.sqrt(x * x + y * y) end function Normalize(x, y) local magnitude = Magnitude(x, y) if magnitude == 0 then Log("attempted to normalize zero-length vector.") return 0, 0 end return x / magnitude, y / magnitude end function Scale(x, y, scale) return x * scale, y * scale end function VectorTo(fromX, fromY, toX, toY) return toX - fromX, toY - fromY end --arguments should both be 2d vectors function To(from, to) return to.x - from.x, to.y - from.y end --sets outVector to the direction and magnitude specified in the parameters. --direction does not need to be normalized for this function. function Set(outVector, directionX, directionY, magnitude) outVector.x, outVector.y = Normalize(directionX, directionY) outVector.x, outVector.y = Scale(outVector.x, outVector.y, magnitude) end -- mad is shorthand for "multiply then add" aka fused multiply-add: -- a + b x c -- This is useful for adding a scaled vector as an offset from a point -- represented as a vector, and comes up often for dot products, matrix -- multiplies, etc. -- -- parameters: -- vec1 and vec2 are tables that have .x and .y properties. -- scale is a number. function Mad(vec1, vec2, scale) return vec1.x + vec2.x * scale, vec1.y + vec2.y * scale end -- POINTS function DistanceSquared(x1, y1, x2, y2) return MagnitudeSquared(x2 - x1, y2 - y1) end function Distance(x1, y1, x2, y2) return Magnitude(x2 - x1, y2 - y1) end -- CIRCLES function IsPointInCircle(x, y, circle) return Distance(x, y, circle.x, circle.y) <= circle.radius end function IsPointInCircle(x, y, circleX, circleY, circleRadius) return Distance(x, y, circleX, circleY) <= circleRadius end --function CirclesOverlap(circle1, circle2) -- return Distance(circle1.x, circle1.y, circle2.x, circle2.y) <= circle1.radius + circle2.radius --end function CirclesOverlap(x1, y1, radius1, x2, y2, radius2) return Distance(x1, y1, x2, y2) <= radius1 + radius2 end -- BOXES function IsPointInBox(x, y, box) return x >= box.x and x <= box.x + box.w and y >= box.y and y <= box.y + box.h end function BoxesOverlapWH(x1, y1, w1, h1, x2, y2, w2, h2) if x1 >= x2 + w2 then return false end if y1 >= y2 + h2 then return false end if x2 >= x1 + w1 then return false end if y2 >= y1 + h1 then return false end return true end function BoxesOverlap(box1, box2) return BoxesOverlapWH(box1.x, box1.y, box1.w, box1.h, box2.x, box2.y, box2.w, box2.h) end -- CIRCLE-BOX COLLISION function CircleBoxOverlap(circle, box) local closestX; local closestY; if circle.x < box.x then closestX = box.x elseif circle.x > box.x + box.w then closestX = box.x + box.w else closestX = circle.x end if circle.y < box.y then closestY = box.y elseif circle.y > box.y + box.h then closestY = box.y + box.h else closestY = circle.y end return Distance(closestX, closestY, circle.x, circle.y) < circle.radius; end -- MISC function Clamp(value, min, max) return math.min(math.max(value, min), max) end
--[[ Copyright (c) 2015, Robert 'Bobby' Zenz All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. --]] --- Provides various utility functions for working with items. itemutil = { --- The split mode for randomly splitting the stack. SPLIT_MODE_RANDOM = "random", --- The split mode for splitting the stack into single items. SPLIT_MODE_SINGLE = "single", --- The split mode for preserving the complete stack. SPLIT_MODE_STACK = "stack" } --- "Blops" the item into existence at the given position and assigns it -- a random velocity/acceleration. -- -- @param position_or_object The position, a pos value or an ObjectRef. -- @param itemstrings_or_stacks The item string or an ItemStack. -- @param x_strength Optional. The strength of the random movement in -- the x direction, defaults to 5. -- @param y_strength Optional. The strength o the random movement in -- the y direction, defaults to 5, minimum is 1. -- @param z_strength Optional. The strength of the random movement in -- the z direction, defaults to 5. -- @param split_mode Optional. The mode for splitting the items, defaults -- to SPLIT_MODE_STACK. -- @return The spawned items in a List. function itemutil.blop(position_or_object, itemstrings_or_stacks, x_strength, y_strength, z_strength, split_mode) x_strength = x_strength or 5 y_strength = math.max(y_strength or 5, 1) z_strength = z_strength or 5 split_mode = split_mode or itemutil.SPLIT_MODE_STACK local position = position_or_object if type(position.getpos) == "function" then position = position:getpos() end local itemstrings = List:new() if type(itemstrings_or_stacks) == "table" then for index, itemstring_or_stack in ipairs(itemstrings_or_stacks) do itemstrings:add_list(itemutil.split(itemstring_or_stack, split_mode)) end else itemstrings:add_list(itemutil.split(itemstrings_or_stacks, split_mode)) end local spawned_items = List:new() itemstrings:foreach(function(itemstring, index) local spawned_item = minetest.add_item(position, itemstring) if spawned_item ~= nil then spawned_item:setvelocity({ x = random.next_float(-x_strength, x_strength), y = random.next_float(1, y_strength), z = random.next_float(-z_strength, z_strength) }) -- This is a workaround because the newly spawned items do not have -- an age field for some reason. spawned_item:get_luaentity().age = 0 spawned_items:add(spawned_item) end end) return spawned_items end --- Gets the item string from the given item. -- -- @param item The item for which to get the item string. -- @return The item string, or nil. function itemutil.get_itemstring(item) if item ~= nil then if type(item) == "string" then return item elseif type(item.to_string) == "function" then return item:to_string() end end return nil end --- Splits the given item stack according to the provided method. -- -- @param itemstring_or_itemstack The item string or ItemStack to split. -- @param split_mode The split mode. -- @return A List of item strings, an empty List it could not be split. function itemutil.split(itemstring_or_itemstack, split_mode) if split_mode == itemutil.SPLIT_MODE_RANDOM then return itemutil.split_random(itemstring_or_itemstack) elseif split_mode == itemutil.SPLIT_MODE_SINGLE then return itemutil.split_single(itemstring_or_itemstack) elseif split_mode == itemutil.SPLIT_MODE_STACK then return List:new(itemutil.get_itemstring(itemstring_or_itemstack)) end return List:new() end --- Splits the given item stack randomly. -- -- @param itemstring_or_itemstack The item string or ItemStack to split -- randomly. -- @return The List of item strings. function itemutil.split_random(itemstring_or_itemstack) local stack = ItemStack(itemstring_or_itemstack) local itemstrings = List:new() local name = stack:get_name() local remaining = stack:get_count() while remaining > 0 do local count = random.next_int(1, remaining) local itemstring = name .. " " .. tostring(count) itemstrings:add(itemstring) remaining = remaining - count; end return itemstrings end --- Splits the given item stack into single items. -- -- @param itemstring_or_itemstack The item string or ItemStack to split -- into single items. -- @return The List of item strings. function itemutil.split_single(itemstring_or_itemstack) local stack = ItemStack(itemstring_or_itemstack) local itemstrings = List:new() local name = stack:get_name() for counter = 1, stack:get_count(), 1 do itemstrings:add(name) end return itemstrings end
function change(startX, startY, endX, endY, screen, color, name) local tempScreen = screen for y=startY, endY do for x=startX, endX do screen[name][x][y] = screen[x][y] screen[x][y] end end end
-------------------------------------------------------------------------------- -- Handler.......... : onSconAnalogActionContinuous -- Author........... : -- Description...... : -------------------------------------------------------------------------------- -------------------------------------------------------------------------------- function Steam.onSconAnalogActionContinuous ( sControllerID, sAction, sActionSet, nX, nY, kSource, kSourceMode ) -------------------------------------------------------------------------------- -- debug -- log.message ( "SCON ANALOG: "..sControllerID .. " from " .. sAction .. " in " .. sActionSet .. " by " .. table.getAt ( this.tSconActionOrigins ( ), kSource ) .. " mode " .. table.getAt ( this.tSconSourceModes ( ), kSourceMode ) .. " ,VAL X " .. nX .. " VAL Y " .. nY ) -------------------------------------------------------------------------------- end --------------------------------------------------------------------------------
-- See LICENSE for terms -- unlock the tech at start local function Startup() UnlockBuilding("DefenceTower") end OnMsg.CityStart = Startup OnMsg.LoadGame = Startup --~ local next, pairs = next, pairs --~ local IsValid = IsValid --~ local IsValidThread = IsValidThread --~ local CreateRealTimeThread = CreateRealTimeThread --~ local PlayFX = PlayFX --~ local PlaySound = PlaySound --~ local GetSoundDuration = GetSoundDuration --~ local Sleep = Sleep -- list of devil handles we're attacking local devils = {} function OnMsg.ClassesBuilt() -- replace orig func with mine local orig_DefenceTower_DefenceTick = DefenceTower.DefenceTick function DefenceTower:DefenceTick(...) -- place at end of function to have it protect dustdevils before meteors orig_DefenceTower_DefenceTick(self, ...) -- copied from orig func if IsValidThread(self.track_thread) then return end -- list of dustdevils on map local dustdevils = g_DustDevils or "" for i = 1, #dustdevils do local obj = dustdevils[i] -- get dist (added * 10 as it didn't see to target at the range of it's hex grid) -- It could be from me increasing protection radius, or just how it targets meteors if IsValid(obj) and self:GetVisualDist(obj) <= self.shoot_range * 10 then -- make sure tower is working if not IsValid(self) or not self.working or self.destroyed then return end -- .follow = small ones attached to majors (they go away if major is gone) if not obj.follow and not devils[obj.handle] then -- aim the tower at the dustdevil self:OrientPlatform(obj:GetVisualPos(), 7200) -- fire in the hole local rocket = self:FireRocket(nil, obj) -- store handle so we only launch one per devil devils[obj.handle] = obj -- seems like safe bets to set self.meteor = obj self.is_firing = true -- sleep till rocket explodes CreateRealTimeThread(function() while rocket.move_thread do Sleep(500) end -- make it pretty if IsValid(obj) then local snd = PlaySound("Mystery Bombardment ExplodeAir", "ObjectOneshot", nil, 0, false, obj) PlayFX("AirExplosion", "start", obj, obj:GetAttaches()[1], obj:GetPos()) Sleep(GetSoundDuration(snd)) -- kill the devil object obj:delete() end self.meteor = false self.is_firing = false end) -- back to the usual stuff Sleep(self.reload_time) return true end end end -- only remove devil handles if they're actually gone if next(devils) then for handle, obj in pairs(devils) do if not IsValid(obj) then devils[handle] = nil end end end end -- DefenceTick end -- ClassesBuilt --[[ -- spawn a bunch of dustdevils to test for _ = 1, 15 do local data = DataInstances.MapSettings_DustDevils local descr = data[mapdata.MapSettings_DustDevils] or data.DustDevils_VeryLow GenerateDustDevil(GetCursorWorldPos(), descr, nil, "major"):Start() end for _ = 1, 15 do local data = DataInstances.MapSettings_DustDevils local descr = data[mapdata.MapSettings_DustDevils] or data.DustDevils_VeryLow GenerateDustDevil(GetCursorWorldPos(), descr, nil):Start() end ]]
if mg.request_info.request_method=='SUBSCRIBE' then --UUIDを作って投げるだけ package.path=mg.script_name..'/../../?.lua' mg.write('HTTP/1.1 200 OK\r\n', 'SID: uuid:'..require('uuid4').getUUID():lower()..'\r\n', 'Server: '..mg.system:gsub(' ','/')..' UPnP/1.1 EpgTimerSrv/0.10\r\n', 'Timeout: Second-1800\r\n', 'Content-Length: 0\r\n', 'Connection: close\r\n\r\n') else mg.write('HTTP/1.1 200 OK\r\n', 'Content-Length: 0\r\n', 'Connection: close\r\n\r\n') end
function C_GM13B_GUI_Panel:Fill_GM13B_SubTab_Map(GM13B_SubTab_Map) -- Setup local GM13B_SubTab_Map_PropertySheet = vgui.Create("DPropertySheet") GM13B_SubTab_Map_PropertySheet:SetParent(GM13B_SubTab_Map) GM13B_SubTab_Map_PropertySheet:Dock(FILL) local GM13B_SubTab_Map_Top = vgui.Create("DPanel") GM13B_SubTab_Map:SetBackgroundColor(Color(51, 51, 51)) local GM13B_SubTab_Map_Btm = vgui.Create("DPanel") GM13B_SubTab_Map:SetBackgroundColor(Color(51, 51, 51)) -- top GM13B_SubTab_Map_Image_top = vgui.Create("DImage", GM13B_SubTab_Map_Top) GM13B_SubTab_Map_Image_top:SetImage( "theendboss101/cgm13bgui/top" ) GM13B_SubTab_Map_Image_top:SetPos(50, 5) GM13B_SubTab_Map_Image_top:SetSize(496, 396) -- Btm GM13B_SubTab_Map_Image_btm = vgui.Create("DImage", GM13B_SubTab_Map_Btm) GM13B_SubTab_Map_Image_btm:SetPos(100, 5) GM13B_SubTab_Map_Image_btm:SetSize(396, 396) GM13B_SubTab_Map_Image_btm:SetImage( "theendboss101/cgm13bgui/bottom" ) GM13B_SubTab_Map_PropertySheet:AddSheet( "Top", GM13B_SubTab_Map_Top, "icon16/photo.png", false, false, "Top") GM13B_SubTab_Map_PropertySheet:AddSheet( "Bottom", GM13B_SubTab_Map_Btm, "icon16/photo.png", false, false, "Bottom") end
function SetTarget( _configuration, _platform, _basepath ) --print(_configuration .. _platform) local platformname = _platform local archname = _platform if _platform == "x32" then platformname = "Win32" archname = "x86" end local strtarget = string.format( "%s/bin/%s_%s/", _basepath, _configuration, platformname ) local strobj = string.format( "%s/intermediate/%s_%s", _basepath, _configuration, platformname ) configuration {_configuration, _platform} targetdir( strtarget ) objdir( strobj ) end function SetLibs( _configuration, _platform, _basepath ) local platformname = _platform local archname = _platform if _platform == "x32" then platformname = "Win32" archname = "x86" end local strGlew if _platform == "native" then strGlew = string.format( "%s/3rdparty/glew-1.13.0/lib", _basepath ) else strGlew = string.format( "%s/3rdparty/glew-1.13.0/lib/release/%s", _basepath, platformname ) end local strSdl2 = string.format( "%s/3rdparty/SDL2-2.0.3/lib/%s/%s", _basepath, platformname, _configuration ) local strSdl2Options = string.format( "-F %s/3rdparty/SDL2-2.0.3/lib/%s/%s", _basepath, platformname, _configuration ) -- add framework search path for SDL2 if _platform == "native" then configuration {_configuration, _platform} linkoptions { strSdl2Options } end local strImgui = string.format( "%s/3rdparty/imgui/bin/%s_%s", _basepath, platformname, _configuration ) local strJsmn = string.format( "%s/3rdparty/jsmn/bin/%s_%s", _basepath, platformname, _configuration ) configuration {_configuration, _platform} libdirs { strGlew, strSdl2, strImgui, strJsmn } end -------------------------------------------------------- solution "sae" configurations { "Debug", "Release" } configuration "macosx" platforms { "native" } configuration "windows" platforms { "x32", "x64" } --filter { "platforms:x64" } -- system "Windows" -- architecture "x64" --filter { "platforms:x32" } -- system "Windows" -- architecture "x32" --------------------------------------------------------- project "bigball" kind "StaticLib" language "C++" files { "../../engine/src/**.h", "../../engine/src/**.cpp" } includedirs { "../../3rdparty/SDL2-2.0.3/include", "../../3rdparty/glew-1.13.0/include", "../../3rdparty/zlib-1.2.8", "../../3rdparty/jsmn", "../../3rdparty/imgui", "../../3rdparty" } defines { "_CRT_SECURE_NO_WARNINGS" } local targetpath = "../../engine" configuration "windows" SetTarget( "Debug", "x32", targetpath ) SetTarget( "Debug", "x64", targetpath ) SetTarget( "Release", "x32", targetpath ) SetTarget( "Release", "x64", targetpath ) configuration "macosx" SetTarget( "Debug", "native", targetpath ) SetTarget( "Release", "native", targetpath ) configuration "Debug" defines { "_DEBUG" } flags { "Symbols" } configuration "Release" defines { "NDEBUG" } flags { "Optimize", "Symbols" } --optimize "On" configuration "macosx" buildoptions { "-std=c++11" } --, "-stdlib=libc++" } --------------------------------------------------------- project "sae" kind "ConsoleApp" language "C++" files { "../src/**.h", "../src/**.cpp" } --removefiles { "3rdparty/**", "mars**" } targetname "sae" defines { "_CRT_SECURE_NO_WARNINGS", "_WINDOWS", "_USRDLL" } flags { "NoPCH", "NoNativeWChar", "NoEditAndContinue" } includedirs { "../../engine/src/", "../../3rdparty", "../../3rdparty/SDL2-2.0.3/include", "../../3rdparty/glew-1.13.0/include", "../../3rdparty/zlib-1.2.8", "../../3rdparty/jsmn", "../../3rdparty/imgui", "../../3rdparty/eigen3", "../data/shader" } configuration "windows" links { "bigball", "glew32", "sdl2", "sdl2main", "opengl32", "imgui", "jsmn" } configuration "macosx" links { "bigball", "glew", "SDL2.framework", "OpenGL.framework", "imgui", "jsmn" } local targetpath = ".." local libpath = "../.." configuration "windows" SetTarget( "Debug", "x32", targetpath ) SetTarget( "Debug", "x64", targetpath ) SetTarget( "Release", "x32", targetpath ) SetTarget( "Release", "x64", targetpath ) SetLibs( "Debug", "x32", libpath ) SetLibs( "Debug", "x64", libpath ) SetLibs( "Release", "x32", libpath ) SetLibs( "Release", "x64", libpath ) configuration "macosx" SetTarget( "Debug", "native", targetpath ) SetTarget( "Release", "native", targetpath ) SetLibs( "Debug", "native", libpath ) SetLibs( "Release", "native", libpath ) configuration "Debug" defines { "_DEBUG" } flags { "Symbols" } configuration "Release" defines { "NDEBUG" } flags { "Optimize", "Symbols"} --optimize "On" configuration "macosx" linkoptions { "-std=c++11" } buildoptions { "-std=c++11" }
local scandir = require "scandir" local files, err = scandir.scandir(".") if files == nil then print("Failed to open dir: " .. err) os.exit(1) end local keys = { } for k,v in pairs(files) do table.insert(keys, k) end table.sort(keys) for _,k in pairs(keys) do print(k) -- print(k .. " type " .. files[k].type) end os.exit(0)
-- vim: ts=2 sw=2 sts=2 expandtab:cindent:formatoptions+=cro --------- --------- --------- --------- --------- --------- require "lib" require "rows" function dom(t,row1,row2, n,a0,a,b0,b,s1,s2) s1,s2,n = 0,0, 0 for _ in pairs(t.w) do n=n+1 end for c,w in pairs(t.w) do a0 = row1[c] b0 = row2[c] a = numNorm( t.nums[c], a0) b = numNorm( t.nums[c], b0) s1 = s1 - 10^(w * (a-b)/n) s2 = s2 - 10^(w * (b-a)/n) end return s1/n < s2/n end function doms(t, n,c,row1,row2,s) n= Lean.dom.samples c= #t.name + 1 print(cat(t.name,",") .. ",>dom") for r1=1,#t.rows do row1 = t.rows[r1] row1[c] = 0 for s=1,n do row2 = another(r1,t.rows) s = dom(t,row1,row2) and 1/n or 0 row1[c] = row1[c] + s end end dump(t.rows) end function mainDom() doms(rows()) end return {main = mainDom}
Ray Tracing mode script in vGPU ><RT-mod start.cfg> start rtcore start rtcore_client start coreboost start vcore start rtmod_script ><End of RT-mod start.cfg> ' Toggle rtcore> Cores: <rtcore1> <rtcore2> Clone core "rtcore1" and "rtcore2"x100000 Run all rt cores Basic vCores: 1 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 2 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 3 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 4 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 5 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 6 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 7 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 8 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 9 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 10 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 11 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 12 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 13 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 14 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 15 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 16 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 17 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 18 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 19 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 20 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 21 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 22 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 23 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 24 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 25 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 26 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 27 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 28 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 29 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 30 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 31 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 32 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 33 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 34 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 35 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 36 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 37 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 38 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 39 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 40 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 41 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 42 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 43 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 44 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 45 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 46 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 47 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 48 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 49 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 50 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 51 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 52 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 53 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 54 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 55 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 56 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 57 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 58 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 59 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 60 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 61 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 62 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 63 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 64 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 65 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 66 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 67 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 68 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 69 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 70 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 71 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 72 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 73 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 74 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 75 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 76 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 77 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 78 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 79 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> 80 line:<core1> <core2> <core3> <core4> <core5> <core6> <core7> <core8> <core9> <core10> <core11> <core12> -End core lines- ensure corelines run corelines }, }, }, ;
require("lua.log") counter = 0 function initialization_event() counter = ports:get_double_port("starter") log.debug(counter) return duration.new(0) end function unplanned_event(elapsed_dt) return duration.new(1) end function planned_event(elapsed_dt) counter = counter + 1 log.debug(counter) ports:set_port("counter",any.new(counter)) return duration.new(1) end function finalization_event(elapsed_dt) log.debug(elapsed_dt:to_int()) -- Keine Rückgabe! end
local langName = { common = { loaded = "Lang laoded", access = "Accéder" }, menu = { mainmenu = { title = "", tel = "Tel: ", police = "Menu Police", anim = "Animations", reper = "Répertoire", givecash = "Donner de l'argent", givedcash = "Donner de l'argent sale", inventory = "Inventaire", quantity = "Quantité : " }, police = { title = "Menu Police" } } } AddEventHandler("getLang", function(callback) callback(langName) end)
local Plugin = SS.Plugins:New("Title") // When players values get set function Plugin.PlayerSetVariables(Player) CVAR.New(Player, "Title", "Custom Title", "") end // When players GUI is updated function Plugin.PlayerUpdateGUI(Player) Player:SetNetworkedString("Title", CVAR.Request(Player, "title")) end // Chat command local PlayerTitle = SS.Commands:New("PlayerTitle") function PlayerTitle.Command(Player, Args) local Person, Error = SS.Lib.Find(Args[1]) local Title = table.concat(Args, " ", 2) if (string.lower(Title) == "none") then Title = "" end if (string.len(Title) >= 75) then Title = string.sub(Title, 0, 72).."..." end if (Person) then CVAR.Update(Person, "Title", Title) SS.PlayerMessage(Player, "You changed "..Person:Name().."'s custom title!", 0) if (Player == Person) then return end SS.PlayerMessage(Person, Player:Name().." changed your custom title to "..Title.."!", 0) else SS.PlayerMessage(Player, Error, 1) end end PlayerTitle:Create(PlayerTitle.Command, {"administrator", "playertitle"}, "Set somebodies custom title", "<Player> <Title>", 2, " ") // Finish plugin Plugin:Create()
local ffi = require("ffi") ffi.cdef[[ /* * IEEE 802.3 Ethernet magic constants. The frame sizes omit the preamble * and FCS/CRC (frame check sequence). */ static const int ETH_ALEN = 6; /* Octets in one ethernet addr */ static const int ETH_HLEN = 14; /* Total octets in header. */ static const int ETH_ZLEN = 60; /* Min. octets in frame sans FCS */ static const int ETH_DATA_LEN = 1500; /* Max. octets in payload */ static const int ETH_FRAME_LEN = 1514; /* Max. octets in frame sans FCS */ static const int ETH_FCS_LEN = 4; /* Octets in the FCS */ ]]
--[[-- path = request.get_path() Returns the path in the URL of the request. May return nil for a HTTP OPTIONS request with "*" target. --]]-- function request.get_path() return request._http_request.path end
pExodus.ItemId.FORGET_ME_LATER = Isaac.GetItemIdByName("Forget Me Later") local NumberFloors = 0 function pExodus.forgetMeLaterAdd() NumberFloors = pExodus.Level:GetAbsoluteStage() + math.random(2) end pExodus:AddCustomCallback(pExodus.ExodusCallbacks.MC_ADD_COLLECTIBLE, pExodus.forgetMeLaterAdd, pExodus.ItemId.FORGET_ME_LATER) function pExodus.forgetMeLaterUpdate() local player = Isaac.GetPlayer(0) if player:HasCollectible(pExodus.ItemId.FORGET_ME_LATER) then local levelStage = pExodus.Level:GetAbsoluteStage() if player:GetSprite():IsPlaying("Trapdoor") and levelStage >= NumberFloors then NumberFloors = nil pExodus.Game:StartStageTransition(true, 0) player:RemoveCollectible(pExodus.ItemId.FORGET_ME_LATER) end end end pExodus:AddCallback(ModCallbacks.MC_POST_UPDATE, pExodus.forgetMeLaterUpdate)
local GameCreationCallHandler = class() function GameCreationCallHandler:start_game_command(session, response) stonehearth.game_creation:start_game(session) response:resolve({}) end return GameCreationCallHandler
includeFile("dungeon/corellian_corvette/serverobjects.lua") includeFile("dungeon/death_watch_bunker/serverobjects.lua") includeFile("dungeon/geonosian_bio_lab/serverobjects.lua") includeFile("dungeon/warren/serverobjects.lua") includeFile("dungeon/exar_kun/serverobjects.lua")
--- --- Created by Jacobs Lei. --- DateTime: 2018/9/12 下午4:21 --- local _plastic = {} local str_find = string.find local str_upper = string.upper local cjson = require("core.utils.json") local param_type = require("core.constants.param_type") local ngx_req = ngx.req local quote_sql_str = ngx.quote_sql_str local DEBUG = ngx.DEBUG local ngx_log = ngx.log local ERR = ngx.ERR local function injection_translation(value,database_type) if not database_type or database_type ~= 'POSTGRESQL' then local v = quote_sql_str(value) if v then return string.sub(v,2,string.len(v)-1) end else local v = ndk.set_var.set_quote_pgsql_str(value) return string.sub(v,3,string.len(v)-1); end end local function param_quote_sql_str(args,param_name,database_type) if args then for k, v in pairs(args) do if type(v) ~= 'table' then if k == param_name then args[k] = injection_translation(v,database_type) end else param_quote_sql_str(v,param_name,database_type) end end end end function _plastic.plastic_query_string(param_name,database_type) local args = ngx_req.get_uri_args() param_quote_sql_str(args,param_name,database_type) ngx_req.set_uri_args(args) end function _plastic.plastic_post_param(param_name,database_type) local headers = ngx_req.get_headers() if not headers then ngx_log(ERR, "【req_var_plastic】headers is null") return end local content_type = headers['Content-Type'] if not content_type then ngx_log(DEBUG, "【req_var_plastic】 Content-Type is null") return end ngx_req.read_body() -- 1、content_type:x-www-form-urlencoded local is_x_www_form_urlencoded = str_find(content_type,"x-www-form-urlencoded",1,true) if is_x_www_form_urlencoded and is_x_www_form_urlencoded > 0 then local args,err = ngx_req.get_post_args() if not args or err then ngx_log(ERR, "【req_var_plastic】 failed to get post args: ", err) return end param_quote_sql_str(args,param_name,database_type) ngx_req.set_body_data(ngx.encode_args(args)) end -- 2、content_type:application/json local is_application_json = str_find(content_type,"application/json",1,true) if is_application_json and is_application_json > 0 then local body_data = ngx_req.get_body_data() if not body_data then ngx_log(ERR, "【req_var_plastic】 failed to get post args (application/json).") return end local decode_body_data = cjson.decode(body_data) param_quote_sql_str(decode_body_data,param_name,database_type) ngx_req.set_body_data(cjson.encode(decode_body_data)) end -- 3、content_type:application/json local is_multipart = str_find(content_type, "multipart") if is_multipart and is_multipart > 0 then local raw_body = ngx_req.get_body_data() if not raw_body then ngx_log(ERR, "[Extract multipart request body Variable] failed.") return end local multipart = require("core.utils.multipart") local multipart_data = multipart(raw_body,content_type) local args = multipart_data:get_all() if args then for k, v in pairs(args) do if type(v) ~= 'table' then if k == param_name then multipart_data:set_simple(param_name,injection_translation(v,database_type)) end end end end ngx_req.set_body_data(multipart_data:tostring()) end end function _plastic.plastic_header_param(param_name,database_type) local headers = ngx_req.get_headers() if not headers then return end for key, v in pairs(headers) do if key == param_name then if type(v) == 'table' then for i, _v in ipairs(v) do v[i] = injection_translation(_v,database_type) end else v = injection_translation(v,database_type) end ngx_req.set_header(param_name,v) end end end function _plastic.plastic_req_param_by_type_and_name(property_type,property_name,database_type) if str_upper(property_type) == str_upper(param_type.TYPE_HEADER) then _plastic.plastic_header_param(property_name,database_type) end if str_upper(property_type) == str_upper(param_type.TYPE_QUERY_STRING) then _plastic.plastic_query_string(property_name,database_type) end if str_upper(property_type) == str_upper(param_type.TYPE_POST_PARAM) then _plastic.plastic_post_param(property_name,database_type) end if str_upper(property_type) == str_upper(param_type.TYPE_JSON_PARAM) then _plastic.plastic_post_param(property_name,database_type) end end return _plastic
local vim, api, fn, exe = vim, vim.api, vim.fn, vim.api.nvim_command --[[ VARIABLES ]] -- These are constants for the indexes in the colors that were defined before. local _NONE = 'NONE' local _PALETTE_256 = 2 local _PALETTE_ANSI = 3 local _PALETTE_HEX = 1 local _TYPE_STRING = 'string' local _TYPE_TABLE = 'table' -- Determine which set of colors to use. local _USE_HEX = vim.o.termguicolors local _USE_256 if vim.env.TERM then _USE_256 = string.find(vim.env.TERM, '256') elseif vim.fn.exists('g:GuiLoaded') then _USE_256 = true else _USE_256 = vim.g['space_nvim#force_256colors'] or false end --[[ HELPER FUNCTIONS ]] -- Add the 'blend' parameter to some highlight command, if there is one. local function blend(command, attributes) -- {{{ † if attributes.blend then -- There is a value for the `highlight-blend` field. command[#command+1]=' blend='..attributes.blend end end -- filter a highlight group's style information local function filter_group_style(value) return value ~= 'background' and value ~= 'blend' and value ~= 'foreground' and value ~= 'special' end -- Get the color value of a color variable, or "NONE" as a default. local function get(color, index) -- {{{ † if type(color) == _TYPE_TABLE and color[index] then return color[index] elseif type(color) == _TYPE_STRING then return color else return _NONE end end --[[ If using hex and 256-bit colors, then populate the gui* and cterm* args. If using 16-bit colors, just populate the cterm* args. ]] local colorize = _USE_HEX and function(command, attributes) -- {{{ † command[#command+1]=' guibg='..get(attributes.bg, _PALETTE_HEX)..' guifg='..get(attributes.fg, _PALETTE_HEX) end or _USE_256 and function(command, attributes) command[#command+1]=' ctermbg='..get(attributes.bg, _PALETTE_256)..' ctermfg='..get(attributes.fg, _PALETTE_256) end or function(command, attributes) command[#command+1]=' ctermbg='..get(attributes.bg, _PALETTE_ANSI)..' ctermfg='..get(attributes.fg, _PALETTE_ANSI) end -- This function appends `selected_attributes` to the end of `highlight_cmd`. local stylize = _USE_HEX and function(command, style, color) command[#command+1]=' gui='..style if color then -- There is an undercurl color. command[#command+1]=' guisp='..get(color, _PALETTE_HEX) end end or function(command, style) command[#command+1]=' cterm='..style end local function tohex(rgb) return string.format('#%06x', rgb) end -- Load specific &bg instructions local function use_background_with(attributes) return setmetatable( attributes[vim.o.background], {['__index'] = attributes} ) end --[[ MODULE ]] local highlite = {} function highlite.group(group_name) local no_errors, group_definition = pcall(api.nvim_get_hl_by_name, group_name, vim.o.termguicolors) if not no_errors then group_definition = {} end -- the style of the highlight group local style = vim.tbl_filter(filter_group_style, vim.tbl_keys(group_definition)) if group_definition.special then style.color = tohex(group_definition.special) end return { ['fg'] = group_definition.foreground and tohex(group_definition.foreground) or _NONE, ['bg'] = group_definition.background and tohex(group_definition.background) or _NONE, ['blend'] = group_definition.blend, ['style'] = style or _NONE } end -- Generate a `:highlight` command from a group and some attributes. function highlite.highlight(highlight_group, attributes) -- {{{ † -- The base highlight command local highlight_cmd = {'hi! ', highlight_group} if type(attributes) == _TYPE_STRING then -- `highlight_group` is a link to another group. highlight_cmd[3] = highlight_cmd[2] highlight_cmd[2] = 'link ' highlight_cmd[4] = ' ' highlight_cmd[5] = attributes else -- The `highlight_group` is uniquely defined. -- Take care of special instructions for certain background colors. if attributes[vim.o.background] then attributes = use_background_with(attributes) end colorize(highlight_cmd, attributes) blend(highlight_cmd, attributes) local style = attributes.style or _NONE if type(style) == _TYPE_TABLE then -- Concat all of the entries together with a comma between before styling. stylize(highlight_cmd, table.concat(style, ','), style.color) else -- The style is just a single entry. stylize(highlight_cmd, style) end end exe(table.concat(highlight_cmd)) end function highlite:highlight_terminal(terminal_ansi_colors) for index, color in ipairs(terminal_ansi_colors) do vim.g['terminal_color_'..index] = vim.o.termguicolors and color[_PALETTE_HEX] or color[_PALETTE_256] or get(color, _PALETTE_ANSI) end end return setmetatable(highlite, { ['__call'] = function(self, normal, highlights, terminal_ansi_colors) -- function to resolve function highlight groups being defined by function calls. local function resolve(tbl, key, resolve_links) local value = tbl[key] local value_type = type(value) if value_type == 'function' then -- lazily cache the result; next time, if it isn't a function this step will be skipped tbl[key] = value(setmetatable({}, { ['__index'] = function(_, inner_key) return resolve(tbl, inner_key, true) end })) elseif value_type == _TYPE_STRING and not string.find(value, '^#') and resolve_links then return resolve(tbl, tbl[key], resolve_links) end return tbl[key] end -- save the colors_name before syntax reset local color_name = vim.g.colors_name -- Clear the highlighting. exe 'hi clear' -- If the syntax has been enabled, reset it. if fn.exists 'syntax_on' then exe 'syntax reset' end -- replace the colors_name vim.g.colors_name = color_name color_name = nil -- If we aren't using hex nor 256 colorsets. if not (_USE_HEX or _USE_256) then vim.o.t_Co = '16' end -- Highlight the baseline. self.highlight('Normal', normal) -- Highlight everything else. for highlight_group, _ in pairs(highlights) do self.highlight(highlight_group, resolve(highlights, highlight_group, false)) end -- Set the terminal highlight colors. self:highlight_terminal(terminal_ansi_colors) end })
object_tangible_furniture_all_frn_all_trophy_xandank = object_tangible_furniture_all_shared_frn_all_trophy_xandank:new { } ObjectTemplates:addTemplate(object_tangible_furniture_all_frn_all_trophy_xandank, "object/tangible/furniture/all/frn_all_trophy_xandank.iff")
function RPGM.Classes.TimeArgument(name, optional, default) local tbl = RPGM.Classes.Argument(name, optional, default) tbl.__type = "argument_time" tbl.DisplayType = "Time" function tbl:processString(str) local splitStr = string.Split(str, " ") if #splitStr < 1 then return self:getOptional(), str, self:getDefault() end local lastParseNo = false for k, v in ipairs(splitStr) do local text = table.concat(splitStr, " ", 1, k) if RPGM.Util.ParseTime(text) then lastParseNo = k end end if not lastParseNo then return self:getOptional(), str, self:getDefault() end local text = table.concat(splitStr, " ", 1, lastParseNo) return true, self:removeLeftChars(str, #text + 1), RPGM.Util.ParseTime(text) end return tbl end
do local _ = { ['automated-cleanup'] = { icon = '__base__/graphics/achievement/automated-cleanup.png', name = 'automated-cleanup', icon_size = 128, type = 'deconstruct-with-robots-achievement', steam_stats_name = 'deconstructed-by-robots', order = 'b[exploration]-c[deconstruct-with-robots]', amount = 100 } }; return _; end
-- rsyslog 添加配置 -- local4.* /var/log/app.log -- $EscapeControlCharactersOnReceive off -- local skynet = require "skynet.manager" local syslog = require "syslog" local date_helper = require "bw.util.date_helper" local log = require "bw.log" local sformat = string.format local smatch = string.match local llevel = { NOLOG = 99, DEBUG = 7, INFO = 6, NOTICE = 5, WARNING = 4, ERROR = 3, CRITICAL = 2, ALERT = 1, EMERG = 0, } local llocal = { LOCAL0 = 0, LOCAL1 = 1, LOCAL2 = 2, LOCAL3 = 3, LOCAL4 = 4, LOCAL5 = 5, LOCAL6 = 6, LOCAL7 = 7, } local to_screen = false if skynet.getenv("DEBUG") == "true" then to_screen = true end syslog.openlog(skynet.getenv("APPNAME") or "unknown-app", llocal.LOCAL4, 0) local function write_log(level, str) syslog.log(level, str, llocal.LOCAL4) end local function send_traceback(str) skynet.send(".alert", "lua", "traceback", str) end skynet.register_protocol { name = "text", id = skynet.PTYPE_TEXT, unpack = skynet.tostring, dispatch = function(_, addr, str) str = log.format_log(addr, str) if string.match(str, "\n(%w+ %w+)") == "stack traceback" then if to_screen then print(log.highlight(str, llevel.ERROR)) end write_log(llevel.ERROR, str) if skynet.getenv "ALERT_ENABLE" == "true" then send_traceback(str) end else if to_screen then print(log.highlight(str, llevel.INFO)) end write_log(llevel.INFO, str) end end } skynet.start(function() skynet.dispatch("lua", function(_, _, level, str) write_log(level, str) -- no return, don't call this service, use send end) skynet.register ".syslog" end)
local Editor = {} function Editor.diagnostic() return { "folke/lsp-trouble.nvim", wants = { "nvim-web-devicons", "nvim-lspconfig" }, config = require("modules.editor.diagnostic")(), disable = true, } end function Editor.gist() return { "mattn/gist-vim", wants = "webapi-vim", requires = { "mattn/webapi-vim", opt = true }, cmd = "Gist", config = require("modules.editor.gist")(), } end function Editor.gitsigns() return { "lewis6991/gitsigns.nvim", wants = "plenary.nvim", requires = { "nvim-lua/plenary.nvim", opt = true }, config = require("modules.editor.gitsigns")(), } end function Editor.header() return { "mnabila/vim-header", cmd = "AddMITLicense", config = require("modules.editor.header")(), } end function Editor.translator() return { "voldikss/vim-translator", config = require("modules.editor.translator")(), } end function Editor.comment() return { "numToStr/Comment.nvim", config = function() require("Comment").setup() end, } end function Editor.formatter() return { "lukas-reineke/format.nvim", config = require("modules.editor.formatter")(), } end function Editor.markdown() return { "iamcco/markdown-preview.nvim", run = "cd app && npm install", ft = { "markdown" }, config = require("modules.editor.markdown")(), } end function Editor.sql() return { "nanotee/sqls.nvim", ft = "sql", } end function Editor.surround() return { "machakann/vim-sandwich", keys = { "sa", "sr", "sd" }, } end function Editor.easyalign() return { "junegunn/vim-easy-align", cmd = "EasyAlign" } end function Editor.golang() return { "ray-x/go.nvim", config = require("modules.editor.go")(), } end return Editor
local lg = love.graphics --Localize love.graphics local dirs = { --8 directions {0, -1}, {1, -1}, {1, 0}, {1, 1}, {0, 1}, {-1, 1}, {-1, 0}, {-1, -1} } local cave = {} cave.__index = cave function cave:getRenderedCanvas() --Renders itself to it's canvas and returns it lg.setCanvas(self.canvas) for y = 0, self.h - 1 do for x = 0, self.w - 1 do lg.draw(self.imgs[self.data[y][x]], x*self.tw, y*self.th) end end lg.setCanvas() return self.canvas end function cave:step() --Performs a step(applies the cellular automata rules) local new = {} for y = 0, self.h-1 do new[y] = {} for x = 0, self.w-1 do local count = self:_countNeighbours(x, y) if self.data[y][x] == "alive" then new[y][x] = count < self.dl and "dead" or "alive" elseif self.data[y][x] == "dead" then new[y][x] = count > self.bl and "alive" or "dead" end end end self.data = new end function cave:_countNeighbours(x, y) --Function to count the number of alive neighbours of a cell, meant to be used internally local count = 0 for _, d in ipairs(dirs) do local cx, cy = x + d[1], y + d[2] if not(self.data[cy] and self.data[cy][cx]) or self.data[cy][cx] == "alive" then count = count + 1 end end return count end return function(w, h, bl, dl, chToAlive, wimg, eimg) --Construct and return a cave object local cv = {w = w, h = h, data = {}} cv.bl, cv.dl = bl, dl for y = 0, h - 1 do cv.data[y] = {} for x = 0, w - 1 do cv.data[y][x] = love.math.random() < chToAlive and "alive" or "dead" end end cv.imgs = { alive = lg.newImage(wimg), dead = lg.newImage(eimg) } cv.tw, cv.th = cv.imgs.alive:getWidth(), cv.imgs.alive:getHeight() cv.canvas = lg.newCanvas(w*cv.tw, h*cv.th) return setmetatable(cv, cave) end
function love.load(args) t=0 hello = { text='hello world', x=0, y=0 } echo = { text='can you hear me?', x=0, y=0 } end function love.update(dt) t=t+dt hello.x=350+200*math.cos(t)-(#hello*3) hello.y=300+200*math.sin(t) echo.x=350+100*math.cos(t)-(#echo*3) echo.y=300+100*math.sin(t) end function love.draw() love.graphics.setColor( 1.0, 1.0, 1.0, 1.0 ) love.graphics.print(hello.text, hello.x, hello.y) love.graphics.print(echo.text, echo.x, echo.y) love.graphics.setColor( 0.2, 0.9, 0.3, 0.8 ) love.graphics.line(hello.x,hello.y,echo.x,echo.y) love.graphics.line(hello.x+(#hello.text*6),hello.y, echo.x+(#hello.text*10),echo.y) love.graphics.line(hello.x,hello.y+14,echo.x,echo.y+14) love.graphics.line(hello.x+(#hello.text*6),hello.y+14, echo.x+(#hello.text*10),echo.y+14) end
local GTabLayer = require("graphic.popup.GTabLayer") local ActivityTabLayer = class("ActivityTabLayer", GTabLayer) local layerConfig = { --{layerName=enum.ui.layer.gm, name="gm", class="graphic.popup.console.GmLayer"}, } function ActivityTabLayer:ctor() GTabLayer.ctor(self) end function ActivityTabLayer:init() GTabLayer.init(self, "activityLayer", layerConfig) end return ActivityTabLayer
Citizen.CreateThread(function() LoadInterior(GetInteriorAtCoords(440.84,-983.14,30.69)) for _,ipl in pairs(allIpls) do loadInt(ipl.coords,ipl.interiorsProps) end end) function loadInt(coordsTable,table) for _,coords in pairs(coordsTable) do local interiorID = GetInteriorAtCoords(coords[1],coords[2],coords[3]) LoadInterior(interiorID) for _,propName in pairs(table) do Citizen.Wait(10) EnableInteriorProp(interiorID,propName) end RefreshInterior(interiorID) end end allIpls = { { interiorsProps = { "swap_clean_apt", "layer_debra_pic", "layer_whiskey", "swap_sofa_A" }, coords = {{ -1150.7,-1520.7,10.6 }} }, { interiorsProps = { "csr_beforeMission", "csr_inMission" }, coords = {{ -47.1,-1115.3,26.5 }} }, { interiorsProps = { "V_Michael_bed_tidy", "V_Michael_M_items", "V_Michael_D_items", "V_Michael_S_items", "V_Michael_L_Items" }, coords = {{ -802.3,175.0,72.8 }} }, { interiorsProps = { "coke_stash1", "coke_stash2", "coke_stash3", "decorative_02", "furnishings_02", "walls_01", "mural_02", "gun_locker", "mod_booth" }, coords = {{ 1107.0,-3157.3,-37.5 }} -- Motoclub }, { interiorsProps = { "chair01", "equipment_basic", "interior_upgrade", "security_low", "set_up" }, coords = {{ 1163.8,-3195.7,-39.0 }} -- Escritório }, { interiorsProps = { "bunker_style_a", "upgrade_bunker_set", "security_upgrade", "office_upgrade_set", "gun_wall_blocker", "gun_range_lights", "gun_locker_upgrade", "Gun_schematic_set" }, coords = {{ 899.55,-3246.03,-98.04 }} -- Bunker }, { interiorsProps = { "Int01_ba_clubname_01", "Int01_ba_Style03", "Int01_ba_style03_podium", "Int01_ba_equipment_setup", "Int01_ba_equipment_upgrade", "Int01_ba_security_upgrade", "Int01_ba_dj04", "DJ_01_Lights_01", "DJ_02_Lights_01", "DJ_03_Lights_01", "DJ_04_Lights_01", "Int01_ba_bar_content", "Int01_ba_booze_03", "Int01_ba_trophy01", "Int01_ba_Clutter", "Int01_ba_deliverytruck", "Int01_ba_dry_ice", "light_rigs_off", "Int01_ba_lightgrid_01", "Int01_ba_trad_lights", "Int01_ba_trophy04", "Int01_ba_trophy05", "Int01_ba_trophy07", "Int01_ba_trophy08", "Int01_ba_trophy09", "Int01_ba_trophy10", "Int01_ba_trophy11", "Int01_ba_booze_01", "Int01_ba_booze_02", "Int01_ba_booze_03", "int01_ba_lights_screen", "Int01_ba_bar_content" }, coords = {{ -1604.664, -3012.583, -78.00 }} -- Galaxy } }
local utils = require "kong.tools.utils" local function check_user(anonymous) if anonymous == "" or utils.is_valid_uuid(anonymous) then return true end return false, "the anonymous user must be empty or a valid uuid" end return { no_consumer = true, fields = { anonymous = {type = "string", default = "", func = check_user}, hide_credentials = {type = "boolean", default = false} } }
SetGameType('5M Cops and Robbers') Citizen.CreateThread(function() while not CNR do Wait(1) end CNR.SQL = { -- Execute and Forget -- Executes 'cb' (callback) function on result with result as argument -- Script doesn't wait for a response/result EXECUTE = function(query,tbl,cb) if not query then return error("No querystring given to CNR.SQL.") end if not tbl then tbl = {} end exports['ghmattimysql']:execute(query, tbl, function(result) if cb then cb(result) end end ) end, -- As EXECUTE -- Script waits for a response QUERY = function(query,tbl) if not query then return error("No querystring given to CNR.SQL.") end if not tbl then tbl = {} end return ( exports['ghmattimysql']:executeSync(query, tbl) ) end, -- Fetches first column of the first row -- Executes 'cb' (callback) function on result with result as argument -- Runs without waiting on a return SCALAR = function(query,tbl,cb) if not query then return error("No querystring given to CNR.SQL.") end if not tbl then tbl = {} end exports['ghmattimysql']:scalar(query, tbl, function(result) if cb then cb(result) end end ) end, -- As SCALAR -- Script waits for a response RSYNC = function(query,tbl) if not query then return error("No querystring given to CNR.SQL.") end if not tbl then tbl = {} end return ( exports['ghmattimysql']:scalarSync(query, tbl) ) end } CNR.unique = {} -- Unique ID Assignments -- Playzone Information CNR.zones = { -- The currently active zone active = math.random(Config.GetNumberOfZones()), count = Config.GetNumberOfZones(), pick = Config.MinutesPerZone() * (os.time() * 60), -- os.time() is in seconds timer = Config.MinutesPerZone() * (os.time() * 60) -- os.time() is in seconds } TriggerClientEvent('cnr:active_zone', (-1), CNR.zones.active) CNR.ready = true ConsolePrint("Metatable configuration complete. The game is now ready!") ConsolePrint("Zone "..(CNR.zones.active).." is the active zone!") end)
imgui.Begin("title1") imgui.Text("aalsdfjias") imgui.End() print("1111111111111")
--# selene: allow(unused_variable) ---@diagnostic disable: unused-local -- Inspect/manipulate display brightness -- -- Home: https://github.com/asmagill/mjolnir_asm.sys -- -- This module is based primarily on code from the previous incarnation of Mjolnir by [Steven Degutis](https://github.com/sdegutis/). ---@class hs.brightness local M = {} hs.brightness = M -- Gets the current ambient brightness -- -- Parameters: -- * None -- -- Returns: -- * A number containing the current ambient brightness, measured in lux. If an error occurred, the number will be -1 -- -- Notes: -- * Even though external Apple displays include an ambient light sensor, their data is typically not available, so this function will likely only be useful to MacBook users -- -- * On Silicon based macs, this function uses a method similar to that used by `corebrightnessdiag` to retrieve the aggregate lux as reported to `sysdiagnose`. -- * On Intel based macs, the raw sensor data is converted to lux via an algorithm used by Mozilla Firefox and is not guaranteed to give an accurate lux value. ---@return number function M.ambient() end -- Returns the current brightness of the display -- -- Parameters: -- * None -- -- Returns: -- * A number containing the brightness of the display, between 0 and 100 ---@return number function M.get() end -- Sets the display brightness -- -- Parameters: -- * brightness - A number between 0 and 100 -- -- Returns: -- * True if the brightness was set, false if not ---@return boolean function M.set(brightness, ...) end
Locales['fr'] = { ['invoices'] = 'Factures', ['received_invoice'] = '~r~Vous avez reçu une facture.', ['paid_invoice'] = 'Vous avez ~r~payé~w~ une facture.', ['received_payment'] = 'Votre société a ~g~reçu~w~ un paiement.', ['player_not_logged'] = '~r~Le joueur n\'est pas connecté !', ['no_money'] = '~r~Vous n\'avez pas assez d\'argent pour payer cette facture !', ['target_no_money'] = '~r~Le joueur n\'a pas assez d\'argent pour payer la facture !', ['negative_bill'] = '~r~Vous ne pouvez pas envoyés de factures négatives !' }
local _, NeP = ... local T = NeP.Interface.toggleToggle local L = { mastertoggle = function(state) T(self,'MasterToggle', state) end, aoe = function(state) T(self,'AoE', state) end, cooldowns = function(state) T(self,'Cooldowns', state) end, interrupts = function(state) T(self,'Interrupts', state) end, version = function() NeP.Core:Print(NeP.Version) end, show = function() NeP.Interface.MainFrame:Show() end, hide = function() NeP.Interface.MainFrame:Hide() NeP.Core:Print('To Display NerdPack Execute: \n/nep show') end, } L.mt = L.mastertoggle L.toggle = L.mastertoggle L.tg = L.mastertoggle L.ver = L.version NeP.Commands:Register('NeP', function(msg) local command, rest = msg:match("^(%S*)%s*(.-)$"); command, rest = tostring(command):lower(), tostring(rest):lower() rest = rest == 'on' or false if L[command] then L[command](rest) end end, 'nep', 'nerdpack')
local Character = require 'common.class' () function Character:_init(spec) self.spec = spec self.hp = spec.max_hp end function Character:get_name() return self.spec.name end function Character:get_appearance() return self.spec.appearance end function Character:get_hp() return self.hp, self.spec.max_hp end return Character
function model.getAvailableConveyors() local l=sim.getObjectsInTree(sim.handle_scene,sim.handle_all,0) local retL={} for i=1,#l,1 do local data=sim.readCustomDataBlock(l[i],simBWF.modelTags.CONVEYOR) if data then retL[#retL+1]={simBWF.getObjectAltName(l[i]),l[i]} end end return retL end --[=[ function model.getAvailableCameras() local l=sim.getObjectsInTree(sim.handle_scene,sim.handle_all,0) local retL={} for i=1,#l,1 do local data=sim.readCustomDataBlock(l[i],simBWF.modelTags.RAGNARCAMERA) if data then retL[#retL+1]={simBWF.getObjectAltName(l[i]),l[i]} end end return retL end --]=] function model.setObjectSize(h,x,y,z) local r,mmin=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_min_x) local r,mmax=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_max_x) local sx=mmax-mmin local r,mmin=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_min_y) local r,mmax=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_max_y) local sy=mmax-mmin local r,mmin=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_min_z) local r,mmax=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_max_z) local sz=mmax-mmin sim.scaleObject(h,x/sx,y/sy,z/sz) end function model.getObjectSize(h) local r,mmin=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_min_x) local r,mmax=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_max_x) local sx=mmax-mmin local r,mmin=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_min_y) local r,mmax=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_max_y) local sy=mmax-mmin local r,mmin=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_min_z) local r,mmax=sim.getObjectFloatParameter(h,sim.objfloatparam_objbbox_max_z) local sz=mmax-mmin return {sx,sy,sz} end function model.setDetectorBoxSizeAndPos() local c=model.readInfo() local relGreenBallPos=sim.getObjectPosition(model.handles.calibrationBalls[2],model.handles.calibrationBalls[1]) local relBlueBallPos=sim.getObjectPosition(model.handles.calibrationBalls[3],model.handles.calibrationBalls[1]) local s={relGreenBallPos[1],math.abs(relBlueBallPos[2]),c.detectorHeight} local p={s[1]*0.5,relBlueBallPos[2]*0.5,s[3]*0.5+c.detectorHeightOffset} -- Do the change only if something will be different: local correctIt=false local ds=model.getObjectSize(model.handles.detectorBox) local pp=sim.getObjectPosition(model.handles.detectorBox,model.handles.calibrationBalls[1]) for i=1,3,1 do if math.abs(ds[i]-s[i])>0.001 or math.abs(pp[i]-p[i])>0.001 then correctIt=true break end end local ss=model.getObjectSize(model.handles.detectorSensor) if math.abs(ss[3]-s[3])>0.001 then correctIt=true end if correctIt then model.setObjectSize(model.handles.detectorBox,s[1],s[2],s[3]) model.setObjectSize(model.handles.detectorSensor,ss[1],ss[2],s[3]) sim.setObjectPosition(model.handles.detectorBox,model.handles.calibrationBalls[1],p) sim.setObjectPosition(model.handles.detectorSensor,model.handles.calibrationBalls[1],{p[1],p[2],s[3]+c.detectorHeightOffset}) end end function model.getAvailableInputs() local thisInfo=model.readInfo() local l=sim.getObjectsInTree(sim.handle_scene,sim.handle_all,0) local retL={} for i=1,#l,1 do if l[i]~=model.handle then local data1=sim.readCustomDataBlock(l[i],simBWF.modelTags.RAGNARDETECTOR) local data2=sim.readCustomDataBlock(l[i],simBWF.modelTags.VISIONWINDOW) local data3=sim.readCustomDataBlock(l[i],simBWF.modelTags.RAGNARSENSOR) local data4=sim.readCustomDataBlock(l[i],simBWF.modelTags.TRACKINGWINDOW) local data5=sim.readCustomDataBlock(l[i],simBWF.modelTags.THERMOFORMER) -- has internal trigger and pallet if data1 or data2 or data3 or data4 or data5 then retL[#retL+1]={simBWF.getObjectAltName(l[i]),l[i]} end end end return retL end function sysCall_init() model.codeVersion=1 model.dlg.init() model.handleJobConsistency(simBWF.isModelACopy_ifYesRemoveCopyTag(model.handle)) model.updatePluginRepresentation() end function sysCall_nonSimulation() model.dlg.showOrHideDlgIfNeeded() model.alignCalibrationBallsWithInputAndReturnRedBall() model.setGreenAndBlueCalibrationBallsInPlace() model.updatePluginRepresentation() end function sysCall_sensing() if model.simJustStarted then model.dlg.updateEnabledDisabledItems() end model.simJustStarted=nil model.dlg.showOrHideDlgIfNeeded() model.ext.outputPluginRuntimeMessages() end function sysCall_suspended() model.dlg.showOrHideDlgIfNeeded() end function sysCall_afterSimulation() model.dlg.updateEnabledDisabledItems() local c=model.readInfo() if sim.boolAnd32(c.bitCoded,1)>0 then sim.setObjectInt32Parameter(model.handles.detectorBox,sim.objintparam_visibility_layer,1) end end function sysCall_beforeSimulation() model.simJustStarted=true model.ext.outputBrSetupMessages() model.ext.outputPluginSetupMessages() local c=model.readInfo() if sim.boolAnd32(c.bitCoded,1)>0 then sim.setObjectInt32Parameter(model.handles.detectorBox,sim.objintparam_visibility_layer,0) end end function sysCall_beforeInstanceSwitch() model.dlg.removeDlg() model.removeFromPluginRepresentation() end function sysCall_afterInstanceSwitch() model.updatePluginRepresentation() end function sysCall_cleanup() model.dlg.removeDlg() model.removeFromPluginRepresentation() model.dlg.cleanup() end
-- Bootstrap & run lua web application. This module -- sets several global variables and initializes other -- commonly used modules (eg. database). local Database = require("library.database"); local Application = {}; APPLICATION_PATH = ""; APPLICATION_DB = ""; -- Bootstrap application. Init global variables and environment. function Application.bootstrap(applicationPath) APPLICATION_PATH = applicationPath; APPLICATION_DB = "/lib/sqlite/captive.db"; -- connect to sqlite db file. local db, initDb = Database.getDatabase(APPLICATION_DB, true); if initDb then -- database file does not exists, initialize database require("models.schema").create(db); end; return Application; end -- Check whether given controller exists. Function -- copier from stackoverflow.com. function Application.hasController(name) if package.loaded[name] then return true else for _, searcher in ipairs(package.searchers or package.loaders) do local loader = searcher(name) if type(loader) == 'function' then package.preload[name] = loader return true end end return false end end -- Dispatch controller & action. This function return true -- if controller & action exists and false otherwise. function Application.dispatch(controller, action) -- check if module exists if not Application.hasController(controller) then return false; end local handler = require(controller); -- check if action exists if nil == handler[action] then return false; end; -- create handler local handlerInstance = handler.new(); handlerInstance:preAction(); if "OPTIONS" ~= os.getenv("REQUEST_METHOD") then handlerInstance[action](handlerInstance); end handlerInstance:postAction(); handlerInstance:sendResponse(); return true; end -- Run the application. Parse given URL and dispatch :controller/:action -- ot default :controller/index or defaut index/index function Application.run() local pathInfo = os.getenv("PATH_INFO") or ""; local controller = pathInfo:match("^/(%w+)") or "index"; local action = pathInfo:match("^/%w+/(%w+)") or "index"; if not Application.dispatch("controllers." .. controller, action) then Application.dispatch("library.controllers.error", "error404"); end; Database.closeAllDatabases(); end return Application;
--[[ Copyright 2015 Rackspace Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except in compliance with the License. You may obtain a copy of the License at http://www.apache.org/licenses/LICENSE-2.0 Unless required by applicable law or agreed to in writing, software distributed under the License is distributed on an "AS-IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the License for the specific language governing permissions and limitations under the License. --]] local jsonStringify = require('json').stringify local logging = require('logging') local los = require('los') local table = require('table') local uv = require('uv') if los.type() ~= 'win32' then return end local winsvc = require('winsvc') local winsvcaux = require('winsvcaux') local function ReportSvcStatus(svcStatusHandle, svcStatus, dwCurrentState, dwWin32ExitCode, dwWaitHint) local dwCheckPoint = 1 -- Fill in the SERVICE_STATUS structure. svcStatus.dwCurrentState = dwCurrentState svcStatus.dwWin32ExitCode = dwWin32ExitCode svcStatus.dwWaitHint = dwWaitHint if dwCurrentState == winsvc.SERVICE_START_PENDING then svcStatus.dwControlsAccepted = 0 else svcStatus.dwControlsAccepted = winsvc.SERVICE_ACCEPT_STOP end if dwCurrentState == winsvc.SERVICE_RUNNING or dwCurrentState == winsvc.SERVICE_STOPPED then svcStatus.dwCheckPoint = 0 else dwCheckPoint = dwCheckPoint + 1 svcStatus.dwCheckPoint = dwCheckPoint end logging.infof('Report Service Status, %s', jsonStringify(svcStatus)) -- Report the status of the service to the SCM. winsvc.SetServiceStatus(svcStatusHandle, svcStatus) end exports.SvcInstall = function(svcName, longName, desc, params) local svcPath, err = winsvcaux.GetModuleFileName() local schService, schSCManager local _ if svcPath == nil then logging.errorf('Cannot install service, service path unobtainable, %s', winsvcaux.GetErrorString(err)) return end if params and params.args then svcPath = svcPath .. ' ' .. table.concat(params.args, ' ') end -- Get a handle to the SCM database schSCManager, err = winsvc.OpenSCManager(nil, nil, winsvc.SC_MANAGER_ALL_ACCESS) if schSCManager == nil then logging.errorf('OpenSCManager failed, %s', winsvcaux.GetErrorString(err)) return end -- Create the Service schService, _, err = winsvc.CreateService( schSCManager, svcName, longName, winsvc.SERVICE_ALL_ACCESS, winsvc.SERVICE_WIN32_OWN_PROCESS, winsvc.SERVICE_DEMAND_START, winsvc.SERVICE_ERROR_NORMAL, svcPath, nil, nil, nil, nil) if schService == nil then logging.errorf('CreateService failed, %s', winsvcaux.GetErrorString(err)) winsvc.CloseServiceHandle(schSCManager) return end -- Describe the service winsvc.ChangeServiceConfig2(schService, winsvc.SERVICE_CONFIG_DESCRIPTION, {lpDescription = desc}) -- Set the service to restart on failure in 60 seconds winsvc.ChangeServiceConfig2(schService, winsvc.SERVICE_CONFIG_FAILURE_ACTIONS, {dwResetPeriod = 0, lpsaActions = { {Delay = 60000, Type = winsvc.SC_ACTION_RESTART} }}) logging.info('Service installed successfully') winsvc.CloseServiceHandle(schService) winsvc.CloseServiceHandle(schSCManager) end exports.SvcDelete = function(svcname) -- Get a handle to the SCM database local schSCManager, err = winsvc.OpenSCManager(nil, nil, winsvc.SC_MANAGER_ALL_ACCESS) if schSCManager == nil then logging.errorf('OpenSCManager failed, %s', winsvcaux.GetErrorString(err)) return end local schService, delsuccess -- Open the Service schService, err = winsvc.OpenService( schSCManager, svcname, winsvc.DELETE) if schService == nil then logging.errorf('OpenService failed, %s', winsvcaux.GetErrorString(err)) winsvc.CloseServiceHandle(schSCManager) return end delsuccess, err = winsvc.DeleteService(schService) if not delsuccess then logging.errorf('DeleteService failed, %s', winsvcaux.GetErrorString(err)) else logging.info('DeleteService succeeded') end winsvc.CloseServiceHandle(schService) winsvc.CloseServiceHandle(schSCManager) end exports.SvcStart = function(svcname) -- Get a handle to the SCM database local schSCManager, err = winsvc.OpenSCManager(nil, nil, winsvc.SC_MANAGER_ALL_ACCESS) if schSCManager == nil then logging.errorf('OpenSCManager failed, %s', winsvcaux.GetErrorString(err)) return end local schService, startsuccess -- Open the Service schService, err = winsvc.OpenService( schSCManager, svcname, winsvc.SERVICE_START) if schService == nil then logging.errorf('OpenService failed, %s', winsvcaux.GetErrorString(err)) winsvc.CloseServiceHandle(schSCManager) return end startsuccess, err = winsvc.StartService(schService, nil) if not startsuccess then logging.errorf('StartService failed, %s', winsvcaux.GetErrorString(err)) else logging.info('StartService succeeded') end winsvc.CloseServiceHandle(schService) winsvc.CloseServiceHandle(schSCManager) end exports.SvcStop = function(svcname) -- Get a handle to the SCM database local schSCManager, err = winsvc.OpenSCManager(nil, nil, winsvc.SC_MANAGER_ALL_ACCESS) if schSCManager == nil then logging.errorf('OpenSCManager failed, %s', winsvcaux.GetErrorString(err)) return end local schService, success, status -- Open the Service schService, err = winsvc.OpenService( schSCManager, svcname, winsvc.SERVICE_STOP) if schService == nil then logging.errorf('OpenService failed, %s', winsvcaux.GetErrorString(err)) winsvc.CloseServiceHandle(schSCManager) return end -- Stop the Service success, status, err = winsvc.ControlService(schService, winsvc.SERVICE_CONTROL_STOP, nil) if not success then logging.errorf('ControlService stop failed, %s', winsvcaux.GetErrorString(err)) else logging.infof('ControlService stop succeeded, status: %s', jsonStringify(status)) end winsvc.CloseServiceHandle(schService) winsvc.CloseServiceHandle(schSCManager) end exports.tryRunAsService = function(svcname, runfunc) local running = true local svcStatusHandle local svcStatus = {} local function SvcHandler(dwControl, dwEventType, lpEventData, lpContext) -- Handle the requested control code. if dwControl == winsvc.SERVICE_CONTROL_STOP then ReportSvcStatus(svcStatusHandle, svcStatus, winsvc.SERVICE_STOP_PENDING, winsvc.NO_ERROR, 0) -- Signal the service to stop. running = false ReportSvcStatus(svcStatusHandle, svcStatus, svcStatus.dwCurrentState, winsvc.NO_ERROR, 0) return winsvc.NO_ERROR elseif dwControl == winsvc.SERVICE_CONTROL_INTERROGATE then return winsvc.NO_ERROR else return winsvc.ERROR_CALL_NOT_IMPLEMENTED end end local function SvcMain(args, context) svcStatusHandle = winsvc.GetStatusHandleFromContext(context) -- These SERVICE_STATUS members remain as set here svcStatus.dwServiceType = winsvc.SERVICE_WIN32_OWN_PROCESS svcStatus.dwServiceSpecificExitCode = 0 -- Report initial status to the SCM ReportSvcStatus(svcStatusHandle, svcStatus, winsvc.SERVICE_START_PENDING, winsvc.NO_ERROR, 15000) -- Setup Service Work To Be done runfunc() -- Report runnings ReportSvcStatus(svcStatusHandle, svcStatus, winsvc.SERVICE_RUNNING, winsvc.NO_ERROR, 0) -- Wait to end local timer = uv.new_timer() uv.timer_start(timer, 0, 2000, function() if running then uv.timer_again(timer) else uv.timer_stop(timer) uv.close(timer) ReportSvcStatus(svcStatusHandle, svcStatus, winsvc.SERVICE_STOPPED, winsvc.NO_ERROR, 0); winsvc.EndService(context) end end) end local DispatchTable = {} DispatchTable[svcname] = { SvcMain, SvcHandler }; local ret, err = winsvc.SpawnServiceCtrlDispatcher(DispatchTable, function(success, err) if success then logging.info('Service Control Dispatcher returned after threads exited ok') process:exit(0) else logging.infof('Service Control Dispatcher returned with err, %s', winsvcaux.GetErrorString(err)) logging.info('Running outside service manager') runfunc() end end, function(err) logging.errorf('A Service function returned with err %s', err) process:exit(1) end) if ret then logging.info('SpawnServiceCtrlDispatcher Succeeded') else logging.errorf('SpawnServiceCtrlDispatcher Failed, %s', winsvcaux.GetErrorString(err)) end end
local hex = { [0]='0', '1', '2', '3', '4', '5', '6', '7', '8', '9', 'a', 'b', 'c', 'd', 'e', 'f' } local function escapec1(chr) local code = string.byte(chr) local hi, lo = math.floor(code / 16), code % 16 return '""\\x'..hex[hi]..hex[lo]..'""' end local function escapec(str) return string.gsub(str, "[\x00-\x1f\"\\\x7f-\xff]", escapec1) end local function allocname(name, taken) name = string.gsub(name, '[^a-zA-Z0-9_]', '__') if taken[name] then for i=1, math.huge do local attempt = name..'_'..tostring(i) if not taken[attempt] then name = attempt break end end end taken[name] = true return name end return { hex=hex, escapec=escapec, escapec1=escapec1, allocname=allocname, }
--[[ Game Dev 2020 Game name: Whaff (from "whiff-whaff") Author : Marc Freir E-mail : [email protected] Version : 0.1 Created with Lua and Löve2D in August 19, 2020 >>Based on Pong by Colton Ogden ([email protected])<< ]] local push = { defalts = { fullscreen = false, resizable = true, pixelperfect = false, highdpi = true, canvas = true } }
local common = require "upcache.common" local console = common.console local module = {} local varyHeader = "Vary" local function build_key(key, headers, list) local resVal local reqVal for reqName, map in pairs(list) do reqVal = headers[reqName] if reqVal ~= nil then resVal = map[reqVal] if resVal ~= nil then key = reqName .. '->' .. resVal .. ' ' .. key end end end return key end function module.get(key, vars, ngx) local list = common.get(common.variants, key, 'vary') if list == nil then return key end return build_key(key, ngx.req.get_headers(), list) end function module.set(key, vars, ngx) local resHeaders = ngx.header local varies = common.parseHeader(resHeaders[varyHeader]) if varies == nil then return key end local list = common.get(common.variants, key, 'vary') if list == nil then list = {} end local ok = false local reqHeaders = ngx.req.get_headers() local resName, resVal, reqName, reqVal for i, reqName in ipairs(varies) do if reqName == "Accept" then resName = "Content-Type" elseif reqName:sub(1, 7) == "Accept-" then resName = "Content-" .. reqName:sub(8) else resName = reqName end reqVal = reqHeaders[reqName] resVal = resHeaders[resName] if resVal ~= nil and reqVal ~= nil then local map = list[reqName] if map == nil then map = {} list[reqName] = map end map[reqVal] = resVal ok = true end end if ok == false then return key end common.set(common.variants, key, list, 'vary') return build_key(key, reqHeaders, list) end return module;
require 'cutorch'; require 'cunn'; require 'cudnn' require 'image' require 'model' dofile('util.lua') -- example usage: th test.lua --gpu_index 0 --model model.net --test_data scenes_test.txt local basePath = 'data/keypointmatch' opt_string = [[ -h,--help print help --gpu_index (default 0) GPU index --model (default "model.net") torch model file path --test_data (default "scenes_test.txt") txt file containing test --output_dir (default "output") output dir for match distances --patchSize (default 64) patch size to extract (resized to 224) --matchFileSkip (default 10) only use every skip^th keypoint match in file ]] opt = lapp(opt_string) -- print help or chosen options if opt.help == true then print('Usage: th test.lua') print('Options:') print(opt_string) os.exit() else print(opt) end -- Set RNG seed --math.randomseed(os.time()) math.randomseed(0) torch.manualSeed(0) if (paths.dirp(opt.output_dir)) then print(sys.COLORS.red .. 'warning: output dir ' .. opt.output_dir .. ' already exists, press key to continue' .. sys.COLORS.none) io.read() end -- set gpu cutorch.setDevice(opt.gpu_index+1) -- Load training snapshot model local patchSize = opt.patchSize print('loading model: ' .. opt.model .. '...') local model = torch.load(opt.model) local patchEncoder = model:get(1):get(1):clone() patchEncoder:evaluate() -- load test files local test_files = getDataFiles(paths.concat(basePath,opt.test_data), basePath) print(test_files) function test(data_files, outpath) assert(paths.dirp(outpath)) --load in the data (positive and negative matches) local poss, negs = loadMatchFiles(basePath, data_files, patchSize/2, opt.matchFileSkip) -- output files splitter = ',' --output as csv local outfile_anc = assert(io.open(paths.concat(outpath, 'anc_feat.txt'), "w")) local outfile_pos = assert(io.open(paths.concat(outpath, 'pos_feat.txt'), "w")) local outfile_neg = assert(io.open(paths.concat(outpath, 'neg_feat.txt'), "w")) for k = 1,#poss do -- print progress bar :D xlua.progress(k, #poss) local sceneName = poss[k][1] local imgPath = paths.concat(basePath,sceneName,'images') -- Get example triplet patches local anc,pos,neg = getTrainingExampleTriplet(imgPath, poss[k][2], poss[k][3], negs[k][3], patchSize) -- Compute features per patch local ancFeat = torch.squeeze(patchEncoder:forward(anc:resize(1,3,224,224):cuda()):float()) local posFeat = torch.squeeze(patchEncoder:forward(pos:resize(1,3,224,224):cuda()):float()) local negFeat = torch.squeeze(patchEncoder:forward(neg:resize(1,3,224,224):cuda()):float()) --print(ancFeat:size()) assert(ancFeat:size(1) == posFeat:size(1) and ancFeat:size(1) == negFeat:size(1)) -- -- descriptor distance between patches --print('Distance between matching patches: ' .. ancFeat:dist(posFeat)) --print('Distance between non-matching patches 1: ' .. posFeat:dist(negFeat)) --print('Distance between non-matching patches 2: ' .. ancFeat:dist(negFeat)) --io.read() local distAncPos = ancFeat:dist(posFeat) local distAncNeg = ancFeat:dist(negFeat) -- log to file for i=1,ancFeat:size(1) do outfile_anc:write(string.format("%.6f", ancFeat[i])) outfile_pos:write(string.format("%.6f", posFeat[i])) outfile_neg:write(string.format("%.6f", negFeat[i])) if i < ancFeat:size(1) then outfile_anc:write(splitter) outfile_pos:write(splitter) outfile_neg:write(splitter) end end outfile_anc:write('\n') outfile_pos:write('\n') outfile_neg:write('\n') end end -- Test! if not paths.dirp(opt.output_dir) then paths.mkdir(opt.output_dir) end do local outpath = paths.concat(opt.output_dir, 'test') if not paths.dirp(outpath) then paths.mkdir(outpath) end test(test_files, outpath) end
Widget = {} function Widget.create(properties) if type(properties) ~= "table" then properties = {} end local widget = {} widget.x = exports.dpUtils:defaultValue(properties.x, 0) widget.y = exports.dpUtils:defaultValue(properties.y, 0) widget.width = exports.dpUtils:defaultValue(properties.width, 0) widget.height = exports.dpUtils:defaultValue(properties.height, 0) widget.parent = nil widget.children = {} widget.color = exports.dpUtils:defaultValue(properties.color, Colors.color("white")) widget.visible = exports.dpUtils:defaultValue(properties.visible, true) widget.text = exports.dpUtils:defaultValue(properties.text, "") widget.locale = exports.dpUtils:defaultValue(properties.locale, false) return widget end function Widget.draw(widget, mouseX, mouseY) if not widget then return end if not widget.visible then return end mouseX = mouseX - widget.x mouseY = mouseY - widget.y widget.mouseX = mouseX widget.mouseY = mouseY if isPointInRect(mouseX, mouseY, 0, 0, widget.width, widget.height) then widget.mouseHover = true if Render.mouseClick then Render.clickedWidget = widget end else widget.mouseHover = false end if widget.draw then Drawing.setColor(widget.color) Drawing.setFont(widget.font) widget:draw() end Drawing.translate(widget.x, widget.y) for i, child in ipairs(widget.children) do Widget.draw(child, mouseX, mouseY) end Drawing.translate(-widget.x, -widget.y) end function Widget.getChildIndex(widget, child) if not widget or not child then return false end for i, c in ipairs(widget.children) do if c == child then return i end end return false end function Widget.addChild(widget, child) if not widget or not child then return false end if child.parent then return false end if Widget.getChildIndex(widget, child) then return false end table.insert(widget.children, child) child.parent = widget return true end function Widget.removeChild(widget, child) if not widget or not child then return false end local index = Widget.getChildIndex(widget, child) if not index then return false end table.remove(widget.children, index) child.parent = nil return true end
--- ---Utility class with helpful string functions. ---@class StringUtil:AeroServer --- local StringUtil = {} -- Constants --- Value used in string <---> byte conversion local MAX_TUPLE = 7997 --- ---Formats a number with commas and dots. (e.g. 1234567 -> 1,234,567) --- ---@param n number ---@return string --- function StringUtil:CommaValue(n) if n == math.huge then return "Infinite" end -- credit http://richard.warburton.it local left, num, right = string.match(n, '^([^%d]*%d)(%d*)(.-)$') return left .. (num:reverse():gsub('(%d%d%d)', '%1,'):reverse()) .. right end --- ---Parses the given string and produces a friendly version of it, stripping underscores and properly capitalizing words. --- ---@param str string ---@return string --- function StringUtil:GetFriendlyString(str) local result = "" if str then str = str:lower() local words = str:split("_", " ") ---@type string[] for i, word in ipairs(words) do local len = word:len() if len > 0 then local firstLetter = word:sub(1, 1):upper() result = result .. firstLetter if len > 1 then local rest = word:sub(2, len) result = result .. rest end if i < #words then result = result .. " " end end end end return result end --- ---Splits a string according to the separator and returns a table with the results. --- ---@param input string String to be used as source. ---@param separator string Single character to be used as separator. If nil, any whitespace is used. ---@param limit number Amount of matches to group. Defaults to infinite. --- ---@return string[] --- function StringUtil:Split(input, separator, limit) separator = separator or "%s" limit = limit or -1 local t = {} local i = 1 for str in string.gmatch(input, "([^" .. separator .. "]+)") do t[i] = str i = i + 1 if limit >= 0 and i > limit then break end end return t end --- ---Escapes a string from pattern characters, prefixing any special pattern characters with a %. --- ---@param str string ---@return string --- function StringUtil:Escape(str) local escaped = str:gsub("([%.%$%^%(%)%[%]%+%-%*%?%%])", "%%%1") return escaped end --- ---Trims whitespace from the start and end of the string. --- ---@param str string ---@return string --- function StringUtil:Trim(str) return str:match("^%s*(.-)%s*$") end --- ---Trims whitespace from the start of the string. --- ---@param str string ---@return string --- function StringUtil:TrimStart(str) return str:match("^%s*(.+)") end --- ---Trims whitespace from the end of the string. --- ---@param str string ---@return string --- function StringUtil:TrimEnd(str) return str:match("(.-)%s*$") end --- ---Replaces all whitespace with a single space. --- ---@param str string ---@return string --- function StringUtil:RemoveExcessWhitespace(str) return str:gsub("%s+", " ") end --- ---Removes all whitespace from a string. --- ---@param str string ---@return string --- function StringUtil:RemoveWhitespace(str) return str:gsub("%s+", "") end --- ---Checks if a string starts with a certain string. --- ---@param str string ---@param starts string ---@return boolean --- function StringUtil:StartsWith(str, starts) return str:match("^" .. StringUtil.Escape(starts)) ~= nil end --- ---Checks if a string ends with a certain string. --- ---@param str string ---@param ends string ---@return boolean --- function StringUtil:EndsWith(str, ends) return str:match(StringUtil.Escape(ends) .. "$") ~= nil end --- ---Checks if a string contains another string. --- ---@param str string ---@param contains string ---@return boolean --- function StringUtil:Contains(str, contains) return str:find(contains) ~= nil end --- ---Returns a table of all the characters in the string, in the same order and including duplicates. --- ---@param str string ---@return string[] --- function StringUtil:ToCharArray(str) local len = #str local chars = table.create(len) for i = 1, len do chars[i] = str:sub(i, 1) end return chars end --- ---Returns a table of all the bytes of each character in the string. --- ---@param str string ---@return number[] --- function StringUtil:ToByteArray(str) local len = #str if (len == 0) then return {} end if (len <= MAX_TUPLE) then return table.pack(str:byte(1, #str)) end local bytes = table.create(len) for i = 1, len do bytes[i] = str:sub(i, 1):byte() end return bytes end --- ---Transforms an array of bytes into a string --- ---@param bytes number[] ---@return string --- function StringUtil:ByteArrayToString(bytes) local size = #bytes if (size <= MAX_TUPLE) then return string.char(table.unpack(bytes)) end local numChunks = math.ceil(size / MAX_TUPLE) local stringBuild = table.create(numChunks) for i = 1, numChunks do local chunk = string.char(table.unpack(bytes, ((i - 1) * MAX_TUPLE) + 1, math.min(size, ((i - 1) * MAX_TUPLE) + MAX_TUPLE))) stringBuild[i] = chunk end return table.concat(stringBuild, "") end --- ---Checks if two strings are equal. --- ---@param str1 string ---@param str2 string ---@return boolean --- function StringUtil:Equals(str1, str2) return (str1 == str2) end --- ---Checks if two strings are equal, but ignores their case. --- ---@param str1 string ---@param str2 string ---@return boolean --- function StringUtil:EqualsIgnoreCase(str1, str2) return (str1:lower() == str2:lower()) end --- ---Returns a string in camelCase. --- ---@param str string ---@return string --- function StringUtil:ToCamelCase(str) str = str:gsub("[%-_]+([^%-_])", function(s) return s:upper() end) return str:sub(1, 1):lower() .. str:sub(2) end --- ---Returns a string in PascalCase. --- ---@param str string ---@return string --- function StringUtil:ToPascalCase(str) str = StringUtil.ToCamelCase(str) return str:sub(1, 1):upper() .. str:sub(2) end --- ---Returns a string in snake_case or SNAKE_CASE. --- ---@param str string ---@param uppercase boolean ---@return string --- function StringUtil:ToSnakeCase(str, uppercase) str = str:gsub("[%-_]+", "_"):gsub("([^%u%-_])(%u)", function(s1, s2) return s1 .. "_" .. s2:lower() end) if (uppercase) then str = str:upper() else str = str:lower() end return str end --- ---Returns a string in kebab-case or KEBAB-CASE --- ---@param str string ---@param uppercase boolean ---@return string --- function StringUtil:ToKebabCase(str, uppercase) str = str:gsub("[%-_]+", "-"):gsub("([^%u%-_])(%u)", function(s1, s2) return s1 .. "-" .. s2:lower() end) if (uppercase) then str = str:upper() else str = str:lower() end return str end --- ---Internal Aero function. ---@private --- function StringUtil:Start() end return StringUtil
script_name('Mordor Police Helper') script_description('Удобный помощник для МЮ.') script_author('Shepi, Just-Mini') script_version_number(46) script_version('3.0.5') script_dependencies('mimgui; samp events; lfs; MoonMonet') local latestUpdate = '22.01.2022' require 'moonloader' local dlstatus = require 'moonloader'.download_status local inicfg = require 'inicfg' local vkeys = require 'vkeys' local bit = require 'bit' local ffi = require 'ffi' local encodingcheck, encoding = pcall(require, 'encoding') local imguicheck, imgui = pcall(require, 'mimgui') local monetluacheck, monetlua = pcall(require, 'MoonMonet') local lfscheck, lfs = pcall(require, 'lfs') local sampevcheck, sampev = pcall(require, 'lib.samp.events') if not imguicheck or not sampevcheck or not encodingcheck or not lfscheck or not monetluacheck or not doesFileExist('moonloader/Mordor Police Helper/Images/binderblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/binderwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingsblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingswhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamentblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamenwhite.png') then function main() if not isSampLoaded() or not isSampfuncsLoaded() then return end while not isSampAvailable() do wait(1000) end local ASHfont = renderCreateFont('trebucbd', 11, 9) local progressfont = renderCreateFont('trebucbd', 9, 9) local downloadingfont = renderCreateFont('trebucbd', 7, 9) local progressbar = { max = 0, downloaded = 0, downloadinglibname = '', downloadingtheme = '', } function DownloadFiles(table) progressbar.max = #table progressbar.downloadingtheme = table.theme for k = 1, #table do progressbar.downloadinglibname = table[k].name downloadUrlToFile(table[k].url,table[k].file,function(id,status) if status == dlstatus.STATUSEX_ENDDOWNLOAD then progressbar.downloaded = k if table[k+1] then progressbar.downloadinglibname = table[k+1].name end end end) while progressbar.downloaded ~= k do wait(500) end end progressbar.max = 0 progressbar.downloaded = 0 end lua_thread.create(function() local x = select(1,getScreenResolution()) * 0.5 - 100 local y = select(2, getScreenResolution()) - 70 while true do if progressbar and progressbar.max ~= 0 and progressbar.downloadinglibname and progressbar.downloaded and progressbar.downloadingtheme then local jj = (200-10)/progressbar.max local downloaded = progressbar.downloaded * jj renderDrawBoxWithBorder(x, y-39, 200, 20, 0xFFFF6633, 1, 0xFF808080) renderFontDrawText(ASHfont, 'Mordor Police Helper', x+ 5, y - 37, 0xFFFFFFFF) renderDrawBoxWithBorder(x, y-20, 200, 70, 0xFF1C1C1C, 1, 0xFF808080) renderFontDrawText(progressfont, 'Скачивание: '..progressbar.downloadingtheme, x + 5, y - 15, 0xFFFFFFFF) renderDrawBox(x + 5, y + 5, downloaded, 20, 0xFF00FF00) renderFontDrawText(progressfont, 'Progress: '..progressbar.downloaded..'/'..progressbar.max, x + 100 - renderGetFontDrawTextLength(progressfont,'Progress: '..progressbar.downloaded..'/'..progressbar.max) * 0.5, y + 7, 0xFFFFFFFF) renderFontDrawText(downloadingfont, 'Downloading: \''..progressbar.downloadinglibname..'\'', x + 5, y + 32, 0xFFFFFFFF) end wait(0) end end) sampAddChatMessage(('[ASHelper]{EBEBEB} Началось скачивание необходимых файлов. Если скачивание не удастся, то обратитесь к {ff6633}vk.com/shepich{ebebeb}.'),0xff6633) if not imguicheck then -- Нашел только релизную версию в архиве, так что пришлось залить файлы сюда, при обновлении буду обновлять и у себя print('{FFFF00}Скачивание: mimgui') createDirectory('moonloader/lib/mimgui') DownloadFiles({theme = 'mimgui', {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/init.lua', file = 'moonloader/lib/mimgui/init.lua', name = 'init.lua'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/imgui.lua', file = 'moonloader/lib/mimgui/imgui.lua', name = 'imgui.lua'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/dx9.lua', file = 'moonloader/lib/mimgui/dx9.lua', name = 'dx9.lua'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/cimguidx9.dll', file = 'moonloader/lib/mimgui/cimguidx9.dll', name = 'cimguidx9.dll'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/cdefs.lua', file = 'moonloader/lib/mimgui/cdefs.lua', name = 'cdefs.lua'}, }) print('{00FF00}mimgui успешно скачан') end if not monetluacheck then print('{FFFF00}Скачивание: MoonMonet') createDirectory('moonloader/lib/MoonMonet') DownloadFiles({theme = 'MoonMonet', {url = 'https://github.com/Northn/MoonMonet/releases/download/0.1.0/init.lua', file = 'moonloader/lib/MoonMonet/init.lua', name = 'init.lua'}, {url = 'https://github.com/Northn/MoonMonet/releases/download/0.1.0/moonmonet_rs.dll', file = 'moonloader/lib/MoonMonet/moonmonet_rs.dll', name = 'moonmonet_rs.dll'}, }) print('{00FF00}MoonMonet успешно скачан') end if not sampevcheck then -- C оффициального источника print('{FFFF00}Скачивание: sampev') createDirectory('moonloader/lib/samp') createDirectory('moonloader/lib/samp/events') DownloadFiles({theme = 'samp events', {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events.lua', file = 'moonloader/lib/samp/events.lua', name = 'events.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/raknet.lua', file = 'moonloader/lib/samp/raknet.lua', name = 'raknet.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/synchronization.lua', file = 'moonloader/lib/samp/synchronization.lua', name = 'synchronization.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/bitstream_io.lua', file = 'moonloader/lib/samp/events/bitstream_io.lua', name = 'bitstream_io.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/core.lua', file = 'moonloader/lib/samp/events/core.lua', name = 'core.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/extra_types.lua', file = 'moonloader/lib/samp/events/extra_types.lua', name = 'extra_types.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/handlers.lua', file = 'moonloader/lib/samp/events/handlers.lua', name = 'handlers.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/utils.lua', file = 'moonloader/lib/samp/events/utils.lua', name = 'utils.lua'} }) print('{00FF00}sampev успешно скачан') end if not encodingcheck then -- Обновлений быть не должно print('{FFFF00}Скачивание: encoding') DownloadFiles({ theme = 'encoding.lua', {url = 'https://raw.githubusercontent.com/Just-Mini/biblioteki/main/encoding.lua', file = 'moonloader/lib/encoding.lua', name = 'encoding.lua'} }) print('{00FF00}encoding успешно скачан') end if not lfscheck then -- Обновлений быть не должно print('{FFFF00}Скачивание: lfs') DownloadFiles({theme = 'lfs.dll', {url = 'https://github.com/Just-Mini/biblioteki/raw/main/lfs.dll', file = 'moonloader/lib/lfs.dll', name = 'lfs.dll'} }) print('{00FF00}lfs успешно скачан') end if not doesFileExist('moonloader/Mordor Police Helper/Images/binderblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/binderwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingsblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingswhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamentblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamenwhite.png') then print('{FFFF00}Скачивание: PNG Файлов') createDirectory('moonloader/Mordor Police Helper') createDirectory('moonloader/Mordor Police Helper/Images') DownloadFiles({theme = 'PNG Файлов', {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/binderblack.png', file = 'moonloader/Mordor Police Helper/Images/binderblack.png', name = 'binderblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/binderwhite.png', file = 'moonloader/Mordor Police Helper/Images/binderwhite.png', name = 'binderwhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/lectionblack.png', file = 'moonloader/Mordor Police Helper/Images/lectionblack.png', name = 'lectionblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/lectionwhite.png', file = 'moonloader/Mordor Police Helper/Images/lectionwhite.png', name = 'lectionwhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/settingsblack.png', file = 'moonloader/Mordor Police Helper/Images/settingsblack.png', name = 'settingsblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/settingswhite.png', file = 'moonloader/Mordor Police Helper/Images/settingswhite.png', name = 'settingswhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/departamentblack.png', file = 'moonloader/Mordor Police Helper/Images/departamentblack.png', name = 'departamentblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/departamenwhite.png', file = 'moonloader/Mordor Police Helper/Images/departamenwhite.png', name = 'departamenwhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/changelogblack.png', file = 'moonloader/Mordor Police Helper/Images/changelogblack.png', name = 'changelogblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/changelogwhite.png', file = 'moonloader/Mordor Police Helper/Images/changelogwhite.png', name = 'changelogwhite.png'}, }) print('{00FF00}PNG Файлы успешно скачаны') end print('{FFFF00}Файлы были успешно скачаны, скрипт перезагружен.') thisScript():reload() end return end local print, clock, sin, cos, floor, ceil, abs, format, gsub, gmatch, find, char, len, upper, lower, sub, u8, new, str, sizeof = print, os.clock, math.sin, math.cos, math.floor, math.ceil, math.abs, string.format, string.gsub, string.gmatch, string.find, string.char, string.len, string.upper, string.lower, string.sub, encoding.UTF8, imgui.new, ffi.string, ffi.sizeof encoding.default = 'CP1251' local configuration = inicfg.load({ main_settings = { myrankint = 1, gender = 0, style = 0, rule_align = 1, lection_delay = 10, lection_type = 1, fmtype = 0, playcd = 2000, fmstyle = nil, updatelastcheck = nil, myname = '', myaccent = '', astag = '', usefastmenucmd = 'mphfm', createmarker = false, dorponcmd = true, replacechat = true, replaceash = false, dofastscreen = true, noscrollbar = true, playdubinka = true, changelog = true, autoupdate = true, getbetaupd = false, statsvisible = false, checkmcongun = true, checkmconhunt = false, usefastmenu = 'E', fastscreen = 'F4', avtoprice = 5000, motoprice = 10000, ribaprice = 30000, lodkaprice = 30000, gunaprice = 50000, huntprice = 100000, kladprice = 200000, taxiprice = 250000, RChatColor = 4282626093, DChatColor = 4294940723, ASChatColor = 4281558783, monetstyle = -16729410, monetstyle_chroma = 1.0, }, imgui_pos = { posX = 100, posY = 300 }, my_stats = { avto = 0, moto = 0, riba = 0, lodka = 0, guns = 0, hunt = 0, klad = 0, taxi = 0 }, RankNames = { 'Стажёр', 'Консультант', 'Лицензёр', 'Мл.Инструктор', 'Инструктор', 'Менеджер', 'Ст. Менеджер', 'Помощник директора', 'Директор', 'Управляющий', }, sobes_settings = { pass = true, medcard = true, wbook = false, licenses = false, }, BindsName = {}, BindsDelay = {}, BindsType = {}, BindsAction = {}, BindsCmd = {}, BindsKeys = {} }, 'Mordor Police Helper') -- icon fonts local fa = { ['ICON_FA_FILE_ALT'] = '\xee\x80\x80', ['ICON_FA_PALETTE'] = '\xee\x80\x81', ['ICON_FA_TIMES'] = '\xee\x80\x82', ['ICON_FA_QUESTION_CIRCLE'] = '\xee\x80\x83', ['ICON_FA_BOOK_OPEN'] = '\xee\x80\x84', ['ICON_FA_INFO_CIRCLE'] = '\xee\x80\x85', ['ICON_FA_SEARCH'] = '\xee\x80\x86', ['ICON_FA_ALIGN_LEFT'] = '\xee\x80\x87', ['ICON_FA_ALIGN_CENTER'] = '\xee\x80\x88', ['ICON_FA_ALIGN_RIGHT'] = '\xee\x80\x89', ['ICON_FA_TRASH'] = '\xee\x80\x8a', ['ICON_FA_REDO_ALT'] = '\xee\x80\x8b', ['ICON_FA_HAND_PAPER'] = '\xee\x80\x8c', ['ICON_FA_FILE_SIGNATURE'] = '\xee\x80\x8d', ['ICON_FA_REPLY'] = '\xee\x80\x8e', ['ICON_FA_USER_PLUS'] = '\xee\x80\x8f', ['ICON_FA_USER_MINUS'] = '\xee\x80\x90', ['ICON_FA_EXCHANGE_ALT'] = '\xee\x80\x91', ['ICON_FA_USER_SLASH'] = '\xee\x80\x92', ['ICON_FA_USER'] = '\xee\x80\x93', ['ICON_FA_FROWN'] = '\xee\x80\x94', ['ICON_FA_SMILE'] = '\xee\x80\x95', ['ICON_FA_VOLUME_MUTE'] = '\xee\x80\x96', ['ICON_FA_VOLUME_UP'] = '\xee\x80\x97', ['ICON_FA_STAMP'] = '\xee\x80\x98', ['ICON_FA_ELLIPSIS_V'] = '\xee\x80\x99', ['ICON_FA_ARROW_UP'] = '\xee\x80\x9a', ['ICON_FA_ARROW_DOWN'] = '\xee\x80\x9b', ['ICON_FA_ARROW_RIGHT'] = '\xee\x80\x9c', ['ICON_FA_CODE'] = '\xee\x80\x9d', ['ICON_FA_ARROW_ALT_CIRCLE_DOWN'] = '\xee\x80\x9e', ['ICON_FA_LINK'] = '\xee\x80\x9f', ['ICON_FA_CAR'] = '\xee\x80\xa0', ['ICON_FA_MOTORCYCLE'] = '\xee\x80\xa1', ['ICON_FA_FISH'] = '\xee\x80\xa2', ['ICON_FA_SHIP'] = '\xee\x80\xa3', ['ICON_FA_CROSSHAIRS'] = '\xee\x80\xa4', ['ICON_FA_SKULL_CROSSBONES'] = '\xee\x80\xa5', ['ICON_FA_DIGGING'] = '\xee\x80\xa6', ['ICON_FA_PLUS_CIRCLE'] = '\xee\x80\xa7', ['ICON_FA_PAUSE'] = '\xee\x80\xa8', ['ICON_FA_PEN'] = '\xee\x80\xa9', ['ICON_FA_MINUS_SQUARE'] = '\xee\x80\xaa', ['ICON_FA_CLOCK'] = '\xee\x80\xab', ['ICON_FA_COG'] = '\xee\x80\xac', ['ICON_FA_TAXI'] = '\xee\x80\xad', ['ICON_FA_FOLDER'] = '\xee\x80\xae', ['ICON_FA_CHEVRON_LEFT'] = '\xee\x80\xaf', ['ICON_FA_CHEVRON_RIGHT'] = '\xee\x80\xb0', ['ICON_FA_CHECK_CIRCLE'] = '\xee\x80\xb1', ['ICON_FA_EXCLAMATION_CIRCLE'] = '\xee\x80\xb2', ['ICON_FA_AT'] = '\xee\x80\xb3', ['ICON_FA_HEADING'] = '\xee\x80\xb4', ['ICON_FA_WINDOW_RESTORE'] = '\xee\x80\xb5', ['ICON_FA_TOOLS'] = '\xee\x80\xb6', ['ICON_FA_GEM'] = '\xee\x80\xb7', ['ICON_FA_ARROWS_ALT'] = '\xee\x80\xb8', ['ICON_FA_QUOTE_RIGHT'] = '\xee\x80\xb9', ['ICON_FA_CHECK'] = '\xee\x80\xba', ['ICON_FA_LIGHT_COG'] = '\xee\x80\xbb', ['ICON_FA_LIGHT_INFO_CIRCLE'] = '\xee\x80\xbc', } setmetatable(fa, { __call = function(t, v) if (type(v) == 'string') then return t['ICON_' .. upper(v)] or '?' elseif (type(v) == 'number' and v >= fa.min_range and v <= fa.max_range) then local t, h = {}, 128 while v >= h do t[#t + 1] = 128 + v % 64 v = floor(v / 64) h = h > 32 and 32 or h * 0.5 end t[#t + 1] = 256 - 2 * h + v return char(unpack(t)):reverse() end return '?' end, __index = function(t, i) if type(i) == 'string' then if i == 'min_range' then return 0xe000 elseif i == 'max_range' then return 0xe03c end end return t[i] end }) -- icon fonts function join_argb(a, r, g, b) local argb = b argb = bit.bor(argb, bit.lshift(g, 8)) argb = bit.bor(argb, bit.lshift(r, 16)) argb = bit.bor(argb, bit.lshift(a, 24)) return argb end function explode_argb(argb) local a = bit.band(bit.rshift(argb, 24), 0xFF) local r = bit.band(bit.rshift(argb, 16), 0xFF) local g = bit.band(bit.rshift(argb, 8), 0xFF) local b = bit.band(argb, 0xFF) return a, r, g, b end function ColorAccentsAdapter(color) local function ARGBtoRGB(color) return bit.band(color, 0xFFFFFF) end local a, r, g, b = explode_argb(color) local ret = {a = a, r = r, g = g, b = b} function ret:apply_alpha(alpha) self.a = alpha return self end function ret:as_u32() return join_argb(self.a, self.b, self.g, self.r) end function ret:as_vec4() return imgui.ImVec4(self.r / 255, self.g / 255, self.b / 255, self.a / 255) end function ret:as_argb() return join_argb(self.a, self.r, self.g, self.b) end function ret:as_rgba() return join_argb(self.r, self.g, self.b, self.a) end function ret:as_chat() return format('%06X', ARGBtoRGB(join_argb(self.a, self.r, self.g, self.b))) end return ret end local ScreenSizeX, ScreenSizeY = getScreenResolution() local alphaAnimTime = 0.3 local getmyrank = false local windowtype = new.int(0) local sobesetap = new.int(0) local lastsobesetap = new.int(0) local newwindowtype = new.int(1) local clienttype = new.int(0) local leadertype = new.int(0) local Licenses_select = new.int(0) local Licenses_Arr = {u8'Авто',u8'Мото',u8'Рыболовство',u8'Плавание',u8'Оружие',u8'Охоту',u8'Раскопки',u8'Такси'} local QuestionType_select = new.int(0) local Ranks_select = new.int(0) local sobesdecline_select = new.int(0) local uninvitebuf = new.char[256]() local blacklistbuf = new.char[256]() local uninvitebox = new.bool(false) local blacklistbuff = new.char[256]() local fwarnbuff = new.char[256]() local fmutebuff = new.char[256]() local fmuteint = new.int(0) local lastq = new.int(0) local autoupd = new.int(0) local now_zametka = new.int(1) local zametka_window = new.int(1) local crimefind = new.char[256]() local search_rule = new.char[256]() local rule_align = new.int(configuration.main_settings.rule_align) local auto_update_box = new.bool(configuration.main_settings.autoupdate) local get_beta_upd_box = new.bool(configuration.main_settings.getbetaupd) local lections = {} local questions = {} local serverquestions = {} local ruless = {} local zametki = {} local dephistory = {} local updateinfo = {} local LastActiveTime = {} local LastActive = {} local notf_sX, notf_sY = convertGameScreenCoordsToWindowScreenCoords(605, 438) local notify = { msg = {}, pos = {x = notf_sX - 200, y = notf_sY - 70} } notf_sX, notf_sY = nil, nil local mainwindow = new.int(0) local settingswindow = new.int(1) local additionalwindow = new.int(1) local infowindow = new.int(1) local monetstylechromaselect = new.float[1](configuration.main_settings.monetstyle_chroma) local alpha = new.float[1](0) local windows = { imgui_settings = new.bool(), imgui_fm = new.bool(), imgui_binder = new.bool(), imgui_lect = new.bool(), imgui_depart = new.bool(), imgui_database = new.bool(), imgui_changelog = new.bool(configuration.main_settings.changelog), imgui_fmstylechoose = new.bool(configuration.main_settings.fmstyle == nil), imgui_zametka = new.bool(false), } local bindersettings = { binderbuff = new.char[4096](), bindername = new.char[40](), binderdelay = new.char[7](), bindertype = new.int(0), bindercmd = new.char[15](), binderbtn = '', } local matthewball, matthewball2, matthewball3 = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor), imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor), imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local chatcolors = { RChatColor = new.float[4](matthewball.x, matthewball.y, matthewball.z, matthewball.w), DChatColor = new.float[4](matthewball2.x, matthewball2.y, matthewball2.z, matthewball2.w), ASChatColor = new.float[4](matthewball3.x, matthewball3.y, matthewball3.z, matthewball3.w), } local mq = ColorAccentsAdapter(configuration.main_settings.monetstyle):as_vec4() local usersettings = { createmarker = new.bool(configuration.main_settings.createmarker), dorponcmd = new.bool(configuration.main_settings.dorponcmd), replacechat = new.bool(configuration.main_settings.replacechat), replaceash = new.bool(configuration.main_settings.replaceash), dofastscreen = new.bool(configuration.main_settings.dofastscreen), noscrollbar = new.bool(configuration.main_settings.noscrollbar), playdubinka = new.bool(configuration.main_settings.playdubinka), statsvisible = new.bool(configuration.main_settings.statsvisible), checkmcongun = new.bool(configuration.main_settings.checkmcongun), checkmconhunt = new.bool(configuration.main_settings.checkmconhunt), playcd = new.float[1](configuration.main_settings.playcd / 1000), myname = new.char[256](configuration.main_settings.myname), myaccent = new.char[256](configuration.main_settings.myaccent), gender = new.int(configuration.main_settings.gender), fmtype = new.int(configuration.main_settings.fmtype), fmstyle = new.int(configuration.main_settings.fmstyle or 2), usefastmenucmd = new.char[256](u8(configuration.main_settings.usefastmenucmd)), moonmonetcolorselect = new.float[4](mq.x, mq.y, mq.z, mq.w), } matthewball, matthewball2, matthewball3, mq = nil, nil, nil, nil collectgarbage() local pricelist = { avtoprice = new.char[7](tostring(configuration.main_settings.avtoprice)), motoprice = new.char[7](tostring(configuration.main_settings.motoprice)), ribaprice = new.char[7](tostring(configuration.main_settings.ribaprice)), lodkaprice = new.char[7](tostring(configuration.main_settings.lodkaprice)), gunaprice = new.char[7](tostring(configuration.main_settings.gunaprice)), huntprice = new.char[7](tostring(configuration.main_settings.huntprice)), kladprice = new.char[7](tostring(configuration.main_settings.kladprice)), taxiprice = new.char[7](tostring(configuration.main_settings.taxiprice)) } local tHotKeyData = { edit = nil, save = {}, lasted = clock(), } local lectionsettings = { lection_type = new.int(configuration.main_settings.lection_type), lection_delay = new.int(configuration.main_settings.lection_delay), lection_name = new.char[256](), lection_text = new.char[65536](), } local zametkisettings = { zametkaname = new.char[256](), zametkatext = new.char[4096](), zametkacmd = new.char[256](), zametkabtn = '', } local departsettings = { myorgname = new.char[50](u8(configuration.main_settings.astag)), toorgname = new.char[50](), frequency = new.char[7](), myorgtext = new.char[256](), } local questionsettings = { questionname = new.char[256](), questionhint = new.char[256](), questionques = new.char[256](), } local sobes_settings = { pass = new.bool(configuration.sobes_settings.pass), medcard = new.bool(configuration.sobes_settings.medcard), wbook = new.bool(configuration.sobes_settings.wbook), licenses = new.bool(configuration.sobes_settings.licenses), } local tagbuttons = { {name = '{my_id}',text = 'Пишет Ваш ID.',hint = '/n /showpass {my_id}\n(( /showpass \'Ваш ID\' ))'}, {name = '{my_name}',text = 'Пишет Ваш ник из настроек.',hint = 'Здравствуйте, я {my_name}\n- Здравствуйте, я '..u8:decode(configuration.main_settings.myname)..'.'}, {name = '{my_rank}',text = 'Пишет Ваш ранг из настроек.',hint = '/do На груди бейджик {my_rank}\nНа груди бейджик '..configuration.RankNames[configuration.main_settings.myrankint]}, {name = '{my_score}',text = 'Пишет Ваш уровень.',hint = 'Я проживаю в штате уже {my_score} лет!\n- Я проживаю в штате уже \'Ваш уровень\' лет!'}, {name = '{H}',text = 'Пишет системное время в часы.',hint = 'Давай встретимся завтра тут же в {H} \n- Давай встретимся завтра тут же в чч'}, {name = '{HM}',text = 'Пишет системное время в часы:минуты.',hint = 'Сегодня в {HM} будет концерт!\n- Сегодня в чч:мм будет концерт!'}, {name = '{HMS}',text = 'Пишет системное время в часы:минуты:секунды.',hint = 'У меня на часах {HMS}\n- У меня на часах \'чч:мм:сс\''}, {name = '{gender:Текст1|Текст2}',text = 'Пишет сообщение в зависимости от вашего пола.',hint = 'Я вчера {gender:был|была} в банке\n- Если мужской пол: был в банке\n- Если женский пол: была в банке'}, {name = '@{ID}',text = 'Узнаёт имя игрока по ID.',hint = 'Ты не видел где сейчас @{43}?\n- Ты не видел где сейчас \'Имя 43 ида\''}, {name = '{close_id}',text = 'Узнаёт ID ближайшего к Вам игрока',hint = 'О, а вот и @{{close_id}}?\nО, а вот и \'Имя ближайшего ида\''}, {name = '{delay_*}',text = 'Добавляет задержку между сообщениями',hint = 'Добрый день, я сотрудник Автошколы г. Сан-Фиерро, чем могу Вам помочь?\n{delay_2000}\n/do На груди висит бейджик с надписью Лицензёр Автошколы.\n\n[10:54:29] Добрый день, я сотрудник Автошколы г. Сан-Фиерро, чем могу Вам помочь?\n[10:54:31] На груди висит бейджик с надписью Лицензёр Автошколы.'}, } local buttons = { {name='Настройки',text='Пользователь, вид\nскрипта, цены',icon=fa.ICON_FA_LIGHT_COG,y_hovered=8,timer=1}, {name='Дополнительно',text='Правила, заметки,\nотыгровки',icon=fa.ICON_FA_FOLDER,y_hovered=8,timer=1}, {name='Информация',text='Обновления, автор,\nо скрипте',icon=fa.ICON_FA_LIGHT_INFO_CIRCLE,y_hovered=8,timer=1}, } local fmbuttons = { {name = u8'Действия с клиентом', rank = 1}, {name = u8'Собеседование', rank = 5}, {name = u8'Проверка устава', rank = 5}, {name = u8'Лидерские действия', rank = 9}, } local settingsbuttons = { fa.ICON_FA_USER..u8(' Пользователь'), fa.ICON_FA_PALETTE..u8(' Вид скрипта'), fa.ICON_FA_FILE_ALT..u8(' Цены'), } local additionalbuttons = { fa.ICON_FA_BOOK_OPEN..u8(' Правила'), fa.ICON_FA_QUOTE_RIGHT..u8(' Заметки'), fa.ICON_FA_HEADING..u8(' Отыгровки'), } local infobuttons = { fa.ICON_FA_ARROW_ALT_CIRCLE_DOWN..u8(' Обновления'), fa.ICON_FA_AT..u8(' Автор'), fa.ICON_FA_CODE..u8(' О скрипте'), } local whiteashelper, blackashelper, whitebinder, blackbinder, whitelection, blacklection, whitedepart, blackdepart, whitechangelog, blackchangelog, rainbowcircle local font = {} imgui.OnInitialize(function() -- >> BASE85 DATA << local circle_data = '\x89\x50\x4E\x47\x0D\x0A\x1A\x0A\x00\x00\x00\x0D\x49\x48\x44\x52\x00\x00\x00\x30\x00\x00\x00\x30\x08\x06\x00\x00\x00\x57\x02\xF9\x87\x00\x00\x00\x06\x62\x4B\x47\x44\x00\xFF\x00\xFF\x00\xFF\xA0\xBD\xA7\x93\x00\x00\x09\xC8\x49\x44\x41\x54\x68\x81\xED\x99\x4B\x6C\x5C\xE7\x75\xC7\x7F\xE7\x7C\x77\x5E\xE4\x50\x24\x25\xCA\x7A\x90\xB4\x4D\xD3\x92\x9C\xBA\x8E\x8B\x48\xB2\xA4\xB4\x40\xEC\x04\x79\xD4\x81\xD1\x64\x93\x3E\x9C\x45\xBC\x71\x1D\xD7\x06\x8A\xAE\x5A\x20\x0B\x25\x6D\x36\x45\xBB\x69\xA5\xB4\x46\x90\x02\x2E\xEC\x3E\x50\x20\xC9\xA6\x8B\x3A\x80\xA3\x45\x92\x56\xAA\x92\x58\x71\x6D\x90\x52\x6C\xD9\xA2\x45\x51\xA2\x24\x4A\x7C\x0D\xE7\xF1\x9D\xD3\xC5\xCC\x90\x33\x73\x47\x7C\xA4\x41\xBB\xA8\x0E\xF0\xE1\xBB\x73\xEE\xBD\xDF\xFD\xFD\xBF\x73\xBE\xC7\xBD\x03\x77\xED\xAE\xFD\xFF\x36\xF9\x65\x34\xE2\x1C\xD7\x89\x47\x26\x8F\x54\xA9\x7D\xCC\x6B\x7E\x38\xE2\xFB\xDC\x6C\xC4\xCC\xB6\xED\x1B\x75\x73\xF3\x45\xDC\xA7\xCD\x6D\x52\x22\x67\x1D\xFF\xFE\xF6\x1F\x1E\x39\x23\x1C\xB7\xFF\x53\x01\x17\x8E\x3C\x3D\xE2\x15\x79\xC1\x2C\x3E\x6D\xEE\x23\xD1\x0C\x33\xC3\xDC\x30\x73\xCC\x8C\x07\x87\x0D\xDC\x71\x37\x30\xC7\xAD\x59\xFB\x07\xE6\xF1\x95\xA0\x76\x72\xC7\xE9\x53\x1F\xFC\xAF\x0A\x98\x3E\xF8\xEC\x50\x49\x2A\x7F\xE6\x1E\x9F\x31\xB3\x6C\x1D\xDA\xE9\x2A\x60\x6F\xEC\x02\x6F\xAB\x3E\x33\xAB\xA8\xD9\xDF\x95\xCB\xE5\xAF\x8C\x4C\x9C\xB9\xB1\x55\x16\xDD\xEA\x0D\x97\x8E\x3D\xF3\xBB\x95\x50\x9D\x14\xFC\xF7\x81\xEC\x46\xD7\xAF\x07\xEF\x66\x88\x59\xD6\xCC\x9F\xCB\x84\x64\x72\xE6\x43\x47\x7E\x67\xAB\x3C\x9B\x8E\x80\x1F\x7C\x36\x73\x39\x6B\x27\xCC\xED\xD9\x66\xEF\xD6\x7B\xBA\xD9\xEB\xDD\x23\x30\xBE\xAB\x72\x47\x78\xCC\x70\xF3\x46\x6D\xB8\x3B\x78\xFC\xDB\xDD\x7B\x8A\x2F\xCA\xA9\x53\xB5\xCD\x70\x6D\x2A\x02\xDF\x7F\xF8\x64\xF1\x52\x2E\xF9\x37\xE0\xD9\xCD\x0A\x5E\x15\xBE\x15\x78\x33\x3C\xF2\xDC\x95\x4B\xF3\xDF\xBD\xF6\xFC\xCE\xE2\x66\xDA\xDF\x30\x02\x2F\x1D\x3C\x9B\x59\x9C\xBB\xFD\xDD\x87\x7A\xDF\x7E\xF2\xD1\xE2\xB9\xB6\xDE\x6D\x8F\x00\x50\xC8\xA2\xFD\x45\xA4\x58\x80\x44\x21\x97\xB0\x77\xD0\xF0\x95\x32\x56\x2E\x63\xB7\xE7\x89\xD7\x6F\xE2\x0B\x0B\xDD\xE1\x1B\xBE\xFC\x93\xD3\xE4\x3F\x31\x7B\xAA\x30\x10\x3F\x29\x4F\xB0\x6E\x24\x92\x8D\x04\x54\x16\x4A\x27\x42\x08\x4F\x4E\x2C\xFD\x0A\xE6\xCE\xA3\xC5\x37\x52\x7D\x90\x0C\xF6\x91\x1D\xDE\x05\x85\xEC\x5A\x1A\x35\x04\xA2\x02\xF9\x2C\x9A\xCD\x20\xBD\x3D\xE8\xEE\x7B\xF0\xE5\x12\xB5\xF7\xA6\x88\xB3\xD7\xD3\xF0\xBF\x39\x4D\xCF\x93\x33\x00\x8F\x97\x97\x39\x01\x3C\xB7\x1E\xDF\xBA\x11\x78\xE9\x91\xD3\xBF\x57\x8B\xF1\xD5\x18\x23\x66\x91\x18\x23\xFB\x0A\xFF\xC5\x87\x7B\xDF\xC0\xCC\x20\x9B\x90\x1F\x1F\x81\x9E\x5C\x3D\x2A\x6E\x29\x01\x7B\x06\x6B\x6B\x29\x64\x8D\x29\xB5\x91\x42\x36\xBF\x40\x75\xE2\xE7\x58\x69\xA5\x0E\xFF\x99\x69\x0A\x75\xF8\x56\xC2\xA7\x0B\x9F\xE5\x1F\xB6\x2C\xE0\xE5\xC7\x4E\xEF\x58\x59\x96\x09\xC7\x87\x62\x03\x7E\x55\x44\xFE\x4D\x7E\x6D\xD7\x24\xF9\x7D\xA3\x78\xD0\x06\xF4\x1D\x04\xF4\x57\xBB\xC2\x37\x7B\xDC\x2A\x15\xAA\x13\x17\xC8\x1E\x9D\xA4\xF0\x99\x99\x34\x88\x70\xB3\x26\x1C\xD8\xF6\x14\xD7\xBB\x71\xDE\x71\x10\x57\xAB\xC9\xD7\x35\xE8\x90\x88\x10\x34\x10\x42\x40\x1B\xF5\x54\xF6\x23\xCC\xDC\xFB\x38\x92\xD9\x30\x03\xD7\x85\x77\x33\x44\x95\xE2\x33\x03\xF4\x3C\xB5\x02\x46\xBA\x44\xB6\x67\x6A\x7C\xED\x4E\xED\x77\x8D\xC0\x37\x3F\x7C\x6E\x24\x04\x7B\xC7\xDC\xB2\xEE\xF5\x01\xEB\xEE\x44\x8B\x48\x02\xF7\x3C\x5C\xC4\x83\x31\x9A\x79\x87\xB1\xFC\x85\x75\x23\xB0\xAB\xB7\x74\x47\x78\xCC\xC8\x1E\xBE\x4E\xF6\xE8\x4D\xDC\xAA\xC4\xAB\x3F\x81\x58\xEA\xDA\x9F\x92\x30\xDE\xF3\x39\xA6\x3A\x4F\x74\xED\xC2\x24\xE3\x2F\xE0\x92\x55\x14\xC3\x50\x55\xCC\x8C\xA0\x81\xA1\x87\x7A\xC9\xE4\x95\x18\x23\x53\xD5\x71\xDC\x9D\xFB\x72\xE7\x57\xEF\xD5\x42\x8E\xEC\xD0\x20\x5A\xEC\xC1\x73\x09\xB9\xDE\x88\x95\x56\xB0\xB9\x39\x6A\x33\xD7\x60\x71\x69\x0D\xFE\xD0\x75\xB2\x8F\xDD\x04\x03\x21\x43\x18\xFC\x10\xF1\xDA\x4F\xBA\x21\x65\xA8\xF0\x3C\xF0\x27\x1B\x46\xE0\x38\xAE\xF7\x1F\xFC\xD9\xFB\xC0\x88\xBB\xE3\x5E\xEF\x59\x77\x27\x37\x98\xB0\x63\xBC\xA7\x3E\x7D\xBA\x11\x63\x24\x5A\x64\x6F\xF8\x39\xF7\xE7\xCF\x93\xBD\x77\x17\x61\x68\x70\x35\x0A\xD1\x8C\xC1\xDE\xB8\xD6\xFB\x31\x52\x9B\xBE\x4A\xED\xE2\xFB\x64\x3E\x72\x8D\xEC\xE1\x9B\x29\x52\xBB\xF1\x16\xB6\x32\xDB\x4D\xC4\x54\xEF\x04\xF7\xCB\x71\xDA\x36\x80\xA9\x08\x8C\x3D\xF6\xE6\x11\x4C\x46\xDC\x1D\x91\xBA\xBE\x66\x24\xB6\x8F\xF6\x20\x2A\xA8\x35\x86\x4E\xA8\x57\x57\xFC\x41\xB6\x8F\xDD\xC3\xDE\xA1\x39\x62\x8C\x6D\xED\xAD\xA5\x4E\xBD\x13\x74\xD7\x10\x85\x47\x97\x91\x9D\x93\x78\xB7\xBD\x68\xDF\x18\x2C\x75\x15\x30\x5A\xDA\xC7\x21\xE0\x4C\xAB\x33\x3D\x88\xCD\x9F\x00\x56\xE1\x45\x04\x11\x21\x57\xCC\x90\x14\x02\x2A\x5A\x17\x21\x8A\x8A\x12\x42\x60\x68\x6C\x1B\x8B\x7D\x63\x5C\xAD\xEE\x49\x3F\xB6\x09\xDF\x28\xC9\x03\xF3\x64\x1E\x09\x84\xBE\x07\x21\x92\x2A\x22\x3D\x78\xE8\xC3\x8D\x54\xA9\x19\x1F\xEB\x6C\x3E\x2D\xC0\xF5\x50\xF3\xB0\x55\x44\x61\x7B\x06\x9A\x11\x69\x11\x91\xEB\xC9\xD0\xBF\xBB\x80\xAA\x72\xDB\xF6\x30\x5B\xDB\xDB\xDE\x5C\x2B\xFC\xD8\x3C\xC9\xD8\x42\x3D\xE7\xF3\xC3\x10\x8A\x5D\x41\x25\xB7\xA3\xAB\x1F\xE3\xB1\x8D\x05\x88\xEF\x6F\x1D\x1A\x4D\x11\xB9\x62\x68\x3A\xDA\x44\x14\x77\xE5\xD6\x22\xA2\xCA\x3C\xC3\xDC\x88\xC3\x29\x01\xE1\xBE\x79\xC2\x7D\x0B\x78\xA4\x5E\x0C\x24\xBF\xBB\x7B\x14\xC2\x40\x57\x3F\x91\x7D\x9D\xB8\xA9\x31\x20\x22\x7B\xDC\xA1\x2E\xC2\x57\x45\x68\x56\xD7\x3C\x22\xE0\x8E\x8A\x52\x18\xC8\x00\x82\x48\x7D\xAC\xA0\xB0\x60\x23\xB8\x3B\xFD\x5C\xAA\xC3\xDF\x3B\x4F\xB8\xB7\x0E\xDF\xFE\xF4\xED\x5D\xC7\x81\x4B\xB6\xFB\xF8\x80\xE1\x4E\x47\x4A\x80\x09\xFD\x0A\xA4\x44\xE4\x02\xE0\x29\x11\x92\xD3\xC6\x61\xBB\x88\x45\x1B\xC5\x3D\x32\x30\x7A\x86\x30\x5A\x4F\x9B\xB4\xE5\xD2\xA2\x1A\xFE\xEE\xD7\xD3\xB7\xA1\x80\x17\x46\x66\x22\xAB\xF3\xCB\x9A\x7D\x74\xA8\x42\xE8\xB2\x6E\xFF\x7A\xBF\x74\xF5\x03\xD0\x3F\xCE\x6F\x3C\xF0\x2E\xC7\x0A\x09\x1A\x72\x48\xC8\x81\x34\x9B\x16\x70\x23\xB7\xA3\x65\xE1\x6A\xA4\x27\x6E\x30\x5E\xE8\x98\xE4\x05\xDC\x03\xBC\xB6\xBE\x00\x11\x16\x81\xED\x9D\xFE\x9A\x19\x99\x24\xA5\x8B\x4A\x34\x7A\xBB\xF8\xBD\x2F\x8F\x0C\xE4\xF9\x69\x65\x27\x88\x70\x2C\x3F\x87\x42\x8B\x08\x07\x2B\x77\xDC\xE4\x0D\x11\xD5\xC6\x6F\x5A\x44\x38\x88\xDC\xEA\x7C\x4E\x4A\x80\xAA\x4E\xE3\x9E\x16\x10\x1D\xD5\xF4\xCE\x63\x71\x39\xD2\xDF\x93\x69\xF3\xC5\x62\x16\xB6\xE5\x91\xC6\xF5\x6F\x54\xEF\x41\x44\x38\x9A\xBB\xD9\x2E\xA2\x36\x87\x7B\x0D\x91\x16\x0C\x77\xB0\xEA\x1A\x7D\xBB\x88\x2B\x29\xDE\x4E\x47\x40\xCE\xAB\xD6\x67\x94\xD6\x32\x5F\xB2\x94\x4F\x55\xB9\x32\x57\x21\xA8\x92\x84\x40\x12\x02\xBE\x2D\x8F\x37\xE0\x5B\x05\x9F\x8B\xBB\x38\x5D\xD9\x81\xC5\x32\x1E\xCB\xE0\x35\xAC\x7C\x19\x62\x05\xF7\x8E\x77\x96\xB8\xD0\x04\x6E\xAB\x40\x26\x36\x14\x20\x2A\xFF\xA9\x8D\x87\xB7\x96\x5B\x8B\x35\x92\xA0\xA9\x52\xA9\x39\x57\x6F\x57\xC9\x24\x81\x58\xCC\x11\x8B\xD9\x55\xF8\xCE\x88\x9D\xB3\xDD\x9C\xA9\x0D\x61\xB1\x4C\x5C\x7A\x17\xAF\xCE\xE1\x56\x4E\x89\xF0\x6A\xEB\x16\xA3\x45\x84\xF3\xE3\x4E\xDE\x54\x0A\x25\x09\xA7\xDC\xD3\xA3\x72\xB9\x62\x94\xAB\x4E\x4F\x3E\x9D\xEF\x17\x67\x4A\xE4\x76\x16\x28\xF4\x26\x6D\xF0\xD2\x65\x70\x9F\xF3\x3D\xD4\x56\x16\x38\x5A\x7A\x0B\xD1\xB5\xD4\x13\xC0\x03\x88\x95\xF1\xDA\x6D\xD0\x2C\xA2\x4D\xBC\x46\x1E\x99\xBC\xDE\xD9\x5E\xEA\x11\x57\x5F\x7D\xFC\x74\x08\xFA\x7E\x08\x4A\x5B\x51\x65\x6A\xB6\xBC\x9A\x2A\xAD\xA5\x32\x98\xE7\xEC\x92\x33\xB3\x54\x5B\x15\x20\x4A\x2A\x02\xEE\x30\xB3\x7C\x8B\x97\x6F\x28\xDF\xAE\x8C\xE3\x56\xC1\x63\xB9\x5E\x37\x22\x61\xCB\xE7\xC1\x9A\xBE\xD6\xD4\xF2\x4B\x3C\x7C\x74\xE3\x08\x80\x78\x08\x3F\xF8\x47\x90\x3F\xEE\x3C\x73\x63\xA9\xCA\x72\xD9\xD8\xD6\xB3\x76\xDB\x72\x5F\x96\x72\x7F\x16\x05\xDE\xB9\x55\xE5\x5A\xC9\xD8\xB3\x2D\xC3\xF6\xDE\x40\x4F\x10\xDC\x8D\x4A\xAD\xCA\xFC\xCA\x0A\xD7\xCB\xF3\xAC\x78\x0D\x51\xE5\x35\xDB\x8F\x54\x85\xCF\x67\x2E\xAC\x21\xC6\xDB\xF8\xCA\x65\x44\xB3\x2D\x2B\x10\xF5\x48\x08\xAF\x88\xA4\x3F\x45\x76\x7F\xA5\x32\x3D\x91\x64\xE4\x8F\xE8\xF2\xE1\x6A\xE2\x83\x25\x0E\xEF\x1F\x20\x9B\x28\x0B\xBD\x09\xA5\xBE\x0C\x2A\x6B\x3D\xBE\x1C\x9D\x8B\xB7\xAB\xBC\xB7\x50\x43\x14\xB2\x99\x0B\x48\x50\x44\xEB\x45\x5B\x16\x8D\xD7\xFC\x00\x44\xE1\xF3\x9C\xAF\x8F\x81\xA5\x73\x2D\xD8\xAD\xCB\x28\x65\xC9\xC8\x37\xBA\xA1\x76\x5D\x82\x3E\xF8\xFB\x8F\x5E\x4E\x82\x7E\x2B\x95\x46\x41\xA9\x46\xE7\xED\xA9\x45\x16\x7A\x12\x96\x3A\xE0\xD7\xD2\xA7\x7B\x0A\x75\xB3\xEF\xF1\x10\xDF\x89\xE3\xD8\xFC\x8F\xB1\xEA\x7C\x4B\x4A\x55\xF0\x58\x69\xA6\xD3\x37\xE5\xC0\xEB\x97\x37\x2D\x00\x20\x17\xE3\x57\x92\x10\xAE\x77\xCB\xF9\x2B\xF9\x2C\x3F\x2A\x19\x35\x63\x5D\xF8\xE6\x46\x70\x3D\xAB\x79\xE4\xAF\x6E\x0D\x70\xA2\xB4\xBF\x05\xBC\x4D\xC4\x0D\xAD\xAC\x7C\xF5\x4E\xF7\xA7\xA7\x94\x86\xCD\xFE\xF4\x5B\xA5\xDD\xC7\x9E\xBB\x18\x54\xBE\x10\x54\x68\x96\xC5\xC1\x3C\x0B\x83\x79\xAA\x06\x37\xCB\x91\xFE\x42\x20\x9F\xD1\xAE\xF0\xAA\x82\x70\xAE\xEE\x6F\xBC\x57\xB4\x1E\x2F\xD6\xCA\x4C\xDC\xBA\xCC\x72\xAC\xF0\xA6\x0C\x53\x71\xE5\xB0\x5C\x5A\x83\x10\x41\xC4\xBF\x14\x0E\xBD\x79\x76\xCB\x02\x00\x66\xCF\xBC\xF4\xF6\x9E\x63\xCF\xEF\x0E\xAA\x87\x54\x95\x5B\xFD\x39\x6E\x0F\xE4\x56\x67\x99\x88\x70\x6D\xD9\x28\x45\x28\xE6\x94\x6C\x46\xDA\xE1\x15\xF0\xB4\x80\x95\x58\xE1\xBD\x85\x6B\x5C\x5A\xBA\x4E\xC4\x56\xCF\xFD\x4C\x46\x1A\x22\xDE\xAF\xF3\x23\x27\x33\x47\x2E\xFE\xC5\x7A\x8C\x1B\x7E\x17\xD9\x3F\x3D\xF9\xC2\xBB\xF7\xFF\xEA\x03\x37\x7B\xF5\x53\xB7\x8A\xC9\x2A\x58\x6B\xCA\xDC\x28\x45\xE6\xCA\x46\x5F\x3E\x30\xD4\x1B\x18\x2C\x24\xE4\x33\xD0\x13\x20\xBA\x51\x8D\x35\x2A\xD1\x59\xA8\x96\x98\xAF\x95\x58\x8E\xD5\x7A\x1B\x41\xE9\x7C\x2D\x7F\x45\x8E\x20\x2E\x7C\xD9\xFE\xE3\x5F\x33\xD5\xD9\x3F\xDC\x88\x6F\x53\x5F\xA7\x77\x1E\x7F\xAB\x58\x2E\xE6\xFE\x49\x55\x3E\xDB\x09\x2F\x42\x4B\xFA\x08\xAA\xB4\x44\x40\x08\xFA\xA7\xF5\x73\x8D\x99\x48\xB5\x39\x23\x49\xFB\xEC\xA4\xB2\x7A\x5C\xD4\xEA\xEB\x2F\xC6\x7F\xFF\xAD\x2F\x3C\x71\x6A\x71\x23\xB6\x4D\x7D\x9D\x9E\x3D\xFE\xF0\xE2\xFC\xE2\xD4\xE7\x24\xF0\x37\x5B\x81\xEF\xB6\x12\x6F\x64\x82\x7C\x23\xC4\xDC\xA7\x37\x03\x5F\xBF\x7E\x8B\xB6\xF3\xAF\x2F\xFE\x36\x41\x4E\x88\x30\xB4\x11\xBC\xAA\x80\x7D\x6D\x53\x11\x10\x95\x1B\x2A\xF2\xE5\x37\x3E\xF1\xF5\x7F\xD9\x0A\xCF\x96\xFB\x68\xF6\xC5\xB1\x7F\xCE\x65\xC3\x01\x55\x3D\x29\x2A\xE5\xF5\xE0\x9B\xDB\xE9\x0D\xAC\x0C\x9C\x8C\xB5\xEC\xFE\xAD\xC2\xC3\xFF\xF0\x4F\xBE\x91\x97\xA7\x86\xC5\xFD\x0F\x40\xBF\xA8\x2A\xA3\x9D\xF0\x22\x82\x55\x8F\xDF\x21\x02\x5C\xD2\x44\x5F\xAD\x06\x3D\x31\xF9\xA9\x3F\x9F\xFE\x45\x19\x7E\x29\x7F\xB3\x72\xDC\x75\x6C\xDF\xCC\x21\x11\xFF\x38\x41\x0E\xAA\xC8\x01\x11\x19\x16\xF5\xFE\x58\xFE\x6A\x4D\x54\x97\x44\x65\x8A\xA0\x17\x54\xE4\x4C\x92\x24\xA7\xDE\x7A\xEA\x2F\xCF\x22\x2D\xFB\x86\xBB\x76\xD7\xEE\xDA\x2F\x64\xFF\x0D\xB3\xFD\xCF\x34\x8B\x75\x5E\xF4\x00\x00\x00\x00\x49\x45\x4E\x44\xAE\x42\x60\x82' local font85 = "7])#######n=K?d'/###[),##1xL$#Q6>##e@;*>foaj4/]%/1:A'o/fY;99)M7%#>(m<-r:Bk0'Tx-3D0?Jj7+:GDAk=qAqV,-GS)pOn;MH`a'hc98<gXG-$ogl8+`_;$D6@?$%J%/GT_Ae?OP(eN:6jW%,5LsCW]cT#()A'PL.mV[b';9C)j0n5#9^ooU2cD4Eo3R/q#prHHoTS.V3dW.;h^`I)JEf_H$4>d+]Adso6Q<Ba.T<6cAxV%`0bjL0iR/G[Bm7[-$D2:Uwg?-qmnUCko,.D#WajL8(&Da@C=GH%Fd*-IWb&uZe5AO>gj?KW<CE36ie<6&%iZ#u@58.=<xog_@#-j8=)`sh)@DN-$cw''DFcMO&QpLnh+5vdLQ_#hF4v-1ZMUMme$AOYBNMMChk)#,HbGM_F6##U:k(N]1CkLVF$##tDAX#;0xfLS^HF#>>DX-M3GF%W?)&+*JNfLblMv#@7Xh#.47uu7+B.$NBr<9)@r6lA;iD#OYU7#:vgK-'r.>-1.GDNlVG&#56u6#<(d<-'oVE-Lh3r0^]WS7#/>##n4XS7?L,F%6(Lk+?+*/$<Rd--r;I]uCUP&#ihHMM;sZ=.Jk+Y#<Dv1q_?l-$FhG&#N02'#Rjn@#pT9)NVxH]-dS=RECC=_J#d./LfxaS7KcCR<0.lA#OWG-Mh$SS%N*H&#*pRF%.ZC_&3R,[email protected]]+)%>A+>hWk+,4%xKq3n0#Y:RS%#fB#$@MR&,Z2c'&.B.;6_Du'&hF;;$,.=X(MS:;$l9r&l`)>>#YvEuu=m*.-H####Y4+GMPiYW-.BmtL==B.$)Hub%jF>4.QX`mLN1M'#(@-TIxvaT#(t(G#w$7S#qv1c#'Iuu#%Aq+$r-W@$Nn?O$ewx]$F2oh$2;Qv$0CxP%PNR@%aI$K%FR]X%d+;0&(BhN&A2rC&M6&]&r;^m&'Amv&09GF'K%OA'Ot)h'BZNT'47X*(=3uu'0S%1(]m+B([d#Z(xA[*.dw9hLS$]N#&6>##`$At[:^/@66RG##Pui/%Iq8;]`>(C&Okk2$7U$Z$AGs8].#KxtA:u+M]5oO(meGH3Fm3bNit7I#4qe]('1Iq;Q;P:vfQ>JLt3J_&viSY,bQcp.CJa)#`qPK)1vQJ(,39Z-]p*P(u3YD#v,;o0eAGA#PJ))3Kp-`&5[=,4skY)4S)ZA#e?N>J'Jw['<N)H&hEl;d$Ud('AIFqAf]<9%;Z(v#p:MZuPfOZ-+Oj'&?hbm&:3OH;wA4&>5-Sp&Q(-tLR/'L6vDw_s5e;##[Ifc)ftho.05r%4m(8C4lYWI)$qcT3]#:u$a]Q_#FLeY#;X^:/@AAC4DmG,*k:8Ye)-8>/2ekp/'[[x,4_Z:02<b72(f>C+H]_e$gMCf$%v'C(Iowe+sYT&,?./N0)%hm:<g2'MG=?C+:Hg;-OGg;-)D[20wfS=u/:hl8Wh8qVL?4J*O7%s$b4[s$dE/<7&pk-$G5ZA#cVjfLSP9+KJHBu$w1QwJJB'Y$8;`['<n-@'KJqwM+QohCq*gb.o,9%#.uQS%;L:`s99=8%,s:D37-CG)PEZd3`nVs-PNXA#[Q:a#_R(f)R35N'xh]g%KK:a#d1xv$vu/+*l_oC#d,;mQ.urp:+S-9.KE>3'sb(@,g]@L(2[hr&jSc1:J-N`+71RP/G0w]QqZ59%Z9,3'[2MO'O696&ej==$EIwo%0$AE+ZIt*MX,$8/Tmcs-%/P:vEs%p7-QLJ(E4$##0_(f)rkh8.eQ=g1IUFb3rEmGMMx;9/>%q`$B3M+*f1oH)sb.S<AXw8%WITj'j)-A'F%WNT-Zqf(@TM)'hA-$$4fl>#wUF,2_`uYuxA7<$qjcn&Ah9h($fZ-HRtOK1Yd0'#(NA.*0Zc8/BSsBos)8f39F<dX0BF:.Rkr;-G]%+1iBV)+0J/P'2(_T7-PNh#W)Y?#b;Zk+Un5R*mS[YmceMw&<-.L,E$@ENVb&o#<^U7#^?O&#swbI)[(Ls-b3NZ6%K3jL+Ua.3jpB:%qGU7/kTMv5,(*9%bEB:%els4:q3rGZ9eq6&0=?7;)VY_$N+J&,=wRu-AJ0kL1(Jg>]6#9%@cp1;<H:;$Ylc=l2tOcVQiou,<@,87'M`x-j,5e35IL,3l5MG)1BEYPEv3+NW]9,N?9EYPkgxW$9cl>#(M,W-]c6`&L$^p%=Da1B#YkA#&BD9.b]Z5/Qq0I$$S^%OEa`v%G5Kb.vOkxu0@D9.'/###nHNJVlgjxKJjK/)VI<#6IvtM(ZX;X-YxdAT[Ah8%OGE;PjX>;-uw5B#Bl;m/V*1I$#Sg%O*@c(NK_?.8(J-g)AD-wPLQm<-krsv%**KGW$pBq7O4l%l>n`ca.ikA#W_+%&O&A^H^_$##%&>uuPchR#QZI%#((;YPc(YD#x3YD#w:H>#XmgM's3vr-(g&W&6Y79%fkn9%>-h(*f-W@#]*>F)knd6O;<34':h[(<$8=rZBQ7iL[=SS%:I:`sV?RS.bS5-3i+h.*[*'u$l+8=7B.<9/`&PA#KD,G4a?T:%hl2T%kYo.Cc7dZ,'PE=(?IgK2g_-I#a(V?76+Wm/2InWAZTuM#P2CT&%,MC&/<TN0`V]iB<knW0DQbV.wA3DflQ+C.7DQ%b5-B&5[/T,365qKG/`OcMHt@C#IV/)*W<7f33i4sL2mmhMpSl]##<(C&6jE.3wb7F40/3-)PEkx#uX>J&@kgsL$MEs%OLit-,4>gLgVv/(S53E*L)7'42b?W&CH@T*$BIe)Gsi`'jE^2'&K`t(uVX9[7q7T%l^:0(pj)B(k`tT[N=S%#',Y:v'h8E#rqm(#SoA*#TkP]4)>WD#W*1T&/M0+*CdA=%_wkj1#&;9/[7%s$x)Qv$o+Q-3[cJD*-V&E#;Z^k93V]=%F%r8.,grk'dx+G4Mn24%a#=w91ACW-DQ?=La<]j0hOLs-F_nS%Hkjp%[ljE*Fqew#H%iv#cg'[7_k7NWPbcE#g`]#,JaId)[#?3';YB@%<.aC&2@aN=DEgq%%J8L(#FGN'jkCw,lRE5&bOml/iF'NBRx((93YZd)b5f;%/-Y`3$&>uuX4>>#>;F&#N;+G4v:^Y,bv./08bUa4?a2@$57fT%de75/r#W)'fRgO;r1<=.Pw<p%dqh[,q;T&,>q7?#*K:3'7m#p%)g*61qX8V%9r8,31d24';l1s'/lIH%C>Jb-f5a9D>O,/L^N78.84,876a=T82$.m0`9Ss-wHil87=P)4G-LB-<bH29eYpJ)f;)B'JM/)*TvtxFC_39%'5h;-2jsv5iU>7;J+1=//qDJ)H*.%,3nx9.72M3&ZTXp%djDC&u7v?0sMJOE='oK)DmPO0uXk0(8)Lm'k@'eZI-2BZn9+o9-gG,*6x_caIlplT[Ec-Qb[1_#nv-cr_tcxO5kS'Jnm7f30sxiLuoYA#^nr?#8ekD#<G[Z$grKp7B6V>78QW@,==D?#Z?_a<7)'Y&8iNE&%NtM&H.)Zu(;OR/V&q6&(,Rn&QVhJ)P5pp&UcgZP3L>;)N####vc+:vdD3L#UC>d$jEOA#he#T/?TMm$U/_p.F?uD#p>kKPO<>`#SdL;$K%v>uU4@H)&2Z/$*tH)4o>)^u4u?%-:7fCWb-A<$[;Vo&T+>J&_^0q%a8[%-efH988K[A5IoW:,QRh`.9DH%b#`:5/E,W]+3HSs7YDlA#9KB5)grc>e44pfLiP]S#Pm*$M,x(hL+Fr2:($_>$jFm;-Z-Kg1::tD#DMn;%*vZ]4f[I>:$o0B>(f>C+t4de$I<Qg(<4I'PoN1K(YZ`::=rcG*Mk'i#%'5<$RjwF4ERR8%M####xwP50IG;F47@&s$$d(T/b.i?#Mu6:R$Y^L$@I@<$1h'?$@1r;$FveYLGhxP&6lhV$S,1I$nII<$[2Puux+Yu#ZB*1#b2h'#u^M3VfRDU8i-$Z$F+i;-43n#)IXIh&o:SW?ZkuN':1[`<*aWE*@OTk1];;o&Kn+A'.eF^&D37o[NYRW?+VRD&IW4d.S3Z&#=rcERb?%p7>/MJ(3ufr6I7n`SGQPA#J@[s$k^<c4x?7f3Jc7C#QL-.MO%NT/WUrt-a_5GM01L+*T>([-%41:)NN3E3*0vs81nYR&+YN/2[H-u%o&pn/@,&-):F<p%r]Dk'ab7<$sWs20w1Z(+^Z#r%[%te)3QgJ)#]`s69BcgP)A8W$cDR)*cY#$6qZrG)[)>+BEl7W$M<tt$X9Ck10e4t$RUIs$R,C308koW$RKXX$o#pW$:%_58=`Q_#A&.8#PvK'#;(3]-YrIjiriSF4hlwU/>;gF41rSfLRpC$%lf/+*8S@`a,E'2)'q)9'/rZT8a2?r%25jl0RJ<e)lb7Z7Gwlx46)J-)6v1p/$SV?#P@ce)A0KW$R9A&,29qm&(2qKG(+#VdlGI?%[#`=%lxIA40k'u$VluhMw93B6[VUi#'VtGMK?LSMxQP7e:-n(#$),##_q5V#,I24#xjP]49`Z=7&[&r8vZW/2ck2b5D)+P(]::8.`=WAbo5k-$9UhhL*,dY'f>QN'PGOhUW$v-M6)rU%M[hfu+muN'qtSVIn)@`AwoC.;3Lj9D'*YA#LF8Z$QfA_4Vd1JUsYO]lF3pG*.pia-'QV$BIYClIMA4kbJ,Y:vxiqR#'uCl-aiHRaFY@C#kK(E#B99T.Ec7C#FuuHOoNw1Kt+2[Be8Yuu2Zqn#pkh7#Iqn%#SPUV$f8t1):N.)*Z[)Q/A$G)<,+)H*>nE)<P[D-**.qX6j)K.$?<P)3atep%X@x;Qi:Jt%AWW#&'HAcNR1_KMbiTm(`2Afhfsf*%68Fq&05qDNp`ub%l,PT%*Bdp%g7KgLQ02iL8?6##Cw3<-D(m<-Z5Sn$1IE:.oBpTVh%AA48>F$%7NZ,2bbgs$WLIT%UM3T%n6[s&q[i8.0a7X$8_6Z$#Q842n:/o#;WL7#>=#+#(+Bk$mEZd3-OS,*9`:5/B.i?#Z+hkL^0#V/w^v)4P:.6/DUcI)g7+gLP]XjL<[tD#4Le;-`DL[-Abln*gO&9.o;d31lqkd?:mi,)1xqv#M'S@#I5,j)@ekX$<Usl&n,0+EZ?W8&_g)B#X;rsLbj^VKs:(X%lcZr%37(x5k2S$9O/mX$EWUg(_/20(Z+K>-%Z&03'>cuu$8YY#P*[0#FVs)#YaqpL>U-1M&OrB#l5MG)*Dei$UekD#X7KgL.`,c4CY@C#g3YD#,]0v56W8x,r<;W-O9ki0SBo8%q>Ib3#C7f30d%H)nGSF4nGUv-[YWI)ue0h2&iv8%6C3p%qre-)q(J-)X##+%E'd**I17s$n%f;6kRl_+L9N*.#SiZukh,##dG.P'Y>l@5CbjP&U(1s-e$8@#N^[h(bYR1(>k/Q&A-5/(SmGr%Fvfe*6lJ-)x*?h>nr24'_GnI2ulWa*ln9n'+C36/](o*3/K7L(.O1v#^_-X-,Be61#5'F*9oUv#)Auu#XLVS%*C3L#A,^*#=aX.#mp@.*&@*Q/*W8f3<U/[#,eAj0V::8.6iZx6S4-J*CANBomuYD4v2(H*n0ldtHx6%-B#mG;8;;H*rHRF4#$650WH5<.vu/+*^l-F%pVGq;c7%s$*C&s$:'ihL`DN`#O8@F#%RL1;5S>C+@_oi'')539'?@F#`FC.*stq<-,kuN'u/:'-q.;?%7<9a<ujJ7/;JT0MTW]L=BNX4SiYh&=p?j20*SN/2G<At#0XFT%au6s$FI@w#kr2x-oU-##%b$M;4UD%6B0^30,0mj']*JI4LhR>#eu.P'nT8n/dNl/(f3E6/n?^6&=2&_4+N[f)>k>F#fa:L;vM(&=AUwS%)<bF=WXtJ2R,U'##soXu/%YS7Gt^`*e>(T.fvUO'm(Ud1(`d5/[j:9/ccor6'I'*#x<pa#?=di9s4Xs/s5^Q2Px0??[M3&+]Q>7&H-W.P^QKq%;.`v#:.ua40Bxb4J+R98Xd/BFXoE9%/8+5_W-f<$Aba5&GC:$vgWGJLx35;6hE%##gBow@oV(u$HIYQ's3vr-QTWjLnoOZ6m('J3?t>V/kK(E#SrU%6VmS,3bONU2+t%],f*Zg)7c7%-LMwIqO?q9&LP.<?_v^_,K(Aa+=(35M=(b31l^<t&$UQ0)3>`6&b/qT7)IqN(kqg@OXG[W$0Gb50UQp6&RG>Y-DFYw5[aR60g,T9.%f*A'xJEb7F/34';T_8._IT>/P*-??bpcq9QL?>#bl9'#]#<X(mrUC,elqB#OgHd)E7Kv-OU+naD)h*%e-YD#$Re+4Ni)I-'TID*@b1*Ne/=,N+@j?#xo<F7w)iw0(cR79_Y?C#NLlZ,/4$o1T^WN94=[iLn^DKC%%bN0O+s;&8XA30q-2kLFb.q.w:+.)aA[q)KRVL3rk?.NBFo/R>`3B-%0IA-n^DM/',Y:v(M'%M_@d&#DJa)#pPUV$R4r?#cJ?C#G>CQ9fh1T/j:2mLOiYA#qd8x,OgGj'>#Me2Jva.3ig'u$^#:u$BKc8/j5='ml%Li^>kfM'IY1,`tpkgLX0As$7&lY(-NU8/k6.>/VOaP&g*+6&,_W$TPNbe$]eJ2'NCNq2SnU)$*o(9.i<B994],=Rq)R)4g$Px-=Nv7&886QS$f?MM[H2i/(2###%b_S7Y(u;%Npxjk$h@M9TbBv-q<8O6nbU@,abLs-YBSP/]::8.*W8f3;#K+*uW^u.:0s2/*-T%6=R]w'lIxe2dHt]#N$v[-DNaa4nQXA#BjUp/Jg4',90>nElv#Z.Od>3'd[jo9brW9&9dK9%e&vx4F..L*F]:v#,;=a*`n36/QsB%bw8md/_JqS2kV_pLg5q(,4k*M&`?L-)f;3u/#=I-)XhXVdrRDS(Z+)S&ra?W&1;P>#MZhrI;?K[#dmx0*/]kV7+C%##:wE<-17w2&*)sFPg<S+%Yh),>Y)E.33D2T.v5Zv&h%,)NSSx3%d=Ou(0jU5MO8?uu+'pV%*@W:.MN>m/Rq@.*dZ'u$bJPD%^=Ip.Dh+%,0E9I$'9PF%J4X#-.f4GMT4/cV]:q0MM+d<-;'FK478qCa<G?`a;'GJ(;NHD*W_d5/`UW`<i0wC#[=fOo^]%@#%apf'$-mK5iNj?#Bx37/MHPn&BbjjL>ID=-Tlk*>.L%a+o8o6W[jp5/h=K,3nM#lLtGGA#L,/;M;9rx0+s$C#B4;ZuuL.GVg3%dM1T7U.V5/$5_eHG>l&=#-HW4<-b@)*%Bv:9/d>6$6urGA#atr?#&_va$lx*iHa:nJ#:YDm&F-%w%/%Lp7WLO]uh.2i15D6t63*?('J1F=%)FPgL`]ZY#K1*]b*ag(amK^/1MFn8%`B&s$ZpB:%0)&b-PD6F%?d0<7al+c43v+G4[5ZA#O59f3inL+*o%^F*^4-XLiq[s$+d]D#(BcJ(-@Sj0K]N^4KX7a+-fd5/k3AN0-)TKM;9BN0n()a4,K:V%52HAk[x):8:%]5&7C&<$;mqd2G3,n&m*(r&_q[8%:'TW$-u9N(U<fY-D5ti,p;E&+o4:kLd@*:8';G##[*Zr#p@)4#8&*)#Z7p*#hPPA#ON>V.-opr6qGcL';=1)N:^k4:T7Z;%571B#D24>-hkfT%CI$,*104b+$150Lj=g^+EZP.U(f>C+-;/)*C1@<$`eY>#At3R/0*)H*_v,40qLEN0_@9K2bPQ>>ZJOJMAK8a+taJV/FV<Z8F/96]+rk&#%/5##M0o^fJR,,)JC$##,;Rv$t@0+*5HSF4gc[:/KGW/2SX7%-X*Zs?>8``bu`,-&)gZ6&A,>q%K3/%,^la1B&r9B#=dcYu,p@/MWF1#&l0T$lIJ6K)uN)%,D@CC#$:8rm<lQiT7`###rY5lLoKPA#bDVBQF-s:1doWDb[Pe)*#v1jTf<^;-A:iT.-[1Wb4:2=-Phc-M=F5gL5C9C-+=9C-;Xp$.-J+gLb`7C#[j:9/ZZVA.llA>,'P8;[nRNWJ[`C.;w@$$$l@AC#.P@k=_7%s$OQ9.;J.KKM`X<**mF?^9.YPs-CF.-;ml'^uxKdQ&5+>R*6U^JDdwn>'rV8>,(Z*^#KA%K1[Luw5n@5c4TMrB#1eU_A>P_a+/hUu?t*uq&xCtS7mv$%B^,w6*N#<daJVQaNeO4gLW`#n>_[N_5jK%##,R(f)-<Tv-k/169+O(E4+._C4='K,*Le&-*Yo%&4YaKW$72pb4i9(Z>BZ^/)+*NO+*/]I)O:h(EWVrq'[-Jw#ES211bANS0pZXK1W2n`*QfSB+H?VO;)tBI4q3kt$AL<p%N;9bQ@<)r.,'tU.n32*Kr;=G#U2`K(;L<:8WH`K(qpP0(#s5%-th%xS``Mv#T;[d)]N2DfX)CH0?TG40l08%#41%wuL/sW#<,JnLNh*F3pBj;-^1X/%df%&4TtG;)Vi2U.BsMF3a8mp%/tFA#bg'B#jVXp%WIl<MH.d`OQH8u-1_4V?*:@2LJ%O3&pVfr0HQ*_O7XDY&$,PV-:vpQa9_Aj0_T^:/[M1E4k&B.*W6#8&a>#d3'MoC,Yt6##^*-12EKIJ)uN)%,(A/[ul0x5/ej0/'5//;MLUbm-^**%,$qV1,K[uq&;XKfLWwH##:d-o#E&.8#h>$(#N8u>@LL)m1PF@<.Xh1f)Hq_F*Ek3Q/kHuD#iapi'&#[]4FJd,*dI+gLnT]s$j:Ls-iE(E#6,IT%rXfQ&7aiS&h@BQ&nf]^7S=LI2,&7n&gn*b+F.av#mVom8->%[#oXt.)XRNVRq4<9))fNnSt3vN'/@(V&7=1V&mK6K1Sl7:Ln.fJE(5&C46f8p0^RVZ#pZ^t8+<Ov#_BOe+s$rw,0FZSJN)b1)W-/L5iq.%#.+_j%ub_S7=-&v#5FNP&K&@D*@%$##0G2T/aw(a4N$s8.CeL+*u*mV-vc(T/HD]=%7hJrmXR`N2Bn)K9IHVQC`vcV$/.g`*^Hc>##b[Nj?1dcaxcAG2ED:v#$v4uu,7958%P:v#t=58.$,Y:vBJHs-M5^l8bj(9/vf%&4n0Yo&(:k=.Y((*>)9Bj0nJn_>?#-eQPH^@#CG0H);l%n&>%'I,7&$9%V3=MCK:lgLL0W=-YZ+Z-L[t05@<A?Pv-8u-lRPM9:]R&,-qAAeAO4s%Zrk@?*%gG3*55p'TaeC#-^v7A0LPN'^]/B+u5+%,/<#LQ]e/GV1^[N8u<CH2&t@E+jwu0Lo=_Y(o:%?7QO?>#QSViK4E0A=LKu`4aeO,2S(Ls-22'9%mTgU%L=Zd)5*j<%oQl)*E`j)*/bY,M.R@T.&`X]u)Jg9;gFjl&0ixFr#I187[9AVHKG'##8=Nc+NqR*5;'&i)(??A4AaAf3$fNT/+kRP/oGUv-Nki?#_Qo8%l(KF*97#`4oo/f)+2pb4$,]]477DB%P5#l9PO-C#-duJ(5+7X-D45@5c@nM05kJ30kh6X-7X=5T?1^P'4F4g1=QWh)C6ihL#[Z(+bvZ;)?m(q<rTF+5?S39/st+E&QN)R'W^Kq%oHpM'oN/7/Wjpq%QDbl($=cgLJ6GhUhv[).Jki%,PP?w-hTBq%B0ZA4hXP_+OaFm'UsX-H6]aOD`CT8/TAiA=.31V&b6ai0Vh$##bl@d)^^D.3FH7l1'/dt$p&A+4@vTs-l9]c;cD^v-wHeF4Dk:B#&SwvK(mL5/+ugfQ0t.'M4.VH2r^?3:*+l.)eBA@#6V`iL^2oiLvN2DfxvnT%K5a:M^&_m&JTbG%ZtLrZT.FcM_v]%#c@`T.-Yu##;A`T.,Mc##QsG<-5X`=-nsG<-*fG<-:B`T.8.`$#m#XN03c:?#-5>##_RFgLNJhkL0=`T.6:r$#34xU.3xL$#AsG<-5X`=-YsG<-*fG<-&B`T.H9F&#@tG<-JPI+3Ze/*#Xst.#e)1/#I<x-#-#krL;,;'#2_jjL/u@(#0Q?(#Xp/kL<LoqL0xc.#wC.v6F+U.G5E+7DHX5p/W%C,38q:417=vLFa-'##jS3rLP@]qLbqP.#pm-qL5T->>9l7FH5m?n2MT4oLkL#.#6^mL-Kr;Y0BvZ6D.gcdGBh%nLPKCsL3T,.#+W;qLFm%hEgdJX9J%Un=p&Ck=%8)_Sk+=L5B+?']l<4eHR`?F%X<8w^egCSC7;ZhFhXHL28-IL2ce:qWG/5##vO'#vMnBHM4c^;-SU=U%R9YY#*J(v#.c_V$2%@8%6=wo%:UWP&>n82'B0pi'FHPJ(Ja1,)N#ic)R;ID*VS*&+Zla]+_.B>,cF#v,g_YV-kw:8.o9ro.sQRP/wj320%-ki0)EKJ1-^,,21vcc258DD39P%&4=i[]4A+=>5ECtu5I[TV64+*WHnDmmLF[#<-WY#<-XY#<-YY#<-ZY#<-[Y#<-]Y#<-^Y#<-_Y#<-`Y#<-hY#<-iY#<-jY#<-kY#<-lY#<-m`>W-hrQF%WuQF%%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2'0O,3rX:d-juQF%&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3(9kG3rX:d-kuQF%'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3)?tG3?:w0#H,P:vb&ij;[-<$#i(ofL^@6##0F;=-345dM,MlCj[O39MdX4Fh5L*##1c+@j@t@AtH,ECQ" -- >> BASE85 DATA << imgui.GetIO().IniFilename = nil whiteashelper = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\settingswhite.png') blackashelper = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\settingsblack.png') whitebinder = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\binderwhite.png') blackbinder = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\binderblack.png') whitelection = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\lectionwhite.png') blacklection = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\lectionblack.png') whitedepart = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\departamenwhite.png') blackdepart = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\departamentblack.png') whitechangelog = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\changelogwhite.png') blackchangelog = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\changelogblack.png') rainbowcircle = imgui.CreateTextureFromFileInMemory(new('const char*', circle_data), #circle_data) local config = imgui.ImFontConfig() config.MergeMode, config.PixelSnapH = true, true local glyph_ranges = imgui.GetIO().Fonts:GetGlyphRangesCyrillic() local faIconRanges = new.ImWchar[3](fa.min_range, fa.max_range, 0) local font_path = getFolderPath(0x14) .. '\\trebucbd.ttf' imgui.GetIO().Fonts:Clear() imgui.GetIO().Fonts:AddFontFromFileTTF(font_path, 13.0, nil, glyph_ranges) imgui.GetIO().Fonts:AddFontFromMemoryCompressedBase85TTF(font85, 13.0, config, faIconRanges) for k,v in pairs({8, 11, 15, 16, 25}) do font[v] = imgui.GetIO().Fonts:AddFontFromFileTTF(font_path, v, nil, glyph_ranges) imgui.GetIO().Fonts:AddFontFromMemoryCompressedBase85TTF(font85, v, config, faIconRanges) end checkstyle() end) function checkstyle() imgui.SwitchContext() local style = imgui.GetStyle() local colors = style.Colors local clr = imgui.Col local ImVec4 = imgui.ImVec4 local ImVec2 = imgui.ImVec2 style.WindowTitleAlign = ImVec2(0.5, 0.5) style.WindowPadding = ImVec2(15, 15) style.WindowRounding = 6.0 style.FramePadding = ImVec2(5, 5) style.FrameRounding = 5.0 style.ItemSpacing = ImVec2(12, 8) style.ItemInnerSpacing = ImVec2(8, 6) style.IndentSpacing = 25.0 style.ScrollbarSize = 15 style.ScrollbarRounding = 9.0 style.GrabMinSize = 5.0 style.GrabRounding = 3.0 style.ChildRounding = 7.0 if configuration.main_settings.style == 0 or configuration.main_settings.style == nil then colors[clr.Text] = ImVec4(0.80, 0.80, 0.83, 1.00) colors[clr.TextDisabled] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.WindowBg] = ImVec4(0.06, 0.05, 0.07, 0.95) colors[clr.ChildBg] = ImVec4(0.10, 0.09, 0.12, 0.50) colors[clr.PopupBg] = ImVec4(0.07, 0.07, 0.09, 1.00) colors[clr.Border] = ImVec4(0.40, 0.40, 0.53, 0.50) colors[clr.BorderShadow] = ImVec4(0.92, 0.91, 0.88, 0.00) colors[clr.FrameBg] = ImVec4(0.15, 0.14, 0.16, 0.50) colors[clr.FrameBgHovered] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.FrameBgActive] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.TitleBg] = ImVec4(0.76, 0.31, 0.00, 1.00) colors[clr.TitleBgCollapsed] = ImVec4(1.00, 0.98, 0.95, 0.75) colors[clr.TitleBgActive] = ImVec4(0.80, 0.33, 0.00, 1.00) colors[clr.MenuBarBg] = ImVec4(0.10, 0.09, 0.12, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.10, 0.09, 0.12, 1.00) colors[clr.ScrollbarGrab] = ImVec4(0.80, 0.80, 0.83, 0.31) colors[clr.ScrollbarGrabHovered] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.ScrollbarGrabActive] = ImVec4(0.06, 0.05, 0.07, 1.00) colors[clr.CheckMark] = ImVec4(1.00, 0.42, 0.00, 0.53) colors[clr.SliderGrab] = ImVec4(1.00, 0.42, 0.00, 0.53) colors[clr.SliderGrabActive] = ImVec4(1.00, 0.42, 0.00, 1.00) colors[clr.Button] = ImVec4(0.15, 0.14, 0.21, 0.60) colors[clr.ButtonHovered] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.ButtonActive] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.Header] = ImVec4(0.15, 0.14, 0.21, 0.60) colors[clr.HeaderHovered] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.HeaderActive] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.ResizeGrip] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.ResizeGripHovered] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.ResizeGripActive] = ImVec4(0.06, 0.05, 0.07, 1.00) colors[clr.PlotLines] = ImVec4(0.40, 0.39, 0.38, 0.63) colors[clr.PlotLinesHovered] = ImVec4(0.25, 1.00, 0.00, 1.00) colors[clr.PlotHistogram] = ImVec4(0.40, 0.39, 0.38, 0.63) colors[clr.PlotHistogramHovered] = ImVec4(0.25, 1.00, 0.00, 1.00) colors[clr.TextSelectedBg] = ImVec4(0.25, 1.00, 0.00, 0.43) colors[clr.ModalWindowDimBg] = ImVec4(0.00, 0.00, 0.00, 0.30) elseif configuration.main_settings.style == 1 then colors[clr.Text] = ImVec4(0.95, 0.96, 0.98, 1.00) colors[clr.TextDisabled] = ImVec4(0.65, 0.65, 0.65, 0.65) colors[clr.WindowBg] = ImVec4(0.14, 0.14, 0.14, 1.00) colors[clr.ChildBg] = ImVec4(0.14, 0.14, 0.14, 1.00) colors[clr.PopupBg] = ImVec4(0.14, 0.14, 0.14, 1.00) colors[clr.Border] = ImVec4(1.00, 0.28, 0.28, 0.50) colors[clr.BorderShadow] = ImVec4(1.00, 1.00, 1.00, 0.00) colors[clr.FrameBg] = ImVec4(0.22, 0.22, 0.22, 1.00) colors[clr.FrameBgHovered] = ImVec4(0.18, 0.18, 0.18, 1.00) colors[clr.FrameBgActive] = ImVec4(0.09, 0.12, 0.14, 1.00) colors[clr.TitleBg] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.TitleBgActive] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.TitleBgCollapsed] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.MenuBarBg] = ImVec4(0.20, 0.20, 0.20, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.02, 0.02, 0.02, 0.39) colors[clr.ScrollbarGrab] = ImVec4(0.36, 0.36, 0.36, 1.00) colors[clr.ScrollbarGrabHovered] = ImVec4(0.18, 0.22, 0.25, 1.00) colors[clr.ScrollbarGrabActive] = ImVec4(0.24, 0.24, 0.24, 1.00) colors[clr.CheckMark] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.SliderGrab] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.SliderGrabActive] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.Button] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.ButtonHovered] = ImVec4(1.00, 0.25, 0.25, 1.00) colors[clr.ButtonActive] = ImVec4(1.00, 0.20, 0.20, 1.00) colors[clr.Header] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.HeaderHovered] = ImVec4(1.00, 0.39, 0.39, 1.00) colors[clr.HeaderActive] = ImVec4(1.00, 0.21, 0.21, 1.00) colors[clr.ResizeGrip] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.ResizeGripHovered] = ImVec4(1.00, 0.39, 0.39, 1.00) colors[clr.ResizeGripActive] = ImVec4(1.00, 0.19, 0.19, 1.00) colors[clr.PlotLines] = ImVec4(0.61, 0.61, 0.61, 1.00) colors[clr.PlotLinesHovered] = ImVec4(1.00, 0.43, 0.35, 1.00) colors[clr.PlotHistogram] = ImVec4(1.00, 0.21, 0.21, 1.00) colors[clr.PlotHistogramHovered] = ImVec4(1.00, 0.18, 0.18, 1.00) colors[clr.TextSelectedBg] = ImVec4(1.00, 0.25, 0.25, 1.00) colors[clr.ModalWindowDimBg] = ImVec4(0.00, 0.00, 0.00, 0.30) elseif configuration.main_settings.style == 2 then colors[clr.Text] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.TextDisabled] = ImVec4(0.24, 0.24, 0.24, 0.30) colors[clr.WindowBg] = ImVec4(1.00, 1.00, 1.00, 1.00) colors[clr.ChildBg] = ImVec4(0.96, 0.96, 0.96, 1.00) colors[clr.PopupBg] = ImVec4(0.92, 0.92, 0.92, 1.00) colors[clr.Border] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.BorderShadow] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ImVec4(0.68, 0.68, 0.68, 0.50) colors[clr.FrameBgHovered] = ImVec4(0.82, 0.82, 0.82, 1.00) colors[clr.FrameBgActive] = ImVec4(0.76, 0.76, 0.76, 1.00) colors[clr.TitleBg] = ImVec4(0.00, 0.45, 1.00, 0.82) colors[clr.TitleBgCollapsed] = ImVec4(0.00, 0.45, 1.00, 0.82) colors[clr.TitleBgActive] = ImVec4(0.00, 0.45, 1.00, 0.82) colors[clr.MenuBarBg] = ImVec4(0.00, 0.37, 0.78, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.ScrollbarGrab] = ImVec4(0.00, 0.35, 1.00, 0.78) colors[clr.ScrollbarGrabHovered] = ImVec4(0.00, 0.33, 1.00, 0.84) colors[clr.ScrollbarGrabActive] = ImVec4(0.00, 0.31, 1.00, 0.88) colors[clr.CheckMark] = ImVec4(0.00, 0.49, 1.00, 0.59) colors[clr.SliderGrab] = ImVec4(0.00, 0.49, 1.00, 0.59) colors[clr.SliderGrabActive] = ImVec4(0.00, 0.39, 1.00, 0.71) colors[clr.Button] = ImVec4(0.00, 0.49, 1.00, 0.59) colors[clr.ButtonHovered] = ImVec4(0.00, 0.49, 1.00, 0.71) colors[clr.ButtonActive] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.Header] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.HeaderHovered] = ImVec4(0.00, 0.49, 1.00, 0.71) colors[clr.HeaderActive] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.Separator] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.SeparatorHovered] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.SeparatorActive] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.ResizeGrip] = ImVec4(0.00, 0.39, 1.00, 0.59) colors[clr.ResizeGripHovered] = ImVec4(0.00, 0.27, 1.00, 0.59) colors[clr.ResizeGripActive] = ImVec4(0.00, 0.25, 1.00, 0.63) colors[clr.PlotLines] = ImVec4(0.00, 0.39, 1.00, 0.75) colors[clr.PlotLinesHovered] = ImVec4(0.00, 0.39, 1.00, 0.75) colors[clr.PlotHistogram] = ImVec4(0.00, 0.39, 1.00, 0.75) colors[clr.PlotHistogramHovered] = ImVec4(0.00, 0.35, 0.92, 0.78) colors[clr.TextSelectedBg] = ImVec4(0.00, 0.47, 1.00, 0.59) colors[clr.ModalWindowDimBg] = ImVec4(0.20, 0.20, 0.20, 0.35) elseif configuration.main_settings.style == 3 then colors[clr.Text] = ImVec4(1.00, 1.00, 1.00, 1.00) colors[clr.WindowBg] = ImVec4(0.14, 0.12, 0.16, 1.00) colors[clr.ChildBg] = ImVec4(0.30, 0.20, 0.39, 0.00) colors[clr.PopupBg] = ImVec4(0.05, 0.05, 0.10, 0.90) colors[clr.Border] = ImVec4(0.89, 0.85, 0.92, 0.30) colors[clr.BorderShadow] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ImVec4(0.30, 0.20, 0.39, 1.00) colors[clr.FrameBgHovered] = ImVec4(0.41, 0.19, 0.63, 0.68) colors[clr.FrameBgActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.TitleBg] = ImVec4(0.41, 0.19, 0.63, 0.45) colors[clr.TitleBgCollapsed] = ImVec4(0.41, 0.19, 0.63, 0.35) colors[clr.TitleBgActive] = ImVec4(0.41, 0.19, 0.63, 0.78) colors[clr.MenuBarBg] = ImVec4(0.30, 0.20, 0.39, 0.57) colors[clr.ScrollbarBg] = ImVec4(0.30, 0.20, 0.39, 1.00) colors[clr.ScrollbarGrab] = ImVec4(0.41, 0.19, 0.63, 0.31) colors[clr.ScrollbarGrabHovered] = ImVec4(0.41, 0.19, 0.63, 0.78) colors[clr.ScrollbarGrabActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.CheckMark] = ImVec4(0.56, 0.61, 1.00, 1.00) colors[clr.SliderGrab] = ImVec4(0.41, 0.19, 0.63, 0.24) colors[clr.SliderGrabActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.Button] = ImVec4(0.41, 0.19, 0.63, 0.44) colors[clr.ButtonHovered] = ImVec4(0.41, 0.19, 0.63, 0.86) colors[clr.ButtonActive] = ImVec4(0.64, 0.33, 0.94, 1.00) colors[clr.Header] = ImVec4(0.41, 0.19, 0.63, 0.76) colors[clr.HeaderHovered] = ImVec4(0.41, 0.19, 0.63, 0.86) colors[clr.HeaderActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.ResizeGrip] = ImVec4(0.41, 0.19, 0.63, 0.20) colors[clr.ResizeGripHovered] = ImVec4(0.41, 0.19, 0.63, 0.78) colors[clr.ResizeGripActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.PlotLines] = ImVec4(0.89, 0.85, 0.92, 0.63) colors[clr.PlotLinesHovered] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.PlotHistogram] = ImVec4(0.89, 0.85, 0.92, 0.63) colors[clr.PlotHistogramHovered] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.TextSelectedBg] = ImVec4(0.41, 0.19, 0.63, 0.43) colors[clr.ModalWindowDimBg] = ImVec4(0.20, 0.20, 0.20, 0.35) elseif configuration.main_settings.style == 4 then colors[clr.Text] = ImVec4(0.90, 0.90, 0.90, 1.00) colors[clr.TextDisabled] = ImVec4(0.60, 0.60, 0.60, 1.00) colors[clr.WindowBg] = ImVec4(0.08, 0.08, 0.08, 1.00) colors[clr.ChildBg] = ImVec4(0.10, 0.10, 0.10, 1.00) colors[clr.PopupBg] = ImVec4(0.08, 0.08, 0.08, 1.00) colors[clr.Border] = ImVec4(0.70, 0.70, 0.70, 0.40) colors[clr.BorderShadow] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ImVec4(0.15, 0.15, 0.15, 1.00) colors[clr.FrameBgHovered] = ImVec4(0.19, 0.19, 0.19, 0.71) colors[clr.FrameBgActive] = ImVec4(0.34, 0.34, 0.34, 0.79) colors[clr.TitleBg] = ImVec4(0.00, 0.69, 0.33, 0.80) colors[clr.TitleBgActive] = ImVec4(0.00, 0.74, 0.36, 1.00) colors[clr.TitleBgCollapsed] = ImVec4(0.00, 0.69, 0.33, 0.50) colors[clr.MenuBarBg] = ImVec4(0.00, 0.80, 0.38, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.16, 0.16, 0.16, 1.00) colors[clr.ScrollbarGrab] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.ScrollbarGrabHovered] = ImVec4(0.00, 0.82, 0.39, 1.00) colors[clr.ScrollbarGrabActive] = ImVec4(0.00, 1.00, 0.48, 1.00) colors[clr.CheckMark] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.SliderGrab] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.SliderGrabActive] = ImVec4(0.00, 0.77, 0.37, 1.00) colors[clr.Button] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.ButtonHovered] = ImVec4(0.00, 0.82, 0.39, 1.00) colors[clr.ButtonActive] = ImVec4(0.00, 0.87, 0.42, 1.00) colors[clr.Header] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.HeaderHovered] = ImVec4(0.00, 0.76, 0.37, 0.57) colors[clr.HeaderActive] = ImVec4(0.00, 0.88, 0.42, 0.89) colors[clr.Separator] = ImVec4(1.00, 1.00, 1.00, 0.40) colors[clr.SeparatorHovered] = ImVec4(1.00, 1.00, 1.00, 0.60) colors[clr.SeparatorActive] = ImVec4(1.00, 1.00, 1.00, 0.80) colors[clr.ResizeGrip] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.ResizeGripHovered] = ImVec4(0.00, 0.76, 0.37, 1.00) colors[clr.ResizeGripActive] = ImVec4(0.00, 0.86, 0.41, 1.00) colors[clr.PlotLines] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.PlotLinesHovered] = ImVec4(0.00, 0.74, 0.36, 1.00) colors[clr.PlotHistogram] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.PlotHistogramHovered] = ImVec4(0.00, 0.80, 0.38, 1.00) colors[clr.TextSelectedBg] = ImVec4(0.00, 0.69, 0.33, 0.72) colors[clr.ModalWindowDimBg] = ImVec4(0.17, 0.17, 0.17, 0.48) elseif configuration.main_settings.style == 5 then colors[clr.Text] = ImVec4(0.9, 0.9, 0.9, 1) colors[clr.TextDisabled] = ImVec4(1, 1, 1, 0.4) colors[clr.WindowBg] = ImVec4(0, 0, 0, 1) colors[clr.ChildBg] = ImVec4(0, 0, 0, 1) colors[clr.PopupBg] = ImVec4(0, 0, 0, 1) colors[clr.Border] = ImVec4(0.51, 0.51, 0.51, 0.6) colors[clr.BorderShadow] = ImVec4(0.35, 0.35, 0.35, 0.66) colors[clr.FrameBg] = ImVec4(1, 1, 1, 0.28) colors[clr.FrameBgHovered] = ImVec4(0.68, 0.68, 0.68, 0.67) colors[clr.FrameBgActive] = ImVec4(0.79, 0.73, 0.73, 0.62) colors[clr.TitleBg] = ImVec4(0, 0, 0, 1) colors[clr.TitleBgActive] = ImVec4(0.46, 0.46, 0.46, 1) colors[clr.TitleBgCollapsed] = ImVec4(0, 0, 0, 1) colors[clr.MenuBarBg] = ImVec4(0, 0, 0, 0.8) colors[clr.ScrollbarBg] = ImVec4(0, 0, 0, 0.6) colors[clr.ScrollbarGrab] = ImVec4(1, 1, 1, 0.87) colors[clr.ScrollbarGrabHovered] = ImVec4(1, 1, 1, 0.79) colors[clr.ScrollbarGrabActive] = ImVec4(0.8, 0.5, 0.5, 0.4) colors[clr.CheckMark] = ImVec4(0.99, 0.99, 0.99, 0.52) colors[clr.SliderGrab] = ImVec4(1, 1, 1, 0.42) colors[clr.SliderGrabActive] = ImVec4(0.76, 0.76, 0.76, 1) colors[clr.Button] = ImVec4(0.51, 0.51, 0.51, 0.6) colors[clr.ButtonHovered] = ImVec4(0.68, 0.68, 0.68, 1) colors[clr.ButtonActive] = ImVec4(0.67, 0.67, 0.67, 1) colors[clr.Header] = ImVec4(0.72, 0.72, 0.72, 0.54) colors[clr.HeaderHovered] = ImVec4(0.92, 0.92, 0.95, 0.77) colors[clr.HeaderActive] = ImVec4(0.82, 0.82, 0.82, 0.8) colors[clr.Separator] = ImVec4(0.73, 0.73, 0.73, 1) colors[clr.SeparatorHovered] = ImVec4(0.81, 0.81, 0.81, 1) colors[clr.SeparatorActive] = ImVec4(0.74, 0.74, 0.74, 1) colors[clr.ResizeGrip] = ImVec4(0.8, 0.8, 0.8, 0.3) colors[clr.ResizeGripHovered] = ImVec4(0.95, 0.95, 0.95, 0.6) colors[clr.ResizeGripActive] = ImVec4(1, 1, 1, 0.9) colors[clr.PlotLines] = ImVec4(1, 1, 1, 1) colors[clr.PlotLinesHovered] = ImVec4(1, 1, 1, 1) colors[clr.PlotHistogram] = ImVec4(1, 1, 1, 1) colors[clr.PlotHistogramHovered] = ImVec4(1, 1, 1, 1) colors[clr.TextSelectedBg] = ImVec4(1, 1, 1, 0.35) colors[clr.ModalWindowDimBg] = ImVec4(0.88, 0.88, 0.88, 0.35) elseif configuration.main_settings.style == 6 then local generated_color = monetlua.buildColors(configuration.main_settings.monetstyle, configuration.main_settings.monetstyle_chroma, true) colors[clr.Text] = ColorAccentsAdapter(generated_color.accent2.color_50):as_vec4() colors[clr.TextDisabled] = ColorAccentsAdapter(generated_color.neutral1.color_600):as_vec4() colors[clr.WindowBg] = ColorAccentsAdapter(generated_color.accent2.color_900):as_vec4() colors[clr.ChildBg] = ColorAccentsAdapter(generated_color.accent2.color_800):as_vec4() colors[clr.PopupBg] = ColorAccentsAdapter(generated_color.accent2.color_700):as_vec4() colors[clr.Border] = ColorAccentsAdapter(generated_color.accent3.color_300):apply_alpha(0xcc):as_vec4() colors[clr.BorderShadow] = imgui.ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x60):as_vec4() colors[clr.FrameBgHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x70):as_vec4() colors[clr.FrameBgActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x50):as_vec4() colors[clr.TitleBg] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0xcc):as_vec4() colors[clr.TitleBgCollapsed] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0x7f):as_vec4() colors[clr.TitleBgActive] = ColorAccentsAdapter(generated_color.accent2.color_700):as_vec4() colors[clr.MenuBarBg] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x91):as_vec4() colors[clr.ScrollbarBg] = imgui.ImVec4(0,0,0,0) colors[clr.ScrollbarGrab] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x85):as_vec4() colors[clr.ScrollbarGrabHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.ScrollbarGrabActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xb3):as_vec4() colors[clr.CheckMark] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.SliderGrab] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.SliderGrabActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x80):as_vec4() colors[clr.Button] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.ButtonHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.ButtonActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xb3):as_vec4() colors[clr.Header] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.HeaderHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.HeaderActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xb3):as_vec4() colors[clr.ResizeGrip] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0xcc):as_vec4() colors[clr.ResizeGripHovered] = ColorAccentsAdapter(generated_color.accent2.color_700):as_vec4() colors[clr.ResizeGripActive] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0xb3):as_vec4() colors[clr.PlotLines] = ColorAccentsAdapter(generated_color.accent2.color_600):as_vec4() colors[clr.PlotLinesHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.PlotHistogram] = ColorAccentsAdapter(generated_color.accent2.color_600):as_vec4() colors[clr.PlotHistogramHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.TextSelectedBg] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.ModalWindowDimBg] = ColorAccentsAdapter(generated_color.accent1.color_200):apply_alpha(0x26):as_vec4() else configuration.main_settings.style = 0 checkstyle() end end function string.split(inputstr, sep) if sep == nil then sep = '%s' end local t={} ; i=1 for str in gmatch(inputstr, '([^'..sep..']+)') do t[i] = str i = i + 1 end return t end function string.separate(a) if type(a) ~= 'number' then return a end local b, e = gsub(format('%d', a), '^%-', '') local c = gsub(b:reverse(), '%d%d%d', '%1.') local d = gsub(c:reverse(), '^%.', '') return (e == 1 and '-' or '')..d end function string.rlower(s) local russian_characters = { [155] = '[', [168] = 'Ё', [184] = 'ё', [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] = 'я', } s = lower(s) local strlen = len(s) if strlen == 0 then return s end s = lower(s) local output = '' for i = 1, strlen do local ch = s:byte(i) if ch >= 192 and ch <= 223 then output = output .. russian_characters[ch + 32] elseif ch == 168 then output = output .. russian_characters[184] else output = output .. char(ch) end end return output end function isKeysDown(keylist, pressed) if keylist == nil then return end keylist = (find(keylist, '.+ %p .+') and {keylist:match('(.+) %p .+'), keylist:match('.+ %p (.+)')} or {keylist}) local tKeys = keylist if pressed == nil then pressed = false end if tKeys[1] == nil then return false end local bool = false local key = #tKeys < 2 and tKeys[1] or tKeys[2] local modified = tKeys[1] if #tKeys < 2 then if wasKeyPressed(vkeys.name_to_id(key, true)) and not pressed then bool = true elseif isKeyDown(vkeys.name_to_id(key, true)) and pressed then bool = true end else if isKeyDown(vkeys.name_to_id(modified,true)) and not wasKeyReleased(vkeys.name_to_id(modified, true)) then if wasKeyPressed(vkeys.name_to_id(key, true)) and not pressed then bool = true elseif isKeyDown(vkeys.name_to_id(key, true)) and pressed then bool = true end end end if nextLockKey == keylist then if pressed and not wasKeyReleased(vkeys.name_to_id(key, true)) then bool = false else bool = false nextLockKey = '' end end return bool end function changePosition(table) lua_thread.create(function() local backup = { ['x'] = table.posX, ['y'] = table.posY } ChangePos = true sampSetCursorMode(4) ASHelperMessage('Нажмите {MC}ЛКМ{WC} чтобы сохранить местоположение, или {MC}ПКМ{WC} чтобы отменить') while ChangePos do wait(0) local cX, cY = getCursorPos() table.posX = cX+10 table.posY = cY+10 if isKeyDown(0x01) then while isKeyDown(0x01) do wait(0) end ChangePos = false sampSetCursorMode(0) addNotify('Позиция сохранена!', 5) elseif isKeyDown(0x02) then while isKeyDown(0x02) do wait(0) end ChangePos = false sampSetCursorMode(0) table.posX = backup['x'] table.posY = backup['y'] addNotify('Вы отменили изменение\nместоположения', 5) end end ChangePos = false inicfg.save(configuration,'Mordor Police Helper') end) end function imgui.Link(link, text) text = text or link local tSize = imgui.CalcTextSize(text) local p = imgui.GetCursorScreenPos() local DL = imgui.GetWindowDrawList() local col = { 0xFFFF7700, 0xFFFF9900 } if imgui.InvisibleButton('##' .. link, tSize) then os.execute('explorer ' .. link) end local color = imgui.IsItemHovered() and col[1] or col[2] DL:AddText(p, color, text) DL:AddLine(imgui.ImVec2(p.x, p.y + tSize.y), imgui.ImVec2(p.x + tSize.x, p.y + tSize.y), color) end function imgui.BoolButton(bool, name) if type(bool) ~= 'boolean' then return end if bool then local button = imgui.Button(name) return button else local col = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.Button]) local r, g, b, a = col.x, col.y, col.z, col.w imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(r, g, b, a/2)) imgui.PushStyleColor(imgui.Col.Text, imgui.GetStyle().Colors[imgui.Col.TextDisabled]) local button = imgui.Button(name) imgui.PopStyleColor(2) return button end end function imgui.LockedButton(text, size) local col = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.Button]) local r, g, b, a = col.x, col.y, col.z, col.w imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(r, g, b, a/2) ) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(r, g, b, a/2)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(r, g, b, a/2)) imgui.PushStyleColor(imgui.Col.Text, imgui.GetStyle().Colors[imgui.Col.TextDisabled]) local button = imgui.Button(text, size) imgui.PopStyleColor(4) return button end function imgui.ChangeLogCircleButton(str_id, bool, color4, choosedcolor4, radius, filled) local rBool = false local p = imgui.GetCursorScreenPos() local radius = radius or 10 local choosedcolor4 = choosedcolor4 or imgui.GetStyle().Colors[imgui.Col.Text] local filled = filled or false local draw_list = imgui.GetWindowDrawList() if imgui.InvisibleButton(str_id, imgui.ImVec2(23, 23)) then rBool = true end if filled then draw_list:AddCircleFilled(imgui.ImVec2(p.x + radius, p.y + radius), radius+1, imgui.ColorConvertFloat4ToU32(choosedcolor4)) else draw_list:AddCircle(imgui.ImVec2(p.x + radius, p.y + radius), radius+1, imgui.ColorConvertFloat4ToU32(choosedcolor4),_,2) end draw_list:AddCircleFilled(imgui.ImVec2(p.x + radius, p.y + radius), radius-3, imgui.ColorConvertFloat4ToU32(color4)) imgui.SetCursorPosY(imgui.GetCursorPosY()+radius) return rBool end function imgui.CircleButton(str_id, bool, color4, radius, isimage) local rBool = false local p = imgui.GetCursorScreenPos() local isimage = isimage or false local radius = radius or 10 local draw_list = imgui.GetWindowDrawList() if imgui.InvisibleButton(str_id, imgui.ImVec2(23, 23)) then rBool = true end if imgui.IsItemHovered() then imgui.SetMouseCursor(imgui.MouseCursor.Hand) end draw_list:AddCircleFilled(imgui.ImVec2(p.x + radius, p.y + radius), radius-3, imgui.ColorConvertFloat4ToU32(isimage and imgui.ImVec4(0,0,0,0) or color4)) if bool then draw_list:AddCircle(imgui.ImVec2(p.x + radius, p.y + radius), radius, imgui.ColorConvertFloat4ToU32(color4),_,1.5) imgui.PushFont(font[8]) draw_list:AddText(imgui.ImVec2(p.x + 6, p.y + 6), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]),fa.ICON_FA_CHECK); imgui.PopFont() end imgui.SetCursorPosY(imgui.GetCursorPosY()+radius) return rBool end function imgui.TextColoredRGB(text,align) local width = imgui.GetWindowWidth() local style = imgui.GetStyle() local colors = style.Colors local ImVec4 = imgui.ImVec4 local col = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local r,g,b,a = col.x*255, col.y*255, col.z*255, col.w*255 text = gsub(text, '{WC}', '{EBEBEB}') text = gsub(text, '{MC}', format('{%06X}', bit.bor(bit.bor(b, bit.lshift(g, 8)), bit.lshift(r, 16)))) local getcolor = function(color) if upper(color:sub(1, 6)) == 'SSSSSS' then local r, g, b = colors[0].x, colors[0].y, colors[0].z local a = color:sub(7, 8) ~= 'FF' and (tonumber(color:sub(7, 8), 16)) or (colors[0].w * 255) return ImVec4(r, g, b, a / 255) end local color = type(color) == 'string' and tonumber(color, 16) or color if type(color) ~= 'number' then return end local r, g, b, a = explode_argb(color) return ImVec4(r / 255, g / 255, b / 255, a / 255) end local render_text = function(text_) for w in gmatch(text_, '[^\r\n]+') do local textsize = gsub(w, '{.-}', '') local text_width = imgui.CalcTextSize(u8(textsize)) if align == 1 then imgui.SetCursorPosX( width / 2 - text_width .x / 2 ) elseif align == 2 then imgui.SetCursorPosX(imgui.GetCursorPosX() + width - text_width.x - imgui.GetScrollX() - 2 * imgui.GetStyle().ItemSpacing.x - imgui.GetStyle().ScrollbarSize) end local text, colors_, m = {}, {}, 1 w = gsub(w, '{(......)}', '{%1FF}') while find(w, '{........}') do local n, k = find(w, '{........}') local color = getcolor(w:sub(n + 1, k - 1)) if color then text[#text], text[#text + 1] = w:sub(m, n - 1), w:sub(k + 1, #w) colors_[#colors_ + 1] = color m = n end w = w:sub(1, n - 1) .. w:sub(k + 1, #w) end if text[0] then for i = 0, #text do imgui.TextColored(colors_[i] or colors[0], u8(text[i])) imgui.SameLine(nil, 0) end imgui.NewLine() else imgui.Text(u8(w)) end end end render_text(text) end function imgui.Hint(str_id, hint_text, color, no_center) if str_id == nil or hint_text == nil then return false end color = color or imgui.GetStyle().Colors[imgui.Col.PopupBg] local p_orig = imgui.GetCursorPos() local hovered = imgui.IsItemHovered() imgui.SameLine(nil, 0) local animTime = 0.2 local show = true if not POOL_HINTS then POOL_HINTS = {} end if not POOL_HINTS[str_id] then POOL_HINTS[str_id] = { status = false, timer = 0 } end if hovered then for k, v in pairs(POOL_HINTS) do if k ~= str_id and imgui.GetTime() - v.timer <= animTime then show = false end end end if show and POOL_HINTS[str_id].status ~= hovered then POOL_HINTS[str_id].status = hovered POOL_HINTS[str_id].timer = imgui.GetTime() end local rend_window = function(alpha) local size = imgui.GetItemRectSize() local scrPos = imgui.GetCursorScreenPos() local DL = imgui.GetWindowDrawList() local center = imgui.ImVec2( scrPos.x - (size.x * 0.5), scrPos.y + (size.y * 0.5) - (alpha * 4) + 10 ) local a = imgui.ImVec2( center.x - 7, center.y - size.y - 4 ) local b = imgui.ImVec2( center.x + 7, center.y - size.y - 4) local c = imgui.ImVec2( center.x, center.y - size.y + 3 ) local col = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(color.x, color.y, color.z, alpha)) DL:AddTriangleFilled(a, b, c, col) imgui.SetNextWindowPos(imgui.ImVec2(center.x, center.y - size.y - 3), imgui.Cond.Always, imgui.ImVec2(0.5, 1.0)) imgui.PushStyleColor(imgui.Col.PopupBg, color) imgui.PushStyleColor(imgui.Col.Border, color) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(8, 8)) imgui.PushStyleVarFloat(imgui.StyleVar.WindowRounding, 6) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, alpha) local max_width = function(text) local result = 0 for line in gmatch(text, '[^\n]+') do local len = imgui.CalcTextSize(line).x if len > result then result = len end end return result end local hint_width = max_width(u8(hint_text)) + (imgui.GetStyle().WindowPadding.x * 2) imgui.SetNextWindowSize(imgui.ImVec2(hint_width, -1), imgui.Cond.Always) imgui.Begin('##' .. str_id, _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) for line in gmatch(hint_text, '[^\n]+') do if no_center then imgui.TextColoredRGB(line) else imgui.TextColoredRGB(line, 1) end end imgui.End() imgui.PopStyleVar(3) imgui.PopStyleColor(2) end if show then local between = imgui.GetTime() - POOL_HINTS[str_id].timer if between <= animTime then local alpha = hovered and ImSaturate(between / animTime) or ImSaturate(1 - between / animTime) rend_window(alpha) elseif hovered then rend_window(1.00) end end imgui.SetCursorPos(p_orig) end function bringVec4To(from, to, start_time, duration) local timer = os.clock() - start_time if timer >= 0.00 and timer <= duration then local count = timer / (duration / 100) return imgui.ImVec4( from.x + (count * (to.x - from.x) / 100), from.y + (count * (to.y - from.y) / 100), from.z + (count * (to.z - from.z) / 100), from.w + (count * (to.w - from.w) / 100) ), true end return (timer > duration) and to or from, false end function imgui.AnimButton(label, size, duration) if not duration then duration = 1.0 end local cols = { default = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.Button]), hovered = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.ButtonHovered]), active = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.ButtonActive]) } if UI_ANIMBUT == nil then UI_ANIMBUT = {} end if not UI_ANIMBUT[label] then UI_ANIMBUT[label] = { color = cols.default, hovered = { cur = false, old = false, clock = nil, } } end local pool = UI_ANIMBUT[label] if pool['hovered']['clock'] ~= nil then if os.clock() - pool['hovered']['clock'] <= duration then pool['color'] = bringVec4To( pool['color'], pool['hovered']['cur'] and cols.hovered or cols.default, pool['hovered']['clock'], duration) else pool['color'] = pool['hovered']['cur'] and cols.hovered or cols.default end else pool['color'] = cols.default end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(pool['color'])) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(pool['color'])) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(pool['color'])) local result = imgui.Button(label, size or imgui.ImVec2(0, 0)) imgui.PopStyleColor(3) pool['hovered']['cur'] = imgui.IsItemHovered() if pool['hovered']['old'] ~= pool['hovered']['cur'] then pool['hovered']['old'] = pool['hovered']['cur'] pool['hovered']['clock'] = os.clock() end return result end function imgui.ToggleButton(str_id, bool) local rBool = false local p = imgui.GetCursorScreenPos() local draw_list = imgui.GetWindowDrawList() local height = 20 local width = height * 1.55 local radius = height * 0.50 if imgui.InvisibleButton(str_id, imgui.ImVec2(width, height)) then bool[0] = not bool[0] rBool = true LastActiveTime[tostring(str_id)] = imgui.GetTime() LastActive[tostring(str_id)] = true end imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY()+3) imgui.Text(str_id) local t = bool[0] and 1.0 or 0.0 if LastActive[tostring(str_id)] then local time = imgui.GetTime() - LastActiveTime[tostring(str_id)] if time <= 0.13 then local t_anim = ImSaturate(time / 0.13) t = bool[0] and t_anim or 1.0 - t_anim else LastActive[tostring(str_id)] = false end end local col_bg = imgui.ColorConvertFloat4ToU32(bool[0] and imgui.GetStyle().Colors[imgui.Col.CheckMark] or imgui.ImVec4(100 / 255, 100 / 255, 100 / 255, 180 / 255)) draw_list:AddRectFilled(imgui.ImVec2(p.x, p.y + (height / 6)), imgui.ImVec2(p.x + width - 1.0, p.y + (height - (height / 6))), col_bg, 10.0) draw_list:AddCircleFilled(imgui.ImVec2(p.x + (bool[0] and radius + 1.5 or radius - 3) + t * (width - radius * 2.0), p.y + radius), radius - 6, imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text])) return rBool end function getDownKeys() local curkeys = '' local bool = false for k, v in pairs(vkeys) do if isKeyDown(v) and (v == VK_MENU or v == VK_CONTROL or v == VK_SHIFT or v == VK_LMENU or v == VK_RMENU or v == VK_RCONTROL or v == VK_LCONTROL or v == VK_LSHIFT) then if v ~= VK_MENU and v ~= VK_CONTROL and v ~= VK_SHIFT then curkeys = v end end end for k, v in pairs(vkeys) do if isKeyDown(v) and (v ~= VK_MENU and v ~= VK_CONTROL and v ~= VK_SHIFT and v ~= VK_LMENU and v ~= VK_RMENU and v ~= VK_RCONTROL and v ~= VK_LCONTROL and v ~= VK_LSHIFT) then if len(tostring(curkeys)) == 0 then curkeys = v return curkeys,true else curkeys = curkeys .. ' ' .. v return curkeys,true end bool = false end end return curkeys, bool end function imgui.GetKeysName(keys) if type(keys) ~= 'table' then return false else local tKeysName = {} for k = 1, #keys do tKeysName[k] = vkeys.id_to_name(tonumber(keys[k])) end return tKeysName end end function imgui.HotKey(name, path, pointer, defaultKey, width) local width = width or 90 local cancel = isKeyDown(0x08) local tKeys, saveKeys = string.split(getDownKeys(), ' '),select(2,getDownKeys()) local name = tostring(name) local keys, bool = path[pointer] or defaultKey, false local sKeys = keys for i=0,2 do if imgui.IsMouseClicked(i) then tKeys = {i==2 and 4 or i+1} saveKeys = true end end if tHotKeyData.edit ~= nil and tostring(tHotKeyData.edit) == name then if not cancel then if not saveKeys then if #tKeys == 0 then sKeys = (ceil(imgui.GetTime()) % 2 == 0) and '______' or ' ' else sKeys = table.concat(imgui.GetKeysName(tKeys), ' + ') end else path[pointer] = table.concat(imgui.GetKeysName(tKeys), ' + ') tHotKeyData.edit = nil tHotKeyData.lasted = clock() inicfg.save(configuration,'Mordor Police Helper') end else path[pointer] = defaultKey tHotKeyData.edit = nil tHotKeyData.lasted = clock() inicfg.save(configuration,'Mordor Police Helper') end end imgui.PushStyleColor(imgui.Col.Button, imgui.GetStyle().Colors[imgui.Col.FrameBg]) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.GetStyle().Colors[imgui.Col.FrameBgHovered]) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.GetStyle().Colors[imgui.Col.FrameBgActive]) if imgui.Button((sKeys ~= '' and sKeys or u8'Свободно') .. '## '..name, imgui.ImVec2(width, 0)) then tHotKeyData.edit = name end imgui.PopStyleColor(3) return bool end function addNotify(msg, time) local col = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local r,g,b = col.x*255, col.y*255, col.z*255 msg = gsub(msg, '{WC}', '{SSSSSS}') msg = gsub(msg, '{MC}', format('{%06X}', bit.bor(bit.bor(b, bit.lshift(g, 8)), bit.lshift(r, 16)))) notify.msg[#notify.msg+1] = {text = msg, time = time, active = true, justshowed = nil} end local imgui_fm = imgui.OnFrame( function() return windows.imgui_fm[0] end, function(player) player.HideCursor = isKeyDown(0x12) if not IsPlayerConnected(fastmenuID) then windows.imgui_fm[0] = false ASHelperMessage('Игрок с которым Вы взаимодействовали вышел из игры!') return false end if configuration.main_settings.fmstyle == 0 then imgui.SetNextWindowSize(imgui.ImVec2(300, 517), imgui.Cond.Always) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Меню быстрого доступа', _, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoBringToFrontOnFocus + imgui.WindowFlags.NoCollapse + (configuration.main_settings.noscrollbar and imgui.WindowFlags.NoScrollbar or imgui.WindowFlags.NoBringToFrontOnFocus)) if imgui.IsWindowAppearing() then windowtype[0] = 0 end if windowtype[0] == 0 then imgui.SetCursorPosX(7.5) imgui.BeginGroup() if imgui.Button(fa.ICON_FA_HAND_PAPER..u8' Поприветствовать игрока', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 1 then getmyrank = true sampSendChat('/stats') if tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 4 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 13 then sendchatarray(configuration.main_settings.playcd, { {'Доброе утро, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 12 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 17 then sendchatarray(configuration.main_settings.playcd, { {'Добрый день, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 16 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 24 then sendchatarray(configuration.main_settings.playcd, { {'Добрый вечер, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 5 then sendchatarray(configuration.main_settings.playcd, { {'Доброй ночи, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end else ASHelperMessage('Данная команда доступна с 1-го ранга.') end end if imgui.Button(fa.ICON_FA_FILE_ALT..u8' Озвучить прайс лист', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 1 then sendchatarray(configuration.main_settings.playcd, { {'/do В кармане брюк лежит прайс лист на лицензии.'}, {'/me {gender:достал|достала} прайс лист из кармана брюк и {gender:передал|передала} его клиенту'}, {'/do В прайс листе написано:'}, {'/do Лицензия на вождение автомобилей - %s$.', string.separate(configuration.main_settings.avtoprice or 5000)}, {'/do Лицензия на вождение мотоциклов - %s$.', string.separate(configuration.main_settings.motoprice or 10000)}, {'/do Лицензия на рыболовство - %s$.', string.separate(configuration.main_settings.ribaprice or 30000)}, {'/do Лицензия на водный транспорт - %s$.', string.separate(configuration.main_settings.lodkaprice or 30000)}, {'/do Лицензия на оружие - %s$.', string.separate(configuration.main_settings.gunaprice or 50000)}, {'/do Лицензия на охоту - %s$.', string.separate(configuration.main_settings.huntprice or 100000)}, {'/do Лицензия на раскопки - %s$.', string.separate(configuration.main_settings.kladprice or 200000)}, {'/do Лицензия на работу таксиста - %s$.', string.separate(configuration.main_settings.taxiprice or 250000)}, }) else ASHelperMessage('Данная команда доступна с 1-го ранга.') end end if imgui.Button(fa.ICON_FA_FILE_SIGNATURE..u8' Продать лицензию игроку', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 3 then imgui.SetScrollY(0) Licenses_select[0] = 0 windowtype[0] = 1 else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на авто'}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на авто {gender:передал|передала} её человеку напротив'}, {'/n /givelicense %s', fastmenuID}, }) end end imgui.Button(fa.ICON_FA_USER_PLUS..u8' Принять в организацию', imgui.ImVec2(285,30)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) if imgui.IsMouseReleased(1) then waitingaccept = fastmenuID end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.Hint('invitehint','ЛКМ для принятия человека в организацию\nПКМ для принятия на должность Консультанта') if imgui.Button(fa.ICON_FA_USER_MINUS..u8' Уволить из организации', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) windowtype[0] = 3 imgui.StrCopy(uninvitebuf, '') imgui.StrCopy(blacklistbuf, '') uninvitebox[0] = false else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_EXCHANGE_ALT..u8' Изменить должность', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) Ranks_select[0] = 0 windowtype[0] = 4 else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_USER_SLASH..u8' Занести в чёрный список', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) windowtype[0] = 5 imgui.StrCopy(blacklistbuff, '') else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_USER..u8' Убрать из чёрного списка', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя гражданина в поиск'}, {'/me {gender:убрал|убрала} гражданина из раздела \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/unblacklist %s', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_FROWN..u8' Выдать выговор сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) imgui.StrCopy(fwarnbuff, '') windowtype[0] = 6 else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_SMILE..u8' Снять выговор сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:убрал|убрала} из его личного дела один выговор'}, {'/do Выговор был убран из личного дела сотрудника.'}, {'/unfwarn %s', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_VOLUME_MUTE..u8' Выдать мут сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) imgui.StrCopy(fmutebuff, '') fmuteint[0] = 0 windowtype[0] = 7 else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_VOLUME_UP..u8' Снять мут сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Включить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/funmute %s', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.Separator() if imgui.Button(u8'Проверка устава '..fa.ICON_FA_STAMP, imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 5 then imgui.SetScrollY(0) lastq[0] = 0 windowtype[0] = 8 else ASHelperMessage('Данное действие доступно с 5-го ранга.') end end if imgui.Button(u8'Собеседование '..fa.ICON_FA_ELLIPSIS_V, imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 5 then imgui.SetScrollY(0) sobesetap[0] = 0 sobesdecline_select[0] = 0 windowtype[0] = 9 sobes_results = { pass = nil, medcard = nil, wbook = nil, licenses = nil } else ASHelperMessage('Данное действие доступно с 5-го ранга.') end end imgui.EndGroup() end if windowtype[0] == 1 then imgui.Text(u8'Лицензия: ', imgui.ImVec2(75,30)) imgui.SameLine() imgui.Combo('##chooseselllicense', Licenses_select, new['const char*'][8](Licenses_Arr), #Licenses_Arr) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продать лицензию на '..u8(string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1]))), imgui.ImVec2(285,30)) then local to, lic = fastmenuID, string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1])) if lic ~= nil and to ~= nil then if (lic == 'оружие' and configuration.main_settings.checkmcongun) or (lic == 'охоту' and configuration.main_settings.checkmconhunt) then sendchatarray(0, { {'Хорошо, для покупки лицензии на %s покажите мне свою мед.карту', lic}, {'/n /showmc %s', select(2,sampGetPlayerIdByCharHandle(playerPed))}, }, function() sellto = to lictype = lic end, function() ASHelperMessage('Началось ожидание показа мед.карты. При её отсутствии нажмите {MC}Alt{WC} + {MC}O{WC}') skiporcancel = lic tempid = to end) else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на '..lic}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на %s {gender:передал|передала} её человеку напротив', lic}, }, function() sellto = to lictype = lic end, function() wait(1000) givelic = true sampSendChat(format('/givelicense %s', to)) end) end end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Лицензия на полёты', imgui.ImVec2(285,30)) then sendchatarray(0, { {'Получить лицензию на полёты Вы можете в авиашколе г. Лас-Вентурас'}, {'/n /gps -> Важные места -> Следующая страница -> [LV] Авиашкола (9)'}, }) end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 3 then imgui.TextColoredRGB('Причина увольнения:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputuninvitebuf', uninvitebuf, sizeof(uninvitebuf)) if uninvitebox[0] then imgui.TextColoredRGB('Причина ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuf', blacklistbuf, sizeof(blacklistbuf)) end imgui.Checkbox(u8'Уволить с ЧС', uninvitebox) imgui.SetCursorPosX(7.5) if imgui.Button(u8'Уволить '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(uninvitebuf) > 0 then if uninvitebox[0] then if #str(blacklistbuf) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:занёс|занесла} сотрудника в раздел, после чего {gender:подтвердил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuf))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:подтведрдил|подтвердила} изменения, затем {gender:выключил|выключила} планшет и {gender:положил|положила} его обратно в карман'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, }) end else ASHelperMessage('Введите причину увольнения.') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 4 then imgui.PushItemWidth(270) imgui.Combo('##chooserank9', Ranks_select, new['const char*'][9]({u8('[1] '..configuration.RankNames[1]), u8('[2] '..configuration.RankNames[2]),u8('[3] '..configuration.RankNames[3]),u8('[4] '..configuration.RankNames[4]),u8('[5] '..configuration.RankNames[5]),u8('[6] '..configuration.RankNames[6]),u8('[7] '..configuration.RankNames[7]),u8('[8] '..configuration.RankNames[8]),u8('[9] '..configuration.RankNames[9])}), 9) imgui.PopItemWidth() imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.15, 0.42, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.25, 0.52, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.35, 0.62, 0.7, 1.00)) if imgui.Button(u8'Повысить сотрудника '..fa.ICON_FA_ARROW_UP, imgui.ImVec2(270,40)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.PopStyleColor(3) if imgui.Button(u8'Понизить сотрудника '..fa.ICON_FA_ARROW_DOWN, imgui.ImVec2(270,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 5 then imgui.TextColoredRGB('Причина занесения в ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuff', blacklistbuff, sizeof(blacklistbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Занести в ЧС '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(blacklistbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя нарушителя'}, {'/me {gender:внёс|внесла} нарушителя в раздел \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuff))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 6 then imgui.TextColoredRGB('Причина выговора:',1) imgui.SetCursorPosX(50) imgui.InputText(u8'##giverwarnbuffinputtext', fwarnbuff, sizeof(fwarnbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Выдать выговор '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if #str(fwarnbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:добавил|добавила} в его личное дело выговор'}, {'/do Выговор был добавлен в личное дело сотрудника.'}, {'/fwarn %s %s', fastmenuID, u8:decode(str(fwarnbuff))}, }) else ASHelperMessage('Введите причину выдачи выговора!') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 7 then imgui.TextColoredRGB('Причина мута:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##fmutereasoninputtext', fmutebuff, sizeof(fmutebuff)) imgui.TextColoredRGB('Время мута:',1) imgui.SetCursorPosX(52) imgui.InputInt(u8'##fmutetimeinputtext', fmuteint, 5) imgui.NewLine() if imgui.Button(u8'Выдать мут '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(270,30)) then if configuration.main_settings.myrankint >= 9 then if #str(fmutebuff) > 0 then if tonumber(fmuteint[0]) and tonumber(fmuteint[0]) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Отключить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/fmute %s %s %s', fastmenuID, u8:decode(fmuteint[0]), u8:decode(str(fmutebuff))}, }) else ASHelperMessage('Введите корректное время мута!') end else ASHelperMessage('Введите причину выдачи мута!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 8 then if not serverquestions['server'] then QuestionType_select[0] = 1 end if QuestionType_select[0] == 0 then imgui.TextColoredRGB(serverquestions['server'], 1) for k = 1, #serverquestions do imgui.SetCursorPosX(7.5) if imgui.Button(u8(serverquestions[k].name)..'##'..k, imgui.ImVec2(285, 30)) then if not inprocess then ASHelperMessage('Подсказка: '..serverquestions[k].answer) sampSendChat(serverquestions[k].question) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end elseif QuestionType_select[0] == 1 then if #questions.questions ~= 0 then for k,v in pairs(questions.questions) do imgui.SetCursorPosX(7.5) if imgui.Button(u8(v.bname..'##'..k), imgui.ImVec2(questions.active.redact and 200 or 285,30)) then if not inprocess then ASHelperMessage('Подсказка: '..v.bhint) sampSendChat(v.bq) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if questions.active.redact then imgui.SameLine() if imgui.Button(fa.ICON_FA_PEN..'##'..k, imgui.ImVec2(30,30)) then question_number = k imgui.StrCopy(questionsettings.questionname, u8(v.bname)) imgui.StrCopy(questionsettings.questionhint, u8(v.bhint)) imgui.StrCopy(questionsettings.questionques, u8(v.bq)) imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..'##'..k, imgui.ImVec2(30,30)) then table.remove(questions.questions,k) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\questions.json', 'w') file:write(encodeJson(questions)) file:close() end end end end end imgui.NewLine() imgui.SetCursorPosX(7.5) imgui.Text(fa.ICON_FA_CLOCK..' '..(lastq[0] == 0 and u8'0 с. назад' or floor(clock()-lastq[0])..u8' с. назад')) imgui.Hint('lastustavquesttime','Прошедшее время с последнего вопроса.') imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) imgui.Button(u8'Одобрить', imgui.ImVec2(137,35)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then if imgui.IsMouseReleased(0) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s 2', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end end imgui.Hint('ustavhint','ЛКМ для информирования о сдаче устава\nПКМ для повышения до 2-го ранга') imgui.PopStyleColor(2) imgui.SameLine() imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отказать', imgui.ImVec2(137,35)) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Сожалею, %s, но Вы не смогли сдать устав. Подучите и приходите в следующий раз.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.BeginGroup() if serverquestions['server'] then imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Вопросы') imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY() - 3) imgui.PushItemWidth(90) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo(u8'##choosetypequestion', QuestionType_select, new['const char*'][8]{u8'Серверные', u8'Ваши'}, 2) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SameLine() end if QuestionType_select[0] == 1 then if not questions.active.redact then imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.80, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.70, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.90, 0.25, 0.25, 1.00)) else if #questions.questions <= 7 then if imgui.Button(fa.ICON_FA_PLUS_CIRCLE,imgui.ImVec2(25,25)) then question_number = nil imgui.StrCopy(questionsettings.questionname, '') imgui.StrCopy(questionsettings.questionhint, '') imgui.StrCopy(questionsettings.questionques, '') imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.00, 0.70, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.60, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.50, 0.00, 1.00)) end if imgui.Button(fa.ICON_FA_COG, imgui.ImVec2(25,25)) then questions.active.redact = not questions.active.redact end imgui.PopStyleColor(3) end imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end if imgui.BeginPopup(u8'Редактор вопросов', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize) then imgui.Text(u8'Название кнопки:') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorname', questionsettings.questionname, sizeof(questionsettings.questionname)) imgui.Text(u8'Вопрос: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorques', questionsettings.questionques, sizeof(questionsettings.questionques)) imgui.Text(u8'Подсказка: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorhint', questionsettings.questionhint, sizeof(questionsettings.questionhint)) imgui.SetCursorPosX(17) if #str(questionsettings.questionhint) > 0 and #str(questionsettings.questionques) > 0 and #str(questionsettings.questionname) > 0 then if imgui.Button(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) then if question_number == nil then questions.questions[#questions.questions + 1] = { bname = u8:decode(str(questionsettings.questionname)), bq = u8:decode(str(questionsettings.questionques)), bhint = u8:decode(str(questionsettings.questionhint)), } else questions.questions[question_number].bname = u8:decode(str(questionsettings.questionname)) questions.questions[question_number].bq = u8:decode(str(questionsettings.questionques)) questions.questions[question_number].bhint = u8:decode(str(questionsettings.questionhint)) end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() imgui.CloseCurrentPopup() end else imgui.LockedButton(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) imgui.Hint('notallparamsquesteditor','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() if imgui.Button(u8'Отменить##questeditor', imgui.ImVec2(150, 25)) then imgui.CloseCurrentPopup() end imgui.Spacing() imgui.EndPopup() end end if windowtype[0] == 9 then if sobesetap[0] == 0 then imgui.TextColoredRGB('Собеседование: Этап 1',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Поприветствовать', imgui.ImVec2(285,30)) then sendchatarray(configuration.main_settings.playcd, { {'Здравствуйте, я %s %s, Вы пришли на собеседование?', configuration.RankNames[configuration.main_settings.myrankint], configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end imgui.SetCursorPosX(7.5) imgui.Button(u8'Попросить документы '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) if imgui.IsItemHovered() then imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(5, 5)) imgui.BeginTooltip() imgui.Text(u8'ЛКМ для того, чтобы продолжить\nПКМ для того, чтобы настроить документы') imgui.EndTooltip() imgui.PopStyleVar() if imgui.IsMouseReleased(0) then if not inprocess then local s = configuration.sobes_settings local out = (s.pass and 'паспорт' or '').. (s.medcard and (s.pass and ', мед. карту' or 'мед. карту') or '').. (s.wbook and ((s.pass or s.medcard) and ', трудовую книжку' or 'трудовую книжку') or '').. (s.licenses and ((s.pass or s.medcard or s.wbook) and ', лицензии' or 'лицензии') or '') sendchatarray(0, { {'Хорошо, покажите мне ваши документы, а именно: %s', out}, {'/n Обязательно по рп!'}, }) sobesetap[0] = 1 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then imgui.OpenPopup('##redactdocuments') end end imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(10, 10)) if imgui.BeginPopup('##redactdocuments') then if imgui.ToggleButton(u8'Проверять паспорт', sobes_settings.pass) then configuration.sobes_settings.pass = sobes_settings.pass[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять мед. карту', sobes_settings.medcard) then configuration.sobes_settings.medcard = sobes_settings.medcard[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять трудовую книгу', sobes_settings.wbook) then configuration.sobes_settings.wbook = sobes_settings.wbook[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять лицензии', sobes_settings.licenses) then configuration.sobes_settings.licenses = sobes_settings.licenses[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.EndPopup() end imgui.PopStyleVar() end if sobesetap[0] == 1 then imgui.TextColoredRGB('Собеседование: Этап 2',1) imgui.Separator() if configuration.sobes_settings.pass then imgui.TextColoredRGB(sobes_results.pass and 'Паспорт - показан ('..sobes_results.pass..')' or 'Паспорт - не показан',1) end if configuration.sobes_settings.medcard then imgui.TextColoredRGB(sobes_results.medcard and 'Мед. карта - показана ('..sobes_results.medcard..')' or 'Мед. карта - не показана',1) end if configuration.sobes_settings.wbook then imgui.TextColoredRGB(sobes_results.wbook and 'Трудовая книжка - показана' or 'Трудовая книжка - не показана',1) end if configuration.sobes_settings.licenses then imgui.TextColoredRGB(sobes_results.licenses and 'Лицензии - показаны ('..sobes_results.licenses..')' or 'Лицензии - не показаны',1) end if (configuration.sobes_settings.pass == true and sobes_results.pass == 'в порядке' or configuration.sobes_settings.pass == false) and (configuration.sobes_settings.medcard == true and sobes_results.medcard == 'в порядке' or configuration.sobes_settings.medcard == false) and (configuration.sobes_settings.wbook == true and sobes_results.wbook == 'присутствует' or configuration.sobes_settings.wbook == false) and (configuration.sobes_settings.licenses == true and sobes_results.licenses ~= nil or configuration.sobes_settings.licenses == false) then imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продолжить '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sendchatarray(configuration.main_settings.playcd, { {'/me взяв документы из рук человека напротив {gender:начал|начала} их проверять'}, {'/todo Хорошо...* отдавая документы обратно'}, {'Сейчас я задам Вам несколько вопросов, Вы готовы на них отвечать?'}, }) sobesetap[0] = 2 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end end if sobesetap[0] == 2 then imgui.TextColoredRGB('Собеседование: Этап 3',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Расскажите немного о себе.', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Расскажите немного о себе.') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Почему выбрали именно нас?', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Почему Вы выбрали именно нас?') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Работали Вы у нас ранее? '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Работали Вы у нас ранее? Если да, то расскажите подробнее') sobesetap[0] = 3 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end if sobesetap[0] == 3 then imgui.TextColoredRGB('Собеседование: Решение',1) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) if imgui.Button(u8'Принять', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) else sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/r %s успешно прошёл собеседование! Прошу подойти ко мне, чтобы принять его.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/rb %s id', fastmenuID}, }) end windows.imgui_fm[0] = false end imgui.PopStyleColor(2) imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end imgui.PopStyleColor(2) end if sobesetap[0] == 7 then imgui.TextColoredRGB('Собеседование: Отклонение',1) imgui.Separator() imgui.PushItemWidth(270) imgui.Combo('##declinesobeschoosereasonselect',sobesdecline_select, new['const char*'][5]({u8'Плохое РП',u8'Не было РП',u8'Плохая грамматика',u8'Ничего не показал',u8'Другое'}), 5) imgui.PopItemWidth() imgui.SetCursorPosX((imgui.GetWindowWidth() - 270) * 0.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(270,30)) then if not inprocess then if sobesdecline_select[0] == 0 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Очень плохое РП') elseif sobesdecline_select[0] == 1 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Не было РП') elseif sobesdecline_select[0] == 2 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Плохая грамматика') elseif sobesdecline_select[0] == 3 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Ничего не показал') elseif sobesdecline_select[0] == 4 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') end windows.imgui_fm[0] = false else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then if not inprocess then local reasons = { pass = { ['меньше 3 лет в штате'] = {'К сожалению я не могу продолжить собеседование. Вы не проживаете в штате 3 года.'}, ['не законопослушный'] = {'К сожалению я не могу продолжить собеседование. Вы недостаточно законопослушный.'}, ['игрок в организации'] = {'К сожалению я не могу продолжить собеседование. Вы уже работаете в другой организации.'}, ['в чс автошколы'] = {'К сожалению я не могу продолжить собеседование. Вы находитесь в ЧС АШ.'}, ['есть варны'] = {'К сожалению я не могу продолжить собеседование. Вы проф. непригодны.', '/n есть варны'}, ['был в деморгане'] = {'К сожалению я не могу продолжить собеседование. Вы лечились в псих. больнице.', '/n обновите мед. карту'} }, mc = { ['наркозависимость'] = {'К сожалению я не могу продолжить собеседование. Вы слишком наркозависимый.'}, ['не полностью здоровый'] = {'К сожалению я не могу продолжить собеседование. Вы не полностью здоровый.'}, }, } if reasons.pass[sobes_results.pass] then for k, v in pairs(reasons.pass[sobes_results.pass]) do sampSendChat(v) end windows.imgui_fm[0] = false elseif reasons.mc[sobes_results.medcard] then for k, v in pairs(reasons.mc[sobes_results.medcard]) do sampSendChat(v) end windows.imgui_fm[0] = false else lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(137, 30)) then if sobesetap[0] == 7 then sobesetap[0] = lastsobesetap[0] elseif sobesetap[0] ~= 0 then sobesetap[0] = sobesetap[0] - 1 else windowtype[0] = 0 end end imgui.SameLine() if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then if imgui.Button(u8'Пропустить этап', imgui.ImVec2(137,30)) then sobesetap[0] = sobesetap[0] + 1 end end end imgui.End() else imgui.SetNextWindowSize(imgui.ImVec2(500, 300), imgui.Cond.Always) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.7),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(0,0)) imgui.Begin(u8'Меню быстрого доступа', windows.imgui_fm, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoBringToFrontOnFocus + imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoScrollbar) if imgui.IsWindowAppearing() then newwindowtype[0] = 1 clienttype[0] = 0 end local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 300, p.y), imgui.ImVec2(p.x + 300, p.y + 330), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 300, p.y + 75), imgui.ImVec2(p.x + 500, p.y + 75), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.PushStyleColor(imgui.Col.ChildBg, imgui.ImVec4(0,0,0,0)) imgui.SetCursorPos(imgui.ImVec2(0, 25)) imgui.BeginChild('##fmmainwindow', imgui.ImVec2(300, -1), false) if newwindowtype[0] == 1 then if clienttype[0] == 0 then imgui.SetCursorPos(imgui.ImVec2(7.5,15)) imgui.BeginGroup() if configuration.main_settings.myrankint >= 1 then if imgui.Button(fa.ICON_FA_HAND_PAPER..u8' Поприветствовать игрока', imgui.ImVec2(285,30)) then getmyrank = true sampSendChat('/stats') if tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 4 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 13 then sendchatarray(configuration.main_settings.playcd, { {'Доброе утро, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 12 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 17 then sendchatarray(configuration.main_settings.playcd, { {'Добрый день, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 16 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 24 then sendchatarray(configuration.main_settings.playcd, { {'Добрый вечер, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 5 then sendchatarray(configuration.main_settings.playcd, { {'Доброй ночи, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end end else imgui.LockedButton(fa.ICON_FA_HAND_PAPER..u8' Поприветствовать игрока', imgui.ImVec2(285,30)) imgui.Hint('firstranghello', 'С 1-го ранга') end if configuration.main_settings.myrankint >= 1 then if imgui.Button(fa.ICON_FA_FILE_ALT..u8' Озвучить прайс лист', imgui.ImVec2(285,30)) then sendchatarray(configuration.main_settings.playcd, { {'/do В кармане брюк лежит прайс лист на лицензии.'}, {'/me {gender:достал|достала} прайс лист из кармана брюк и {gender:передал|передала} его клиенту'}, {'/do В прайс листе написано:'}, {'/do Лицензия на вождение автомобилей - %s$.', string.separate(configuration.main_settings.avtoprice or 5000)}, {'/do Лицензия на вождение мотоциклов - %s$.', string.separate(configuration.main_settings.motoprice or 10000)}, {'/do Лицензия на рыболовство - %s$.', string.separate(configuration.main_settings.ribaprice or 30000)}, {'/do Лицензия на водный транспорт - %s$.', string.separate(configuration.main_settings.lodkaprice or 30000)}, {'/do Лицензия на оружие - %s$.', string.separate(configuration.main_settings.gunaprice or 50000)}, {'/do Лицензия на охоту - %s$.', string.separate(configuration.main_settings.huntprice or 100000)}, {'/do Лицензия на раскопки - %s$.', string.separate(configuration.main_settings.kladprice or 200000)}, {'/do Лицензия на работу таксиста - %s$.', string.separate(configuration.main_settings.taxiprice or 250000)}, }) end else imgui.LockedButton(fa.ICON_FA_FILE_ALT..u8' Озвучить прайс лист', imgui.ImVec2(285,30)) imgui.Hint('firstrangpricelist', 'С 1-го ранга') end if imgui.Button(fa.ICON_FA_FILE_SIGNATURE..u8' Продать лицензию игроку', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 3 then imgui.SetScrollY(0) Licenses_select[0] = 0 clienttype[0] = 1 else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на авто'}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на авто {gender:передал|передала} её человеку напротив'}, {'/n /givelicense %s', fastmenuID}, }) end end imgui.EndGroup() elseif clienttype[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(40,20)) imgui.Text(u8'Лицензия: ', imgui.ImVec2(75,30)) imgui.SameLine() imgui.PushItemWidth(150) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo('##chooseselllicense', Licenses_select, new['const char*'][8](Licenses_Arr), #Licenses_Arr) imgui.PopStyleVar() imgui.PopItemWidth() imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продать лицензию на '..u8(string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1]))), imgui.ImVec2(285,30)) then local to, lic = fastmenuID, string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1])) if lic ~= nil and to ~= nil then if (lic == 'оружие' and configuration.main_settings.checkmcongun) or (lic == 'охоту' and configuration.main_settings.checkmconhunt) then sendchatarray(0, { {'Хорошо, для покупки лицензии на %s покажите мне свою мед.карту', lic}, {'/n /showmc %s', select(2,sampGetPlayerIdByCharHandle(playerPed))}, }, function() sellto = to lictype = lic end, function() ASHelperMessage('Началось ожидание показа мед.карты. При её отсутствии нажмите {MC}Alt{WC} + {MC}O{WC}') skiporcancel = lic tempid = to end) else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на '..lic}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на %s {gender:передал|передала} её человеку напротив', lic}, }, function() sellto = to lictype = lic end, function() wait(1000) givelic = true sampSendChat(format('/givelicense %s', to)) end) end end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Лицензия на полёты', imgui.ImVec2(285,30)) then sendchatarray(0, { {'Получить лицензию на полёты Вы можете в авиашколе г. Лас-Вентурас'}, {'/n /gps -> Важные места -> Следующая страница -> [LV] Авиашкола (9)'}, }) end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then clienttype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() end elseif newwindowtype[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if sobesetap[0] == 0 then imgui.TextColoredRGB('Собеседование: Этап 1',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Поприветствовать', imgui.ImVec2(285,30)) then sendchatarray(configuration.main_settings.playcd, { {'Здравствуйте, я %s %s, Вы пришли на собеседование?', configuration.RankNames[configuration.main_settings.myrankint], configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end imgui.SetCursorPosX(7.5) imgui.Button(u8'Попросить документы '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) if imgui.IsItemHovered() then imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(5, 5)) imgui.BeginTooltip() imgui.Text(u8'ЛКМ для того, чтобы продолжить\nПКМ для того, чтобы настроить документы') imgui.EndTooltip() imgui.PopStyleVar() if imgui.IsMouseReleased(0) then if not inprocess then local s = configuration.sobes_settings local out = (s.pass and 'паспорт' or '').. (s.medcard and (s.pass and ', мед. карту' or 'мед. карту') or '').. (s.wbook and ((s.pass or s.medcard) and ', трудовую книжку' or 'трудовую книжку') or '').. (s.licenses and ((s.pass or s.medcard or s.wbook) and ', лицензии' or 'лицензии') or '') sendchatarray(0, { {'Хорошо, покажите мне ваши документы, а именно: %s', out}, {'/n Обязательно по рп!'}, }) sobesetap[0] = 1 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then imgui.OpenPopup('##redactdocuments') end end imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(10, 10)) if imgui.BeginPopup('##redactdocuments') then if imgui.ToggleButton(u8'Проверять паспорт', sobes_settings.pass) then configuration.sobes_settings.pass = sobes_settings.pass[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять мед. карту', sobes_settings.medcard) then configuration.sobes_settings.medcard = sobes_settings.medcard[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять трудовую книгу', sobes_settings.wbook) then configuration.sobes_settings.wbook = sobes_settings.wbook[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять лицензии', sobes_settings.licenses) then configuration.sobes_settings.licenses = sobes_settings.licenses[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.EndPopup() end imgui.PopStyleVar() end if sobesetap[0] == 1 then imgui.TextColoredRGB('Собеседование: Этап 2',1) imgui.Separator() if configuration.sobes_settings.pass then imgui.TextColoredRGB(sobes_results.pass and 'Паспорт - показан ('..sobes_results.pass..')' or 'Паспорт - не показан',1) end if configuration.sobes_settings.medcard then imgui.TextColoredRGB(sobes_results.medcard and 'Мед. карта - показана ('..sobes_results.medcard..')' or 'Мед. карта - не показана',1) end if configuration.sobes_settings.wbook then imgui.TextColoredRGB(sobes_results.wbook and 'Трудовая книжка - показана' or 'Трудовая книжка - не показана',1) end if configuration.sobes_settings.licenses then imgui.TextColoredRGB(sobes_results.licenses and 'Лицензии - показаны ('..sobes_results.licenses..')' or 'Лицензии - не показаны',1) end if (configuration.sobes_settings.pass == true and sobes_results.pass == 'в порядке' or configuration.sobes_settings.pass == false) and (configuration.sobes_settings.medcard == true and sobes_results.medcard == 'в порядке' or configuration.sobes_settings.medcard == false) and (configuration.sobes_settings.wbook == true and sobes_results.wbook == 'присутствует' or configuration.sobes_settings.wbook == false) and (configuration.sobes_settings.licenses == true and sobes_results.licenses ~= nil or configuration.sobes_settings.licenses == false) then imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продолжить '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sendchatarray(configuration.main_settings.playcd, { {'/me взяв документы из рук человека напротив {gender:начал|начала} их проверять'}, {'/todo Хорошо...* отдавая документы обратно'}, {'Сейчас я задам Вам несколько вопросов, Вы готовы на них отвечать?'}, }) sobesetap[0] = 2 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end end if sobesetap[0] == 2 then imgui.TextColoredRGB('Собеседование: Этап 3',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Расскажите немного о себе.', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Расскажите немного о себе.') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Почему выбрали именно нас?', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Почему Вы выбрали именно нас?') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Работали Вы у нас ранее? '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Работали Вы у нас ранее? Если да, то расскажите подробнее') sobesetap[0] = 3 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end if sobesetap[0] == 3 then imgui.TextColoredRGB('Собеседование: Решение',1) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) if imgui.Button(u8'Принять', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) else sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/r %s успешно прошёл собеседование! Прошу подойти ко мне, чтобы принять его.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/rb %s id', fastmenuID}, }) end windows.imgui_fm[0] = false end imgui.PopStyleColor(2) imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end imgui.PopStyleColor(2) end if sobesetap[0] == 7 then imgui.TextColoredRGB('Собеседование: Отклонение',1) imgui.Separator() imgui.PushItemWidth(270) imgui.SetCursorPosX(15) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo('##declinesobeschoosereasonselect',sobesdecline_select, new['const char*'][5]({u8'Плохое РП',u8'Не было РП',u8'Плохая грамматика',u8'Ничего не показал',u8'Другое'}), 5) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SetCursorPosX((imgui.GetWindowWidth() - 270) * 0.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(270,30)) then if not inprocess then if sobesdecline_select[0] == 0 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Очень плохое РП') elseif sobesdecline_select[0] == 1 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Не было РП') elseif sobesdecline_select[0] == 2 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Плохая грамматика') elseif sobesdecline_select[0] == 3 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Ничего не показал') elseif sobesdecline_select[0] == 4 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') end windows.imgui_fm[0] = false else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then if not inprocess then local reasons = { pass = { ['меньше 3 лет в штате'] = {'К сожалению я не могу продолжить собеседование. Вы не проживаете в штате 3 года.'}, ['не законопослушный'] = {'К сожалению я не могу продолжить собеседование. Вы недостаточно законопослушный.'}, ['игрок в организации'] = {'К сожалению я не могу продолжить собеседование. Вы уже работаете в другой организации.'}, ['в чс автошколы'] = {'К сожалению я не могу продолжить собеседование. Вы находитесь в ЧС АШ.'}, ['есть варны'] = {'К сожалению я не могу продолжить собеседование. Вы проф. непригодны.', '/n есть варны'}, ['был в деморгане'] = {'К сожалению я не могу продолжить собеседование. Вы лечились в псих. больнице.', '/n обновите мед. карту'} }, mc = { ['наркозависимость'] = {'К сожалению я не могу продолжить собеседование. Вы слишком наркозависимый.'}, ['не полностью здоровый'] = {'К сожалению я не могу продолжить собеседование. Вы не полностью здоровый.'}, }, } if reasons.pass[sobes_results.pass] then for k, v in pairs(reasons.pass[sobes_results.pass]) do sampSendChat(v) end windows.imgui_fm[0] = false elseif reasons.mc[sobes_results.medcard] then for k, v in pairs(reasons.mc[sobes_results.medcard]) do sampSendChat(v) end windows.imgui_fm[0] = false else lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end imgui.SetCursorPos(imgui.ImVec2(15,240)) if sobesetap[0] ~= 0 then if imgui.InvisibleButton('##sobesbackbutton',imgui.ImVec2(55,15)) then if sobesetap[0] == 7 then sobesetap[0] = lastsobesetap[0] elseif sobesetap[0] ~= 0 then sobesetap[0] = sobesetap[0] - 1 end end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() imgui.SameLine() end imgui.SetCursorPosY(240) if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then imgui.SetCursorPosX(195) if imgui.InvisibleButton('##sobesforwardbutton',imgui.ImVec2(125,15)) then sobesetap[0] = sobesetap[0] + 1 end imgui.SetCursorPos(imgui.ImVec2(195, 240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], u8'Пропустить '..fa.ICON_FA_CHEVRON_RIGHT) imgui.PopFont() end elseif newwindowtype[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(7.5, 15)) imgui.BeginGroup() if not serverquestions['server'] then QuestionType_select[0] = 1 end if QuestionType_select[0] == 0 then imgui.TextColoredRGB(serverquestions['server'], 1) for k = 1, #serverquestions do if imgui.Button(u8(serverquestions[k].name)..'##'..k, imgui.ImVec2(275, 30)) then if not inprocess then ASHelperMessage('Подсказка: '..serverquestions[k].answer) sampSendChat(serverquestions[k].question) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end elseif QuestionType_select[0] == 1 then if #questions.questions ~= 0 then for k,v in pairs(questions.questions) do if imgui.Button(u8(v.bname)..'##'..k, imgui.ImVec2(questions.active.redact and 200 or 275,30)) then if not inprocess then ASHelperMessage('Подсказка: '..v.bhint) sampSendChat(v.bq) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if questions.active.redact then imgui.SameLine() imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if imgui.Button(fa.ICON_FA_PEN..'##'..k, imgui.ImVec2(20,25)) then question_number = k imgui.StrCopy(questionsettings.questionname, u8(v.bname)) imgui.StrCopy(questionsettings.questionhint, u8(v.bhint)) imgui.StrCopy(questionsettings.questionques, u8(v.bq)) imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..'##'..k, imgui.ImVec2(20,25)) then table.remove(questions.questions,k) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() end imgui.PopStyleColor(3) end end end end imgui.EndGroup() imgui.NewLine() imgui.SetCursorPosX(7.5) imgui.Text(fa.ICON_FA_CLOCK..' '..(lastq[0] == 0 and u8'0 с. назад' or floor(clock()-lastq[0])..u8' с. назад')) imgui.Hint('lastustavquesttime','Прошедшее время с последнего вопроса.') imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) imgui.Button(u8'Одобрить', imgui.ImVec2(130,30)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then if imgui.IsMouseReleased(0) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s 2', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end end imgui.Hint('ustavhint','ЛКМ для информирования о сдаче устава\nПКМ для повышения до 2-го ранга') imgui.PopStyleColor(2) imgui.SameLine() imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отказать', imgui.ImVec2(130,30)) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Сожалею, %s, но Вы не смогли сдать устав. Подучите и приходите в следующий раз.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.BeginGroup() if serverquestions['server'] then imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Вопросы') imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY() - 3) imgui.PushItemWidth(90) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo(u8'##choosetypequestion', QuestionType_select, new['const char*'][8]{u8'Серверные', u8'Ваши'}, 2) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SameLine() end if QuestionType_select[0] == 1 then if not questions.active.redact then imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.80, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.70, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.90, 0.25, 0.25, 1.00)) else if #questions.questions <= 7 then if imgui.Button(fa.ICON_FA_PLUS_CIRCLE,imgui.ImVec2(25,25)) then question_number = nil imgui.StrCopy(questionsettings.questionname, '') imgui.StrCopy(questionsettings.questionhint, '') imgui.StrCopy(questionsettings.questionques, '') imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.00, 0.70, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.60, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.50, 0.00, 1.00)) end if imgui.Button(fa.ICON_FA_COG, imgui.ImVec2(25,25)) then questions.active.redact = not questions.active.redact end imgui.PopStyleColor(3) end imgui.EndGroup() imgui.Spacing() imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15,15)) if imgui.BeginPopup(u8'Редактор вопросов', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize) then imgui.Text(u8'Название кнопки:') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorname', questionsettings.questionname, sizeof(questionsettings.questionname)) imgui.Text(u8'Вопрос: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorques', questionsettings.questionques, sizeof(questionsettings.questionques)) imgui.Text(u8'Подсказка: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorhint', questionsettings.questionhint, sizeof(questionsettings.questionhint)) imgui.SetCursorPosX(17) if #str(questionsettings.questionhint) > 0 and #str(questionsettings.questionques) > 0 and #str(questionsettings.questionname) > 0 then if imgui.Button(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) then if question_number == nil then questions.questions[#questions.questions + 1] = { bname = u8:decode(str(questionsettings.questionname)), bq = u8:decode(str(questionsettings.questionques)), bhint = u8:decode(str(questionsettings.questionhint)), } else questions.questions[question_number].bname = u8:decode(str(questionsettings.questionname)) questions.questions[question_number].bq = u8:decode(str(questionsettings.questionques)) questions.questions[question_number].bhint = u8:decode(str(questionsettings.questionhint)) end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() imgui.CloseCurrentPopup() end else imgui.LockedButton(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) imgui.Hint('notallparamsquesteditor','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() if imgui.Button(u8'Отменить##questeditor', imgui.ImVec2(150, 25)) then imgui.CloseCurrentPopup() end imgui.Spacing() imgui.EndPopup() end imgui.PopStyleVar() elseif newwindowtype[0] == 4 then if leadertype[0] == 0 then imgui.SetCursorPos(imgui.ImVec2(7.5, 15)) imgui.BeginGroup() imgui.Button(fa.ICON_FA_USER_PLUS..u8' Принять в организацию', imgui.ImVec2(275,30)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) if imgui.IsMouseReleased(1) then waitingaccept = fastmenuID end end imgui.Hint('invitehint','ЛКМ для принятия человека в организацию\nПКМ для принятия на должность Консультанта') if imgui.Button(fa.ICON_FA_USER_MINUS..u8' Уволить из организации', imgui.ImVec2(275,30)) then leadertype[0] = 1 imgui.StrCopy(uninvitebuf, '') imgui.StrCopy(blacklistbuf, '') uninvitebox[0] = false end if imgui.Button(fa.ICON_FA_EXCHANGE_ALT..u8' Изменить должность', imgui.ImVec2(275,30)) then Ranks_select[0] = 0 leadertype[0] = 2 end if imgui.Button(fa.ICON_FA_USER_SLASH..u8' Занести в чёрный список', imgui.ImVec2(275,30)) then leadertype[0] = 3 imgui.StrCopy(blacklistbuff, '') end if imgui.Button(fa.ICON_FA_USER..u8' Убрать из чёрного списка', imgui.ImVec2(275,30)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя гражданина в поиск'}, {'/me {gender:убрал|убрала} гражданина из раздела \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/unblacklist %s', fastmenuID}, }) end if imgui.Button(fa.ICON_FA_FROWN..u8' Выдать выговор сотруднику', imgui.ImVec2(275,30)) then imgui.StrCopy(fwarnbuff, '') leadertype[0] = 4 end if imgui.Button(fa.ICON_FA_SMILE..u8' Снять выговор сотруднику', imgui.ImVec2(275,30)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:убрал|убрала} из его личного дела один выговор'}, {'/do Выговор был убран из личного дела сотрудника.'}, {'/unfwarn %s', fastmenuID}, }) end if imgui.Button(fa.ICON_FA_VOLUME_MUTE..u8' Выдать мут сотруднику', imgui.ImVec2(275,30)) then imgui.StrCopy(fmutebuff, '') fmuteint[0] = 0 leadertype[0] = 5 end if imgui.Button(fa.ICON_FA_VOLUME_UP..u8' Снять мут сотруднику', imgui.ImVec2(275,30)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Включить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/funmute %s', fastmenuID}, }) end imgui.EndGroup() elseif leadertype[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина увольнения:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputuninvitebuf', uninvitebuf, sizeof(uninvitebuf)) if uninvitebox[0] then imgui.TextColoredRGB('Причина ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuf', blacklistbuf, sizeof(blacklistbuf)) end imgui.SetCursorPosX(7.5) imgui.ToggleButton(u8'Уволить с ЧС', uninvitebox) imgui.SetCursorPosX(7.5) if imgui.Button(u8'Уволить '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(uninvitebuf) > 0 then if uninvitebox[0] then if #str(blacklistbuf) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:занёс|занесла} сотрудника в раздел, после чего {gender:подтвердил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuf))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:подтведрдил|подтвердила} изменения, затем {gender:выключил|выключила} планшет и {gender:положил|положила} его обратно в карман'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, }) end else ASHelperMessage('Введите причину увольнения.') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.SetCursorPosX(47.5) imgui.PushItemWidth(200) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo('##chooserank9', Ranks_select, new['const char*'][9]({u8('[1] '..configuration.RankNames[1]), u8('[2] '..configuration.RankNames[2]),u8('[3] '..configuration.RankNames[3]),u8('[4] '..configuration.RankNames[4]),u8('[5] '..configuration.RankNames[5]),u8('[6] '..configuration.RankNames[6]),u8('[7] '..configuration.RankNames[7]),u8('[8] '..configuration.RankNames[8]),u8('[9] '..configuration.RankNames[9])}), 9) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.15, 0.42, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.25, 0.52, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.35, 0.62, 0.7, 1.00)) if imgui.Button(u8'Повысить сотрудника '..fa.ICON_FA_ARROW_UP, imgui.ImVec2(285,40)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.PopStyleColor(3) imgui.SetCursorPosX(7.5) if imgui.Button(u8'Понизить сотрудника '..fa.ICON_FA_ARROW_DOWN, imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина занесения в ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuff', blacklistbuff, sizeof(blacklistbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Занести в ЧС '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(blacklistbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя нарушителя'}, {'/me {gender:внёс|внесла} нарушителя в раздел \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuff))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 4 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина выговора:',1) imgui.SetCursorPosX(50) imgui.InputText(u8'##giverwarnbuffinputtext', fwarnbuff, sizeof(fwarnbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Выдать выговор '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if #str(fwarnbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:добавил|добавила} в его личное дело выговор'}, {'/do Выговор был добавлен в личное дело сотрудника.'}, {'/fwarn %s %s', fastmenuID, u8:decode(str(fwarnbuff))}, }) else ASHelperMessage('Введите причину выдачи выговора!') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 5 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина мута:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##fmutereasoninputtext', fmutebuff, sizeof(fmutebuff)) imgui.TextColoredRGB('Время мута:',1) imgui.SetCursorPosX(52) imgui.InputInt(u8'##fmutetimeinputtext', fmuteint, 5) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Выдать мут '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(fmutebuff) > 0 then if tonumber(fmuteint[0]) and tonumber(fmuteint[0]) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Отключить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/fmute %s %s %s', fastmenuID, u8:decode(fmuteint[0]), u8:decode(str(fmutebuff))}, }) else ASHelperMessage('Введите корректное время мута!') end else ASHelperMessage('Введите причину выдачи мута!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() end imgui.Spacing() end imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(300, 25)) imgui.BeginChild('##fmplayerinfo', imgui.ImVec2(200, 75), false) imgui.SetCursorPosY(17) imgui.TextColoredRGB('Имя: {SSSSSS}'..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', 1) imgui.Hint('lmb to copy name', 'ЛКМ - скопировать ник') if imgui.IsMouseReleased(0) and imgui.IsItemHovered() then local name, result = gsub(u8(sampGetPlayerNickname(fastmenuID)), '_', ' ') imgui.SetClipboardText(name) end imgui.TextColoredRGB('Лет в штате: '..sampGetPlayerScore(fastmenuID), 1) imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(300, 100)) imgui.BeginChild('##fmchoosewindowtype', imgui.ImVec2(200, -1), false) imgui.SetCursorPos(imgui.ImVec2(20, 17.5)) imgui.BeginGroup() for k, v in pairs(fmbuttons) do if configuration.main_settings.myrankint >= v.rank then if newwindowtype[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x + 159, p.y + 10),imgui.ImVec2(p.x + 162, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Left) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,newwindowtype[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(v.name, imgui.ImVec2(162,35)) then if newwindowtype[0] ~= k then newwindowtype[0] = k sobesetap[0] = 0 sobesdecline_select[0] = 0 lastq[0] = 0 sobes_results = { pass = nil, medcard = nil, wbook = nil, licenses = nil } end end imgui.PopStyleColor(3) end end imgui.EndGroup() imgui.EndChild() imgui.PopStyleColor() imgui.End() imgui.PopStyleVar() end end ) local imgui_settings = imgui.OnFrame( function() return windows.imgui_settings[0] and not ChangePos end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(600, 300), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(0,0)) imgui.Begin(u8'#MainSettingsWindow', windows.imgui_settings, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoCollapse) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.Image(configuration.main_settings.style ~= 2 and whiteashelper or blackashelper,imgui.ImVec2(198,25)) imgui.SameLine(510) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if imgui.Button(fa.ICON_FA_QUESTION_CIRCLE..'##allcommands',imgui.ImVec2(23,23)) then imgui.OpenPopup(u8'Все команды') end imgui.SameLine() if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_settings[0] = false end imgui.PopStyleColor(3) imgui.SetCursorPos(imgui.ImVec2(217, 23)) imgui.TextColored(imgui.GetStyle().Colors[imgui.Col.Border],'v. '..thisScript().version) imgui.Hint('lastupdate','От ' .. latestUpdate) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15,15)) if imgui.BeginPopupModal(u8'Все команды', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then imgui.PushFont(font[16]) imgui.TextColoredRGB('Все доступные команды и горячие клавиши', 1) imgui.PopFont() imgui.Spacing() imgui.TextColoredRGB('Команды скрипта:') imgui.SetCursorPosX(20) imgui.BeginGroup() imgui.TextColoredRGB('/mph - Главное меню скрипта') imgui.TextColoredRGB('/mphbind - Биндер скрипта') imgui.TextColoredRGB('/mphlect - Меню лекций скрипта(5+ ранг)') imgui.TextColoredRGB('/mphdep - Меню департамента скрипта(5+ ранг)') if configuration.main_settings.fmtype == 1 then imgui.TextColoredRGB('/'..configuration.main_settings.usefastmenucmd..' [id] - Меню взаимодействия с клиентом') end imgui.EndGroup() imgui.Spacing() imgui.TextColoredRGB('Команды сервера с РП отыгровками:') imgui.SetCursorPosX(20) imgui.BeginGroup() imgui.TextColoredRGB('/invite [id] | /uninvite [id] [причина] - Принятие/Увольнение человека во фракцию (9+)') imgui.TextColoredRGB('/blacklist [id] [причина] | /unblacklist [id] - Занесение/Удаление человека в ЧС фракции (9+)') imgui.TextColoredRGB('/fwarn [id] [причина] | /unfwarn [id] - Выдача/Удаление выговора человека во фракции (9+)') imgui.TextColoredRGB('/fmute [id] [время] [причина] | /funmute [id] - Выдача/Удаление мута человеку во фракции (9+)') imgui.TextColoredRGB('/giverank [id] [ранг] - Изменение ранга человека в фракции (9+)') imgui.EndGroup() imgui.Spacing() imgui.TextColoredRGB('Горячие клавиши:') imgui.SetCursorPosX(20) imgui.BeginGroup() if configuration.main_settings.fmtype == 0 then imgui.TextColoredRGB('ПКМ + '..configuration.main_settings.usefastmenu..' - Меню взаимодействия с клиентом') end imgui.TextColoredRGB(configuration.main_settings.fastscreen..' - Быстрый скриншот') imgui.TextColoredRGB('Alt + I - Информировать, что делать при отсутствии мед. карты') imgui.TextColoredRGB('Alt + U - Остановить отыгровку') imgui.EndGroup() imgui.Spacing() if imgui.Button(u8'Закрыть##команды', imgui.ImVec2(-1, 30)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end imgui.PopStyleVar() imgui.EndGroup() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y), imgui.ImVec2(p.x + 600, p.y + 4), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.ChildBg]), 0) imgui.BeginChild('##MainSettingsWindowChild',imgui.ImVec2(-1,-1),false, imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoScrollWithMouse) if mainwindow[0] == 0 then imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) imgui.SetCursorPos(imgui.ImVec2(25,50)) imgui.BeginGroup() for k,v in pairs(buttons) do imgui.BeginGroup() local p = imgui.GetCursorScreenPos() if imgui.InvisibleButton(v.name, imgui.ImVec2(150,130)) then mainwindow[0] = k alpha[0] = clock() end if v.timer == 0 then v.timer = imgui.GetTime() end if imgui.IsItemHovered() then v.y_hovered = ceil(v.y_hovered) > 0 and 10 - ((imgui.GetTime() - v.timer) * 100) or 0 v.timer = ceil(v.y_hovered) > 0 and v.timer or 0 imgui.SetMouseCursor(imgui.MouseCursor.Hand) else v.y_hovered = ceil(v.y_hovered) < 10 and (imgui.GetTime() - v.timer) * 100 or 10 v.timer = ceil(v.y_hovered) < 10 and v.timer or 0 end imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + v.y_hovered), imgui.ImVec2(p.x + 150, p.y + 110 + v.y_hovered), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Button]), 7) imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x-4, p.y + v.y_hovered - 4), imgui.ImVec2(p.x + 154, p.y + 110 + v.y_hovered + 4), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.ButtonActive]), 10, nil, 1.9) imgui.SameLine(10) imgui.SetCursorPosY(imgui.GetCursorPosY() + 10 + v.y_hovered) imgui.PushFont(font[25]) imgui.Text(v.icon) imgui.PopFont() imgui.SameLine(10) imgui.SetCursorPosY(imgui.GetCursorPosY() + 30 + v.y_hovered) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.Text(u8(v.name)) imgui.PopFont() imgui.Text(u8(v.text)) imgui.EndGroup() imgui.EndGroup() if k ~= #buttons then imgui.SameLine(k*200) end end imgui.EndGroup() imgui.PopStyleVar() elseif mainwindow[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if imgui.InvisibleButton('##settingsbackbutton',imgui.ImVec2(10,15)) then mainwindow[0] = 0 alpha[0] = clock() end imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT) imgui.PopFont() imgui.SameLine() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 5, p.y - 10),imgui.ImVec2(p.x + 5, p.y + 26), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TextDisabled]), 1.5) imgui.SetCursorPos(imgui.ImVec2(60,15)) imgui.PushFont(font[25]) imgui.Text(u8'Настройки') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(15,65)) imgui.BeginGroup() imgui.PushStyleVarVec2(imgui.StyleVar.ButtonTextAlign, imgui.ImVec2(0.05,0.5)) for k, i in pairs(settingsbuttons) do if settingswindow[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + 10),imgui.ImVec2(p.x + 3, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Right) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,settingswindow[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(i, imgui.ImVec2(162,35)) then if settingswindow[0] ~= k then settingswindow[0] = k alpha[0] = clock() end end imgui.PopStyleColor(3) end imgui.PopStyleVar() imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(187, 0)) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) imgui.BeginChild('##usersettingsmainwindow',_,false) if settingswindow[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.Text(u8'Основная информация') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() imgui.BeginGroup() imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Ваше имя') imgui.SetCursorPosY(imgui.GetCursorPosY() + 10) imgui.Text(u8'Акцент') imgui.SetCursorPosY(imgui.GetCursorPosY() + 10) imgui.Text(u8'Ваш пол') imgui.SetCursorPosY(imgui.GetCursorPosY() + 10) imgui.Text(u8'Ваш ранг') imgui.EndGroup() imgui.SameLine(90) imgui.PushItemWidth(120) imgui.BeginGroup() if imgui.InputTextWithHint(u8'##mynickinroleplay', u8((gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' '))), usersettings.myname, sizeof(usersettings.myname)) then configuration.main_settings.myname = str(usersettings.myname) inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('NoNickNickFromTab','Если не будет указано, то имя будет браться из ника') if imgui.InputText(u8'##myaccentintroleplay', usersettings.myaccent, sizeof(usersettings.myaccent)) then configuration.main_settings.myaccent = str(usersettings.myaccent) inicfg.save(configuration,'Mordor Police Helper') end imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) if imgui.Combo(u8'##choosegendercombo',usersettings.gender, new['const char*'][2]({u8'Мужской',u8'Женский'}), 2) then configuration.main_settings.gender = usersettings.gender[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.PopStyleVar() if imgui.Button(u8(configuration.RankNames[configuration.main_settings.myrankint]..' ('..u8(configuration.main_settings.myrankint)..')'), imgui.ImVec2(120, 23)) then getmyrank = true sampSendChat('/stats') end imgui.Hint('clicktoupdaterang','Нажмите, чтобы перепроверить') imgui.EndGroup() imgui.PopItemWidth() imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Меню быстрого доступа') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Тип активации') imgui.SameLine(100) imgui.SetCursorPosY(imgui.GetCursorPosY() - 3) imgui.PushItemWidth(120) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) if imgui.Combo(u8'##choosefmtypecombo',usersettings.fmtype, new['const char*'][2]({u8'Клавиша',u8'Команда'}), 2) then configuration.main_settings.fmtype = usersettings.fmtype[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.PopStyleVar() imgui.PopItemWidth() imgui.SetCursorPosY(imgui.GetCursorPosY() + 4) imgui.Text(u8'Активация') imgui.SameLine(100) if configuration.main_settings.fmtype == 0 then imgui.Text(u8' ПКМ + ') imgui.SameLine(140) imgui.SetCursorPosY(imgui.GetCursorPosY() - 4) imgui.HotKey('меню быстрого доступа', configuration.main_settings, 'usefastmenu', 'E', find(configuration.main_settings.usefastmenu, '+') and 150 or 75) if imgui.ToggleButton(u8'Создавать маркер при выделении',usersettings.createmarker) then if marker ~= nil then removeBlip(marker) end marker = nil oldtargettingped = 0 configuration.main_settings.createmarker = usersettings.createmarker[0] inicfg.save(configuration,'Mordor Police Helper') end elseif configuration.main_settings.fmtype == 1 then imgui.Text(u8'/') imgui.SameLine(110) imgui.SetCursorPosY(imgui.GetCursorPosY() - 4) imgui.PushItemWidth(110) if imgui.InputText(u8'[id]##usefastmenucmdbuff',usersettings.usefastmenucmd,sizeof(usersettings.usefastmenucmd)) then configuration.main_settings.usefastmenucmd = str(usersettings.usefastmenucmd) inicfg.save(configuration,'Mordor Police Helper') end imgui.PopItemWidth() end imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Статистика') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.ToggleButton(u8'Отображать окно статистики', usersettings.statsvisible) then configuration.main_settings.statsvisible = usersettings.statsvisible[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SetCursorPosY(imgui.GetCursorPosY()-3) if imgui.Button(fa.ICON_FA_ARROWS_ALT..'##statsscreenpos') then if configuration.main_settings.statsvisible then changePosition(configuration.imgui_pos) else addNotify('Включите отображение\nстатистики.', 5) end end imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY()+3) imgui.Text(u8'Местоположение') imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Остальное') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.ToggleButton(u8'Заменять серверные сообщения', usersettings.replacechat) then configuration.main_settings.replacechat = usersettings.replacechat[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Быстрый скрин на', usersettings.dofastscreen) then configuration.main_settings.dofastscreen = usersettings.dofastscreen[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY() - 4) imgui.HotKey('быстрого скрина', configuration.main_settings, 'fastscreen', 'F4', find(configuration.main_settings.fastscreen, '+') and 150 or 75) imgui.PushItemWidth(85) imgui.PopItemWidth() imgui.SameLine() imgui.EndGroup() imgui.Spacing() imgui.EndGroup() elseif settingswindow[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.Text(u8'Выбор стиля') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.CircleButton('##choosestyle0', configuration.main_settings.style == 0, imgui.ImVec4(1.00, 0.42, 0.00, 0.53)) then configuration.main_settings.style = 0 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle1', configuration.main_settings.style == 1, imgui.ImVec4(1.00, 0.28, 0.28, 1.00)) then configuration.main_settings.style = 1 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle2', configuration.main_settings.style == 2, imgui.ImVec4(0.00, 0.35, 1.00, 0.78)) then configuration.main_settings.style = 2 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle3', configuration.main_settings.style == 3, imgui.ImVec4(0.41, 0.19, 0.63, 0.31)) then configuration.main_settings.style = 3 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle4', configuration.main_settings.style == 4, imgui.ImVec4(0.00, 0.69, 0.33, 1.00)) then configuration.main_settings.style = 4 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle5', configuration.main_settings.style == 5, imgui.ImVec4(0.51, 0.51, 0.51, 0.6)) then configuration.main_settings.style = 5 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() local pos = imgui.GetCursorPos() imgui.SetCursorPos(imgui.ImVec2(pos.x + 1.5, pos.y + 1.5)) imgui.Image(rainbowcircle,imgui.ImVec2(17,17)) imgui.SetCursorPos(pos) if imgui.CircleButton('##choosestyle6', configuration.main_settings.style == 6, imgui.GetStyle().Colors[imgui.Col.Button], nil, true) then configuration.main_settings.style = 6 inicfg.save(configuration, 'Mordor Police Helperini') checkstyle() end imgui.Hint('MoonMonetHint','MoonMonet') imgui.EndGroup() imgui.SetCursorPosY(imgui.GetCursorPosY() - 25) imgui.NewLine() if configuration.main_settings.style == 6 then imgui.PushFont(font[16]) imgui.Text(u8'Цвет акцента Monet') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() imgui.PushItemWidth(200) if imgui.ColorPicker3('##moonmonetcolorselect', usersettings.moonmonetcolorselect, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.PickerHueWheel + imgui.ColorEditFlags.NoSidePreview) then local r,g,b = usersettings.moonmonetcolorselect[0] * 255,usersettings.moonmonetcolorselect[1] * 255,usersettings.moonmonetcolorselect[2] * 255 local argb = join_argb(255,r,g,b) configuration.main_settings.monetstyle = argb inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end if imgui.SliderFloat('##CHROMA', monetstylechromaselect, 0.5, 2.0, u8'%0.2f c.m.') then configuration.main_settings.monetstyle_chroma = monetstylechromaselect[0] checkstyle() end imgui.PopItemWidth() imgui.EndGroup() imgui.NewLine() end imgui.PushFont(font[16]) imgui.Text(u8'Меню быстрого доступа') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.RadioButtonIntPtr(u8('Старый стиль'), usersettings.fmstyle, 0) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetMouseCursor(imgui.MouseCursor.Hand) imgui.SetNextWindowSize(imgui.ImVec2(90, 150)) imgui.Begin('##oldstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,6 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 7 + i * 20), imgui.ImVec2(p.x + 85, p.y + 22 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 14 + i * 20), imgui.ImVec2(p.x + 75, p.y + 14 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() end if imgui.RadioButtonIntPtr(u8('Новый стиль'), usersettings.fmstyle, 1) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetMouseCursor(imgui.MouseCursor.Hand) imgui.SetNextWindowSize(imgui.ImVec2(200, 110)) imgui.Begin('##newstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,3 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 5 + i * 20), imgui.ImVec2(p.x + 115, p.y + 20 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 12 + i * 20), imgui.ImVec2(p.x + 105, p.y + 12 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 110), imgui.ImVec2(p.x + 120, p.y), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 25), imgui.ImVec2(p.x + 200, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 135, p.y + 8), imgui.ImVec2(p.x + 175, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 178, p.y + 8), imgui.ImVec2(p.x + 183, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 145, p.y + 18), imgui.ImVec2(p.x + 175, p.y + 18), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 190, p.y + 30), imgui.ImVec2(p.x + 190, p.y + 45), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37), imgui.ImVec2(p.x + 180, p.y + 37), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) for i = 1,3 do imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37 + i * 20), imgui.ImVec2(p.x + 180, p.y + 37 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() end imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Дополнительно') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.ColorEdit4(u8'##RSet', chatcolors.RChatColor, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.NoAlpha) then configuration.main_settings.RChatColor = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(chatcolors.RChatColor[0], chatcolors.RChatColor[1], chatcolors.RChatColor[2], chatcolors.RChatColor[3])) inicfg.save(configuration, 'Mordor Police Helper.ini') end imgui.SameLine() imgui.Text(u8'Цвет чата организации') imgui.SameLine(190) if imgui.Button(u8'Сбросить##RCol',imgui.ImVec2(65,25)) then configuration.main_settings.RChatColor = 4282626093 if inicfg.save(configuration, 'Mordor Police Helper.ini') then local temp = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor) chatcolors.RChatColor = new.float[4](temp.x, temp.y, temp.z, temp.w) end end imgui.SameLine(265) if imgui.Button(u8'Тест##RTest',imgui.ImVec2(37,25)) then local result, myid = sampGetPlayerIdByCharHandle(playerPed) local color4 = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor) local r, g, b, a = color4.x * 255, color4.y * 255, color4.z * 255, color4.w * 255 sampAddChatMessage('[R] '..configuration.RankNames[configuration.main_settings.myrankint]..' '..sampGetPlayerNickname(tonumber(myid))..'['..myid..']: (( Это сообщение видите только Вы! ))', join_argb(a, r, g, b)) end if imgui.ColorEdit4(u8'##DSet', chatcolors.DChatColor, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.NoAlpha) then configuration.main_settings.DChatColor = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(chatcolors.DChatColor[0], chatcolors.DChatColor[1], chatcolors.DChatColor[2], chatcolors.DChatColor[3])) inicfg.save(configuration, 'Mordor Police Helperini') end imgui.SameLine() imgui.Text(u8'Цвет чата департамента') imgui.SameLine(190) if imgui.Button(u8'Сбросить##DCol',imgui.ImVec2(65,25)) then configuration.main_settings.DChatColor = 4294940723 if inicfg.save(configuration, 'Mordor Police Helper.ini') then local temp = imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor) chatcolors.DChatColor = new.float[4](temp.x, temp.y, temp.z, temp.w) end end imgui.SameLine(265) if imgui.Button(u8'Тест##DTest',imgui.ImVec2(37,25)) then local result, myid = sampGetPlayerIdByCharHandle(playerPed) local color4 = imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor) local r, g, b, a = color4.x * 255, color4.y * 255, color4.z * 255, color4.w * 255 sampAddChatMessage('[D] '..configuration.RankNames[configuration.main_settings.myrankint]..' '..sampGetPlayerNickname(tonumber(myid))..'['..myid..']: Это сообщение видите только Вы!', join_argb(a, r, g, b)) end if imgui.ColorEdit4(u8'##SSet', chatcolors.ASChatColor, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.NoAlpha) then configuration.main_settings.ASChatColor = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(chatcolors.ASChatColor[0], chatcolors.ASChatColor[1], chatcolors.ASChatColor[2], chatcolors.ASChatColor[3])) inicfg.save(configuration, 'Mordor Police Helper.ini') end imgui.SameLine() imgui.Text(u8'Цвет Mordor Police Helper в чате') imgui.SameLine(190) if imgui.Button(u8'Сбросить##SCol',imgui.ImVec2(65,25)) then configuration.main_settings.ASChatColor = 4281558783 if inicfg.save(configuration, 'Mordor Police Helper.ini') then local temp = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) chatcolors.ASChatColor = new.float[4](temp.x, temp.y, temp.z, temp.w) end end imgui.SameLine(265) if imgui.Button(u8'Тест##ASTest',imgui.ImVec2(37,25)) then ASHelperMessage('Это сообщение видите только Вы!') end if imgui.ToggleButton(u8'Убирать полосу прокрутки', usersettings.noscrollbar) then configuration.main_settings.noscrollbar = usersettings.noscrollbar[0] inicfg.save(configuration,'Mordor Police Helper') checkstyle() end imgui.EndGroup() imgui.Spacing() imgui.EndGroup() elseif settingswindow[0] == 3 then imgui.SetCursorPosY(40) imgui.TextColoredRGB('Цены {808080}(?)',1) imgui.Hint('pricelisthint','Эти числа будут использоваться при озвучивании прайс листа') imgui.PushItemWidth(62) imgui.SetCursorPosX(91) imgui.BeginGroup() if imgui.InputText(u8'Авто', pricelist.avtoprice, sizeof(pricelist.avtoprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.avtoprice = str(pricelist.avtoprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Рыбалка', pricelist.ribaprice, sizeof(pricelist.ribaprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.ribaprice = str(pricelist.ribaprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Оружие', pricelist.gunaprice, sizeof(pricelist.gunaprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.gunaprice = str(pricelist.gunaprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Раскопки', pricelist.kladprice, sizeof(pricelist.kladprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.kladprice = str(pricelist.kladprice) inicfg.save(configuration,'Mordor Police Helper') end imgui.EndGroup() imgui.SameLine(220) imgui.BeginGroup() if imgui.InputText(u8'Мото', pricelist.motoprice, sizeof(pricelist.motoprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.motoprice = str(pricelist.motoprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Плавание', pricelist.lodkaprice, sizeof(pricelist.lodkaprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.lodkaprice = str(pricelist.lodkaprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Охота', pricelist.huntprice, sizeof(pricelist.huntprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.huntprice = str(pricelist.huntprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Такси', pricelist.taxiprice, sizeof(pricelist.taxiprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.taxiprice = str(pricelist.taxiprice) inicfg.save(configuration,'Mordor Police Helper') end imgui.EndGroup() imgui.PopItemWidth() end imgui.EndChild() imgui.PopStyleVar() elseif mainwindow[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if imgui.InvisibleButton('##settingsbackbutton',imgui.ImVec2(10,15)) then mainwindow[0] = 0 alpha[0] = clock() end imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT) imgui.PopFont() imgui.SameLine() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 5, p.y - 10),imgui.ImVec2(p.x + 5, p.y + 26), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TextDisabled]), 1.5) imgui.SetCursorPos(imgui.ImVec2(60,15)) imgui.PushFont(font[25]) imgui.Text(u8'Дополнительно') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(15,65)) imgui.BeginGroup() imgui.PushStyleVarVec2(imgui.StyleVar.ButtonTextAlign, imgui.ImVec2(0.05,0.5)) for k, i in pairs(additionalbuttons) do if additionalwindow[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + 10),imgui.ImVec2(p.x + 3, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Right) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,additionalwindow[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(i, imgui.ImVec2(186,35)) then if additionalwindow[0] ~= k then additionalwindow[0] = k alpha[0] = clock() end end imgui.PopStyleColor(3) end imgui.PopStyleVar() imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(235, 0)) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) if additionalwindow[0] == 1 then imgui.BeginChild('##rulesswindow',_,false, imgui.WindowFlags.NoScrollbar) imgui.SetCursorPosY(20) if ruless['server'] then imgui.TextColoredRGB('Правила сервера '..ruless['server']..' + Ваши {808080}(?)',1) else imgui.TextColoredRGB('Ваши правила {808080}(?)',1) end imgui.Hint('txtfileforrules','Вы должны создать .txt файл с кодировкой ANSI\nЛКМ для открытия папки с правилами') if imgui.IsMouseReleased(0) and imgui.IsItemHovered() then createDirectory(getWorkingDirectory()..'\\Mordor Police Helper\\Rules') os.execute('explorer '..getWorkingDirectory()..'\\Mordor Police Helper\\Rules') end imgui.SetCursorPos(imgui.ImVec2(15, 20)) imgui.Text(fa.ICON_FA_REDO_ALT) if imgui.IsMouseReleased(0) and imgui.IsItemHovered() then checkRules() end imgui.Hint('updateallrules','Нажмите для обновления всех правил') for i = 1, #ruless do imgui.SetCursorPosX(15) if imgui.Button(u8(ruless[i].name..'##'..i), imgui.ImVec2(330,35)) then imgui.StrCopy(search_rule, '') RuleSelect = i imgui.OpenPopup(u8('Правила')) end end imgui.Spacing() imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15,15)) if imgui.BeginPopupModal(u8('Правила'), nil, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then imgui.TextColoredRGB(ruless[RuleSelect].name,1) imgui.SetCursorPosX(416) imgui.PushItemWidth(200) imgui.InputTextWithHint('##search_rule', fa.ICON_FA_SEARCH..u8' Искать', search_rule, sizeof(search_rule), imgui.InputTextFlags.EnterReturnsTrue) imgui.SameLine(928) if imgui.BoolButton(rule_align[0] == 1,fa.ICON_FA_ALIGN_LEFT, imgui.ImVec2(40, 20)) then rule_align[0] = 1 configuration.main_settings.rule_align = rule_align[0] inicfg.save(configuration,'Mordor Police Helper.ini') end imgui.SameLine() if imgui.BoolButton(rule_align[0] == 2,fa.ICON_FA_ALIGN_CENTER, imgui.ImVec2(40, 20)) then rule_align[0] = 2 configuration.main_settings.rule_align = rule_align[0] inicfg.save(configuration,'Mordor Police Helper.ini') end imgui.SameLine() if imgui.BoolButton(rule_align[0] == 3,fa.ICON_FA_ALIGN_RIGHT, imgui.ImVec2(40, 20)) then rule_align[0] = 3 configuration.main_settings.rule_align = rule_align[0] inicfg.save(configuration,'Mordor Police Helper.ini') end imgui.BeginChild('##Правила', imgui.ImVec2(1000, 500), true) for _ = 1, #ruless[RuleSelect].text do if sizeof(search_rule) < 1 then imgui.TextColoredRGB(ruless[RuleSelect].text[_],rule_align[0]-1) if imgui.IsItemHovered() and imgui.IsMouseDoubleClicked(0) then sampSetChatInputEnabled(true) sampSetChatInputText(gsub(ruless[RuleSelect].text[_], '%{.+%}','')) end else if find(string.rlower(ruless[RuleSelect].text[_]), string.rlower(gsub(u8:decode(str(search_rule)), '(%p)','(%%p)'))) then imgui.TextColoredRGB(ruless[RuleSelect].text[_],rule_align[0]-1) if imgui.IsItemHovered() and imgui.IsMouseDoubleClicked(0) then sampSetChatInputEnabled(true) sampSetChatInputText(gsub(ruless[RuleSelect].text[_], '%{.+%}','')) end end end end imgui.EndChild() imgui.SetCursorPosX(416) if imgui.Button(u8'Закрыть',imgui.ImVec2(200,25)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end imgui.PopStyleVar() imgui.EndChild() elseif additionalwindow[0] == 2 then imgui.BeginChild('##zametkimainwindow',_,false, imgui.WindowFlags.NoScrollbar) imgui.BeginChild('##zametkizametkichild', imgui.ImVec2(-1, 210), false) if zametkaredact_number == nil then imgui.PushStyleVarVec2(imgui.StyleVar.ItemSpacing, imgui.ImVec2(12,6)) imgui.SetCursorPosY(10) imgui.Columns(4) imgui.Text('#') imgui.SetColumnWidth(-1, 30) imgui.NextColumn() imgui.Text(u8'Название') imgui.SetColumnWidth(-1, 150) imgui.NextColumn() imgui.Text(u8'Команда') imgui.SetColumnWidth(-1, 75) imgui.NextColumn() imgui.Text(u8'Кнопка') imgui.Columns(1) imgui.Separator() for i = 1, #zametki do if imgui.Selectable(u8('##'..i), now_zametka[0] == i) then now_zametka[0] = i end if imgui.IsMouseDoubleClicked(0) and imgui.IsItemHovered() then windows.imgui_zametka[0] = true zametka_window[0] = now_zametka[0] end end imgui.SetCursorPosY(35) imgui.Columns(4) for i = 1, #zametki do local name, cmd, button = zametki[i].name, zametki[i].cmd, zametki[i].button imgui.Text(u8(i)) imgui.SetColumnWidth(-1, 30) imgui.NextColumn() imgui.Text(u8(name)) imgui.SetColumnWidth(-1, 150) imgui.NextColumn() imgui.Text(u8(#cmd > 0 and '/'..cmd or '')) imgui.SetColumnWidth(-1, 75) imgui.NextColumn() imgui.Text(u8(button)) imgui.NextColumn() end imgui.Columns(1) imgui.Separator() imgui.PopStyleVar() imgui.Spacing() else imgui.SetCursorPos(imgui.ImVec2(60, 20)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.TextColoredRGB(zametkaredact_number ~= 0 and 'Редактирование заметки #'..zametkaredact_number or 'Создание новой заметки', 1) imgui.PopFont() imgui.Spacing() imgui.TextColoredRGB('{FF2525}* {SSSSSS}Название заметки:') imgui.SameLine(125) imgui.PushItemWidth(120) imgui.InputText('##zametkaeditorname', zametkisettings.zametkaname, sizeof(zametkisettings.zametkaname)) imgui.TextColoredRGB('{FF2525}* {SSSSSS}Текст заметки:') imgui.SameLine(125) imgui.PushItemWidth(120) if imgui.Button(u8'Редактировать##neworredactzametka', imgui.ImVec2(120, 0)) then imgui.OpenPopup(u8'Редактор текста заметки') end imgui.Text(u8'Команда активации:') imgui.SameLine(125) imgui.InputText('##zametkaeditorcmd', zametkisettings.zametkacmd, sizeof(zametkisettings.zametkacmd)) imgui.PopItemWidth() imgui.Text(u8'Бинд активации:') imgui.SameLine(125) imgui.HotKey((zametkaredact_number ~= 0 and zametkaredact_number or 'новой')..' заметки', zametkisettings, 'zametkabtn', '', 120) imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(60,190)) if imgui.InvisibleButton('##zametkigoback',imgui.ImVec2(65,15)) then zametkaredact_number = nil imgui.StrCopy(zametkisettings.zametkacmd, '') imgui.StrCopy(zametkisettings.zametkaname, '') imgui.StrCopy(zametkisettings.zametkatext, '') zametkisettings.zametkabtn = '' end imgui.SetCursorPos(imgui.ImVec2(60,190)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Отмена') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(220,190)) if imgui.InvisibleButton('##zametkisave',imgui.ImVec2(85,15)) then if #str(zametkisettings.zametkaname) > 0 then if #str(zametkisettings.zametkatext) > 0 then if zametkaredact_number ~= 0 then sampUnregisterChatCommand(zametki[zametkaredact_number].cmd) end zametki[zametkaredact_number == 0 and #zametki + 1 or zametkaredact_number] = {name = u8:decode(str(zametkisettings.zametkaname)), text = u8:decode(str(zametkisettings.zametkatext)), button = u8:decode(str(zametkisettings.zametkabtn)), cmd = u8:decode(str(zametkisettings.zametkacmd))} zametkaredact_number = nil local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'w') file:write(encodeJson(zametki)) file:close() updatechatcommands() else ASHelperMessage('Текст заметки не введен.') end else ASHelperMessage('Название заметки не введено.') end end imgui.SetCursorPos(imgui.ImVec2(220,190)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], u8'Сохранить '..fa.ICON_FA_CHEVRON_RIGHT) imgui.PopFont() imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15, 15)) if imgui.BeginPopupModal(u8'Редактор текста заметки', nil, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then imgui.Text(u8'Текст:') imgui.InputTextMultiline(u8'##zametkatexteditor', zametkisettings.zametkatext, sizeof(zametkisettings.zametkatext), imgui.ImVec2(435,200)) if imgui.Button(u8'Закрыть', imgui.ImVec2(-1, 25)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end imgui.PopStyleVar() end imgui.EndChild() imgui.SetCursorPosX(7) if zametkaredact_number == nil then if imgui.Button(fa.ICON_FA_PLUS_CIRCLE..u8' Создать##zametkas') then zametkaredact_number = 0 imgui.StrCopy(zametkisettings.zametkacmd, '') imgui.StrCopy(zametkisettings.zametkaname, '') imgui.StrCopy(zametkisettings.zametkatext, '') zametkisettings.zametkabtn = '' end imgui.SameLine() if imgui.Button(fa.ICON_FA_PEN..u8' Изменить') then if zametki[now_zametka[0]] then zametkaredact_number = now_zametka[0] imgui.StrCopy(zametkisettings.zametkacmd, u8(zametki[now_zametka[0]].cmd)) imgui.StrCopy(zametkisettings.zametkaname, u8(zametki[now_zametka[0]].name)) imgui.StrCopy(zametkisettings.zametkatext, u8(zametki[now_zametka[0]].text)) zametkisettings.zametkabtn = zametki[now_zametka[0]].button end end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..u8' Удалить') then if zametki[now_zametka[0]] then table.remove(zametki, now_zametka[0]) now_zametka[0] = 1 end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'w') file:write(encodeJson(zametki)) file:close() end imgui.SameLine() if imgui.Button(fa.ICON_FA_ARROW_UP) then now_zametka[0] = (now_zametka[0] - 1 < 1) and #zametki or now_zametka[0] - 1 end imgui.SameLine() if imgui.Button(fa.ICON_FA_ARROW_DOWN) then now_zametka[0] = (now_zametka[0] + 1 > #zametki) and 1 or now_zametka[0] + 1 end imgui.SameLine() if imgui.Button(fa.ICON_FA_WINDOW_RESTORE) then windows.imgui_zametka[0] = true zametka_window[0] = now_zametka[0] end end imgui.EndChild() elseif additionalwindow[0] == 3 then imgui.BeginChild('##otigrovkiwindow',_,false) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.Text(u8'Задержка между сообщениями:') imgui.PushItemWidth(200) if imgui.SliderFloat('##playcd', usersettings.playcd, 0.5, 10.0, '%.1f c.') then if usersettings.playcd[0] < 0.5 then usersettings.playcd[0] = 0.5 end if usersettings.playcd[0] > 10.0 then usersettings.playcd[0] = 10.0 end configuration.main_settings.playcd = usersettings.playcd[0] * 1000 inicfg.save(configuration,'Mordor Police Helper') end imgui.PopItemWidth() imgui.Spacing() if imgui.ToggleButton(u8'Начинать отыгровки после команд', usersettings.dorponcmd) then configuration.main_settings.dorponcmd = usersettings.dorponcmd[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Автоотыгровка дубинки', usersettings.playdubinka) then configuration.main_settings.playdubinka = usersettings.playdubinka[0] inicfg.save(configuration,'Mordor Police Helper') end --[[ if imgui.ToggleButton(u8'Заменять Автошкола на ГЦЛ в отыгровках', usersettings.replaceash) then configuration.main_settings.replaceash = usersettings.replaceash[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Мед. карта на охоту', usersettings.checkmconhunt) then configuration.main_settings.checkmconhunt = usersettings.checkmconhunt[0] inicfg.save(configuration,'Mordor Police Helper') end ]] imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('mconhunt','Если включено, то перед продажей лицензии на охоту будет проверяться мед. карта') if imgui.ToggleButton(u8'Мед. карта на оружие', usersettings.checkmcongun) then configuration.main_settings.checkmcongun = usersettings.checkmcongun[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('mcongun','Если включено, то перед продажей лицензии на оружие будет проверяться мед. карта') imgui.EndGroup() imgui.EndChild() end imgui.PopStyleVar() elseif mainwindow[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if imgui.InvisibleButton('##settingsbackbutton',imgui.ImVec2(10,15)) then mainwindow[0] = 0 alpha[0] = clock() end imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT) imgui.PopFont() imgui.SameLine() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 5, p.y - 10),imgui.ImVec2(p.x + 5, p.y + 26), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TextDisabled]), 1.5) imgui.SetCursorPos(imgui.ImVec2(60,15)) imgui.PushFont(font[25]) imgui.Text(u8'Информация') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(15,65)) imgui.BeginGroup() imgui.PushStyleVarVec2(imgui.StyleVar.ButtonTextAlign, imgui.ImVec2(0.05,0.5)) for k, i in pairs(infobuttons) do if infowindow[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + 10),imgui.ImVec2(p.x + 3, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Right) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,infowindow[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(i, imgui.ImVec2(186,35)) then if infowindow[0] ~= k then infowindow[0] = k alpha[0] = clock() end end imgui.PopStyleColor(3) end imgui.PopStyleVar() imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(208, 0)) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) imgui.BeginChild('##informationmainwindow',_,false) if infowindow[0] == 1 then imgui.PushFont(font[16]) imgui.SetCursorPosX(20) imgui.BeginGroup() if updateinfo.version and updateinfo.version ~= thisScript().version then imgui.SetCursorPosY(20) imgui.TextColored(imgui.ImVec4(0.92, 0.71, 0.25, 1), fa.ICON_FA_EXCLAMATION_CIRCLE) imgui.SameLine() imgui.BeginGroup() imgui.Text(u8'Обнаружено обновление на версию '..updateinfo.version..'!') imgui.PopFont() if imgui.Button(u8'Скачать '..fa.ICON_FA_ARROW_ALT_CIRCLE_DOWN) then local function DownloadFile(url, file) downloadUrlToFile(url,file,function(id,status) if status == dlstatus.STATUSEX_ENDDOWNLOAD then ASHelperMessage('Обновление успешно загружено, скрипт перезагружается...') end end) end DownloadFile(updateinfo.file, thisScript().path) NoErrors = true end imgui.SameLine() if imgui.TreeNodeStr(u8'Список изменений') then imgui.SetCursorPosX(135) imgui.TextWrapped((updateinfo.change_log)) imgui.TreePop() end imgui.EndGroup() else imgui.SetCursorPosY(30) imgui.TextColored(imgui.ImVec4(0.2, 1, 0.2, 1), fa.ICON_FA_CHECK_CIRCLE) imgui.SameLine() imgui.SetCursorPosY(20) imgui.BeginGroup() imgui.Text(u8'У вас установлена последняя версия скрипта.') imgui.PushFont(font[11]) imgui.TextColoredRGB('{SSSSSS90}Время последней проверки: '..(configuration.main_settings.updatelastcheck or 'не определено')) imgui.PopFont() imgui.PopFont() imgui.Spacing() if imgui.Button(u8'Проверить наличие обновлений') then checkUpdates('https://raw.githubusercontent.com/shep1ch/hell-num_2/main/nicedick.json', true) end imgui.EndGroup() end imgui.NewLine() imgui.PushFont(font[15]) imgui.Text(u8'Параметры') imgui.PopFont() imgui.SetCursorPosX(30) if imgui.ToggleButton(u8'Авто-проверка обновлений', auto_update_box) then configuration.main_settings.autoupdate = auto_update_box[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SetCursorPosX(30) if imgui.ToggleButton(u8'Получать бета релизы', get_beta_upd_box) then configuration.main_settings.getbetaupd = get_beta_upd_box[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('betareleaseshint', 'После включения данной функции Вы будете получать\nобновления раньше других людей для тестирования и\nсообщения о багах разработчику.\n{FF1010}Работа этих версий не будет гарантирована.') imgui.EndGroup() elseif infowindow[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() if testCheat('dev') then configuration.main_settings.myrankint = 10 addNotify('{20FF20}Режим разработчика включён.', 5) sampRegisterChatCommand('ash_temp',function() fastmenuID = select(2, sampGetPlayerIdByCharHandle(playerPed)) windows.imgui_fm[0] = true end) end imgui.PushFont(font[15]) imgui.TextColoredRGB('Автор - {MC}Shepi') imgui.PopFont() imgui.NewLine() imgui.TextWrapped(u8'Если Вы нашли баг или хотите предложить улучшение/изменение для скрипта, то можете связаться со мной в VK.') imgui.SetCursorPosX(25) imgui.Text(fa.ICON_FA_LINK) imgui.SameLine(40) imgui.Text(u8'Связаться со мной в VK:') imgui.SameLine(190) imgui.Link('https://vk.com/shepich', u8'VK') imgui.SameLine(); if imgui.Selectable('copy') then setClipboardText('https://vk.com/shepich') end imgui.Spacing() imgui.TextWrapped(u8'Если Вы находите этот скрипт полезным, то можете поддержать разработку деньгами.') imgui.SetCursorPosX(25) imgui.TextColored(imgui.ImVec4(0.31,0.78,0.47,1), fa.ICON_FA_GEM) imgui.SameLine(40) imgui.Text(u8'Поддержать разработку:') imgui.SameLine(190) imgui.Link('https://www.donationalerts.com/r/shepich', 'donationalerts.com/r/shepich') imgui.EndGroup() elseif infowindow[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.TextColoredRGB('Mordor Police Helper',1) imgui.PopFont() imgui.TextColoredRGB('Версия скрипта - {MC}'..thisScript().version) if imgui.Button(u8'Список изменений') then windows.imgui_changelog[0] = true end imgui.Link('https://www.blast.hk/threads/87533/', u8'Тема на Blast Hack') imgui.Separator() imgui.TextWrapped(u8[[ * Mordor Police Helper - удобный помощник, который облегчит Вам работу в МЮ на Мордор ролевая игра. Обновления скрипта происходят безопасно для Вас, автообновления нет, установку должны подтверждать Вы. * Меню быстрого доступа - Прицелившись на игрока с помощью ПКМ и нажав кнопку E (по умолчанию), откроется меню быстрого доступа. В данном меню есть все нужные функции, а именно: приветствие, озвучивание прайс листа, продажа лицензий, возможность выгнать человека из автошколы, приглашение в организацию, увольнение из организации, изменение должности, занесение в ЧС, удаление из ЧС, выдача выговоров, удаление выговоров, выдача организационного мута, удаление организационного мута, автоматизированное проведение собеседования со всеми нужными отыгровками. * Команды сервера с отыгровками - /invite, /uninvite, /giverank, /blacklist, /unblacklist, /fwarn, /unfwarn, /fmute, /funmute. Введя любую из этих команд начнётся РП отыгровка, лишь после неё будет активирована сама команда (эту функцию можно отключить в настройках). * Команды хелпера - /mph - настройки хелпера, /mphbind - биндер хелпера, /mphlect - меню лекций, /mphdep - меню департамента * Настройки - Введя команду /mph откроются настройки в которых можно изменять никнейм в приветствии, акцент, создание маркера при выделении, пол, цены на лицензии, горячую клавишу быстрого меню и многое другое. * Меню лекций - Введя команду /mphlect откроется меню лекций, в котором вы сможете озвучить/добавить/удалить лекции. * Биндер - Введя команду /mphbind откроется биндер, в котором вы можете создать абсолютно любой бинд на команду, или же кнопку(и).]]) imgui.Spacing() imgui.EndGroup() end imgui.EndChild() imgui.PopStyleVar() end imgui.EndChild() imgui.End() imgui.PopStyleVar() end ) local imgui_binder = imgui.OnFrame( function() return windows.imgui_binder[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(650, 370), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Биндер', windows.imgui_binder, imgui.WindowFlags.NoScrollWithMouse + imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoCollapse) imgui.Image(configuration.main_settings.style ~= 2 and whitebinder or blackbinder,imgui.ImVec2(202,25)) imgui.SameLine(583) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if choosedslot then if imgui.Button(fa.ICON_FA_QUESTION_CIRCLE,imgui.ImVec2(23,23)) then imgui.OpenPopup(u8'Тэги') end end imgui.SameLine(606) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_binder[0] = false end imgui.PopStyleColor(3) if imgui.BeginPopup(u8'Тэги', nil, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then for k,v in pairs(tagbuttons) do if imgui.Button(u8(tagbuttons[k].name),imgui.ImVec2(150,25)) then imgui.StrCopy(bindersettings.binderbuff, str(bindersettings.binderbuff)..u8(tagbuttons[k].name)) ASHelperMessage('Тэг был скопирован.') end imgui.SameLine() if imgui.IsItemHovered() then imgui.BeginTooltip() imgui.Text(u8(tagbuttons[k].hint)) imgui.EndTooltip() end imgui.Text(u8(tagbuttons[k].text)) end imgui.EndPopup() end imgui.BeginChild('ChildWindow',imgui.ImVec2(175,270),true, (configuration.main_settings.noscrollbar and imgui.WindowFlags.NoScrollbar or imgui.WindowFlags.NoBringToFrontOnFocus)) imgui.SetCursorPosY(7.5) for key, value in pairs(configuration.BindsName) do imgui.SetCursorPosX(7.5) if imgui.Button(u8(configuration.BindsName[key]..'##'..key),imgui.ImVec2(160,30)) then choosedslot = key imgui.StrCopy(bindersettings.binderbuff, gsub(u8(configuration.BindsAction[key]), '~', '\n' ) or '') imgui.StrCopy(bindersettings.bindername, u8(configuration.BindsName[key] or '')) imgui.StrCopy(bindersettings.bindercmd, u8(configuration.BindsCmd[key] or '')) imgui.StrCopy(bindersettings.binderdelay, u8(configuration.BindsDelay[key] or '')) bindersettings.bindertype[0] = configuration.BindsType[key] or 0 bindersettings.binderbtn = configuration.BindsKeys[key] or '' end end imgui.EndChild() if choosedslot ~= nil and choosedslot <= 50 then imgui.SameLine() imgui.BeginChild('ChildWindow2',imgui.ImVec2(435,200),false) imgui.InputTextMultiline('##bindertexteditor', bindersettings.binderbuff, sizeof(bindersettings.binderbuff), imgui.ImVec2(435,200)) imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(206.5, 261)) imgui.Text(u8'Название бинда:') imgui.SameLine() imgui.PushItemWidth(150) if choosedslot ~= 50 then imgui.InputText('##bindersettings.bindername', bindersettings.bindername,sizeof(bindersettings.bindername),imgui.InputTextFlags.ReadOnly) else imgui.InputText('##bindersettings.bindername', bindersettings.bindername, sizeof(bindersettings.bindername)) end imgui.PopItemWidth() imgui.SameLine() imgui.PushItemWidth(162) imgui.Combo('##binderchoosebindtype', bindersettings.bindertype, new['const char*'][2]({u8'Использовать команду', u8'Использовать клавиши'}), 2) imgui.PopItemWidth() imgui.SetCursorPos(imgui.ImVec2(206.5, 293)) imgui.TextColoredRGB('Задержка между строками {FF4500}(ms):'); imgui.SameLine() imgui.Hint('msbinderhint','Указывайте значение в миллисекундах\n1 секунда = 1.000 миллисекунд') imgui.PushItemWidth(64) imgui.InputText('##bindersettings.binderdelay', bindersettings.binderdelay, sizeof(bindersettings.binderdelay), imgui.InputTextFlags.CharsDecimal) if tonumber(str(bindersettings.binderdelay)) and tonumber(str(bindersettings.binderdelay)) > 60000 then imgui.StrCopy(bindersettings.binderdelay, '60000') elseif tonumber(str(bindersettings.binderdelay)) and tonumber(str(bindersettings.binderdelay)) < 1 then imgui.StrCopy(bindersettings.binderdelay, '1') end imgui.PopItemWidth() imgui.SameLine() if bindersettings.bindertype[0] == 0 then imgui.Text('/') imgui.SameLine() imgui.PushItemWidth(145) imgui.InputText('##bindersettings.bindercmd',bindersettings.bindercmd,sizeof(bindersettings.bindercmd),imgui.InputTextFlags.CharsNoBlank) imgui.PopItemWidth() elseif bindersettings.bindertype[0] == 1 then imgui.HotKey('##binderbinder', bindersettings, 'binderbtn', '', 162) end imgui.NewLine() imgui.SetCursorPos(imgui.ImVec2(535, 330)) if #str(bindersettings.binderbuff) > 0 and #str(bindersettings.bindername) > 0 and #str(bindersettings.binderdelay) > 0 and bindersettings.bindertype[0] ~= nil then if imgui.Button(u8'Сохранить',imgui.ImVec2(100,30)) then local kei = nil if not inprocess then for key, value in pairs(configuration.BindsName) do if u8:decode(str(bindersettings.bindername)) == tostring(value) then sampUnregisterChatCommand(configuration.BindsCmd[key]) kei = key end end local refresh_text = gsub(u8:decode(str(bindersettings.binderbuff)), '\n', '~') if kei ~= nil then configuration.BindsName[kei] = u8:decode(str(bindersettings.bindername)) configuration.BindsDelay[kei] = str(bindersettings.binderdelay) configuration.BindsAction[kei] = refresh_text configuration.BindsType[kei]= bindersettings.bindertype[0] if bindersettings.bindertype[0] == 0 then configuration.BindsCmd[kei] = u8:decode(str(bindersettings.bindercmd)) elseif bindersettings.bindertype[0] == 1 then configuration.BindsKeys[kei] = bindersettings.binderbtn end if inicfg.save(configuration, 'Mordor Police Helper') then ASHelperMessage('Бинд успешно сохранён!') end else configuration.BindsName[#configuration.BindsName + 1] = u8:decode(str(bindersettings.bindername)) configuration.BindsDelay[#configuration.BindsDelay + 1] = str(bindersettings.binderdelay) configuration.BindsAction[#configuration.BindsAction + 1] = refresh_text configuration.BindsType[#configuration.BindsType + 1] = bindersettings.bindertype[0] if bindersettings.bindertype[0] == 0 then configuration.BindsCmd[#configuration.BindsCmd + 1] = u8:decode(str(bindersettings.bindercmd)) elseif bindersettings.bindertype[0] == 1 then configuration.BindsKeys[#configuration.BindsKeys + 1] = bindersettings.binderbtn end if inicfg.save(configuration, 'Mordor Police Helper') then ASHelperMessage('Бинд успешно создан!') end end imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.binderdelay, '') imgui.StrCopy(bindersettings.bindercmd, '') bindersettings.bindertype[0] = 0 choosedslot = nil updatechatcommands() else ASHelperMessage('Вы не можете взаимодействовать с биндером во время любой отыгровки!') end end else imgui.LockedButton(u8'Сохранить',imgui.ImVec2(100,30)) imgui.Hint('notallparamsbinder','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() imgui.SetCursorPosX(202) if imgui.Button(u8'Отменить',imgui.ImVec2(100,30)) then imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.binderdelay, '') imgui.StrCopy(bindersettings.bindercmd, '') bindersettings.bindertype[0] = 0 choosedslot = nil end else imgui.SetCursorPos(imgui.ImVec2(240,180)) imgui.Text(u8'Откройте бинд или создайте новый для меню редактирования.') end imgui.SetCursorPos(imgui.ImVec2(14, 330)) if imgui.Button(u8'Добавить',imgui.ImVec2(82,30)) then choosedslot = 50 imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderdelay, '') bindersettings.bindertype[0] = 0 end imgui.SameLine() if choosedslot ~= nil and choosedslot ~= 50 then if imgui.Button(u8'Удалить',imgui.ImVec2(82,30)) then if not inprocess then for key, value in pairs(configuration.BindsName) do local value = tostring(value) if u8:decode(str(bindersettings.bindername)) == configuration.BindsName[key] then sampUnregisterChatCommand(configuration.BindsCmd[key]) table.remove(configuration.BindsName,key) table.remove(configuration.BindsKeys,key) table.remove(configuration.BindsAction,key) table.remove(configuration.BindsCmd,key) table.remove(configuration.BindsDelay,key) table.remove(configuration.BindsType,key) if inicfg.save(configuration,'Mordor Police Helper') then imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.binderdelay, '') imgui.StrCopy(bindersettings.bindercmd, '') bindersettings.bindertype[0] = 0 choosedslot = nil ASHelperMessage('Бинд успешно удалён!') end end end updatechatcommands() else ASHelperMessage('Вы не можете удалять бинд во время любой отыгровки!') end end else imgui.LockedButton(u8'Удалить',imgui.ImVec2(82,30)) imgui.Hint('choosedeletebinder','Выберите бинд который хотите удалить') end imgui.End() end ) local imgui_lect = imgui.OnFrame( function() return windows.imgui_lect[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(435, 300), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Лекции', windows.imgui_lect, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse + (configuration.main_settings.noscrollbar and imgui.WindowFlags.NoScrollbar or imgui.WindowFlags.NoBringToFrontOnFocus)) imgui.Image(configuration.main_settings.style ~= 2 and whitelection or blacklection,imgui.ImVec2(199,25)) imgui.SameLine(401) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_lect[0] = false end imgui.PopStyleColor(3) imgui.Separator() if imgui.RadioButtonIntPtr(u8('Чат'), lectionsettings.lection_type, 1) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() if imgui.RadioButtonIntPtr(u8('/s'), lectionsettings.lection_type, 4) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() if imgui.RadioButtonIntPtr(u8('/r'), lectionsettings.lection_type, 2) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() if imgui.RadioButtonIntPtr(u8('/rb'), lectionsettings.lection_type, 3) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.SetCursorPosX(245) imgui.PushItemWidth(50) if imgui.DragInt('##lectionsettings.lection_delay', lectionsettings.lection_delay, 0.1, 1, 30, u8('%d с.')) then if lectionsettings.lection_delay[0] < 1 then lectionsettings.lection_delay[0] = 1 end if lectionsettings.lection_delay[0] > 30 then lectionsettings.lection_delay[0] = 30 end configuration.main_settings.lection_delay = lectionsettings.lection_delay[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.Hint('lectiondelay','Задержка между сообщениями') imgui.PopItemWidth() imgui.SameLine() imgui.SetCursorPosX(307) if imgui.Button(u8'Создать новую '..fa.ICON_FA_PLUS_CIRCLE, imgui.ImVec2(112, 24)) then lection_number = nil imgui.StrCopy(lectionsettings.lection_name, '') imgui.StrCopy(lectionsettings.lection_text, '') imgui.OpenPopup(u8('Редактор лекций')) end imgui.Separator() if #lections.data == 0 then imgui.SetCursorPosY(120) imgui.TextColoredRGB('У Вас нет ни одной лекции.',1) imgui.SetCursorPosX((imgui.GetWindowWidth() - 250) * 0.5) if imgui.Button(u8'Восстановить изначальные лекции', imgui.ImVec2(250, 25)) then local function copy(obj, seen) if type(obj) ~= 'table' then return obj end if seen and seen[obj] then return seen[obj] end local s = seen or {} local res = setmetatable({}, getmetatable(obj)) s[obj] = res for k, v in pairs(obj) do res[copy(k, s)] = copy(v, s) end return res end lections = copy(default_lect) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() end else for i = 1, #lections.data do if lections.active.bool == true then if lections.data[i].name == lections.active.name then if imgui.Button(fa.ICON_FA_PAUSE..'##'..u8(lections.data[i].name), imgui.ImVec2(280, 25)) then inprocess = nil lections.active.bool = false lections.active.name = nil lections.active.handle:terminate() lections.active.handle = nil end else imgui.LockedButton(u8(lections.data[i].name), imgui.ImVec2(280, 25)) end imgui.SameLine() imgui.LockedButton(fa.ICON_FA_PEN..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) imgui.SameLine() imgui.LockedButton(fa.ICON_FA_TRASH..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) else if imgui.Button(u8(lections.data[i].name), imgui.ImVec2(280, 25)) then lections.active.bool = true lections.active.name = lections.data[i].name lections.active.handle = lua_thread.create(function() for key = 1, #lections.data[i].text do if lectionsettings.lection_type[0] == 2 then if lections.data[i].text[key]:sub(1,1) == '/' then sampSendChat(lections.data[i].text[key]) else sampSendChat(format('/r %s', lections.data[i].text[key])) end elseif lectionsettings.lection_type[0] == 3 then if lections.data[i].text[key]:sub(1,1) == '/' then sampSendChat(lections.data[i].text[key]) else sampSendChat(format('/rb %s', lections.data[i].text[key])) end elseif lectionsettings.lection_type[0] == 4 then if lections.data[i].text[key]:sub(1,1) == '/' then sampSendChat(lections.data[i].text[key]) else sampSendChat(format('/s %s', lections.data[i].text[key])) end else sampSendChat(lections.data[i].text[key]) end if key ~= #lections.data[i].text then wait(lectionsettings.lection_delay[0] * 1000) end end lections.active.bool = false lections.active.name = nil lections.active.handle = nil end) end imgui.SameLine() if imgui.Button(fa.ICON_FA_PEN..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) then lection_number = i imgui.StrCopy(lectionsettings.lection_name, u8(tostring(lections.data[i].name))) imgui.StrCopy(lectionsettings.lection_text, u8(tostring(table.concat(lections.data[i].text, '\n')))) imgui.OpenPopup(u8'Редактор лекций') end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) then lection_number = i imgui.OpenPopup('##delete') end end end end if imgui.BeginPopup('##delete') then imgui.TextColoredRGB('Вы уверены, что хотите удалить лекцию \n\''..(lections.data[lection_number].name)..'\'',1) imgui.SetCursorPosX( (imgui.GetWindowWidth() - 100 - imgui.GetStyle().ItemSpacing.x) * 0.5 ) if imgui.Button(u8'Да',imgui.ImVec2(50,25)) then imgui.CloseCurrentPopup() table.remove(lections.data, lection_number) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() end imgui.SameLine() if imgui.Button(u8'Нет',imgui.ImVec2(50,25)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end if imgui.BeginPopupModal(u8'Редактор лекций', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize) then imgui.InputTextWithHint('##lecteditor', u8'Название лекции', lectionsettings.lection_name, sizeof(lectionsettings.lection_name)) imgui.Text(u8'Текст лекции: ') imgui.InputTextMultiline('##lecteditortext', lectionsettings.lection_text, sizeof(lectionsettings.lection_text), imgui.ImVec2(700, 300)) imgui.SetCursorPosX(209) if #str(lectionsettings.lection_name) > 0 and #str(lectionsettings.lection_text) > 0 then if imgui.Button(u8'Сохранить##lecteditor', imgui.ImVec2(150, 25)) then local pack = function(text, match) local array = {} for line in gmatch(text, '[^'..match..']+') do array[#array + 1] = line end return array end if lection_number == nil then lections.data[#lections.data + 1] = { name = u8:decode(str(lectionsettings.lection_name)), text = pack(u8:decode(str(lectionsettings.lection_text)), '\n') } else lections.data[lection_number].name = u8:decode(str(lectionsettings.lection_name)) lections.data[lection_number].text = pack(u8:decode(str(lectionsettings.lection_text)), '\n') end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() imgui.CloseCurrentPopup() end else imgui.LockedButton(u8'Сохранить##lecteditor', imgui.ImVec2(150, 25)) imgui.Hint('notallparamslecteditor','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() if imgui.Button(u8'Отменить##lecteditor', imgui.ImVec2(150, 25)) then imgui.CloseCurrentPopup() end imgui.Spacing() imgui.EndPopup() end imgui.End() end ) local imgui_database = imgui.OnFrame( function() return windows.imgui_database[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(700, 365), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'#database', windows.imgui_database, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse) imgui.Image(configuration.main_settings.style ~= 2 and whitedepart or blackdepart,imgui.ImVec2(266,25)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) imgui.SameLine(622) imgui.Button(fa.ICON_FA_INFO_CIRCLE,imgui.ImVec2(23,23)) imgui.Hint('waitwaitwait!!!','Пока что это окно функционирует как должно не на всех серверах\nВ будущих обновлениях будут доступны более детальные настройки') imgui.SameLine(668) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_database[0] = false end imgui.PopStyleColor(3) imgui.BeginChild('##databbuttons',imgui.ImVec2(180,300),true, imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoScrollWithMouse) imgui.PushItemWidth(150) imgui.TextColoredRGB('Тэг вашей организации {FF2525}*',1) if imgui.InputTextWithHint('##myorgnamedep',u8(''),departsettings.myorgname, sizeof(departsettings.myorgname)) then configuration.main_settings.astag = u8:decode(str(departsettings.myorgname)) end imgui.TextColoredRGB('Тэг с кем связываетесь {FF2525}*',1) imgui.InputTextWithHint('##toorgnamedep',u8('Организация'),departsettings.toorgname, sizeof(departsettings.toorgname)) imgui.TextColoredRGB('Частота соеденения',1) imgui.InputTextWithHint('##frequencydep','100,3',departsettings.frequency, sizeof(departsettings.frequency)) imgui.PopItemWidth() imgui.NewLine() if imgui.Button(u8'Перейти на частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sendchatarray(2000, { {'/r Перехожу на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',',')}, {'/d [%s] - [Информация] Перешёл на частоту %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',',')} }) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/r hint depart',format('/r Перехожу на частоту %s\n/d [%s] - [Информация] Перешёл на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','))) if imgui.Button(u8'Покинуть частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/d hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) if imgui.Button(u8'Тех. Неполадки',imgui.ImVec2(150,25)) then if #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('teh hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') imgui.EndChild() imgui.SameLine() imgui.BeginChild('##deptext',imgui.ImVec2(480,265),true,imgui.WindowFlags.NoScrollbar) imgui.SetScrollY(imgui.GetScrollMaxY()) imgui.TextColoredRGB('История сообщений департамента {808080}(?)',1) imgui.Hint('mytagfind depart','Если в чате департамента будет тэг \''..u8:decode(str(departsettings.myorgname))..'\'\nв этот список добавится это сообщение') imgui.Separator() for k,v in pairs(dephistory) do imgui.TextWrapped(u8(v)) end imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(207,323)) imgui.PushItemWidth(368) imgui.InputTextWithHint('##myorgtextdep', u8'Напишите сообщение', departsettings.myorgtext, sizeof(departsettings.myorgtext)) imgui.PopItemWidth() imgui.SameLine() if imgui.Button(u8'Отправить',imgui.ImVec2(100,24)) then if #str(departsettings.myorgname) > 0 and #str(departsettings.toorgname) > 0 and #str(departsettings.myorgtext) > 0 then if #str(departsettings.frequency) > 0 then sampSendChat(format('/d [%s] - %s - [%s] %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) else sampSendChat(format('/d [%s] - [%s] %s', u8:decode(str(departsettings.myorgname)),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) end imgui.StrCopy(departsettings.myorgtext, '') else ASHelperMessage('У Вас что-то не указано.') end end imgui.End() end ) local imgui_depart = imgui.OnFrame( function() return windows.imgui_depart[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(700, 365), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'#depart', windows.imgui_depart, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse) imgui.Image(configuration.main_settings.style ~= 2 and whitedepart or blackdepart,imgui.ImVec2(266,25)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) imgui.SameLine(622) imgui.Button(fa.ICON_FA_INFO_CIRCLE,imgui.ImVec2(23,23)) imgui.Hint('waitwaitwait!!!','Пока что это окно функционирует как должно не на всех серверах\nВ будущих обновлениях будут доступны более детальные настройки') imgui.SameLine(645) if imgui.Button(fa.ICON_FA_MINUS_SQUARE,imgui.ImVec2(23,23)) then if #dephistory ~= 0 then dephistory = {} ASHelperMessage('История сообщений успешно очищена.') end end imgui.Hint('clearmessagehistory','Очистить историю сообщений') imgui.SameLine(668) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_depart[0] = false end imgui.PopStyleColor(3) imgui.BeginChild('##depbuttons',imgui.ImVec2(180,300),true, imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoScrollWithMouse) imgui.PushItemWidth(150) imgui.TextColoredRGB('Тэг вашей организации {FF2525}*',1) if imgui.InputTextWithHint('##myorgnamedep',u8(''),departsettings.myorgname, sizeof(departsettings.myorgname)) then configuration.main_settings.astag = u8:decode(str(departsettings.myorgname)) end imgui.TextColoredRGB('Тэг с кем связываетесь {FF2525}*',1) imgui.InputTextWithHint('##toorgnamedep',u8('Организация'),departsettings.toorgname, sizeof(departsettings.toorgname)) imgui.TextColoredRGB('Частота соеденения',1) imgui.InputTextWithHint('##frequencydep','100,3',departsettings.frequency, sizeof(departsettings.frequency)) imgui.PopItemWidth() imgui.NewLine() if imgui.Button(u8'Перейти на частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sendchatarray(2000, { {'/r Перехожу на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',',')}, {'/d [%s] - [Информация] Перешёл на частоту %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',',')} }) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/r hint depart',format('/r Перехожу на частоту %s\n/d [%s] - [Информация] Перешёл на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','))) if imgui.Button(u8'Покинуть частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/d hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) if imgui.Button(u8'Тех. Неполадки',imgui.ImVec2(150,25)) then if #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('teh hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') imgui.EndChild() imgui.SameLine() imgui.BeginChild('##deptext',imgui.ImVec2(480,265),true,imgui.WindowFlags.NoScrollbar) imgui.SetScrollY(imgui.GetScrollMaxY()) imgui.TextColoredRGB('История сообщений департамента {808080}(?)',1) imgui.Hint('mytagfind depart','Если в чате департамента будет тэг \''..u8:decode(str(departsettings.myorgname))..'\'\nв этот список добавится это сообщение') imgui.Separator() for k,v in pairs(dephistory) do imgui.TextWrapped(u8(v)) end imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(207,323)) imgui.PushItemWidth(368) imgui.InputTextWithHint('##myorgtextdep', u8'Напишите сообщение', departsettings.myorgtext, sizeof(departsettings.myorgtext)) imgui.PopItemWidth() imgui.SameLine() if imgui.Button(u8'Отправить',imgui.ImVec2(100,24)) then if #str(departsettings.myorgname) > 0 and #str(departsettings.toorgname) > 0 and #str(departsettings.myorgtext) > 0 then if #str(departsettings.frequency) > 0 then sampSendChat(format('/d [%s] - %s - [%s] %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) else sampSendChat(format('/d [%s] - [%s] %s', u8:decode(str(departsettings.myorgname)),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) end imgui.StrCopy(departsettings.myorgtext, '') else ASHelperMessage('У Вас что-то не указано.') end end imgui.End() end ) local imgui_changelog = imgui.OnFrame( function() return windows.imgui_changelog[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(850, 600), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(0,0)) imgui.Begin(u8'##changelog', windows.imgui_changelog, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.Image(configuration.main_settings.style ~= 2 and whitechangelog or blackchangelog,imgui.ImVec2(238,25)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) imgui.SameLine(810) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_changelog[0] = false end imgui.PopStyleColor(3) imgui.Separator() imgui.SetCursorPosY(49) imgui.PushStyleColor(imgui.Col.ChildBg, imgui.ImVec4(0,0,0,0)) imgui.BeginChild('##TEXTEXTEXT',imgui.ImVec2(-1,-1),false, imgui.WindowFlags.NoScrollbar) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() for i = #changelog.versions, 1 , -1 do imgui.PushFont(font[25]) imgui.Text(u8('Версия: '..changelog.versions[i].version..' | '..changelog.versions[i].date)) imgui.PopFont() imgui.PushFont(font[16]) for _,line in pairs(changelog.versions[i].text) do imgui.TextWrapped(u8(' - '..line)) end imgui.PopFont() if changelog.versions[i].patches then imgui.Spacing() imgui.PushFont(font[16]) imgui.TextColoredRGB('{25a5db}Улучшения '..(changelog.versions[i].patches.active and '<<' or '>>')) imgui.PopFont() if imgui.IsItemHovered() and imgui.IsMouseReleased(0) then changelog.versions[i].patches.active = not changelog.versions[i].patches.active end if changelog.versions[i].patches.active then imgui.Text(u8(changelog.versions[i].patches.text)) end end imgui.NewLine() end imgui.EndGroup() imgui.EndChild() imgui.PopStyleColor() imgui.End() imgui.PopStyleVar() end ) local imgui_stats = imgui.OnFrame( function() return configuration.main_settings.statsvisible end, function(player) player.HideCursor = true imgui.SetNextWindowSize(imgui.ImVec2(150, 190), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(configuration.imgui_pos.posX,configuration.imgui_pos.posY),imgui.Cond.Always) imgui.Begin(u8'Статистика ##stats',_,imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoBringToFrontOnFocus + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoTitleBar) imgui.Text(fa.ICON_FA_CAR..u8' Авто - '..configuration.my_stats.avto) imgui.Text(fa.ICON_FA_MOTORCYCLE..u8' Мото - '..configuration.my_stats.moto) imgui.Text(fa.ICON_FA_FISH..u8' Рыболовство - '..configuration.my_stats.riba) imgui.Text(fa.ICON_FA_SHIP..u8' Плавание - '..configuration.my_stats.lodka) imgui.Text(fa.ICON_FA_CROSSHAIRS..u8' Оружие - '..configuration.my_stats.guns) imgui.Text(fa.ICON_FA_SKULL_CROSSBONES..u8' Охота - '..configuration.my_stats.hunt) imgui.Text(fa.ICON_FA_DIGGING..u8' Раскопки - '..configuration.my_stats.klad) imgui.Text(fa.ICON_FA_TAXI..u8' Такси - '..configuration.my_stats.taxi) imgui.End() end ) local imgui_notify = imgui.OnFrame( function() return true end, function(player) player.HideCursor = true for k = 1, #notify.msg do if notify.msg[k] and notify.msg[k].active then local i = -1 for d in gmatch(notify.msg[k].text, '[^\n]+') do i = i + 1 end if notify.pos.y - i * 21 > 0 then if notify.msg[k].justshowed == nil then notify.msg[k].justshowed = clock() - 0.05 end if ceil(notify.msg[k].justshowed + notify.msg[k].time - clock()) <= 0 then notify.msg[k].active = false end imgui.SetNextWindowPos(imgui.ImVec2(notify.pos.x, notify.pos.y - i * 21)) imgui.SetNextWindowSize(imgui.ImVec2(250, 60 + i * 21)) if clock() - notify.msg[k].justshowed < 0.3 then imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate((clock() - notify.msg[k].justshowed) * 3.34)) else imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate((notify.msg[k].justshowed + notify.msg[k].time - clock()) * 3.34)) end imgui.PushStyleVarFloat(imgui.StyleVar.WindowBorderSize, 0) imgui.Begin(u8('Notify ##'..k), _, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoMove + imgui.WindowFlags.NoScrollbar) local style = imgui.GetStyle() local pos = imgui.GetCursorScreenPos() local DrawList = imgui.GetWindowDrawList() DrawList:PathClear() local num_segments = 80 local step = 6.28 / num_segments local max = 6.28 * (1 - ((clock() - notify.msg[k].justshowed) / notify.msg[k].time)) local centre = imgui.ImVec2(pos.x + 15, pos.y + 15 + style.FramePadding.y) for i = 0, max, step do DrawList:PathLineTo(imgui.ImVec2(centre.x + 15 * cos(i), centre.y + 15 * sin(i))) end DrawList:PathStroke(imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TitleBgActive]), false, 3) imgui.SetCursorPos(imgui.ImVec2(30 - imgui.CalcTextSize(u8(abs(ceil(notify.msg[k].time - (clock() - notify.msg[k].justshowed))))).x * 0.5, 27)) imgui.Text(tostring(abs(ceil(notify.msg[k].time - (clock() - notify.msg[k].justshowed))))) imgui.PushFont(font[16]) imgui.SetCursorPos(imgui.ImVec2(105, 10)) imgui.TextColoredRGB('{MC}Mordor Police Helper') imgui.PopFont() imgui.SetCursorPosX(60) imgui.BeginGroup() imgui.TextColoredRGB(notify.msg[k].text) imgui.EndGroup() imgui.End() imgui.PopStyleVar(2) notify.pos.y = notify.pos.y - 70 - i * 21 else if k == 1 then table.remove(notify.msg, k) end end else table.remove(notify.msg, k) end end local notf_sX, notf_sY = convertGameScreenCoordsToWindowScreenCoords(605, 438) notify.pos = {x = notf_sX - 200, y = notf_sY - 70} end ) local imgui_fmstylechoose = imgui.OnFrame( function() return (windows.imgui_fmstylechoose[0] and not windows.imgui_changelog[0]) end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(350, 225), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Стиль меню быстрого доступа##fastmenuchoosestyle', _, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoScrollbar) imgui.TextWrapped(u8('В связи с добавлением нового стиля меню быстрого доступа, мы даём Вам выбрать какой стиль Вы предпочтёте использовать. Вы всегда сможете изменить его в /ash.\n\nДля предпросмотра нужно навести на одну из кнопок!')) imgui.Spacing() imgui.Columns(2, _, false) imgui.SetCursorPosX(52.5) imgui.Text(u8('Новый стиль')) imgui.SetCursorPosX(72.5) if imgui.RadioButtonIntPtr(u8('##newstylechoose'), usersettings.fmstyle, 1) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetNextWindowSize(imgui.ImVec2(200, 110)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(0,0)) imgui.Begin('##newstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,3 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 5 + i * 20), imgui.ImVec2(p.x + 115, p.y + 20 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 12 + i * 20), imgui.ImVec2(p.x + 105, p.y + 12 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 110), imgui.ImVec2(p.x + 120, p.y), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 25), imgui.ImVec2(p.x + 200, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 135, p.y + 8), imgui.ImVec2(p.x + 175, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 178, p.y + 8), imgui.ImVec2(p.x + 183, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 145, p.y + 18), imgui.ImVec2(p.x + 175, p.y + 18), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 190, p.y + 30), imgui.ImVec2(p.x + 190, p.y + 45), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37), imgui.ImVec2(p.x + 180, p.y + 37), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) for i = 1,3 do imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37 + i * 20), imgui.ImVec2(p.x + 180, p.y + 37 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() imgui.PopStyleVar() end imgui.NextColumn() imgui.SetCursorPosX(220) imgui.Text(u8('Старый стиль')) imgui.SetCursorPosX(245) if imgui.RadioButtonIntPtr(u8('##oldstylechoose'), usersettings.fmstyle, 0) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetNextWindowSize(imgui.ImVec2(90, 150)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(0,0)) imgui.Begin('##oldstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,6 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 7 + i * 20), imgui.ImVec2(p.x + 85, p.y + 22 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 14 + i * 20), imgui.ImVec2(p.x + 75, p.y + 14 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() imgui.PopStyleVar() end imgui.Columns(1) if configuration.main_settings.fmstyle ~= nil then imgui.SetCursorPosX(125) if imgui.Button(u8('Продолжить'), imgui.ImVec2(100, 23)) then windows.imgui_fmstylechoose[0] = false end end imgui.End() end ) local imgui_zametka = imgui.OnFrame( function() return windows.imgui_zametka[0] end, function(player) if not zametki[zametka_window[0]] then return end player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(100, 100), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8(zametki[zametka_window[0]].name..'##zametka_windoww'..zametka_window[0]), windows.imgui_zametka) imgui.Text(u8(zametki[zametka_window[0]].text)) imgui.End() end ) function updatechatcommands() for key, value in pairs(configuration.BindsName) do sampUnregisterChatCommand(configuration.BindsCmd[key]) if configuration.BindsCmd[key] ~= '' and configuration.BindsType[key] == 0 then sampRegisterChatCommand(configuration.BindsCmd[key], function() if not inprocess then local temp = 0 local temp2 = 0 for bp in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp = temp + 1 end inprocess = lua_thread.create(function() for bp in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp2 = temp2 + 1 if not find(bp, '%{delay_(%d+)%}') then sampSendChat(tostring(bp)) if temp2 ~= temp then wait(configuration.BindsDelay[key]) end else local delay = bp:match('%{delay_(%d+)%}') wait(delay) end end wait(0) inprocess = nil end) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end) end end for k, v in pairs(zametki) do sampUnregisterChatCommand(v.cmd) sampRegisterChatCommand(v.cmd, function() windows.imgui_zametka[0] = true zametka_window[0] = k end) end end function sampev.onCreatePickup(id, model, pickupType, position) if model == 19132 and getCharActiveInterior(playerPed) == 240 then return {id, 1272, pickupType, position} end end function sampev.onShowDialog(dialogId, style, title, button1, button2, text) if dialogId == 6 and givelic then local d = { ['авто'] = 0, ['мото'] = 1, ['рыболовство'] = 3, ['плавание'] = 4, ['оружие'] = 5, ['охоту'] = 6, ['раскопки'] = 7, ['такси'] = 8, } sampSendDialogResponse(6, 1, d[lictype], nil) lua_thread.create(function() wait(1000) if givelic then sampSendChat(format('/givelicense %s',sellto)) end end) return false elseif dialogId == 235 and getmyrank then if find(text, 'Инструкторы') then for DialogLine in gmatch(text, '[^\r\n]+') do local nameRankStats, getStatsRank = DialogLine:match('Должность: {B83434}(.+)%p(%d+)%p') if tonumber(getStatsRank) then local rangint = tonumber(getStatsRank) local rang = nameRankStats if rangint ~= configuration.main_settings.myrankint then ASHelperMessage(format('Ваш ранг был обновлён на %s (%s)',rang,rangint)) end if configuration.RankNames[rangint] ~= rang then ASHelperMessage(format('Название {MC}%s{WC} ранга изменено с {MC}%s{WC} на {MC}%s{WC}', rangint, configuration.RankNames[rangint], rang)) end configuration.RankNames[rangint] = rang configuration.main_settings.myrankint = rangint inicfg.save(configuration,'Mordor Police Helper') end end else print('{FF0000}Игрок не работает в автошколе. Скрипт был выгружен.') ASHelperMessage('Вы не работаете в автошколе, скрипт выгружен! Если это ошибка, то обратитесь к {MC}vk.com/shepich{WC}.') NoErrors = true thisScript():unload() end sampSendDialogResponse(235, 0, 0, nil) getmyrank = false return false elseif dialogId == 1234 then if find(text, 'Срок действия') then if configuration.sobes_settings.medcard and sobes_results and not sobes_results.medcard then if not find(text, 'Имя: '..sampGetPlayerNickname(fastmenuID)) then return {dialogId, style, title, button1, button2, text} end if not find(text, 'Полностью здоровый') then sobes_results.medcard = ('не полностью здоровый') return {dialogId, style, title, button1, button2, text} end for DialogLine in gmatch(text, '[^\r\n]+') do local statusint = DialogLine:match('{CEAD2A}Наркозависимость: (%d+)') if tonumber(statusint) and tonumber(statusint) > 5 then sobes_results.medcard = ('наркозависимость') return {dialogId, style, title, button1, button2, text} end end sobes_results.medcard = ('в порядке') end if skiporcancel then if find(text, 'Имя: '..sampGetPlayerNickname(tempid)) then if inprocess then inprocess:terminate() inprocess = nil ASHelperMessage('Прошлая отыгровка была прервана, из-за показа мед. карты.') end if find(text, 'Полностью здоровый') then sendchatarray(configuration.main_settings.playcd, { {'/me взяв мед.карту в руки начал её проверять'}, {'/do Мед.карта в норме.'}, {'/todo Всё в порядке* отдавая мед.карту обратно'}, {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на %s', skiporcancel}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на %s {gender:передал|передала} её человеку напротив', skiporcancel}, }, function() lictype = skiporcancel sellto = tempid end, function() wait(1000) givelic = true skiporcancel = false sampSendChat(format('/givelicense %s', tempid)) end) else sendchatarray(configuration.main_settings.playcd, { {'/me взяв мед.карту в руки начал её проверять'}, {'/do Мед.карта не в норме.'}, {'/todo К сожалению, в мед.карте написано, что у Вас есть отклонения.* отдавая мед.карту обратно'}, {'Обновите её и приходите снова!'}, }, function() skiporcancel = false ASHelperMessage('Человек не полностью здоровый, требуется поменять мед.карту!') end) end sampSendDialogResponse(1234, 1, 1, nil) return false end end elseif find(text, 'Серия') then if configuration.sobes_settings.pass and sobes_results and not sobes_results.pass then if not find(text, 'Имя: {FFD700}'..sampGetPlayerNickname(fastmenuID)) then return {dialogId, style, title, button1, button2, text} end if find(text, '{FFFFFF}Организация:') then sobes_results.pass = ('игрок в организации') return {dialogId, style, title, button1, button2, text} end for DialogLine in gmatch(text, '[^\r\n]+') do local passstatusint = DialogLine:match('{FFFFFF}Лет в штате: {FFD700}(%d+)') if tonumber(passstatusint) and tonumber(passstatusint) < 3 then sobes_results.pass = ('меньше 3 лет в штате') return {dialogId, style, title, button1, button2, text} end end for DialogLine in gmatch(text, '[^\r\n]+') do local zakonstatusint = DialogLine:match('{FFFFFF}Законопослушность: {FFD700}(%d+)') if tonumber(zakonstatusint) and tonumber(zakonstatusint) < 35 then sobes_results.pass = ('не законопослушный') return {dialogId, style, title, button1, button2, text} end end if find(text, 'Лечился в Психиатрической больнице') then sobes_results.pass = ('был в деморгане') return {dialogId, style, title, button1, button2, text} end if find(text, 'Состоит в ЧС{FF6200} Инструкторы') then sobes_results.pass = ('в чс автошколы') return {dialogId, style, title, button1, button2, text} end if find(text, 'Warns') then sobes_results.pass = ('есть варны') return {dialogId, style, title, button1, button2, text} end sobes_results.pass = ('в порядке') end elseif find(title, 'Лицензии') then if configuration.sobes_settings.licenses and sobes_results and not sobes_results.licenses then for DialogLine in gmatch(text, '[^\r\n]+') do if find(DialogLine, 'Лицензия на авто') then if find(DialogLine, 'Нет') then sobes_results.licenses = ('нет на авто') return {dialogId, style, title, button1, button2, text} end end if find(DialogLine, 'Лицензия на мото') then if find(DialogLine, 'Нет') then sobes_results.licenses = ('нет на мото') return {dialogId, style, title, button1, button2, text} end end end sobes_results.licenses = ('в порядке') return {dialogId, style, title, button1, button2, text} end end elseif dialogId == 0 then if find(title, 'Трудовая книжка '..sampGetPlayerNickname(fastmenuID)) then sobes_results.wbook = ('присутствует') end end if dialogId == 2015 then for line in gmatch(text, '[^\r\n]+') do local name, rank = line:match('^{%x+}[A-z0-9_]+%([0-9]+%)\t(.+)%(([0-9]+)%)\t%d+\t%d+') if name and rank then name, rank = tostring(name), tonumber(rank) if configuration.RankNames[rank] ~= nil and configuration.RankNames[rank] ~= name then ASHelperMessage(format('Название {MC}%s{WC} ранга изменено с {MC}%s{WC} на {MC}%s{WC}', rank, configuration.RankNames[rank], name)) configuration.RankNames[rank] = name inicfg.save(configuration,'Mordor Police Helper') end end end end end function sampev.onServerMessage(color, message) if configuration.main_settings.replacechat then if find(message, 'Используйте: /jobprogress %[ ID игрока %]') then ASHelperMessage('Вы просмотрели свою рабочую успеваемость.') return false end if find(message, sampGetPlayerNickname(select(2, sampGetPlayerIdByCharHandle(playerPed)))..' переодевается в гражданскую одежду') then ASHelperMessage('Вы закончили рабочий день, приятного отдыха!') return false end if find(message, sampGetPlayerNickname(select(2, sampGetPlayerIdByCharHandle(playerPed)))..' переодевается в рабочую одежду') then ASHelperMessage('Вы начали рабочий день, удачной работы!') return false end if find(message, '%[Информация%] {FFFFFF}Вы покинули пост!') then addNotify('Вы покинули пост.', 5) return false end end if (find(message, '%[Информация%] {FFFFFF}Вы предложили (.+) купить лицензию (.+)') or find(message, 'Вы далеко от игрока')) and givelic then givelic = false end if message == ('Используйте: /jobprogress(Без параметра)') and color == -1104335361 then sampSendChat('/jobprogress') return false end if find(message, '%[R%]') and color == 766526463 then local color = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor) local r,g,b,a = color.x*255, color.y*255, color.z*255, color.w*255 return { join_argb(r, g, b, a), message} end if find(message, '%[D%]') and color == 865730559 or color == 865665023 then if find(message, u8:decode(departsettings.myorgname[0])) then local tmsg = gsub(message, '%[D%] ','') dephistory[#dephistory + 1] = tmsg end local color = imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor) local r,g,b,a = color.x*255, color.y*255, color.z*255, color.w*255 return { join_argb(r, g, b, a), message } end if find(message, '%[Информация%] {FFFFFF}Вы успешно продали лицензию') then local typeddd, toddd = message:match('%[Информация%] {FFFFFF}Вы успешно продали лицензию (.+) игроку (.+).') if typeddd == 'на авто' then configuration.my_stats.avto = configuration.my_stats.avto + 1 elseif typeddd == 'на мото' then configuration.my_stats.moto = configuration.my_stats.moto + 1 elseif typeddd == 'на рыбалку' then configuration.my_stats.riba = configuration.my_stats.riba + 1 elseif typeddd == 'на плавание' then configuration.my_stats.lodka = configuration.my_stats.lodka + 1 elseif typeddd == 'на оружие' then configuration.my_stats.guns = configuration.my_stats.guns + 1 elseif typeddd == 'на охоту' then configuration.my_stats.hunt = configuration.my_stats.hunt + 1 elseif typeddd == 'на раскопки' then configuration.my_stats.klad = configuration.my_stats.klad + 1 elseif typeddd == 'таксиста' then configuration.my_stats.taxi = configuration.my_stats.taxi + 1 else if configuration.main_settings.replacechat then ASHelperMessage(format('Вы успешно продали лицензию %s игроку %s.',typeddd,gsub(toddd, '_',' '))) return false end end if inicfg.save(configuration,'Mordor Police Helper') then if configuration.main_settings.replacechat then ASHelperMessage(format('Вы успешно продали лицензию %s игроку %s. Она была засчитана в вашу статистику.',typeddd,gsub(toddd, '_',' '))) return false end end end if find(message, 'Приветствуем нового члена нашей организации (.+), которого пригласил: (.+)') and waitingaccept then local invited,inviting = message:match('Приветствуем нового члена нашей организации (.+), которого пригласил: (.+)%[') if inviting == sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))) then if invited == sampGetPlayerNickname(waitingaccept) then lua_thread.create(function() wait(100) sampSendChat(format('/giverank %s 2',waitingaccept)) waitingaccept = false end) end end end end function sampev.onSendChat(message) if find(message, '{my_id}') then sampSendChat(gsub(message, '{my_id}', select(2, sampGetPlayerIdByCharHandle(playerPed)))) return false end if find(message, '{my_name}') then sampSendChat(gsub(message, '{my_name}', (configuration.main_settings.useservername and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)))) return false end if find(message, '{my_rank}') then sampSendChat(gsub(message, '{my_rank}', configuration.RankNames[configuration.main_settings.myrankint])) return false end if find(message, '{my_score}') then sampSendChat(gsub(message, '{my_score}', sampGetPlayerScore(select(2,sampGetPlayerIdByCharHandle(playerPed))))) return false end if find(message, '{H}') then sampSendChat(gsub(message, '{H}', os.date('%H', os.time()))) return false end if find(message, '{HM}') then sampSendChat(gsub(message, '{HM}', os.date('%H:%M', os.time()))) return false end if find(message, '{HMS}') then sampSendChat(gsub(message, '{HMS}', os.date('%H:%M:%S', os.time()))) return false end if find(message, '{close_id}') then if select(1,getClosestPlayerId()) then sampSendChat(gsub(message, '{close_id}', select(2,getClosestPlayerId()))) return false end ASHelperMessage('В зоне стрима не найдено ни одного игрока.') return false end if find(message, '@{%d+}') then local id = message:match('@{(%d+)}') if id and IsPlayerConnected(id) then sampSendChat(gsub(message, '@{%d+}', sampGetPlayerNickname(id))) return false end ASHelperMessage('Такого игрока нет на сервере.') return false end if find(message, '{gender:(%A+)|(%A+)}') then local male, female = message:match('{gender:(%A+)|(%A+)}') if configuration.main_settings.gender == 0 then local gendermsg = gsub(message, '{gender:%A+|%A+}', male, 1) sampSendChat(tostring(gendermsg)) return false else local gendermsg = gsub(message, '{gender:%A+|%A+}', female, 1) sampSendChat(tostring(gendermsg)) return false end end if #configuration.main_settings.myaccent > 1 then if message == ')' or message == '(' or message == '))' or message == '((' or message == 'xD' or message == ':D' or message == 'q' or message == ';)' then return{message} end if find(string.rlower(u8:decode(configuration.main_settings.myaccent)), 'акцент') then return{format('[%s]: %s', u8:decode(configuration.main_settings.myaccent),message)} else return{format('[%s акцент]: %s', u8:decode(configuration.main_settings.myaccent),message)} end end end function sampev.onSendCommand(cmd) if find(cmd, '{my_id}') then sampSendChat(gsub(cmd, '{my_id}', select(2, sampGetPlayerIdByCharHandle(playerPed)))) return false end if find(cmd, '{my_name}') then sampSendChat(gsub(cmd, '{my_name}', (configuration.main_settings.useservername and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)))) return false end if find(cmd, '{my_rank}') then sampSendChat(gsub(cmd, '{my_rank}', configuration.RankNames[configuration.main_settings.myrankint])) return false end if find(cmd, '{my_score}') then sampSendChat(gsub(cmd, '{my_score}', sampGetPlayerScore(select(2,sampGetPlayerIdByCharHandle(playerPed))))) return false end if find(cmd, '{H}') then sampSendChat(gsub(cmd, '{H}', os.date('%H', os.time()))) return false end if find(cmd, '{HM}') then sampSendChat(gsub(cmd, '{HM}', os.date('%H:%M', os.time()))) return false end if find(cmd, '{HMS}') then sampSendChat(gsub(cmd, '{HMS}', os.date('%H:%M:%S', os.time()))) return false end if find(cmd, '{close_id}') then if select(1,getClosestPlayerId()) then sampSendChat(gsub(cmd, '{close_id}', select(2,getClosestPlayerId()))) return false end ASHelperMessage('В зоне стрима не найдено ни одного игрока.') return false end if find(cmd, '@{%d+}') then local id = cmd:match('@{(%d+)}') if id and IsPlayerConnected(id) then sampSendChat(gsub(cmd, '@{%d+}', sampGetPlayerNickname(id))) return false end ASHelperMessage('Такого игрока нет на сервере.') return false end if find(cmd, '{gender:(%A+)|(%A+)}') then local male, female = cmd:match('{gender:(%A+)|(%A+)}') if configuration.main_settings.gender == 0 then local gendermsg = gsub(cmd, '{gender:%A+|%A+}', male, 1) sampSendChat(tostring(gendermsg)) return false else local gendermsg = gsub(cmd, '{gender:%A+|%A+}', female, 1) sampSendChat(tostring(gendermsg)) return false end end if configuration.main_settings.fmtype == 1 then com = #cmd > #configuration.main_settings.usefastmenucmd+1 and sub(cmd, 2, #configuration.main_settings.usefastmenucmd+2) or sub(cmd, 2, #configuration.main_settings.usefastmenucmd+1)..' ' if com == configuration.main_settings.usefastmenucmd..' ' then if windows.imgui_fm[0] == false then if find(cmd, '/'..configuration.main_settings.usefastmenucmd..' %d+') then local param = cmd:match('.+ (%d+)') if sampIsPlayerConnected(param) then if doesCharExist(select(2,sampGetCharHandleBySampPlayerId(param))) then fastmenuID = param ASHelperMessage(format('Вы использовали меню быстрого доступа на: %s [%s]',gsub(sampGetPlayerNickname(fastmenuID), '_', ' '),fastmenuID)) ASHelperMessage('Зажмите {MC}ALT{WC} для того, чтобы скрыть курсор. {MC}ESC{WC} для того, чтобы закрыть меню.') windows.imgui_fm[0] = true else ASHelperMessage('Игрок не находится рядом с вами') end else ASHelperMessage('Игрок не в сети') end else ASHelperMessage('/'..configuration.main_settings.usefastmenucmd..' [id]') end end return false end end end function IsPlayerConnected(id) return (sampIsPlayerConnected(tonumber(id)) or select(2, sampGetPlayerIdByCharHandle(playerPed)) == tonumber(id)) end function checkServer(ip) local servers = { ['185.173.93.8:7228'] = 'HackMySoftware', } return servers[ip] or false end function ASHelperMessage(text) local col = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local r,g,b,a = col.x*255, col.y*255, col.z*255, col.w*255 text = gsub(text, '{WC}', '{EBEBEB}') text = gsub(text, '{MC}', format('{%06X}', bit.bor(bit.bor(b, bit.lshift(g, 8)), bit.lshift(r, 16)))) sampAddChatMessage(format('[Mordor Police Helper]{EBEBEB}{ffffff}: %s', text),join_argb(a, r, g, b)) -- ff6633 default end function onWindowMessage(msg, wparam, lparam) if wparam == 0x1B and not isPauseMenuActive() then if windows.imgui_settings[0] or windows.imgui_fm[0] or windows.imgui_binder[0] or windows.imgui_lect[0] or windows.imgui_depart[0] or windows.imgui_changelog[0] or windows.imgui_database[0] then consumeWindowMessage(true, false) if(msg == 0x101)then windows.imgui_settings[0] = false windows.imgui_fm[0] = false windows.imgui_binder[0] = false windows.imgui_lect[0] = false windows.imgui_depart[0] = false windows.imgui_changelog[0] = false windows.imgui_database[0] = false end end end end function onScriptTerminate(script, quitGame) if script == thisScript() then if not sampIsDialogActive() then showCursor(false, false) end if marker ~= nil then removeBlip(marker) end if NoErrors then return false end local file = getWorkingDirectory()..'\\moonloader.log' local moonlog = '' local tags = {['%(info%)'] = 'A9EFF5', ['%(debug%)'] = 'AFA9F5', ['%(error%)'] = 'FF7070', ['%(warn%)'] = 'F5C28E', ['%(system%)'] = 'FA9746', ['%(fatal%)'] = '040404', ['%(exception%)'] = 'F5A9A9', ['%(script%)'] = '7DD156',} local i = 0 local lasti = 0 local function ftable(line) for key, value in pairs(tags) do if find(line, key) then return true end end return false end for line in io.lines(file) do local sameline = not ftable(line) and i-1 == lasti if find(line, 'Loaded successfully.') and find(line, thisScript().name) then moonlog = '' sameline = false end if find(line, thisScript().name) or sameline then for k,v in pairs(tags) do if find(line, k) then line = sub(line, 19, #line) line = gsub(line, ' ', ' ') line = gsub(line, k, '{'..v..'}'..k..'{FFFFFF}') end end line = gsub(line, thisScript().name..':', thisScript().name..':{C0C0C0}') line = line..'{C0C0C0}' moonlog = moonlog..line..'\n' lasti = i end i = i + 1 end sampShowDialog(536472, '{ff6633}[Mordor Police Helper]{ffffff} Скрипт был выгружен.', [[ {f51111}Если Вы самостоятельно перезагрузили скрипт, то можете закрыть это диалоговое окно. В ином случае, для начала попытайтесь восстановить работу скрипта сочетанием клавиш CTRL + R. Если же это не помогло, то следуйте дальнейшим инструкциям.{ff6633} 1. Возможно у Вас установлены конфликтующие LUA файлы и хелперы, попытайтесь удалить их. 2. Возможно Вы не доустановили некоторые нужные библиотеки, а именно: - SAMPFUNCS 5.5.1 - CLEO 4.1+ - MoonLoader 0.26 3. Если данной ошибки не было ранее, попытайтесь сделать следующие действия: - В папке moonloader > config > Удаляем файл Mordor Police Helper.ini - В папке moonloader > Удаляем папку Mordor Police Helper 4. Если ничего из вышеперечисленного не исправило ошибку, то следует установить скрипт на другую сборку. 5. Если даже это не помогло Вам, то отправьте автору {2594CC}(vk.com/shepich){FF6633} скриншот ошибки.{FFFFFF} ——————————————————————————————————————————————————————— {C0C0C0}]]..moonlog, 'ОК', nil, 0) end end function getClosestPlayerId() local temp = {} local tPeds = getAllChars() local me = {getCharCoordinates(playerPed)} for i = 1, #tPeds do local result, id = sampGetPlayerIdByCharHandle(tPeds[i]) if tPeds[i] ~= playerPed and result then local pl = {getCharCoordinates(tPeds[i])} local dist = getDistanceBetweenCoords3d(me[1], me[2], me[3], pl[1], pl[2], pl[3]) temp[#temp + 1] = { dist, id } end end if #temp > 0 then table.sort(temp, function(a, b) return a[1] < b[1] end) return true, temp[1][2] end return false end function sendchatarray(delay, text, start_function, end_function) start_function = start_function or function() end end_function = end_function or function() end if inprocess ~= nil then ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') return false end inprocess = lua_thread.create(function() start_function() for i = 1, #text do sampSendChat(format(text[i][1], unpack(text[i], 2))) if i ~= #text then wait(delay) end end end_function() wait(0) inprocess = nil end) return true end function createJsons() createDirectory(getWorkingDirectory()..'\\Mordor Police Helper') createDirectory(getWorkingDirectory()..'\\Mordor Police Helper\\Rules') if not doesFileExist(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json') then lections = default_lect local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() else local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'r') lections = decodeJson(file:read('*a')) file:close() end if not doesFileExist(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json') then questions = { active = { redact = false }, questions = {} } local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() else local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'r') questions = decodeJson(file:read('*a')) questions.active.redact = false file:close() end if not doesFileExist(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json') then zametki = {} local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'w') file:write(encodeJson(zametki)) file:close() else local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'r') zametki = decodeJson(file:read('*a')) file:close() end return true end function checkRules() ruless = {} for line in lfs.dir(getWorkingDirectory()..'\\Mordor Police Helper\\Rules') do if line == nil then elseif line:match('.+%.txt') then local temp = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\Rules\\'..line:match('.+%.txt'), 'r+') local temptable = {} for linee in temp:lines() do if linee == '' then temptable[#temptable + 1] = ' ' else temptable[#temptable + 1] = linee end end ruless[#ruless + 1] = { name = line:match('(.+)%.txt'), text = temptable } temp:close() end end local json_url = 'https://raw.githubusercontent.com/shep1ch/hell-num_2/main/rules.json' local json = getWorkingDirectory() .. '\\'..thisScript().name..'-rules.json' downloadUrlToFile(json_url, json, function(id, status, p1, p2) if status == dlstatus.STATUSEX_ENDDOWNLOAD then if doesFileExist(json) then local f = io.open(json, 'r') local info = decodeJson(f:read('*a')) f:close(); os.remove(json) if f then if info[checkServer(select(1, sampGetCurrentServerAddress()))] then ruless['server'] = checkServer(select(1, sampGetCurrentServerAddress())) for k,v in pairs(info[checkServer(select(1, sampGetCurrentServerAddress()))]) do if type(v) == 'string' then local temptable = {} for line in gmatch(v, '[^\n]+') do if find(line, '%{space%}') then temptable[#temptable+1] = ' ' else if #line > 151 and find(line:sub(151), ' ') then temptable[#temptable+1] = line:sub(1,150 + find(line:sub(151), ' '))..'\n'..line:sub(151 + find(line:sub(151), ' ')) else temptable[#temptable+1] = line end end end ruless[#ruless+1] = {name=k,text=temptable} end end else ASHelperMessage('Ошибка в импротировании правил сервера! Неизвестный сервер. Обратитесь к {MC}vk.com/shepich{WC}.') end end end end end) end function checkUpdates(json_url, show_notify) show_notify = show_notify or false local function getTimeAfter(unix) local function plural(n, forms) n = math.abs(n) % 100 if n % 10 == 1 and n ~= 11 then return forms[1] elseif 2 <= n % 10 and n % 10 <= 4 and (n < 10 or n >= 20) then return forms[2] end return forms[3] end local interval = os.time() - unix if interval < 86400 then return 'сегодня' elseif interval < 604800 then local days = math.floor(interval / 86400) local text = plural(days, {'день', 'дня', 'дней'}) return ('%s %s назад'):format(days, text) elseif interval < 2592000 then local weeks = math.floor(interval / 604800) local text = plural(weeks, {'неделя', 'недели', 'недель'}) return ('%s %s назад'):format(weeks, text) elseif interval < 31536000 then local months = math.floor(interval / 2592000) local text = plural(months, {'месяц', 'месяца', 'месяцев'}) return ('%s %s назад'):format(months, text) else local years = math.floor(interval / 31536000) local text = plural(years, {'год', 'года', 'лет'}) return ('%s %s назад'):format(years, text) end end local json = getWorkingDirectory() .. '\\'..thisScript().name..'-version.json' if doesFileExist(json) then os.remove(json) end downloadUrlToFile(json_url, json, function(id, status, p1, p2) if status == dlstatus.STATUSEX_ENDDOWNLOAD then if doesFileExist(json) then local f = io.open(json, 'r') if f then local info = decodeJson(f:read('*a')) local updateversion = (configuration.main_settings.getbetaupd and info.beta_upd) and info.beta_version or info.version f:close() os.remove(json) if updateversion ~= thisScript().version then addNotify('Обнаружено обновление на\nверсию {MC}'..updateversion..'{WC}. Подробности:\n{MC}/mphupd', 5) else if show_notify then addNotify('Обновлений не обнаружено!', 5) end end if configuration.main_settings.getbetaupd and info.beta_upd then updateinfo = { file = info.beta_file, version = updateversion, change_log = info.beta_changelog, } else updateinfo = { file = info.file, version = updateversion, change_log = info.change_log, } end configuration.main_settings.updatelastcheck = getTimeAfter(os.time({day = os.date('%d'), month = os.date('%m'), year = os.date('%Y')}))..' в '..os.date('%X') inicfg.save(configuration, 'Mordor Police Helper.ini') end end end end ) end function ImSaturate(f) return f < 0.0 and 0.0 or (f > 1.0 and 1.0 or f) end function main() if not isSampLoaded() or not isSampfuncsLoaded() then return end while not isSampAvailable() do wait(1000) end createJsons() checkRules() getmyrank = true sampSendChat('/stats') print('{00FF00}Успешная загрузка') addNotify(format('Успешная загрузка, версия %s.\nНастроить скрипт: {MC}/mph', thisScript().version), 10) if configuration.main_settings.changelog then windows.imgui_changelog[0] = true configuration.main_settings.changelog = false inicfg.save(configuration, 'Mordor Police Helper.ini') end sampRegisterChatCommand('mph', function() windows.imgui_settings[0] = not windows.imgui_settings[0] alpha[0] = clock() end) sampRegisterChatCommand('mphbind', function() choosedslot = nil windows.imgui_binder[0] = not windows.imgui_binder[0] end) sampRegisterChatCommand('mphstats', function() ASHelperMessage('Это окно теперь включается в {MC}/mph{WC} - {MC}Настройки{WC}.') end) sampRegisterChatCommand('mphlect', function() if configuration.main_settings.myrankint < 5 then return addNotify('Данная функция доступна с 5-го\nранга.', 5) end windows.imgui_lect[0] = not windows.imgui_lect[0] end) sampRegisterChatCommand('mphdep', function() if configuration.main_settings.myrankint < 5 then return addNotify('Данная функция доступна с 5-го\nранга.', 5) end windows.imgui_depart[0] = not windows.imgui_depart[0] end) sampRegisterChatCommand('mphdb', function() if configuration.main_settings.myrankint < 2 then return addNotify('Данная функция доступна со 2-го\nранга.', 5) end windows.imgui_database[0] = not windows.imgui_database[0] end) sampRegisterChatCommand('mphupd', function() windows.imgui_settings[0] = true mainwindow[0] = 3 infowindow[0] = 1 alpha[0] = clock() end) sampRegisterChatCommand('uninvite', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/uninvite %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local uvalid = param:match('(%d+)') local reason = select(2, param:match('(%d+) (.+),')) or select(2, param:match('(%d+) (.+)')) local withbl = select(2, param:match('(.+), (.+)')) if uvalid == nil or reason == nil then return ASHelperMessage('/uninvite [id] [причина], [причина чс] (не обязательно)') end if tonumber(uvalid) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете увольнять из организации самого себя.') end if withbl then return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:занёс|занесла} сотрудника в раздел, после чего {gender:подтвердил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/uninvite %s %s', uvalid, reason}, {'/blacklist %s %s', uvalid, withbl}, }) else return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:подтведрдил|подтвердила} изменения, затем {gender:выключил|выключила} планшет и {gender:положил|положила} его обратно в карман'}, {'/uninvite %s %s', uvalid, reason}, }) end end) sampRegisterChatCommand('invite', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/invite %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/invite [id]') end if tonumber(id) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете приглашать в организацию самого себя.') end return sendchatarray(configuration.main_settings.playcd, { {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', id}, }) end) sampRegisterChatCommand('giverank', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/giverank %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,rank = param:match('(%d+) (%d)') if id == nil or rank == nil then return ASHelperMessage('/giverank [id] [ранг]') end if tonumber(id) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете менять ранг самому себе.') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s %s', id, rank}, }) end) sampRegisterChatCommand('blacklist', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/blacklist %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,reason = param:match('(%d+) (.+)') if id == nil or reason == nil then return ASHelperMessage('/blacklist [id] [причина]') end if tonumber(id) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете внести в ЧС самого себя.') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя нарушителя'}, {'/me {gender:внёс|внесла} нарушителя в раздел \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/blacklist %s %s', id, reason}, }) end) sampRegisterChatCommand('unblacklist', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/unblacklist %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/unblacklist [id]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя гражданина в поиск'}, {'/me {gender:убрал|убрала} гражданина из раздела \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/unblacklist %s', id}, }) end) sampRegisterChatCommand('fwarn', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/fwarn %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,reason = param:match('(%d+) (.+)') if id == nil or reason == nil then return ASHelperMessage('/fwarn [id] [причина]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:добавил|добавила} в его личное дело выговор'}, {'/do Выговор был добавлен в личное дело сотрудника.'}, {'/fwarn %s %s', id, reason}, }) end) sampRegisterChatCommand('unfwarn', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/unfwarn %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/unfwarn [id]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:убрал|убрала} из его личного дела один выговор'}, {'/do Выговор был убран из личного дела сотрудника.'}, {'/unfwarn %s', id}, }) end) sampRegisterChatCommand('fmute', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/fmute %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,mutetime,reason = param:match('(%d+) (%d+) (.+)') if id == nil or reason == nil or mutetime == nil then return ASHelperMessage('/fmute [id] [время] [причина]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Отключить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/fmute %s %s %s', id, mutetime, reason}, }) end) sampRegisterChatCommand('funmute', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/funmute %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/funmute [id]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Включить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/funmute %s', id}, }) end) updatechatcommands() lua_thread.create(function() local function sampIsLocalPlayerSpawned() local res, id = sampGetPlayerIdByCharHandle(PLAYER_PED) return sampGetGamestate() == 3 and res and sampGetPlayerAnimationId(id) ~= 0 end while not sampIsLocalPlayerSpawned() do wait(1000) end if sampIsLocalPlayerSpawned() then wait(2000) getmyrank = true sampSendChat('/stats') end end) while true do if configuration.main_settings.fmtype == 0 and getCharPlayerIsTargeting() then if configuration.main_settings.createmarker then local targettingped = select(2,getCharPlayerIsTargeting()) if sampGetPlayerIdByCharHandle(targettingped) then if marker ~= nil and oldtargettingped ~= targettingped then removeBlip(marker) marker = nil marker = addBlipForChar(targettingped) elseif marker == nil and oldtargettingped ~= targettingped then marker = addBlipForChar(targettingped) end end oldtargettingped = targettingped end if isKeysDown(configuration.main_settings.usefastmenu) and not sampIsChatInputActive() then if sampGetPlayerIdByCharHandle(select(2,getCharPlayerIsTargeting())) then setVirtualKeyDown(0x02,false) fastmenuID = select(2,sampGetPlayerIdByCharHandle(select(2,getCharPlayerIsTargeting()))) ASHelperMessage(format('Вы использовали меню быстрого доступа на: %s [%s]',gsub(sampGetPlayerNickname(fastmenuID), '_', ' '),fastmenuID)) ASHelperMessage('Зажмите {MC}ALT{WC} для того, чтобы скрыть курсор. {MC}ESC{WC} для того, чтобы закрыть меню.') wait(0) windows.imgui_fm[0] = true end end end if isKeysDown(configuration.main_settings.fastscreen) and configuration.main_settings.dofastscreen and (clock() - tHotKeyData.lasted > 0.1) and not sampIsChatInputActive() then sampSendChat('/time') wait(500) setVirtualKeyDown(0x77, true) wait(0) setVirtualKeyDown(0x77, false) end if inprocess and isKeyDown(0x12) and isKeyJustPressed(0x55) then inprocess:terminate() inprocess = nil ASHelperMessage('Отыгровка успешно прервана!') end if skiporcancel and isKeyDown(0x12) and isKeyJustPressed(0x4F) then skiporcancel = false sampSendChat('Сожалею, но без мед. карты я не продам. Оформите её в любой больнице.') ASHelperMessage('Ожидание мед. карты остановлено!') end if isKeyDown(0x11) and isKeyJustPressed(0x52) then NoErrors = true print('{FFFF00}Скрипт был перезагружен комбинацией клавиш Ctrl + R') end if configuration.main_settings.playdubinka then local weapon = getCurrentCharWeapon(playerPed) if weapon == 3 and not rp_check then sampSendChat('/me сняв дубинку с пояса {gender:взял|взяла} в правую руку') rp_check = true elseif weapon ~= 3 and rp_check then sampSendChat('/me {gender:повесил|повесила} дубинку на пояс') rp_check = false end end for key = 1, #configuration.BindsName do if isKeysDown(configuration.BindsKeys[key]) and not sampIsChatInputActive() and configuration.BindsType[key] == 1 then if not inprocess then local temp = 0 local temp2 = 0 for _ in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp = temp + 1 end inprocess = lua_thread.create(function() for bp in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp2 = temp2 + 1 if not find(bp, '%{delay_(%d+)%}') then sampSendChat(tostring(bp)) if temp2 ~= temp then wait(configuration.BindsDelay[key]) end else local delay = bp:match('%{delay_(%d+)%}') wait(delay) end end wait(0) inprocess = nil end) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end for k = 1, #zametki do if isKeysDown(zametki[k].button) and not sampIsChatInputActive() then windows.imgui_zametka[0] = true zametka_window[0] = k end end if configuration.main_settings.autoupdate and os.clock() - autoupd[0] > 600 then checkUpdates('https://raw.githubusercontent.com/shep1ch/hell-num_2/main/nicedick.json') autoupd[0] = os.clock() end wait(0) end end changelog = { versions = { { version = '1.0', date = '22.01.2022', text = {'Релиз (спасибо Just-Mini за помощь в разработке)'}, }, }, } default_lect = { active = { bool = false, name = nil, handle = nil }, data = { { name = 'Правила дорожного движения', text = { 'Дорогие сотрудники, сейчас я проведу лекцию на тему Правил Дорожного Движения.', 'Водитель должен пропускать пешеходов в специальных местах для перехода.', 'Водителю запрещается нарушать правила дорожного движения предписанные на офф.портале.', 'Сотрудники нарушившие ПДД будут наказаны в виде выговора, в худшем случае - увольнение.', 'Все мы хотим вернуться после работы домой здоровыми и невредимыми...', 'Спасибо за внимание, лекция окончена.' } }, { name = 'Субординация в Автошколе', text = { 'Дорогие сотрудники! Минуточку внимания.', 'Прошу вас соблюдать Субординацию в Автошколе...', 'К старшим по должности необходимо обращаться на \'Вы\'.', 'Также , запрещено нецензурно выражаться , и оскорблять сотрудников...', 'За такие поступки , будут выдаваться выговоры.', 'Благодарю за внимание!', 'Прошу не нарушать Субординацию.' } }, { name = 'Запреты в рацию', text = { 'Сейчас я расскажу вам лекцию на тему \'Запреты в рацию\'.', 'Хочу напомнить вам о том, что в рацию запрещено...', 'торговать домами, автомобилями, бизнесами и т.п.', 'Так же в рацию нельзя материться и выяснять отношения между собой.', 'За данные нарушения у вас отберут рацию. При повторном нарушении Вы будете уволены.', 'Спасибо за внимание. Можете продолжать работать.' } }, { name = 'Основные правила Автошколы', text = { 'Cейчас я проведу лекцию на тему \'Основные правила Автошколы\'.', 'Сотрудникам автошколы запрещено прогуливать рабочий день.', 'Сотрудникам автошколы запрещено в рабочее время посещать мероприятия.', 'Сотрудникам автошколы запрещено в рабочее время посещать казино.', 'Сотрудникам автошколы запрещено в рабочее время посещать любые подработки.', 'Сотрудникам автошколы запрещено носить при себе огнестрельное оружие.', 'Сотрудникам автошколы запрещено курить в здании автошколы.', 'Сотрудникам автошколы запрещено употреблять алкогольные напитки в рабочее время.', 'На этом у меня всё, спасибо за внимание.' } }, { name = 'Рабочий день', text = { 'Уважаемые сотрудники, минуточку внимания!', 'Сейчас я проведу лекцию на тему Рабочий день.', 'Сотрудники в рабочее время обязаны находиться в офисе автошколы в форме.', 'За прогул рабочего дня сотрудник получит выговор или увольнение.', 'С понедельника по пятницу рабочий день с 9:00 до 19:00.', 'В субботу и воскресенье рабочий день с 10:00 до 18:00.', 'В не рабочее время или в обед сотрудник может покинуть офис Автошколы.', 'Но перед этим обязательно нужно снять форму.', 'Обед идёт с 13:00 до 14:00.', 'На этом у меня всё, спасибо за внимание.' } } } } script_name('Mordor Police Helper') script_description('Удобный помощник для МЮ.') script_author('Shepi, Just-Mini') script_version_number(46) script_version('3.0.5') script_dependencies('mimgui; samp events; lfs; MoonMonet') local latestUpdate = '22.01.2022' require 'moonloader' local dlstatus = require 'moonloader'.download_status local inicfg = require 'inicfg' local vkeys = require 'vkeys' local bit = require 'bit' local ffi = require 'ffi' local encodingcheck, encoding = pcall(require, 'encoding') local imguicheck, imgui = pcall(require, 'mimgui') local monetluacheck, monetlua = pcall(require, 'MoonMonet') local lfscheck, lfs = pcall(require, 'lfs') local sampevcheck, sampev = pcall(require, 'lib.samp.events') if not imguicheck or not sampevcheck or not encodingcheck or not lfscheck or not monetluacheck or not doesFileExist('moonloader/Mordor Police Helper/Images/binderblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/binderwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingsblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingswhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamentblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamenwhite.png') then function main() if not isSampLoaded() or not isSampfuncsLoaded() then return end while not isSampAvailable() do wait(1000) end local ASHfont = renderCreateFont('trebucbd', 11, 9) local progressfont = renderCreateFont('trebucbd', 9, 9) local downloadingfont = renderCreateFont('trebucbd', 7, 9) local progressbar = { max = 0, downloaded = 0, downloadinglibname = '', downloadingtheme = '', } function DownloadFiles(table) progressbar.max = #table progressbar.downloadingtheme = table.theme for k = 1, #table do progressbar.downloadinglibname = table[k].name downloadUrlToFile(table[k].url,table[k].file,function(id,status) if status == dlstatus.STATUSEX_ENDDOWNLOAD then progressbar.downloaded = k if table[k+1] then progressbar.downloadinglibname = table[k+1].name end end end) while progressbar.downloaded ~= k do wait(500) end end progressbar.max = 0 progressbar.downloaded = 0 end lua_thread.create(function() local x = select(1,getScreenResolution()) * 0.5 - 100 local y = select(2, getScreenResolution()) - 70 while true do if progressbar and progressbar.max ~= 0 and progressbar.downloadinglibname and progressbar.downloaded and progressbar.downloadingtheme then local jj = (200-10)/progressbar.max local downloaded = progressbar.downloaded * jj renderDrawBoxWithBorder(x, y-39, 200, 20, 0xFFFF6633, 1, 0xFF808080) renderFontDrawText(ASHfont, 'Mordor Police Helper', x+ 5, y - 37, 0xFFFFFFFF) renderDrawBoxWithBorder(x, y-20, 200, 70, 0xFF1C1C1C, 1, 0xFF808080) renderFontDrawText(progressfont, 'Скачивание: '..progressbar.downloadingtheme, x + 5, y - 15, 0xFFFFFFFF) renderDrawBox(x + 5, y + 5, downloaded, 20, 0xFF00FF00) renderFontDrawText(progressfont, 'Progress: '..progressbar.downloaded..'/'..progressbar.max, x + 100 - renderGetFontDrawTextLength(progressfont,'Progress: '..progressbar.downloaded..'/'..progressbar.max) * 0.5, y + 7, 0xFFFFFFFF) renderFontDrawText(downloadingfont, 'Downloading: \''..progressbar.downloadinglibname..'\'', x + 5, y + 32, 0xFFFFFFFF) end wait(0) end end) sampAddChatMessage(('[ASHelper]{EBEBEB} Началось скачивание необходимых файлов. Если скачивание не удастся, то обратитесь к {ff6633}vk.com/shepich{ebebeb}.'),0xff6633) if not imguicheck then -- Нашел только релизную версию в архиве, так что пришлось залить файлы сюда, при обновлении буду обновлять и у себя print('{FFFF00}Скачивание: mimgui') createDirectory('moonloader/lib/mimgui') DownloadFiles({theme = 'mimgui', {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/init.lua', file = 'moonloader/lib/mimgui/init.lua', name = 'init.lua'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/imgui.lua', file = 'moonloader/lib/mimgui/imgui.lua', name = 'imgui.lua'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/dx9.lua', file = 'moonloader/lib/mimgui/dx9.lua', name = 'dx9.lua'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/cimguidx9.dll', file = 'moonloader/lib/mimgui/cimguidx9.dll', name = 'cimguidx9.dll'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/mimgui/cdefs.lua', file = 'moonloader/lib/mimgui/cdefs.lua', name = 'cdefs.lua'}, }) print('{00FF00}mimgui успешно скачан') end if not monetluacheck then print('{FFFF00}Скачивание: MoonMonet') createDirectory('moonloader/lib/MoonMonet') DownloadFiles({theme = 'MoonMonet', {url = 'https://github.com/Northn/MoonMonet/releases/download/0.1.0/init.lua', file = 'moonloader/lib/MoonMonet/init.lua', name = 'init.lua'}, {url = 'https://github.com/Northn/MoonMonet/releases/download/0.1.0/moonmonet_rs.dll', file = 'moonloader/lib/MoonMonet/moonmonet_rs.dll', name = 'moonmonet_rs.dll'}, }) print('{00FF00}MoonMonet успешно скачан') end if not sampevcheck then -- C оффициального источника print('{FFFF00}Скачивание: sampev') createDirectory('moonloader/lib/samp') createDirectory('moonloader/lib/samp/events') DownloadFiles({theme = 'samp events', {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events.lua', file = 'moonloader/lib/samp/events.lua', name = 'events.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/raknet.lua', file = 'moonloader/lib/samp/raknet.lua', name = 'raknet.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/synchronization.lua', file = 'moonloader/lib/samp/synchronization.lua', name = 'synchronization.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/bitstream_io.lua', file = 'moonloader/lib/samp/events/bitstream_io.lua', name = 'bitstream_io.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/core.lua', file = 'moonloader/lib/samp/events/core.lua', name = 'core.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/extra_types.lua', file = 'moonloader/lib/samp/events/extra_types.lua', name = 'extra_types.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/handlers.lua', file = 'moonloader/lib/samp/events/handlers.lua', name = 'handlers.lua'}, {url = 'https://raw.githubusercontent.com/THE-FYP/SAMP.Lua/master/samp/events/utils.lua', file = 'moonloader/lib/samp/events/utils.lua', name = 'utils.lua'} }) print('{00FF00}sampev успешно скачан') end if not encodingcheck then -- Обновлений быть не должно print('{FFFF00}Скачивание: encoding') DownloadFiles({ theme = 'encoding.lua', {url = 'https://raw.githubusercontent.com/Just-Mini/biblioteki/main/encoding.lua', file = 'moonloader/lib/encoding.lua', name = 'encoding.lua'} }) print('{00FF00}encoding успешно скачан') end if not lfscheck then -- Обновлений быть не должно print('{FFFF00}Скачивание: lfs') DownloadFiles({theme = 'lfs.dll', {url = 'https://github.com/Just-Mini/biblioteki/raw/main/lfs.dll', file = 'moonloader/lib/lfs.dll', name = 'lfs.dll'} }) print('{00FF00}lfs успешно скачан') end if not doesFileExist('moonloader/Mordor Police Helper/Images/binderblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/binderwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/lectionwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingsblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/settingswhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/changelogwhite.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamentblack.png') or not doesFileExist('moonloader/Mordor Police Helper/Images/departamenwhite.png') then print('{FFFF00}Скачивание: PNG Файлов') createDirectory('moonloader/Mordor Police Helper') createDirectory('moonloader/Mordor Police Helper/Images') DownloadFiles({theme = 'PNG Файлов', {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/binderblack.png', file = 'moonloader/Mordor Police Helper/Images/binderblack.png', name = 'binderblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/binderwhite.png', file = 'moonloader/Mordor Police Helper/Images/binderwhite.png', name = 'binderwhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/lectionblack.png', file = 'moonloader/Mordor Police Helper/Images/lectionblack.png', name = 'lectionblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/lectionwhite.png', file = 'moonloader/Mordor Police Helper/Images/lectionwhite.png', name = 'lectionwhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/settingsblack.png', file = 'moonloader/Mordor Police Helper/Images/settingsblack.png', name = 'settingsblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/settingswhite.png', file = 'moonloader/Mordor Police Helper/Images/settingswhite.png', name = 'settingswhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/departamentblack.png', file = 'moonloader/Mordor Police Helper/Images/departamentblack.png', name = 'departamentblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/departamenwhite.png', file = 'moonloader/Mordor Police Helper/Images/departamenwhite.png', name = 'departamenwhite.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/changelogblack.png', file = 'moonloader/Mordor Police Helper/Images/changelogblack.png', name = 'changelogblack.png'}, {url = 'https://github.com/Just-Mini/biblioteki/raw/main/Images/changelogwhite.png', file = 'moonloader/Mordor Police Helper/Images/changelogwhite.png', name = 'changelogwhite.png'}, }) print('{00FF00}PNG Файлы успешно скачаны') end print('{FFFF00}Файлы были успешно скачаны, скрипт перезагружен.') thisScript():reload() end return end local print, clock, sin, cos, floor, ceil, abs, format, gsub, gmatch, find, char, len, upper, lower, sub, u8, new, str, sizeof = print, os.clock, math.sin, math.cos, math.floor, math.ceil, math.abs, string.format, string.gsub, string.gmatch, string.find, string.char, string.len, string.upper, string.lower, string.sub, encoding.UTF8, imgui.new, ffi.string, ffi.sizeof encoding.default = 'CP1251' local configuration = inicfg.load({ main_settings = { myrankint = 1, gender = 0, style = 0, rule_align = 1, lection_delay = 10, lection_type = 1, fmtype = 0, playcd = 2000, fmstyle = nil, updatelastcheck = nil, myname = '', myaccent = '', astag = '', usefastmenucmd = 'mphfm', createmarker = false, dorponcmd = true, replacechat = true, replaceash = false, dofastscreen = true, noscrollbar = true, playdubinka = true, changelog = true, autoupdate = true, getbetaupd = false, statsvisible = false, checkmcongun = true, checkmconhunt = false, usefastmenu = 'E', fastscreen = 'F4', avtoprice = 5000, motoprice = 10000, ribaprice = 30000, lodkaprice = 30000, gunaprice = 50000, huntprice = 100000, kladprice = 200000, taxiprice = 250000, RChatColor = 4282626093, DChatColor = 4294940723, ASChatColor = 4281558783, monetstyle = -16729410, monetstyle_chroma = 1.0, }, imgui_pos = { posX = 100, posY = 300 }, my_stats = { avto = 0, moto = 0, riba = 0, lodka = 0, guns = 0, hunt = 0, klad = 0, taxi = 0 }, RankNames = { 'Стажёр', 'Консультант', 'Лицензёр', 'Мл.Инструктор', 'Инструктор', 'Менеджер', 'Ст. Менеджер', 'Помощник директора', 'Директор', 'Управляющий', }, sobes_settings = { pass = true, medcard = true, wbook = false, licenses = false, }, BindsName = {}, BindsDelay = {}, BindsType = {}, BindsAction = {}, BindsCmd = {}, BindsKeys = {} }, 'Mordor Police Helper') -- icon fonts local fa = { ['ICON_FA_FILE_ALT'] = '\xee\x80\x80', ['ICON_FA_PALETTE'] = '\xee\x80\x81', ['ICON_FA_TIMES'] = '\xee\x80\x82', ['ICON_FA_QUESTION_CIRCLE'] = '\xee\x80\x83', ['ICON_FA_BOOK_OPEN'] = '\xee\x80\x84', ['ICON_FA_INFO_CIRCLE'] = '\xee\x80\x85', ['ICON_FA_SEARCH'] = '\xee\x80\x86', ['ICON_FA_ALIGN_LEFT'] = '\xee\x80\x87', ['ICON_FA_ALIGN_CENTER'] = '\xee\x80\x88', ['ICON_FA_ALIGN_RIGHT'] = '\xee\x80\x89', ['ICON_FA_TRASH'] = '\xee\x80\x8a', ['ICON_FA_REDO_ALT'] = '\xee\x80\x8b', ['ICON_FA_HAND_PAPER'] = '\xee\x80\x8c', ['ICON_FA_FILE_SIGNATURE'] = '\xee\x80\x8d', ['ICON_FA_REPLY'] = '\xee\x80\x8e', ['ICON_FA_USER_PLUS'] = '\xee\x80\x8f', ['ICON_FA_USER_MINUS'] = '\xee\x80\x90', ['ICON_FA_EXCHANGE_ALT'] = '\xee\x80\x91', ['ICON_FA_USER_SLASH'] = '\xee\x80\x92', ['ICON_FA_USER'] = '\xee\x80\x93', ['ICON_FA_FROWN'] = '\xee\x80\x94', ['ICON_FA_SMILE'] = '\xee\x80\x95', ['ICON_FA_VOLUME_MUTE'] = '\xee\x80\x96', ['ICON_FA_VOLUME_UP'] = '\xee\x80\x97', ['ICON_FA_STAMP'] = '\xee\x80\x98', ['ICON_FA_ELLIPSIS_V'] = '\xee\x80\x99', ['ICON_FA_ARROW_UP'] = '\xee\x80\x9a', ['ICON_FA_ARROW_DOWN'] = '\xee\x80\x9b', ['ICON_FA_ARROW_RIGHT'] = '\xee\x80\x9c', ['ICON_FA_CODE'] = '\xee\x80\x9d', ['ICON_FA_ARROW_ALT_CIRCLE_DOWN'] = '\xee\x80\x9e', ['ICON_FA_LINK'] = '\xee\x80\x9f', ['ICON_FA_CAR'] = '\xee\x80\xa0', ['ICON_FA_MOTORCYCLE'] = '\xee\x80\xa1', ['ICON_FA_FISH'] = '\xee\x80\xa2', ['ICON_FA_SHIP'] = '\xee\x80\xa3', ['ICON_FA_CROSSHAIRS'] = '\xee\x80\xa4', ['ICON_FA_SKULL_CROSSBONES'] = '\xee\x80\xa5', ['ICON_FA_DIGGING'] = '\xee\x80\xa6', ['ICON_FA_PLUS_CIRCLE'] = '\xee\x80\xa7', ['ICON_FA_PAUSE'] = '\xee\x80\xa8', ['ICON_FA_PEN'] = '\xee\x80\xa9', ['ICON_FA_MINUS_SQUARE'] = '\xee\x80\xaa', ['ICON_FA_CLOCK'] = '\xee\x80\xab', ['ICON_FA_COG'] = '\xee\x80\xac', ['ICON_FA_TAXI'] = '\xee\x80\xad', ['ICON_FA_FOLDER'] = '\xee\x80\xae', ['ICON_FA_CHEVRON_LEFT'] = '\xee\x80\xaf', ['ICON_FA_CHEVRON_RIGHT'] = '\xee\x80\xb0', ['ICON_FA_CHECK_CIRCLE'] = '\xee\x80\xb1', ['ICON_FA_EXCLAMATION_CIRCLE'] = '\xee\x80\xb2', ['ICON_FA_AT'] = '\xee\x80\xb3', ['ICON_FA_HEADING'] = '\xee\x80\xb4', ['ICON_FA_WINDOW_RESTORE'] = '\xee\x80\xb5', ['ICON_FA_TOOLS'] = '\xee\x80\xb6', ['ICON_FA_GEM'] = '\xee\x80\xb7', ['ICON_FA_ARROWS_ALT'] = '\xee\x80\xb8', ['ICON_FA_QUOTE_RIGHT'] = '\xee\x80\xb9', ['ICON_FA_CHECK'] = '\xee\x80\xba', ['ICON_FA_LIGHT_COG'] = '\xee\x80\xbb', ['ICON_FA_LIGHT_INFO_CIRCLE'] = '\xee\x80\xbc', } setmetatable(fa, { __call = function(t, v) if (type(v) == 'string') then return t['ICON_' .. upper(v)] or '?' elseif (type(v) == 'number' and v >= fa.min_range and v <= fa.max_range) then local t, h = {}, 128 while v >= h do t[#t + 1] = 128 + v % 64 v = floor(v / 64) h = h > 32 and 32 or h * 0.5 end t[#t + 1] = 256 - 2 * h + v return char(unpack(t)):reverse() end return '?' end, __index = function(t, i) if type(i) == 'string' then if i == 'min_range' then return 0xe000 elseif i == 'max_range' then return 0xe03c end end return t[i] end }) -- icon fonts function join_argb(a, r, g, b) local argb = b argb = bit.bor(argb, bit.lshift(g, 8)) argb = bit.bor(argb, bit.lshift(r, 16)) argb = bit.bor(argb, bit.lshift(a, 24)) return argb end function explode_argb(argb) local a = bit.band(bit.rshift(argb, 24), 0xFF) local r = bit.band(bit.rshift(argb, 16), 0xFF) local g = bit.band(bit.rshift(argb, 8), 0xFF) local b = bit.band(argb, 0xFF) return a, r, g, b end function ColorAccentsAdapter(color) local function ARGBtoRGB(color) return bit.band(color, 0xFFFFFF) end local a, r, g, b = explode_argb(color) local ret = {a = a, r = r, g = g, b = b} function ret:apply_alpha(alpha) self.a = alpha return self end function ret:as_u32() return join_argb(self.a, self.b, self.g, self.r) end function ret:as_vec4() return imgui.ImVec4(self.r / 255, self.g / 255, self.b / 255, self.a / 255) end function ret:as_argb() return join_argb(self.a, self.r, self.g, self.b) end function ret:as_rgba() return join_argb(self.r, self.g, self.b, self.a) end function ret:as_chat() return format('%06X', ARGBtoRGB(join_argb(self.a, self.r, self.g, self.b))) end return ret end local ScreenSizeX, ScreenSizeY = getScreenResolution() local alphaAnimTime = 0.3 local getmyrank = false local windowtype = new.int(0) local sobesetap = new.int(0) local lastsobesetap = new.int(0) local newwindowtype = new.int(1) local clienttype = new.int(0) local leadertype = new.int(0) local Licenses_select = new.int(0) local Licenses_Arr = {u8'Авто',u8'Мото',u8'Рыболовство',u8'Плавание',u8'Оружие',u8'Охоту',u8'Раскопки',u8'Такси'} local QuestionType_select = new.int(0) local Ranks_select = new.int(0) local sobesdecline_select = new.int(0) local uninvitebuf = new.char[256]() local blacklistbuf = new.char[256]() local uninvitebox = new.bool(false) local blacklistbuff = new.char[256]() local fwarnbuff = new.char[256]() local fmutebuff = new.char[256]() local fmuteint = new.int(0) local lastq = new.int(0) local autoupd = new.int(0) local now_zametka = new.int(1) local zametka_window = new.int(1) local crimefind = new.char[256]() local search_rule = new.char[256]() local rule_align = new.int(configuration.main_settings.rule_align) local auto_update_box = new.bool(configuration.main_settings.autoupdate) local get_beta_upd_box = new.bool(configuration.main_settings.getbetaupd) local lections = {} local questions = {} local serverquestions = {} local ruless = {} local zametki = {} local dephistory = {} local updateinfo = {} local LastActiveTime = {} local LastActive = {} local notf_sX, notf_sY = convertGameScreenCoordsToWindowScreenCoords(605, 438) local notify = { msg = {}, pos = {x = notf_sX - 200, y = notf_sY - 70} } notf_sX, notf_sY = nil, nil local mainwindow = new.int(0) local settingswindow = new.int(1) local additionalwindow = new.int(1) local infowindow = new.int(1) local monetstylechromaselect = new.float[1](configuration.main_settings.monetstyle_chroma) local alpha = new.float[1](0) local windows = { imgui_settings = new.bool(), imgui_fm = new.bool(), imgui_binder = new.bool(), imgui_lect = new.bool(), imgui_depart = new.bool(), imgui_database = new.bool(), imgui_changelog = new.bool(configuration.main_settings.changelog), imgui_fmstylechoose = new.bool(configuration.main_settings.fmstyle == nil), imgui_zametka = new.bool(false), } local bindersettings = { binderbuff = new.char[4096](), bindername = new.char[40](), binderdelay = new.char[7](), bindertype = new.int(0), bindercmd = new.char[15](), binderbtn = '', } local matthewball, matthewball2, matthewball3 = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor), imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor), imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local chatcolors = { RChatColor = new.float[4](matthewball.x, matthewball.y, matthewball.z, matthewball.w), DChatColor = new.float[4](matthewball2.x, matthewball2.y, matthewball2.z, matthewball2.w), ASChatColor = new.float[4](matthewball3.x, matthewball3.y, matthewball3.z, matthewball3.w), } local mq = ColorAccentsAdapter(configuration.main_settings.monetstyle):as_vec4() local usersettings = { createmarker = new.bool(configuration.main_settings.createmarker), dorponcmd = new.bool(configuration.main_settings.dorponcmd), replacechat = new.bool(configuration.main_settings.replacechat), replaceash = new.bool(configuration.main_settings.replaceash), dofastscreen = new.bool(configuration.main_settings.dofastscreen), noscrollbar = new.bool(configuration.main_settings.noscrollbar), playdubinka = new.bool(configuration.main_settings.playdubinka), statsvisible = new.bool(configuration.main_settings.statsvisible), checkmcongun = new.bool(configuration.main_settings.checkmcongun), checkmconhunt = new.bool(configuration.main_settings.checkmconhunt), playcd = new.float[1](configuration.main_settings.playcd / 1000), myname = new.char[256](configuration.main_settings.myname), myaccent = new.char[256](configuration.main_settings.myaccent), gender = new.int(configuration.main_settings.gender), fmtype = new.int(configuration.main_settings.fmtype), fmstyle = new.int(configuration.main_settings.fmstyle or 2), usefastmenucmd = new.char[256](u8(configuration.main_settings.usefastmenucmd)), moonmonetcolorselect = new.float[4](mq.x, mq.y, mq.z, mq.w), } matthewball, matthewball2, matthewball3, mq = nil, nil, nil, nil collectgarbage() local pricelist = { avtoprice = new.char[7](tostring(configuration.main_settings.avtoprice)), motoprice = new.char[7](tostring(configuration.main_settings.motoprice)), ribaprice = new.char[7](tostring(configuration.main_settings.ribaprice)), lodkaprice = new.char[7](tostring(configuration.main_settings.lodkaprice)), gunaprice = new.char[7](tostring(configuration.main_settings.gunaprice)), huntprice = new.char[7](tostring(configuration.main_settings.huntprice)), kladprice = new.char[7](tostring(configuration.main_settings.kladprice)), taxiprice = new.char[7](tostring(configuration.main_settings.taxiprice)) } local tHotKeyData = { edit = nil, save = {}, lasted = clock(), } local lectionsettings = { lection_type = new.int(configuration.main_settings.lection_type), lection_delay = new.int(configuration.main_settings.lection_delay), lection_name = new.char[256](), lection_text = new.char[65536](), } local zametkisettings = { zametkaname = new.char[256](), zametkatext = new.char[4096](), zametkacmd = new.char[256](), zametkabtn = '', } local departsettings = { myorgname = new.char[50](u8(configuration.main_settings.astag)), toorgname = new.char[50](), frequency = new.char[7](), myorgtext = new.char[256](), } local questionsettings = { questionname = new.char[256](), questionhint = new.char[256](), questionques = new.char[256](), } local sobes_settings = { pass = new.bool(configuration.sobes_settings.pass), medcard = new.bool(configuration.sobes_settings.medcard), wbook = new.bool(configuration.sobes_settings.wbook), licenses = new.bool(configuration.sobes_settings.licenses), } local tagbuttons = { {name = '{my_id}',text = 'Пишет Ваш ID.',hint = '/n /showpass {my_id}\n(( /showpass \'Ваш ID\' ))'}, {name = '{my_name}',text = 'Пишет Ваш ник из настроек.',hint = 'Здравствуйте, я {my_name}\n- Здравствуйте, я '..u8:decode(configuration.main_settings.myname)..'.'}, {name = '{my_rank}',text = 'Пишет Ваш ранг из настроек.',hint = '/do На груди бейджик {my_rank}\nНа груди бейджик '..configuration.RankNames[configuration.main_settings.myrankint]}, {name = '{my_score}',text = 'Пишет Ваш уровень.',hint = 'Я проживаю в штате уже {my_score} лет!\n- Я проживаю в штате уже \'Ваш уровень\' лет!'}, {name = '{H}',text = 'Пишет системное время в часы.',hint = 'Давай встретимся завтра тут же в {H} \n- Давай встретимся завтра тут же в чч'}, {name = '{HM}',text = 'Пишет системное время в часы:минуты.',hint = 'Сегодня в {HM} будет концерт!\n- Сегодня в чч:мм будет концерт!'}, {name = '{HMS}',text = 'Пишет системное время в часы:минуты:секунды.',hint = 'У меня на часах {HMS}\n- У меня на часах \'чч:мм:сс\''}, {name = '{gender:Текст1|Текст2}',text = 'Пишет сообщение в зависимости от вашего пола.',hint = 'Я вчера {gender:был|была} в банке\n- Если мужской пол: был в банке\n- Если женский пол: была в банке'}, {name = '@{ID}',text = 'Узнаёт имя игрока по ID.',hint = 'Ты не видел где сейчас @{43}?\n- Ты не видел где сейчас \'Имя 43 ида\''}, {name = '{close_id}',text = 'Узнаёт ID ближайшего к Вам игрока',hint = 'О, а вот и @{{close_id}}?\nО, а вот и \'Имя ближайшего ида\''}, {name = '{delay_*}',text = 'Добавляет задержку между сообщениями',hint = 'Добрый день, я сотрудник Автошколы г. Сан-Фиерро, чем могу Вам помочь?\n{delay_2000}\n/do На груди висит бейджик с надписью Лицензёр Автошколы.\n\n[10:54:29] Добрый день, я сотрудник Автошколы г. Сан-Фиерро, чем могу Вам помочь?\n[10:54:31] На груди висит бейджик с надписью Лицензёр Автошколы.'}, } local buttons = { {name='Настройки',text='Пользователь, вид\nскрипта, цены',icon=fa.ICON_FA_LIGHT_COG,y_hovered=8,timer=1}, {name='Дополнительно',text='Правила, заметки,\nотыгровки',icon=fa.ICON_FA_FOLDER,y_hovered=8,timer=1}, {name='Информация',text='Обновления, автор,\nо скрипте',icon=fa.ICON_FA_LIGHT_INFO_CIRCLE,y_hovered=8,timer=1}, } local fmbuttons = { {name = u8'Действия с клиентом', rank = 1}, {name = u8'Собеседование', rank = 5}, {name = u8'Проверка устава', rank = 5}, {name = u8'Лидерские действия', rank = 9}, } local settingsbuttons = { fa.ICON_FA_USER..u8(' Пользователь'), fa.ICON_FA_PALETTE..u8(' Вид скрипта'), fa.ICON_FA_FILE_ALT..u8(' Цены'), } local additionalbuttons = { fa.ICON_FA_BOOK_OPEN..u8(' Правила'), fa.ICON_FA_QUOTE_RIGHT..u8(' Заметки'), fa.ICON_FA_HEADING..u8(' Отыгровки'), } local infobuttons = { fa.ICON_FA_ARROW_ALT_CIRCLE_DOWN..u8(' Обновления'), fa.ICON_FA_AT..u8(' Автор'), fa.ICON_FA_CODE..u8(' О скрипте'), } local whiteashelper, blackashelper, whitebinder, blackbinder, whitelection, blacklection, whitedepart, blackdepart, whitechangelog, blackchangelog, rainbowcircle local font = {} imgui.OnInitialize(function() -- >> BASE85 DATA << local circle_data = '\x89\x50\x4E\x47\x0D\x0A\x1A\x0A\x00\x00\x00\x0D\x49\x48\x44\x52\x00\x00\x00\x30\x00\x00\x00\x30\x08\x06\x00\x00\x00\x57\x02\xF9\x87\x00\x00\x00\x06\x62\x4B\x47\x44\x00\xFF\x00\xFF\x00\xFF\xA0\xBD\xA7\x93\x00\x00\x09\xC8\x49\x44\x41\x54\x68\x81\xED\x99\x4B\x6C\x5C\xE7\x75\xC7\x7F\xE7\x7C\x77\x5E\xE4\x50\x24\x25\xCA\x7A\x90\xB4\x4D\xD3\x92\x9C\xBA\x8E\x8B\x48\xB2\xA4\xB4\x40\xEC\x04\x79\xD4\x81\xD1\x64\x93\x3E\x9C\x45\xBC\x71\x1D\xD7\x06\x8A\xAE\x5A\x20\x0B\x25\x6D\x36\x45\xBB\x69\xA5\xB4\x46\x90\x02\x2E\xEC\x3E\x50\x20\xC9\xA6\x8B\x3A\x80\xA3\x45\x92\x56\xAA\x92\x58\x71\x6D\x90\x52\x6C\xD9\xA2\x45\x51\xA2\x24\x4A\x7C\x0D\xE7\xF1\x9D\xD3\xC5\xCC\x90\x33\x73\x47\x7C\xA4\x41\xBB\xA8\x0E\xF0\xE1\xBB\x73\xEE\xBD\xDF\xFD\xFD\xBF\x73\xBE\xC7\xBD\x03\x77\xED\xAE\xFD\xFF\x36\xF9\x65\x34\xE2\x1C\xD7\x89\x47\x26\x8F\x54\xA9\x7D\xCC\x6B\x7E\x38\xE2\xFB\xDC\x6C\xC4\xCC\xB6\xED\x1B\x75\x73\xF3\x45\xDC\xA7\xCD\x6D\x52\x22\x67\x1D\xFF\xFE\xF6\x1F\x1E\x39\x23\x1C\xB7\xFF\x53\x01\x17\x8E\x3C\x3D\xE2\x15\x79\xC1\x2C\x3E\x6D\xEE\x23\xD1\x0C\x33\xC3\xDC\x30\x73\xCC\x8C\x07\x87\x0D\xDC\x71\x37\x30\xC7\xAD\x59\xFB\x07\xE6\xF1\x95\xA0\x76\x72\xC7\xE9\x53\x1F\xFC\xAF\x0A\x98\x3E\xF8\xEC\x50\x49\x2A\x7F\xE6\x1E\x9F\x31\xB3\x6C\x1D\xDA\xE9\x2A\x60\x6F\xEC\x02\x6F\xAB\x3E\x33\xAB\xA8\xD9\xDF\x95\xCB\xE5\xAF\x8C\x4C\x9C\xB9\xB1\x55\x16\xDD\xEA\x0D\x97\x8E\x3D\xF3\xBB\x95\x50\x9D\x14\xFC\xF7\x81\xEC\x46\xD7\xAF\x07\xEF\x66\x88\x59\xD6\xCC\x9F\xCB\x84\x64\x72\xE6\x43\x47\x7E\x67\xAB\x3C\x9B\x8E\x80\x1F\x7C\x36\x73\x39\x6B\x27\xCC\xED\xD9\x66\xEF\xD6\x7B\xBA\xD9\xEB\xDD\x23\x30\xBE\xAB\x72\x47\x78\xCC\x70\xF3\x46\x6D\xB8\x3B\x78\xFC\xDB\xDD\x7B\x8A\x2F\xCA\xA9\x53\xB5\xCD\x70\x6D\x2A\x02\xDF\x7F\xF8\x64\xF1\x52\x2E\xF9\x37\xE0\xD9\xCD\x0A\x5E\x15\xBE\x15\x78\x33\x3C\xF2\xDC\x95\x4B\xF3\xDF\xBD\xF6\xFC\xCE\xE2\x66\xDA\xDF\x30\x02\x2F\x1D\x3C\x9B\x59\x9C\xBB\xFD\xDD\x87\x7A\xDF\x7E\xF2\xD1\xE2\xB9\xB6\xDE\x6D\x8F\x00\x50\xC8\xA2\xFD\x45\xA4\x58\x80\x44\x21\x97\xB0\x77\xD0\xF0\x95\x32\x56\x2E\x63\xB7\xE7\x89\xD7\x6F\xE2\x0B\x0B\xDD\xE1\x1B\xBE\xFC\x93\xD3\xE4\x3F\x31\x7B\xAA\x30\x10\x3F\x29\x4F\xB0\x6E\x24\x92\x8D\x04\x54\x16\x4A\x27\x42\x08\x4F\x4E\x2C\xFD\x0A\xE6\xCE\xA3\xC5\x37\x52\x7D\x90\x0C\xF6\x91\x1D\xDE\x05\x85\xEC\x5A\x1A\x35\x04\xA2\x02\xF9\x2C\x9A\xCD\x20\xBD\x3D\xE8\xEE\x7B\xF0\xE5\x12\xB5\xF7\xA6\x88\xB3\xD7\xD3\xF0\xBF\x39\x4D\xCF\x93\x33\x00\x8F\x97\x97\x39\x01\x3C\xB7\x1E\xDF\xBA\x11\x78\xE9\x91\xD3\xBF\x57\x8B\xF1\xD5\x18\x23\x66\x91\x18\x23\xFB\x0A\xFF\xC5\x87\x7B\xDF\xC0\xCC\x20\x9B\x90\x1F\x1F\x81\x9E\x5C\x3D\x2A\x6E\x29\x01\x7B\x06\x6B\x6B\x29\x64\x8D\x29\xB5\x91\x42\x36\xBF\x40\x75\xE2\xE7\x58\x69\xA5\x0E\xFF\x99\x69\x0A\x75\xF8\x56\xC2\xA7\x0B\x9F\xE5\x1F\xB6\x2C\xE0\xE5\xC7\x4E\xEF\x58\x59\x96\x09\xC7\x87\x62\x03\x7E\x55\x44\xFE\x4D\x7E\x6D\xD7\x24\xF9\x7D\xA3\x78\xD0\x06\xF4\x1D\x04\xF4\x57\xBB\xC2\x37\x7B\xDC\x2A\x15\xAA\x13\x17\xC8\x1E\x9D\xA4\xF0\x99\x99\x34\x88\x70\xB3\x26\x1C\xD8\xF6\x14\xD7\xBB\x71\xDE\x71\x10\x57\xAB\xC9\xD7\x35\xE8\x90\x88\x10\x34\x10\x42\x40\x1B\xF5\x54\xF6\x23\xCC\xDC\xFB\x38\x92\xD9\x30\x03\xD7\x85\x77\x33\x44\x95\xE2\x33\x03\xF4\x3C\xB5\x02\x46\xBA\x44\xB6\x67\x6A\x7C\xED\x4E\xED\x77\x8D\xC0\x37\x3F\x7C\x6E\x24\x04\x7B\xC7\xDC\xB2\xEE\xF5\x01\xEB\xEE\x44\x8B\x48\x02\xF7\x3C\x5C\xC4\x83\x31\x9A\x79\x87\xB1\xFC\x85\x75\x23\xB0\xAB\xB7\x74\x47\x78\xCC\xC8\x1E\xBE\x4E\xF6\xE8\x4D\xDC\xAA\xC4\xAB\x3F\x81\x58\xEA\xDA\x9F\x92\x30\xDE\xF3\x39\xA6\x3A\x4F\x74\xED\xC2\x24\xE3\x2F\xE0\x92\x55\x14\xC3\x50\x55\xCC\x8C\xA0\x81\xA1\x87\x7A\xC9\xE4\x95\x18\x23\x53\xD5\x71\xDC\x9D\xFB\x72\xE7\x57\xEF\xD5\x42\x8E\xEC\xD0\x20\x5A\xEC\xC1\x73\x09\xB9\xDE\x88\x95\x56\xB0\xB9\x39\x6A\x33\xD7\x60\x71\x69\x0D\xFE\xD0\x75\xB2\x8F\xDD\x04\x03\x21\x43\x18\xFC\x10\xF1\xDA\x4F\xBA\x21\x65\xA8\xF0\x3C\xF0\x27\x1B\x46\xE0\x38\xAE\xF7\x1F\xFC\xD9\xFB\xC0\x88\xBB\xE3\x5E\xEF\x59\x77\x27\x37\x98\xB0\x63\xBC\xA7\x3E\x7D\xBA\x11\x63\x24\x5A\x64\x6F\xF8\x39\xF7\xE7\xCF\x93\xBD\x77\x17\x61\x68\x70\x35\x0A\xD1\x8C\xC1\xDE\xB8\xD6\xFB\x31\x52\x9B\xBE\x4A\xED\xE2\xFB\x64\x3E\x72\x8D\xEC\xE1\x9B\x29\x52\xBB\xF1\x16\xB6\x32\xDB\x4D\xC4\x54\xEF\x04\xF7\xCB\x71\xDA\x36\x80\xA9\x08\x8C\x3D\xF6\xE6\x11\x4C\x46\xDC\x1D\x91\xBA\xBE\x66\x24\xB6\x8F\xF6\x20\x2A\xA8\x35\x86\x4E\xA8\x57\x57\xFC\x41\xB6\x8F\xDD\xC3\xDE\xA1\x39\x62\x8C\x6D\xED\xAD\xA5\x4E\xBD\x13\x74\xD7\x10\x85\x47\x97\x91\x9D\x93\x78\xB7\xBD\x68\xDF\x18\x2C\x75\x15\x30\x5A\xDA\xC7\x21\xE0\x4C\xAB\x33\x3D\x88\xCD\x9F\x00\x56\xE1\x45\x04\x11\x21\x57\xCC\x90\x14\x02\x2A\x5A\x17\x21\x8A\x8A\x12\x42\x60\x68\x6C\x1B\x8B\x7D\x63\x5C\xAD\xEE\x49\x3F\xB6\x09\xDF\x28\xC9\x03\xF3\x64\x1E\x09\x84\xBE\x07\x21\x92\x2A\x22\x3D\x78\xE8\xC3\x8D\x54\xA9\x19\x1F\xEB\x6C\x3E\x2D\xC0\xF5\x50\xF3\xB0\x55\x44\x61\x7B\x06\x9A\x11\x69\x11\x91\xEB\xC9\xD0\xBF\xBB\x80\xAA\x72\xDB\xF6\x30\x5B\xDB\xDB\xDE\x5C\x2B\xFC\xD8\x3C\xC9\xD8\x42\x3D\xE7\xF3\xC3\x10\x8A\x5D\x41\x25\xB7\xA3\xAB\x1F\xE3\xB1\x8D\x05\x88\xEF\x6F\x1D\x1A\x4D\x11\xB9\x62\x68\x3A\xDA\x44\x14\x77\xE5\xD6\x22\xA2\xCA\x3C\xC3\xDC\x88\xC3\x29\x01\xE1\xBE\x79\xC2\x7D\x0B\x78\xA4\x5E\x0C\x24\xBF\xBB\x7B\x14\xC2\x40\x57\x3F\x91\x7D\x9D\xB8\xA9\x31\x20\x22\x7B\xDC\xA1\x2E\xC2\x57\x45\x68\x56\xD7\x3C\x22\xE0\x8E\x8A\x52\x18\xC8\x00\x82\x48\x7D\xAC\xA0\xB0\x60\x23\xB8\x3B\xFD\x5C\xAA\xC3\xDF\x3B\x4F\xB8\xB7\x0E\xDF\xFE\xF4\xED\x5D\xC7\x81\x4B\xB6\xFB\xF8\x80\xE1\x4E\x47\x4A\x80\x09\xFD\x0A\xA4\x44\xE4\x02\xE0\x29\x11\x92\xD3\xC6\x61\xBB\x88\x45\x1B\xC5\x3D\x32\x30\x7A\x86\x30\x5A\x4F\x9B\xB4\xE5\xD2\xA2\x1A\xFE\xEE\xD7\xD3\xB7\xA1\x80\x17\x46\x66\x22\xAB\xF3\xCB\x9A\x7D\x74\xA8\x42\xE8\xB2\x6E\xFF\x7A\xBF\x74\xF5\x03\xD0\x3F\xCE\x6F\x3C\xF0\x2E\xC7\x0A\x09\x1A\x72\x48\xC8\x81\x34\x9B\x16\x70\x23\xB7\xA3\x65\xE1\x6A\xA4\x27\x6E\x30\x5E\xE8\x98\xE4\x05\xDC\x03\xBC\xB6\xBE\x00\x11\x16\x81\xED\x9D\xFE\x9A\x19\x99\x24\xA5\x8B\x4A\x34\x7A\xBB\xF8\xBD\x2F\x8F\x0C\xE4\xF9\x69\x65\x27\x88\x70\x2C\x3F\x87\x42\x8B\x08\x07\x2B\x77\xDC\xE4\x0D\x11\xD5\xC6\x6F\x5A\x44\x38\x88\xDC\xEA\x7C\x4E\x4A\x80\xAA\x4E\xE3\x9E\x16\x10\x1D\xD5\xF4\xCE\x63\x71\x39\xD2\xDF\x93\x69\xF3\xC5\x62\x16\xB6\xE5\x91\xC6\xF5\x6F\x54\xEF\x41\x44\x38\x9A\xBB\xD9\x2E\xA2\x36\x87\x7B\x0D\x91\x16\x0C\x77\xB0\xEA\x1A\x7D\xBB\x88\x2B\x29\xDE\x4E\x47\x40\xCE\xAB\xD6\x67\x94\xD6\x32\x5F\xB2\x94\x4F\x55\xB9\x32\x57\x21\xA8\x92\x84\x40\x12\x02\xBE\x2D\x8F\x37\xE0\x5B\x05\x9F\x8B\xBB\x38\x5D\xD9\x81\xC5\x32\x1E\xCB\xE0\x35\xAC\x7C\x19\x62\x05\xF7\x8E\x77\x96\xB8\xD0\x04\x6E\xAB\x40\x26\x36\x14\x20\x2A\xFF\xA9\x8D\x87\xB7\x96\x5B\x8B\x35\x92\xA0\xA9\x52\xA9\x39\x57\x6F\x57\xC9\x24\x81\x58\xCC\x11\x8B\xD9\x55\xF8\xCE\x88\x9D\xB3\xDD\x9C\xA9\x0D\x61\xB1\x4C\x5C\x7A\x17\xAF\xCE\xE1\x56\x4E\x89\xF0\x6A\xEB\x16\xA3\x45\x84\xF3\xE3\x4E\xDE\x54\x0A\x25\x09\xA7\xDC\xD3\xA3\x72\xB9\x62\x94\xAB\x4E\x4F\x3E\x9D\xEF\x17\x67\x4A\xE4\x76\x16\x28\xF4\x26\x6D\xF0\xD2\x65\x70\x9F\xF3\x3D\xD4\x56\x16\x38\x5A\x7A\x0B\xD1\xB5\xD4\x13\xC0\x03\x88\x95\xF1\xDA\x6D\xD0\x2C\xA2\x4D\xBC\x46\x1E\x99\xBC\xDE\xD9\x5E\xEA\x11\x57\x5F\x7D\xFC\x74\x08\xFA\x7E\x08\x4A\x5B\x51\x65\x6A\xB6\xBC\x9A\x2A\xAD\xA5\x32\x98\xE7\xEC\x92\x33\xB3\x54\x5B\x15\x20\x4A\x2A\x02\xEE\x30\xB3\x7C\x8B\x97\x6F\x28\xDF\xAE\x8C\xE3\x56\xC1\x63\xB9\x5E\x37\x22\x61\xCB\xE7\xC1\x9A\xBE\xD6\xD4\xF2\x4B\x3C\x7C\x74\xE3\x08\x80\x78\x08\x3F\xF8\x47\x90\x3F\xEE\x3C\x73\x63\xA9\xCA\x72\xD9\xD8\xD6\xB3\x76\xDB\x72\x5F\x96\x72\x7F\x16\x05\xDE\xB9\x55\xE5\x5A\xC9\xD8\xB3\x2D\xC3\xF6\xDE\x40\x4F\x10\xDC\x8D\x4A\xAD\xCA\xFC\xCA\x0A\xD7\xCB\xF3\xAC\x78\x0D\x51\xE5\x35\xDB\x8F\x54\x85\xCF\x67\x2E\xAC\x21\xC6\xDB\xF8\xCA\x65\x44\xB3\x2D\x2B\x10\xF5\x48\x08\xAF\x88\xA4\x3F\x45\x76\x7F\xA5\x32\x3D\x91\x64\xE4\x8F\xE8\xF2\xE1\x6A\xE2\x83\x25\x0E\xEF\x1F\x20\x9B\x28\x0B\xBD\x09\xA5\xBE\x0C\x2A\x6B\x3D\xBE\x1C\x9D\x8B\xB7\xAB\xBC\xB7\x50\x43\x14\xB2\x99\x0B\x48\x50\x44\xEB\x45\x5B\x16\x8D\xD7\xFC\x00\x44\xE1\xF3\x9C\xAF\x8F\x81\xA5\x73\x2D\xD8\xAD\xCB\x28\x65\xC9\xC8\x37\xBA\xA1\x76\x5D\x82\x3E\xF8\xFB\x8F\x5E\x4E\x82\x7E\x2B\x95\x46\x41\xA9\x46\xE7\xED\xA9\x45\x16\x7A\x12\x96\x3A\xE0\xD7\xD2\xA7\x7B\x0A\x75\xB3\xEF\xF1\x10\xDF\x89\xE3\xD8\xFC\x8F\xB1\xEA\x7C\x4B\x4A\x55\xF0\x58\x69\xA6\xD3\x37\xE5\xC0\xEB\x97\x37\x2D\x00\x20\x17\xE3\x57\x92\x10\xAE\x77\xCB\xF9\x2B\xF9\x2C\x3F\x2A\x19\x35\x63\x5D\xF8\xE6\x46\x70\x3D\xAB\x79\xE4\xAF\x6E\x0D\x70\xA2\xB4\xBF\x05\xBC\x4D\xC4\x0D\xAD\xAC\x7C\xF5\x4E\xF7\xA7\xA7\x94\x86\xCD\xFE\xF4\x5B\xA5\xDD\xC7\x9E\xBB\x18\x54\xBE\x10\x54\x68\x96\xC5\xC1\x3C\x0B\x83\x79\xAA\x06\x37\xCB\x91\xFE\x42\x20\x9F\xD1\xAE\xF0\xAA\x82\x70\xAE\xEE\x6F\xBC\x57\xB4\x1E\x2F\xD6\xCA\x4C\xDC\xBA\xCC\x72\xAC\xF0\xA6\x0C\x53\x71\xE5\xB0\x5C\x5A\x83\x10\x41\xC4\xBF\x14\x0E\xBD\x79\x76\xCB\x02\x00\x66\xCF\xBC\xF4\xF6\x9E\x63\xCF\xEF\x0E\xAA\x87\x54\x95\x5B\xFD\x39\x6E\x0F\xE4\x56\x67\x99\x88\x70\x6D\xD9\x28\x45\x28\xE6\x94\x6C\x46\xDA\xE1\x15\xF0\xB4\x80\x95\x58\xE1\xBD\x85\x6B\x5C\x5A\xBA\x4E\xC4\x56\xCF\xFD\x4C\x46\x1A\x22\xDE\xAF\xF3\x23\x27\x33\x47\x2E\xFE\xC5\x7A\x8C\x1B\x7E\x17\xD9\x3F\x3D\xF9\xC2\xBB\xF7\xFF\xEA\x03\x37\x7B\xF5\x53\xB7\x8A\xC9\x2A\x58\x6B\xCA\xDC\x28\x45\xE6\xCA\x46\x5F\x3E\x30\xD4\x1B\x18\x2C\x24\xE4\x33\xD0\x13\x20\xBA\x51\x8D\x35\x2A\xD1\x59\xA8\x96\x98\xAF\x95\x58\x8E\xD5\x7A\x1B\x41\xE9\x7C\x2D\x7F\x45\x8E\x20\x2E\x7C\xD9\xFE\xE3\x5F\x33\xD5\xD9\x3F\xDC\x88\x6F\x53\x5F\xA7\x77\x1E\x7F\xAB\x58\x2E\xE6\xFE\x49\x55\x3E\xDB\x09\x2F\x42\x4B\xFA\x08\xAA\xB4\x44\x40\x08\xFA\xA7\xF5\x73\x8D\x99\x48\xB5\x39\x23\x49\xFB\xEC\xA4\xB2\x7A\x5C\xD4\xEA\xEB\x2F\xC6\x7F\xFF\xAD\x2F\x3C\x71\x6A\x71\x23\xB6\x4D\x7D\x9D\x9E\x3D\xFE\xF0\xE2\xFC\xE2\xD4\xE7\x24\xF0\x37\x5B\x81\xEF\xB6\x12\x6F\x64\x82\x7C\x23\xC4\xDC\xA7\x37\x03\x5F\xBF\x7E\x8B\xB6\xF3\xAF\x2F\xFE\x36\x41\x4E\x88\x30\xB4\x11\xBC\xAA\x80\x7D\x6D\x53\x11\x10\x95\x1B\x2A\xF2\xE5\x37\x3E\xF1\xF5\x7F\xD9\x0A\xCF\x96\xFB\x68\xF6\xC5\xB1\x7F\xCE\x65\xC3\x01\x55\x3D\x29\x2A\xE5\xF5\xE0\x9B\xDB\xE9\x0D\xAC\x0C\x9C\x8C\xB5\xEC\xFE\xAD\xC2\xC3\xFF\xF0\x4F\xBE\x91\x97\xA7\x86\xC5\xFD\x0F\x40\xBF\xA8\x2A\xA3\x9D\xF0\x22\x82\x55\x8F\xDF\x21\x02\x5C\xD2\x44\x5F\xAD\x06\x3D\x31\xF9\xA9\x3F\x9F\xFE\x45\x19\x7E\x29\x7F\xB3\x72\xDC\x75\x6C\xDF\xCC\x21\x11\xFF\x38\x41\x0E\xAA\xC8\x01\x11\x19\x16\xF5\xFE\x58\xFE\x6A\x4D\x54\x97\x44\x65\x8A\xA0\x17\x54\xE4\x4C\x92\x24\xA7\xDE\x7A\xEA\x2F\xCF\x22\x2D\xFB\x86\xBB\x76\xD7\xEE\xDA\x2F\x64\xFF\x0D\xB3\xFD\xCF\x34\x8B\x75\x5E\xF4\x00\x00\x00\x00\x49\x45\x4E\x44\xAE\x42\x60\x82' local font85 = "7])#######n=K?d'/###[),##1xL$#Q6>##e@;*>foaj4/]%/1:A'o/fY;99)M7%#>(m<-r:Bk0'Tx-3D0?Jj7+:GDAk=qAqV,-GS)pOn;MH`a'hc98<gXG-$ogl8+`_;$D6@?$%J%/GT_Ae?OP(eN:6jW%,5LsCW]cT#()A'PL.mV[b';9C)j0n5#9^ooU2cD4Eo3R/q#prHHoTS.V3dW.;h^`I)JEf_H$4>d+]Adso6Q<Ba.T<6cAxV%`0bjL0iR/G[Bm7[-$D2:Uwg?-qmnUCko,.D#WajL8(&Da@C=GH%Fd*-IWb&uZe5AO>gj?KW<CE36ie<6&%iZ#u@58.=<xog_@#-j8=)`sh)@DN-$cw''DFcMO&QpLnh+5vdLQ_#hF4v-1ZMUMme$AOYBNMMChk)#,HbGM_F6##U:k(N]1CkLVF$##tDAX#;0xfLS^HF#>>DX-M3GF%W?)&+*JNfLblMv#@7Xh#.47uu7+B.$NBr<9)@r6lA;iD#OYU7#:vgK-'r.>-1.GDNlVG&#56u6#<(d<-'oVE-Lh3r0^]WS7#/>##n4XS7?L,F%6(Lk+?+*/$<Rd--r;I]uCUP&#ihHMM;sZ=.Jk+Y#<Dv1q_?l-$FhG&#N02'#Rjn@#pT9)NVxH]-dS=RECC=_J#d./LfxaS7KcCR<0.lA#OWG-Mh$SS%N*H&#*pRF%.ZC_&3R,[email protected]]+)%>A+>hWk+,4%xKq3n0#Y:RS%#fB#$@MR&,Z2c'&.B.;6_Du'&hF;;$,.=X(MS:;$l9r&l`)>>#YvEuu=m*.-H####Y4+GMPiYW-.BmtL==B.$)Hub%jF>4.QX`mLN1M'#(@-TIxvaT#(t(G#w$7S#qv1c#'Iuu#%Aq+$r-W@$Nn?O$ewx]$F2oh$2;Qv$0CxP%PNR@%aI$K%FR]X%d+;0&(BhN&A2rC&M6&]&r;^m&'Amv&09GF'K%OA'Ot)h'BZNT'47X*(=3uu'0S%1(]m+B([d#Z(xA[*.dw9hLS$]N#&6>##`$At[:^/@66RG##Pui/%Iq8;]`>(C&Okk2$7U$Z$AGs8].#KxtA:u+M]5oO(meGH3Fm3bNit7I#4qe]('1Iq;Q;P:vfQ>JLt3J_&viSY,bQcp.CJa)#`qPK)1vQJ(,39Z-]p*P(u3YD#v,;o0eAGA#PJ))3Kp-`&5[=,4skY)4S)ZA#e?N>J'Jw['<N)H&hEl;d$Ud('AIFqAf]<9%;Z(v#p:MZuPfOZ-+Oj'&?hbm&:3OH;wA4&>5-Sp&Q(-tLR/'L6vDw_s5e;##[Ifc)ftho.05r%4m(8C4lYWI)$qcT3]#:u$a]Q_#FLeY#;X^:/@AAC4DmG,*k:8Ye)-8>/2ekp/'[[x,4_Z:02<b72(f>C+H]_e$gMCf$%v'C(Iowe+sYT&,?./N0)%hm:<g2'MG=?C+:Hg;-OGg;-)D[20wfS=u/:hl8Wh8qVL?4J*O7%s$b4[s$dE/<7&pk-$G5ZA#cVjfLSP9+KJHBu$w1QwJJB'Y$8;`['<n-@'KJqwM+QohCq*gb.o,9%#.uQS%;L:`s99=8%,s:D37-CG)PEZd3`nVs-PNXA#[Q:a#_R(f)R35N'xh]g%KK:a#d1xv$vu/+*l_oC#d,;mQ.urp:+S-9.KE>3'sb(@,g]@L(2[hr&jSc1:J-N`+71RP/G0w]QqZ59%Z9,3'[2MO'O696&ej==$EIwo%0$AE+ZIt*MX,$8/Tmcs-%/P:vEs%p7-QLJ(E4$##0_(f)rkh8.eQ=g1IUFb3rEmGMMx;9/>%q`$B3M+*f1oH)sb.S<AXw8%WITj'j)-A'F%WNT-Zqf(@TM)'hA-$$4fl>#wUF,2_`uYuxA7<$qjcn&Ah9h($fZ-HRtOK1Yd0'#(NA.*0Zc8/BSsBos)8f39F<dX0BF:.Rkr;-G]%+1iBV)+0J/P'2(_T7-PNh#W)Y?#b;Zk+Un5R*mS[YmceMw&<-.L,E$@ENVb&o#<^U7#^?O&#swbI)[(Ls-b3NZ6%K3jL+Ua.3jpB:%qGU7/kTMv5,(*9%bEB:%els4:q3rGZ9eq6&0=?7;)VY_$N+J&,=wRu-AJ0kL1(Jg>]6#9%@cp1;<H:;$Ylc=l2tOcVQiou,<@,87'M`x-j,5e35IL,3l5MG)1BEYPEv3+NW]9,N?9EYPkgxW$9cl>#(M,W-]c6`&L$^p%=Da1B#YkA#&BD9.b]Z5/Qq0I$$S^%OEa`v%G5Kb.vOkxu0@D9.'/###nHNJVlgjxKJjK/)VI<#6IvtM(ZX;X-YxdAT[Ah8%OGE;PjX>;-uw5B#Bl;m/V*1I$#Sg%O*@c(NK_?.8(J-g)AD-wPLQm<-krsv%**KGW$pBq7O4l%l>n`ca.ikA#W_+%&O&A^H^_$##%&>uuPchR#QZI%#((;YPc(YD#x3YD#w:H>#XmgM's3vr-(g&W&6Y79%fkn9%>-h(*f-W@#]*>F)knd6O;<34':h[(<$8=rZBQ7iL[=SS%:I:`sV?RS.bS5-3i+h.*[*'u$l+8=7B.<9/`&PA#KD,G4a?T:%hl2T%kYo.Cc7dZ,'PE=(?IgK2g_-I#a(V?76+Wm/2InWAZTuM#P2CT&%,MC&/<TN0`V]iB<knW0DQbV.wA3DflQ+C.7DQ%b5-B&5[/T,365qKG/`OcMHt@C#IV/)*W<7f33i4sL2mmhMpSl]##<(C&6jE.3wb7F40/3-)PEkx#uX>J&@kgsL$MEs%OLit-,4>gLgVv/(S53E*L)7'42b?W&CH@T*$BIe)Gsi`'jE^2'&K`t(uVX9[7q7T%l^:0(pj)B(k`tT[N=S%#',Y:v'h8E#rqm(#SoA*#TkP]4)>WD#W*1T&/M0+*CdA=%_wkj1#&;9/[7%s$x)Qv$o+Q-3[cJD*-V&E#;Z^k93V]=%F%r8.,grk'dx+G4Mn24%a#=w91ACW-DQ?=La<]j0hOLs-F_nS%Hkjp%[ljE*Fqew#H%iv#cg'[7_k7NWPbcE#g`]#,JaId)[#?3';YB@%<.aC&2@aN=DEgq%%J8L(#FGN'jkCw,lRE5&bOml/iF'NBRx((93YZd)b5f;%/-Y`3$&>uuX4>>#>;F&#N;+G4v:^Y,bv./08bUa4?a2@$57fT%de75/r#W)'fRgO;r1<=.Pw<p%dqh[,q;T&,>q7?#*K:3'7m#p%)g*61qX8V%9r8,31d24';l1s'/lIH%C>Jb-f5a9D>O,/L^N78.84,876a=T82$.m0`9Ss-wHil87=P)4G-LB-<bH29eYpJ)f;)B'JM/)*TvtxFC_39%'5h;-2jsv5iU>7;J+1=//qDJ)H*.%,3nx9.72M3&ZTXp%djDC&u7v?0sMJOE='oK)DmPO0uXk0(8)Lm'k@'eZI-2BZn9+o9-gG,*6x_caIlplT[Ec-Qb[1_#nv-cr_tcxO5kS'Jnm7f30sxiLuoYA#^nr?#8ekD#<G[Z$grKp7B6V>78QW@,==D?#Z?_a<7)'Y&8iNE&%NtM&H.)Zu(;OR/V&q6&(,Rn&QVhJ)P5pp&UcgZP3L>;)N####vc+:vdD3L#UC>d$jEOA#he#T/?TMm$U/_p.F?uD#p>kKPO<>`#SdL;$K%v>uU4@H)&2Z/$*tH)4o>)^u4u?%-:7fCWb-A<$[;Vo&T+>J&_^0q%a8[%-efH988K[A5IoW:,QRh`.9DH%b#`:5/E,W]+3HSs7YDlA#9KB5)grc>e44pfLiP]S#Pm*$M,x(hL+Fr2:($_>$jFm;-Z-Kg1::tD#DMn;%*vZ]4f[I>:$o0B>(f>C+t4de$I<Qg(<4I'PoN1K(YZ`::=rcG*Mk'i#%'5<$RjwF4ERR8%M####xwP50IG;F47@&s$$d(T/b.i?#Mu6:R$Y^L$@I@<$1h'?$@1r;$FveYLGhxP&6lhV$S,1I$nII<$[2Puux+Yu#ZB*1#b2h'#u^M3VfRDU8i-$Z$F+i;-43n#)IXIh&o:SW?ZkuN':1[`<*aWE*@OTk1];;o&Kn+A'.eF^&D37o[NYRW?+VRD&IW4d.S3Z&#=rcERb?%p7>/MJ(3ufr6I7n`SGQPA#J@[s$k^<c4x?7f3Jc7C#QL-.MO%NT/WUrt-a_5GM01L+*T>([-%41:)NN3E3*0vs81nYR&+YN/2[H-u%o&pn/@,&-):F<p%r]Dk'ab7<$sWs20w1Z(+^Z#r%[%te)3QgJ)#]`s69BcgP)A8W$cDR)*cY#$6qZrG)[)>+BEl7W$M<tt$X9Ck10e4t$RUIs$R,C308koW$RKXX$o#pW$:%_58=`Q_#A&.8#PvK'#;(3]-YrIjiriSF4hlwU/>;gF41rSfLRpC$%lf/+*8S@`a,E'2)'q)9'/rZT8a2?r%25jl0RJ<e)lb7Z7Gwlx46)J-)6v1p/$SV?#P@ce)A0KW$R9A&,29qm&(2qKG(+#VdlGI?%[#`=%lxIA40k'u$VluhMw93B6[VUi#'VtGMK?LSMxQP7e:-n(#$),##_q5V#,I24#xjP]49`Z=7&[&r8vZW/2ck2b5D)+P(]::8.`=WAbo5k-$9UhhL*,dY'f>QN'PGOhUW$v-M6)rU%M[hfu+muN'qtSVIn)@`AwoC.;3Lj9D'*YA#LF8Z$QfA_4Vd1JUsYO]lF3pG*.pia-'QV$BIYClIMA4kbJ,Y:vxiqR#'uCl-aiHRaFY@C#kK(E#B99T.Ec7C#FuuHOoNw1Kt+2[Be8Yuu2Zqn#pkh7#Iqn%#SPUV$f8t1):N.)*Z[)Q/A$G)<,+)H*>nE)<P[D-**.qX6j)K.$?<P)3atep%X@x;Qi:Jt%AWW#&'HAcNR1_KMbiTm(`2Afhfsf*%68Fq&05qDNp`ub%l,PT%*Bdp%g7KgLQ02iL8?6##Cw3<-D(m<-Z5Sn$1IE:.oBpTVh%AA48>F$%7NZ,2bbgs$WLIT%UM3T%n6[s&q[i8.0a7X$8_6Z$#Q842n:/o#;WL7#>=#+#(+Bk$mEZd3-OS,*9`:5/B.i?#Z+hkL^0#V/w^v)4P:.6/DUcI)g7+gLP]XjL<[tD#4Le;-`DL[-Abln*gO&9.o;d31lqkd?:mi,)1xqv#M'S@#I5,j)@ekX$<Usl&n,0+EZ?W8&_g)B#X;rsLbj^VKs:(X%lcZr%37(x5k2S$9O/mX$EWUg(_/20(Z+K>-%Z&03'>cuu$8YY#P*[0#FVs)#YaqpL>U-1M&OrB#l5MG)*Dei$UekD#X7KgL.`,c4CY@C#g3YD#,]0v56W8x,r<;W-O9ki0SBo8%q>Ib3#C7f30d%H)nGSF4nGUv-[YWI)ue0h2&iv8%6C3p%qre-)q(J-)X##+%E'd**I17s$n%f;6kRl_+L9N*.#SiZukh,##dG.P'Y>l@5CbjP&U(1s-e$8@#N^[h(bYR1(>k/Q&A-5/(SmGr%Fvfe*6lJ-)x*?h>nr24'_GnI2ulWa*ln9n'+C36/](o*3/K7L(.O1v#^_-X-,Be61#5'F*9oUv#)Auu#XLVS%*C3L#A,^*#=aX.#mp@.*&@*Q/*W8f3<U/[#,eAj0V::8.6iZx6S4-J*CANBomuYD4v2(H*n0ldtHx6%-B#mG;8;;H*rHRF4#$650WH5<.vu/+*^l-F%pVGq;c7%s$*C&s$:'ihL`DN`#O8@F#%RL1;5S>C+@_oi'')539'?@F#`FC.*stq<-,kuN'u/:'-q.;?%7<9a<ujJ7/;JT0MTW]L=BNX4SiYh&=p?j20*SN/2G<At#0XFT%au6s$FI@w#kr2x-oU-##%b$M;4UD%6B0^30,0mj']*JI4LhR>#eu.P'nT8n/dNl/(f3E6/n?^6&=2&_4+N[f)>k>F#fa:L;vM(&=AUwS%)<bF=WXtJ2R,U'##soXu/%YS7Gt^`*e>(T.fvUO'm(Ud1(`d5/[j:9/ccor6'I'*#x<pa#?=di9s4Xs/s5^Q2Px0??[M3&+]Q>7&H-W.P^QKq%;.`v#:.ua40Bxb4J+R98Xd/BFXoE9%/8+5_W-f<$Aba5&GC:$vgWGJLx35;6hE%##gBow@oV(u$HIYQ's3vr-QTWjLnoOZ6m('J3?t>V/kK(E#SrU%6VmS,3bONU2+t%],f*Zg)7c7%-LMwIqO?q9&LP.<?_v^_,K(Aa+=(35M=(b31l^<t&$UQ0)3>`6&b/qT7)IqN(kqg@OXG[W$0Gb50UQp6&RG>Y-DFYw5[aR60g,T9.%f*A'xJEb7F/34';T_8._IT>/P*-??bpcq9QL?>#bl9'#]#<X(mrUC,elqB#OgHd)E7Kv-OU+naD)h*%e-YD#$Re+4Ni)I-'TID*@b1*Ne/=,N+@j?#xo<F7w)iw0(cR79_Y?C#NLlZ,/4$o1T^WN94=[iLn^DKC%%bN0O+s;&8XA30q-2kLFb.q.w:+.)aA[q)KRVL3rk?.NBFo/R>`3B-%0IA-n^DM/',Y:v(M'%M_@d&#DJa)#pPUV$R4r?#cJ?C#G>CQ9fh1T/j:2mLOiYA#qd8x,OgGj'>#Me2Jva.3ig'u$^#:u$BKc8/j5='ml%Li^>kfM'IY1,`tpkgLX0As$7&lY(-NU8/k6.>/VOaP&g*+6&,_W$TPNbe$]eJ2'NCNq2SnU)$*o(9.i<B994],=Rq)R)4g$Px-=Nv7&886QS$f?MM[H2i/(2###%b_S7Y(u;%Npxjk$h@M9TbBv-q<8O6nbU@,abLs-YBSP/]::8.*W8f3;#K+*uW^u.:0s2/*-T%6=R]w'lIxe2dHt]#N$v[-DNaa4nQXA#BjUp/Jg4',90>nElv#Z.Od>3'd[jo9brW9&9dK9%e&vx4F..L*F]:v#,;=a*`n36/QsB%bw8md/_JqS2kV_pLg5q(,4k*M&`?L-)f;3u/#=I-)XhXVdrRDS(Z+)S&ra?W&1;P>#MZhrI;?K[#dmx0*/]kV7+C%##:wE<-17w2&*)sFPg<S+%Yh),>Y)E.33D2T.v5Zv&h%,)NSSx3%d=Ou(0jU5MO8?uu+'pV%*@W:.MN>m/Rq@.*dZ'u$bJPD%^=Ip.Dh+%,0E9I$'9PF%J4X#-.f4GMT4/cV]:q0MM+d<-;'FK478qCa<G?`a;'GJ(;NHD*W_d5/`UW`<i0wC#[=fOo^]%@#%apf'$-mK5iNj?#Bx37/MHPn&BbjjL>ID=-Tlk*>.L%a+o8o6W[jp5/h=K,3nM#lLtGGA#L,/;M;9rx0+s$C#B4;ZuuL.GVg3%dM1T7U.V5/$5_eHG>l&=#-HW4<-b@)*%Bv:9/d>6$6urGA#atr?#&_va$lx*iHa:nJ#:YDm&F-%w%/%Lp7WLO]uh.2i15D6t63*?('J1F=%)FPgL`]ZY#K1*]b*ag(amK^/1MFn8%`B&s$ZpB:%0)&b-PD6F%?d0<7al+c43v+G4[5ZA#O59f3inL+*o%^F*^4-XLiq[s$+d]D#(BcJ(-@Sj0K]N^4KX7a+-fd5/k3AN0-)TKM;9BN0n()a4,K:V%52HAk[x):8:%]5&7C&<$;mqd2G3,n&m*(r&_q[8%:'TW$-u9N(U<fY-D5ti,p;E&+o4:kLd@*:8';G##[*Zr#p@)4#8&*)#Z7p*#hPPA#ON>V.-opr6qGcL';=1)N:^k4:T7Z;%571B#D24>-hkfT%CI$,*104b+$150Lj=g^+EZP.U(f>C+-;/)*C1@<$`eY>#At3R/0*)H*_v,40qLEN0_@9K2bPQ>>ZJOJMAK8a+taJV/FV<Z8F/96]+rk&#%/5##M0o^fJR,,)JC$##,;Rv$t@0+*5HSF4gc[:/KGW/2SX7%-X*Zs?>8``bu`,-&)gZ6&A,>q%K3/%,^la1B&r9B#=dcYu,p@/MWF1#&l0T$lIJ6K)uN)%,D@CC#$:8rm<lQiT7`###rY5lLoKPA#bDVBQF-s:1doWDb[Pe)*#v1jTf<^;-A:iT.-[1Wb4:2=-Phc-M=F5gL5C9C-+=9C-;Xp$.-J+gLb`7C#[j:9/ZZVA.llA>,'P8;[nRNWJ[`C.;w@$$$l@AC#.P@k=_7%s$OQ9.;J.KKM`X<**mF?^9.YPs-CF.-;ml'^uxKdQ&5+>R*6U^JDdwn>'rV8>,(Z*^#KA%K1[Luw5n@5c4TMrB#1eU_A>P_a+/hUu?t*uq&xCtS7mv$%B^,w6*N#<daJVQaNeO4gLW`#n>_[N_5jK%##,R(f)-<Tv-k/169+O(E4+._C4='K,*Le&-*Yo%&4YaKW$72pb4i9(Z>BZ^/)+*NO+*/]I)O:h(EWVrq'[-Jw#ES211bANS0pZXK1W2n`*QfSB+H?VO;)tBI4q3kt$AL<p%N;9bQ@<)r.,'tU.n32*Kr;=G#U2`K(;L<:8WH`K(qpP0(#s5%-th%xS``Mv#T;[d)]N2DfX)CH0?TG40l08%#41%wuL/sW#<,JnLNh*F3pBj;-^1X/%df%&4TtG;)Vi2U.BsMF3a8mp%/tFA#bg'B#jVXp%WIl<MH.d`OQH8u-1_4V?*:@2LJ%O3&pVfr0HQ*_O7XDY&$,PV-:vpQa9_Aj0_T^:/[M1E4k&B.*W6#8&a>#d3'MoC,Yt6##^*-12EKIJ)uN)%,(A/[ul0x5/ej0/'5//;MLUbm-^**%,$qV1,K[uq&;XKfLWwH##:d-o#E&.8#h>$(#N8u>@LL)m1PF@<.Xh1f)Hq_F*Ek3Q/kHuD#iapi'&#[]4FJd,*dI+gLnT]s$j:Ls-iE(E#6,IT%rXfQ&7aiS&h@BQ&nf]^7S=LI2,&7n&gn*b+F.av#mVom8->%[#oXt.)XRNVRq4<9))fNnSt3vN'/@(V&7=1V&mK6K1Sl7:Ln.fJE(5&C46f8p0^RVZ#pZ^t8+<Ov#_BOe+s$rw,0FZSJN)b1)W-/L5iq.%#.+_j%ub_S7=-&v#5FNP&K&@D*@%$##0G2T/aw(a4N$s8.CeL+*u*mV-vc(T/HD]=%7hJrmXR`N2Bn)K9IHVQC`vcV$/.g`*^Hc>##b[Nj?1dcaxcAG2ED:v#$v4uu,7958%P:v#t=58.$,Y:vBJHs-M5^l8bj(9/vf%&4n0Yo&(:k=.Y((*>)9Bj0nJn_>?#-eQPH^@#CG0H);l%n&>%'I,7&$9%V3=MCK:lgLL0W=-YZ+Z-L[t05@<A?Pv-8u-lRPM9:]R&,-qAAeAO4s%Zrk@?*%gG3*55p'TaeC#-^v7A0LPN'^]/B+u5+%,/<#LQ]e/GV1^[N8u<CH2&t@E+jwu0Lo=_Y(o:%?7QO?>#QSViK4E0A=LKu`4aeO,2S(Ls-22'9%mTgU%L=Zd)5*j<%oQl)*E`j)*/bY,M.R@T.&`X]u)Jg9;gFjl&0ixFr#I187[9AVHKG'##8=Nc+NqR*5;'&i)(??A4AaAf3$fNT/+kRP/oGUv-Nki?#_Qo8%l(KF*97#`4oo/f)+2pb4$,]]477DB%P5#l9PO-C#-duJ(5+7X-D45@5c@nM05kJ30kh6X-7X=5T?1^P'4F4g1=QWh)C6ihL#[Z(+bvZ;)?m(q<rTF+5?S39/st+E&QN)R'W^Kq%oHpM'oN/7/Wjpq%QDbl($=cgLJ6GhUhv[).Jki%,PP?w-hTBq%B0ZA4hXP_+OaFm'UsX-H6]aOD`CT8/TAiA=.31V&b6ai0Vh$##bl@d)^^D.3FH7l1'/dt$p&A+4@vTs-l9]c;cD^v-wHeF4Dk:B#&SwvK(mL5/+ugfQ0t.'M4.VH2r^?3:*+l.)eBA@#6V`iL^2oiLvN2DfxvnT%K5a:M^&_m&JTbG%ZtLrZT.FcM_v]%#c@`T.-Yu##;A`T.,Mc##QsG<-5X`=-nsG<-*fG<-:B`T.8.`$#m#XN03c:?#-5>##_RFgLNJhkL0=`T.6:r$#34xU.3xL$#AsG<-5X`=-YsG<-*fG<-&B`T.H9F&#@tG<-JPI+3Ze/*#Xst.#e)1/#I<x-#-#krL;,;'#2_jjL/u@(#0Q?(#Xp/kL<LoqL0xc.#wC.v6F+U.G5E+7DHX5p/W%C,38q:417=vLFa-'##jS3rLP@]qLbqP.#pm-qL5T->>9l7FH5m?n2MT4oLkL#.#6^mL-Kr;Y0BvZ6D.gcdGBh%nLPKCsL3T,.#+W;qLFm%hEgdJX9J%Un=p&Ck=%8)_Sk+=L5B+?']l<4eHR`?F%X<8w^egCSC7;ZhFhXHL28-IL2ce:qWG/5##vO'#vMnBHM4c^;-SU=U%R9YY#*J(v#.c_V$2%@8%6=wo%:UWP&>n82'B0pi'FHPJ(Ja1,)N#ic)R;ID*VS*&+Zla]+_.B>,cF#v,g_YV-kw:8.o9ro.sQRP/wj320%-ki0)EKJ1-^,,21vcc258DD39P%&4=i[]4A+=>5ECtu5I[TV64+*WHnDmmLF[#<-WY#<-XY#<-YY#<-ZY#<-[Y#<-]Y#<-^Y#<-_Y#<-`Y#<-hY#<-iY#<-jY#<-kY#<-lY#<-m`>W-hrQF%WuQF%%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2%w*g2'0O,3rX:d-juQF%&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3&*F,3(9kG3rX:d-kuQF%'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3'3bG3)?tG3?:w0#H,P:vb&ij;[-<$#i(ofL^@6##0F;=-345dM,MlCj[O39MdX4Fh5L*##1c+@j@t@AtH,ECQ" -- >> BASE85 DATA << imgui.GetIO().IniFilename = nil whiteashelper = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\settingswhite.png') blackashelper = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\settingsblack.png') whitebinder = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\binderwhite.png') blackbinder = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\binderblack.png') whitelection = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\lectionwhite.png') blacklection = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\lectionblack.png') whitedepart = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\departamenwhite.png') blackdepart = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\departamentblack.png') whitechangelog = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\changelogwhite.png') blackchangelog = imgui.CreateTextureFromFile(getGameDirectory()..'\\moonloader\\Mordor Police Helper\\Images\\changelogblack.png') rainbowcircle = imgui.CreateTextureFromFileInMemory(new('const char*', circle_data), #circle_data) local config = imgui.ImFontConfig() config.MergeMode, config.PixelSnapH = true, true local glyph_ranges = imgui.GetIO().Fonts:GetGlyphRangesCyrillic() local faIconRanges = new.ImWchar[3](fa.min_range, fa.max_range, 0) local font_path = getFolderPath(0x14) .. '\\trebucbd.ttf' imgui.GetIO().Fonts:Clear() imgui.GetIO().Fonts:AddFontFromFileTTF(font_path, 13.0, nil, glyph_ranges) imgui.GetIO().Fonts:AddFontFromMemoryCompressedBase85TTF(font85, 13.0, config, faIconRanges) for k,v in pairs({8, 11, 15, 16, 25}) do font[v] = imgui.GetIO().Fonts:AddFontFromFileTTF(font_path, v, nil, glyph_ranges) imgui.GetIO().Fonts:AddFontFromMemoryCompressedBase85TTF(font85, v, config, faIconRanges) end checkstyle() end) function checkstyle() imgui.SwitchContext() local style = imgui.GetStyle() local colors = style.Colors local clr = imgui.Col local ImVec4 = imgui.ImVec4 local ImVec2 = imgui.ImVec2 style.WindowTitleAlign = ImVec2(0.5, 0.5) style.WindowPadding = ImVec2(15, 15) style.WindowRounding = 6.0 style.FramePadding = ImVec2(5, 5) style.FrameRounding = 5.0 style.ItemSpacing = ImVec2(12, 8) style.ItemInnerSpacing = ImVec2(8, 6) style.IndentSpacing = 25.0 style.ScrollbarSize = 15 style.ScrollbarRounding = 9.0 style.GrabMinSize = 5.0 style.GrabRounding = 3.0 style.ChildRounding = 7.0 if configuration.main_settings.style == 0 or configuration.main_settings.style == nil then colors[clr.Text] = ImVec4(0.80, 0.80, 0.83, 1.00) colors[clr.TextDisabled] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.WindowBg] = ImVec4(0.06, 0.05, 0.07, 0.95) colors[clr.ChildBg] = ImVec4(0.10, 0.09, 0.12, 0.50) colors[clr.PopupBg] = ImVec4(0.07, 0.07, 0.09, 1.00) colors[clr.Border] = ImVec4(0.40, 0.40, 0.53, 0.50) colors[clr.BorderShadow] = ImVec4(0.92, 0.91, 0.88, 0.00) colors[clr.FrameBg] = ImVec4(0.15, 0.14, 0.16, 0.50) colors[clr.FrameBgHovered] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.FrameBgActive] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.TitleBg] = ImVec4(0.76, 0.31, 0.00, 1.00) colors[clr.TitleBgCollapsed] = ImVec4(1.00, 0.98, 0.95, 0.75) colors[clr.TitleBgActive] = ImVec4(0.80, 0.33, 0.00, 1.00) colors[clr.MenuBarBg] = ImVec4(0.10, 0.09, 0.12, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.10, 0.09, 0.12, 1.00) colors[clr.ScrollbarGrab] = ImVec4(0.80, 0.80, 0.83, 0.31) colors[clr.ScrollbarGrabHovered] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.ScrollbarGrabActive] = ImVec4(0.06, 0.05, 0.07, 1.00) colors[clr.CheckMark] = ImVec4(1.00, 0.42, 0.00, 0.53) colors[clr.SliderGrab] = ImVec4(1.00, 0.42, 0.00, 0.53) colors[clr.SliderGrabActive] = ImVec4(1.00, 0.42, 0.00, 1.00) colors[clr.Button] = ImVec4(0.15, 0.14, 0.21, 0.60) colors[clr.ButtonHovered] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.ButtonActive] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.Header] = ImVec4(0.15, 0.14, 0.21, 0.60) colors[clr.HeaderHovered] = ImVec4(0.24, 0.23, 0.29, 1.00) colors[clr.HeaderActive] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.ResizeGrip] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.ResizeGripHovered] = ImVec4(0.56, 0.56, 0.58, 1.00) colors[clr.ResizeGripActive] = ImVec4(0.06, 0.05, 0.07, 1.00) colors[clr.PlotLines] = ImVec4(0.40, 0.39, 0.38, 0.63) colors[clr.PlotLinesHovered] = ImVec4(0.25, 1.00, 0.00, 1.00) colors[clr.PlotHistogram] = ImVec4(0.40, 0.39, 0.38, 0.63) colors[clr.PlotHistogramHovered] = ImVec4(0.25, 1.00, 0.00, 1.00) colors[clr.TextSelectedBg] = ImVec4(0.25, 1.00, 0.00, 0.43) colors[clr.ModalWindowDimBg] = ImVec4(0.00, 0.00, 0.00, 0.30) elseif configuration.main_settings.style == 1 then colors[clr.Text] = ImVec4(0.95, 0.96, 0.98, 1.00) colors[clr.TextDisabled] = ImVec4(0.65, 0.65, 0.65, 0.65) colors[clr.WindowBg] = ImVec4(0.14, 0.14, 0.14, 1.00) colors[clr.ChildBg] = ImVec4(0.14, 0.14, 0.14, 1.00) colors[clr.PopupBg] = ImVec4(0.14, 0.14, 0.14, 1.00) colors[clr.Border] = ImVec4(1.00, 0.28, 0.28, 0.50) colors[clr.BorderShadow] = ImVec4(1.00, 1.00, 1.00, 0.00) colors[clr.FrameBg] = ImVec4(0.22, 0.22, 0.22, 1.00) colors[clr.FrameBgHovered] = ImVec4(0.18, 0.18, 0.18, 1.00) colors[clr.FrameBgActive] = ImVec4(0.09, 0.12, 0.14, 1.00) colors[clr.TitleBg] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.TitleBgActive] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.TitleBgCollapsed] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.MenuBarBg] = ImVec4(0.20, 0.20, 0.20, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.02, 0.02, 0.02, 0.39) colors[clr.ScrollbarGrab] = ImVec4(0.36, 0.36, 0.36, 1.00) colors[clr.ScrollbarGrabHovered] = ImVec4(0.18, 0.22, 0.25, 1.00) colors[clr.ScrollbarGrabActive] = ImVec4(0.24, 0.24, 0.24, 1.00) colors[clr.CheckMark] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.SliderGrab] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.SliderGrabActive] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.Button] = ImVec4(1.00, 0.30, 0.30, 1.00) colors[clr.ButtonHovered] = ImVec4(1.00, 0.25, 0.25, 1.00) colors[clr.ButtonActive] = ImVec4(1.00, 0.20, 0.20, 1.00) colors[clr.Header] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.HeaderHovered] = ImVec4(1.00, 0.39, 0.39, 1.00) colors[clr.HeaderActive] = ImVec4(1.00, 0.21, 0.21, 1.00) colors[clr.ResizeGrip] = ImVec4(1.00, 0.28, 0.28, 1.00) colors[clr.ResizeGripHovered] = ImVec4(1.00, 0.39, 0.39, 1.00) colors[clr.ResizeGripActive] = ImVec4(1.00, 0.19, 0.19, 1.00) colors[clr.PlotLines] = ImVec4(0.61, 0.61, 0.61, 1.00) colors[clr.PlotLinesHovered] = ImVec4(1.00, 0.43, 0.35, 1.00) colors[clr.PlotHistogram] = ImVec4(1.00, 0.21, 0.21, 1.00) colors[clr.PlotHistogramHovered] = ImVec4(1.00, 0.18, 0.18, 1.00) colors[clr.TextSelectedBg] = ImVec4(1.00, 0.25, 0.25, 1.00) colors[clr.ModalWindowDimBg] = ImVec4(0.00, 0.00, 0.00, 0.30) elseif configuration.main_settings.style == 2 then colors[clr.Text] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.TextDisabled] = ImVec4(0.24, 0.24, 0.24, 0.30) colors[clr.WindowBg] = ImVec4(1.00, 1.00, 1.00, 1.00) colors[clr.ChildBg] = ImVec4(0.96, 0.96, 0.96, 1.00) colors[clr.PopupBg] = ImVec4(0.92, 0.92, 0.92, 1.00) colors[clr.Border] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.BorderShadow] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ImVec4(0.68, 0.68, 0.68, 0.50) colors[clr.FrameBgHovered] = ImVec4(0.82, 0.82, 0.82, 1.00) colors[clr.FrameBgActive] = ImVec4(0.76, 0.76, 0.76, 1.00) colors[clr.TitleBg] = ImVec4(0.00, 0.45, 1.00, 0.82) colors[clr.TitleBgCollapsed] = ImVec4(0.00, 0.45, 1.00, 0.82) colors[clr.TitleBgActive] = ImVec4(0.00, 0.45, 1.00, 0.82) colors[clr.MenuBarBg] = ImVec4(0.00, 0.37, 0.78, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.ScrollbarGrab] = ImVec4(0.00, 0.35, 1.00, 0.78) colors[clr.ScrollbarGrabHovered] = ImVec4(0.00, 0.33, 1.00, 0.84) colors[clr.ScrollbarGrabActive] = ImVec4(0.00, 0.31, 1.00, 0.88) colors[clr.CheckMark] = ImVec4(0.00, 0.49, 1.00, 0.59) colors[clr.SliderGrab] = ImVec4(0.00, 0.49, 1.00, 0.59) colors[clr.SliderGrabActive] = ImVec4(0.00, 0.39, 1.00, 0.71) colors[clr.Button] = ImVec4(0.00, 0.49, 1.00, 0.59) colors[clr.ButtonHovered] = ImVec4(0.00, 0.49, 1.00, 0.71) colors[clr.ButtonActive] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.Header] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.HeaderHovered] = ImVec4(0.00, 0.49, 1.00, 0.71) colors[clr.HeaderActive] = ImVec4(0.00, 0.49, 1.00, 0.78) colors[clr.Separator] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.SeparatorHovered] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.SeparatorActive] = ImVec4(0.00, 0.00, 0.00, 0.51) colors[clr.ResizeGrip] = ImVec4(0.00, 0.39, 1.00, 0.59) colors[clr.ResizeGripHovered] = ImVec4(0.00, 0.27, 1.00, 0.59) colors[clr.ResizeGripActive] = ImVec4(0.00, 0.25, 1.00, 0.63) colors[clr.PlotLines] = ImVec4(0.00, 0.39, 1.00, 0.75) colors[clr.PlotLinesHovered] = ImVec4(0.00, 0.39, 1.00, 0.75) colors[clr.PlotHistogram] = ImVec4(0.00, 0.39, 1.00, 0.75) colors[clr.PlotHistogramHovered] = ImVec4(0.00, 0.35, 0.92, 0.78) colors[clr.TextSelectedBg] = ImVec4(0.00, 0.47, 1.00, 0.59) colors[clr.ModalWindowDimBg] = ImVec4(0.20, 0.20, 0.20, 0.35) elseif configuration.main_settings.style == 3 then colors[clr.Text] = ImVec4(1.00, 1.00, 1.00, 1.00) colors[clr.WindowBg] = ImVec4(0.14, 0.12, 0.16, 1.00) colors[clr.ChildBg] = ImVec4(0.30, 0.20, 0.39, 0.00) colors[clr.PopupBg] = ImVec4(0.05, 0.05, 0.10, 0.90) colors[clr.Border] = ImVec4(0.89, 0.85, 0.92, 0.30) colors[clr.BorderShadow] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ImVec4(0.30, 0.20, 0.39, 1.00) colors[clr.FrameBgHovered] = ImVec4(0.41, 0.19, 0.63, 0.68) colors[clr.FrameBgActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.TitleBg] = ImVec4(0.41, 0.19, 0.63, 0.45) colors[clr.TitleBgCollapsed] = ImVec4(0.41, 0.19, 0.63, 0.35) colors[clr.TitleBgActive] = ImVec4(0.41, 0.19, 0.63, 0.78) colors[clr.MenuBarBg] = ImVec4(0.30, 0.20, 0.39, 0.57) colors[clr.ScrollbarBg] = ImVec4(0.30, 0.20, 0.39, 1.00) colors[clr.ScrollbarGrab] = ImVec4(0.41, 0.19, 0.63, 0.31) colors[clr.ScrollbarGrabHovered] = ImVec4(0.41, 0.19, 0.63, 0.78) colors[clr.ScrollbarGrabActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.CheckMark] = ImVec4(0.56, 0.61, 1.00, 1.00) colors[clr.SliderGrab] = ImVec4(0.41, 0.19, 0.63, 0.24) colors[clr.SliderGrabActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.Button] = ImVec4(0.41, 0.19, 0.63, 0.44) colors[clr.ButtonHovered] = ImVec4(0.41, 0.19, 0.63, 0.86) colors[clr.ButtonActive] = ImVec4(0.64, 0.33, 0.94, 1.00) colors[clr.Header] = ImVec4(0.41, 0.19, 0.63, 0.76) colors[clr.HeaderHovered] = ImVec4(0.41, 0.19, 0.63, 0.86) colors[clr.HeaderActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.ResizeGrip] = ImVec4(0.41, 0.19, 0.63, 0.20) colors[clr.ResizeGripHovered] = ImVec4(0.41, 0.19, 0.63, 0.78) colors[clr.ResizeGripActive] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.PlotLines] = ImVec4(0.89, 0.85, 0.92, 0.63) colors[clr.PlotLinesHovered] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.PlotHistogram] = ImVec4(0.89, 0.85, 0.92, 0.63) colors[clr.PlotHistogramHovered] = ImVec4(0.41, 0.19, 0.63, 1.00) colors[clr.TextSelectedBg] = ImVec4(0.41, 0.19, 0.63, 0.43) colors[clr.ModalWindowDimBg] = ImVec4(0.20, 0.20, 0.20, 0.35) elseif configuration.main_settings.style == 4 then colors[clr.Text] = ImVec4(0.90, 0.90, 0.90, 1.00) colors[clr.TextDisabled] = ImVec4(0.60, 0.60, 0.60, 1.00) colors[clr.WindowBg] = ImVec4(0.08, 0.08, 0.08, 1.00) colors[clr.ChildBg] = ImVec4(0.10, 0.10, 0.10, 1.00) colors[clr.PopupBg] = ImVec4(0.08, 0.08, 0.08, 1.00) colors[clr.Border] = ImVec4(0.70, 0.70, 0.70, 0.40) colors[clr.BorderShadow] = ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ImVec4(0.15, 0.15, 0.15, 1.00) colors[clr.FrameBgHovered] = ImVec4(0.19, 0.19, 0.19, 0.71) colors[clr.FrameBgActive] = ImVec4(0.34, 0.34, 0.34, 0.79) colors[clr.TitleBg] = ImVec4(0.00, 0.69, 0.33, 0.80) colors[clr.TitleBgActive] = ImVec4(0.00, 0.74, 0.36, 1.00) colors[clr.TitleBgCollapsed] = ImVec4(0.00, 0.69, 0.33, 0.50) colors[clr.MenuBarBg] = ImVec4(0.00, 0.80, 0.38, 1.00) colors[clr.ScrollbarBg] = ImVec4(0.16, 0.16, 0.16, 1.00) colors[clr.ScrollbarGrab] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.ScrollbarGrabHovered] = ImVec4(0.00, 0.82, 0.39, 1.00) colors[clr.ScrollbarGrabActive] = ImVec4(0.00, 1.00, 0.48, 1.00) colors[clr.CheckMark] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.SliderGrab] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.SliderGrabActive] = ImVec4(0.00, 0.77, 0.37, 1.00) colors[clr.Button] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.ButtonHovered] = ImVec4(0.00, 0.82, 0.39, 1.00) colors[clr.ButtonActive] = ImVec4(0.00, 0.87, 0.42, 1.00) colors[clr.Header] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.HeaderHovered] = ImVec4(0.00, 0.76, 0.37, 0.57) colors[clr.HeaderActive] = ImVec4(0.00, 0.88, 0.42, 0.89) colors[clr.Separator] = ImVec4(1.00, 1.00, 1.00, 0.40) colors[clr.SeparatorHovered] = ImVec4(1.00, 1.00, 1.00, 0.60) colors[clr.SeparatorActive] = ImVec4(1.00, 1.00, 1.00, 0.80) colors[clr.ResizeGrip] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.ResizeGripHovered] = ImVec4(0.00, 0.76, 0.37, 1.00) colors[clr.ResizeGripActive] = ImVec4(0.00, 0.86, 0.41, 1.00) colors[clr.PlotLines] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.PlotLinesHovered] = ImVec4(0.00, 0.74, 0.36, 1.00) colors[clr.PlotHistogram] = ImVec4(0.00, 0.69, 0.33, 1.00) colors[clr.PlotHistogramHovered] = ImVec4(0.00, 0.80, 0.38, 1.00) colors[clr.TextSelectedBg] = ImVec4(0.00, 0.69, 0.33, 0.72) colors[clr.ModalWindowDimBg] = ImVec4(0.17, 0.17, 0.17, 0.48) elseif configuration.main_settings.style == 5 then colors[clr.Text] = ImVec4(0.9, 0.9, 0.9, 1) colors[clr.TextDisabled] = ImVec4(1, 1, 1, 0.4) colors[clr.WindowBg] = ImVec4(0, 0, 0, 1) colors[clr.ChildBg] = ImVec4(0, 0, 0, 1) colors[clr.PopupBg] = ImVec4(0, 0, 0, 1) colors[clr.Border] = ImVec4(0.51, 0.51, 0.51, 0.6) colors[clr.BorderShadow] = ImVec4(0.35, 0.35, 0.35, 0.66) colors[clr.FrameBg] = ImVec4(1, 1, 1, 0.28) colors[clr.FrameBgHovered] = ImVec4(0.68, 0.68, 0.68, 0.67) colors[clr.FrameBgActive] = ImVec4(0.79, 0.73, 0.73, 0.62) colors[clr.TitleBg] = ImVec4(0, 0, 0, 1) colors[clr.TitleBgActive] = ImVec4(0.46, 0.46, 0.46, 1) colors[clr.TitleBgCollapsed] = ImVec4(0, 0, 0, 1) colors[clr.MenuBarBg] = ImVec4(0, 0, 0, 0.8) colors[clr.ScrollbarBg] = ImVec4(0, 0, 0, 0.6) colors[clr.ScrollbarGrab] = ImVec4(1, 1, 1, 0.87) colors[clr.ScrollbarGrabHovered] = ImVec4(1, 1, 1, 0.79) colors[clr.ScrollbarGrabActive] = ImVec4(0.8, 0.5, 0.5, 0.4) colors[clr.CheckMark] = ImVec4(0.99, 0.99, 0.99, 0.52) colors[clr.SliderGrab] = ImVec4(1, 1, 1, 0.42) colors[clr.SliderGrabActive] = ImVec4(0.76, 0.76, 0.76, 1) colors[clr.Button] = ImVec4(0.51, 0.51, 0.51, 0.6) colors[clr.ButtonHovered] = ImVec4(0.68, 0.68, 0.68, 1) colors[clr.ButtonActive] = ImVec4(0.67, 0.67, 0.67, 1) colors[clr.Header] = ImVec4(0.72, 0.72, 0.72, 0.54) colors[clr.HeaderHovered] = ImVec4(0.92, 0.92, 0.95, 0.77) colors[clr.HeaderActive] = ImVec4(0.82, 0.82, 0.82, 0.8) colors[clr.Separator] = ImVec4(0.73, 0.73, 0.73, 1) colors[clr.SeparatorHovered] = ImVec4(0.81, 0.81, 0.81, 1) colors[clr.SeparatorActive] = ImVec4(0.74, 0.74, 0.74, 1) colors[clr.ResizeGrip] = ImVec4(0.8, 0.8, 0.8, 0.3) colors[clr.ResizeGripHovered] = ImVec4(0.95, 0.95, 0.95, 0.6) colors[clr.ResizeGripActive] = ImVec4(1, 1, 1, 0.9) colors[clr.PlotLines] = ImVec4(1, 1, 1, 1) colors[clr.PlotLinesHovered] = ImVec4(1, 1, 1, 1) colors[clr.PlotHistogram] = ImVec4(1, 1, 1, 1) colors[clr.PlotHistogramHovered] = ImVec4(1, 1, 1, 1) colors[clr.TextSelectedBg] = ImVec4(1, 1, 1, 0.35) colors[clr.ModalWindowDimBg] = ImVec4(0.88, 0.88, 0.88, 0.35) elseif configuration.main_settings.style == 6 then local generated_color = monetlua.buildColors(configuration.main_settings.monetstyle, configuration.main_settings.monetstyle_chroma, true) colors[clr.Text] = ColorAccentsAdapter(generated_color.accent2.color_50):as_vec4() colors[clr.TextDisabled] = ColorAccentsAdapter(generated_color.neutral1.color_600):as_vec4() colors[clr.WindowBg] = ColorAccentsAdapter(generated_color.accent2.color_900):as_vec4() colors[clr.ChildBg] = ColorAccentsAdapter(generated_color.accent2.color_800):as_vec4() colors[clr.PopupBg] = ColorAccentsAdapter(generated_color.accent2.color_700):as_vec4() colors[clr.Border] = ColorAccentsAdapter(generated_color.accent3.color_300):apply_alpha(0xcc):as_vec4() colors[clr.BorderShadow] = imgui.ImVec4(0.00, 0.00, 0.00, 0.00) colors[clr.FrameBg] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x60):as_vec4() colors[clr.FrameBgHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x70):as_vec4() colors[clr.FrameBgActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x50):as_vec4() colors[clr.TitleBg] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0xcc):as_vec4() colors[clr.TitleBgCollapsed] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0x7f):as_vec4() colors[clr.TitleBgActive] = ColorAccentsAdapter(generated_color.accent2.color_700):as_vec4() colors[clr.MenuBarBg] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x91):as_vec4() colors[clr.ScrollbarBg] = imgui.ImVec4(0,0,0,0) colors[clr.ScrollbarGrab] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x85):as_vec4() colors[clr.ScrollbarGrabHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.ScrollbarGrabActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xb3):as_vec4() colors[clr.CheckMark] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.SliderGrab] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.SliderGrabActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0x80):as_vec4() colors[clr.Button] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.ButtonHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.ButtonActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xb3):as_vec4() colors[clr.Header] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xcc):as_vec4() colors[clr.HeaderHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.HeaderActive] = ColorAccentsAdapter(generated_color.accent1.color_600):apply_alpha(0xb3):as_vec4() colors[clr.ResizeGrip] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0xcc):as_vec4() colors[clr.ResizeGripHovered] = ColorAccentsAdapter(generated_color.accent2.color_700):as_vec4() colors[clr.ResizeGripActive] = ColorAccentsAdapter(generated_color.accent2.color_700):apply_alpha(0xb3):as_vec4() colors[clr.PlotLines] = ColorAccentsAdapter(generated_color.accent2.color_600):as_vec4() colors[clr.PlotLinesHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.PlotHistogram] = ColorAccentsAdapter(generated_color.accent2.color_600):as_vec4() colors[clr.PlotHistogramHovered] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.TextSelectedBg] = ColorAccentsAdapter(generated_color.accent1.color_600):as_vec4() colors[clr.ModalWindowDimBg] = ColorAccentsAdapter(generated_color.accent1.color_200):apply_alpha(0x26):as_vec4() else configuration.main_settings.style = 0 checkstyle() end end function string.split(inputstr, sep) if sep == nil then sep = '%s' end local t={} ; i=1 for str in gmatch(inputstr, '([^'..sep..']+)') do t[i] = str i = i + 1 end return t end function string.separate(a) if type(a) ~= 'number' then return a end local b, e = gsub(format('%d', a), '^%-', '') local c = gsub(b:reverse(), '%d%d%d', '%1.') local d = gsub(c:reverse(), '^%.', '') return (e == 1 and '-' or '')..d end function string.rlower(s) local russian_characters = { [155] = '[', [168] = 'Ё', [184] = 'ё', [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] = 'я', } s = lower(s) local strlen = len(s) if strlen == 0 then return s end s = lower(s) local output = '' for i = 1, strlen do local ch = s:byte(i) if ch >= 192 and ch <= 223 then output = output .. russian_characters[ch + 32] elseif ch == 168 then output = output .. russian_characters[184] else output = output .. char(ch) end end return output end function isKeysDown(keylist, pressed) if keylist == nil then return end keylist = (find(keylist, '.+ %p .+') and {keylist:match('(.+) %p .+'), keylist:match('.+ %p (.+)')} or {keylist}) local tKeys = keylist if pressed == nil then pressed = false end if tKeys[1] == nil then return false end local bool = false local key = #tKeys < 2 and tKeys[1] or tKeys[2] local modified = tKeys[1] if #tKeys < 2 then if wasKeyPressed(vkeys.name_to_id(key, true)) and not pressed then bool = true elseif isKeyDown(vkeys.name_to_id(key, true)) and pressed then bool = true end else if isKeyDown(vkeys.name_to_id(modified,true)) and not wasKeyReleased(vkeys.name_to_id(modified, true)) then if wasKeyPressed(vkeys.name_to_id(key, true)) and not pressed then bool = true elseif isKeyDown(vkeys.name_to_id(key, true)) and pressed then bool = true end end end if nextLockKey == keylist then if pressed and not wasKeyReleased(vkeys.name_to_id(key, true)) then bool = false else bool = false nextLockKey = '' end end return bool end function changePosition(table) lua_thread.create(function() local backup = { ['x'] = table.posX, ['y'] = table.posY } ChangePos = true sampSetCursorMode(4) ASHelperMessage('Нажмите {MC}ЛКМ{WC} чтобы сохранить местоположение, или {MC}ПКМ{WC} чтобы отменить') while ChangePos do wait(0) local cX, cY = getCursorPos() table.posX = cX+10 table.posY = cY+10 if isKeyDown(0x01) then while isKeyDown(0x01) do wait(0) end ChangePos = false sampSetCursorMode(0) addNotify('Позиция сохранена!', 5) elseif isKeyDown(0x02) then while isKeyDown(0x02) do wait(0) end ChangePos = false sampSetCursorMode(0) table.posX = backup['x'] table.posY = backup['y'] addNotify('Вы отменили изменение\nместоположения', 5) end end ChangePos = false inicfg.save(configuration,'Mordor Police Helper') end) end function imgui.Link(link, text) text = text or link local tSize = imgui.CalcTextSize(text) local p = imgui.GetCursorScreenPos() local DL = imgui.GetWindowDrawList() local col = { 0xFFFF7700, 0xFFFF9900 } if imgui.InvisibleButton('##' .. link, tSize) then os.execute('explorer ' .. link) end local color = imgui.IsItemHovered() and col[1] or col[2] DL:AddText(p, color, text) DL:AddLine(imgui.ImVec2(p.x, p.y + tSize.y), imgui.ImVec2(p.x + tSize.x, p.y + tSize.y), color) end function imgui.BoolButton(bool, name) if type(bool) ~= 'boolean' then return end if bool then local button = imgui.Button(name) return button else local col = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.Button]) local r, g, b, a = col.x, col.y, col.z, col.w imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(r, g, b, a/2)) imgui.PushStyleColor(imgui.Col.Text, imgui.GetStyle().Colors[imgui.Col.TextDisabled]) local button = imgui.Button(name) imgui.PopStyleColor(2) return button end end function imgui.LockedButton(text, size) local col = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.Button]) local r, g, b, a = col.x, col.y, col.z, col.w imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(r, g, b, a/2) ) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(r, g, b, a/2)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(r, g, b, a/2)) imgui.PushStyleColor(imgui.Col.Text, imgui.GetStyle().Colors[imgui.Col.TextDisabled]) local button = imgui.Button(text, size) imgui.PopStyleColor(4) return button end function imgui.ChangeLogCircleButton(str_id, bool, color4, choosedcolor4, radius, filled) local rBool = false local p = imgui.GetCursorScreenPos() local radius = radius or 10 local choosedcolor4 = choosedcolor4 or imgui.GetStyle().Colors[imgui.Col.Text] local filled = filled or false local draw_list = imgui.GetWindowDrawList() if imgui.InvisibleButton(str_id, imgui.ImVec2(23, 23)) then rBool = true end if filled then draw_list:AddCircleFilled(imgui.ImVec2(p.x + radius, p.y + radius), radius+1, imgui.ColorConvertFloat4ToU32(choosedcolor4)) else draw_list:AddCircle(imgui.ImVec2(p.x + radius, p.y + radius), radius+1, imgui.ColorConvertFloat4ToU32(choosedcolor4),_,2) end draw_list:AddCircleFilled(imgui.ImVec2(p.x + radius, p.y + radius), radius-3, imgui.ColorConvertFloat4ToU32(color4)) imgui.SetCursorPosY(imgui.GetCursorPosY()+radius) return rBool end function imgui.CircleButton(str_id, bool, color4, radius, isimage) local rBool = false local p = imgui.GetCursorScreenPos() local isimage = isimage or false local radius = radius or 10 local draw_list = imgui.GetWindowDrawList() if imgui.InvisibleButton(str_id, imgui.ImVec2(23, 23)) then rBool = true end if imgui.IsItemHovered() then imgui.SetMouseCursor(imgui.MouseCursor.Hand) end draw_list:AddCircleFilled(imgui.ImVec2(p.x + radius, p.y + radius), radius-3, imgui.ColorConvertFloat4ToU32(isimage and imgui.ImVec4(0,0,0,0) or color4)) if bool then draw_list:AddCircle(imgui.ImVec2(p.x + radius, p.y + radius), radius, imgui.ColorConvertFloat4ToU32(color4),_,1.5) imgui.PushFont(font[8]) draw_list:AddText(imgui.ImVec2(p.x + 6, p.y + 6), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]),fa.ICON_FA_CHECK); imgui.PopFont() end imgui.SetCursorPosY(imgui.GetCursorPosY()+radius) return rBool end function imgui.TextColoredRGB(text,align) local width = imgui.GetWindowWidth() local style = imgui.GetStyle() local colors = style.Colors local ImVec4 = imgui.ImVec4 local col = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local r,g,b,a = col.x*255, col.y*255, col.z*255, col.w*255 text = gsub(text, '{WC}', '{EBEBEB}') text = gsub(text, '{MC}', format('{%06X}', bit.bor(bit.bor(b, bit.lshift(g, 8)), bit.lshift(r, 16)))) local getcolor = function(color) if upper(color:sub(1, 6)) == 'SSSSSS' then local r, g, b = colors[0].x, colors[0].y, colors[0].z local a = color:sub(7, 8) ~= 'FF' and (tonumber(color:sub(7, 8), 16)) or (colors[0].w * 255) return ImVec4(r, g, b, a / 255) end local color = type(color) == 'string' and tonumber(color, 16) or color if type(color) ~= 'number' then return end local r, g, b, a = explode_argb(color) return ImVec4(r / 255, g / 255, b / 255, a / 255) end local render_text = function(text_) for w in gmatch(text_, '[^\r\n]+') do local textsize = gsub(w, '{.-}', '') local text_width = imgui.CalcTextSize(u8(textsize)) if align == 1 then imgui.SetCursorPosX( width / 2 - text_width .x / 2 ) elseif align == 2 then imgui.SetCursorPosX(imgui.GetCursorPosX() + width - text_width.x - imgui.GetScrollX() - 2 * imgui.GetStyle().ItemSpacing.x - imgui.GetStyle().ScrollbarSize) end local text, colors_, m = {}, {}, 1 w = gsub(w, '{(......)}', '{%1FF}') while find(w, '{........}') do local n, k = find(w, '{........}') local color = getcolor(w:sub(n + 1, k - 1)) if color then text[#text], text[#text + 1] = w:sub(m, n - 1), w:sub(k + 1, #w) colors_[#colors_ + 1] = color m = n end w = w:sub(1, n - 1) .. w:sub(k + 1, #w) end if text[0] then for i = 0, #text do imgui.TextColored(colors_[i] or colors[0], u8(text[i])) imgui.SameLine(nil, 0) end imgui.NewLine() else imgui.Text(u8(w)) end end end render_text(text) end function imgui.Hint(str_id, hint_text, color, no_center) if str_id == nil or hint_text == nil then return false end color = color or imgui.GetStyle().Colors[imgui.Col.PopupBg] local p_orig = imgui.GetCursorPos() local hovered = imgui.IsItemHovered() imgui.SameLine(nil, 0) local animTime = 0.2 local show = true if not POOL_HINTS then POOL_HINTS = {} end if not POOL_HINTS[str_id] then POOL_HINTS[str_id] = { status = false, timer = 0 } end if hovered then for k, v in pairs(POOL_HINTS) do if k ~= str_id and imgui.GetTime() - v.timer <= animTime then show = false end end end if show and POOL_HINTS[str_id].status ~= hovered then POOL_HINTS[str_id].status = hovered POOL_HINTS[str_id].timer = imgui.GetTime() end local rend_window = function(alpha) local size = imgui.GetItemRectSize() local scrPos = imgui.GetCursorScreenPos() local DL = imgui.GetWindowDrawList() local center = imgui.ImVec2( scrPos.x - (size.x * 0.5), scrPos.y + (size.y * 0.5) - (alpha * 4) + 10 ) local a = imgui.ImVec2( center.x - 7, center.y - size.y - 4 ) local b = imgui.ImVec2( center.x + 7, center.y - size.y - 4) local c = imgui.ImVec2( center.x, center.y - size.y + 3 ) local col = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(color.x, color.y, color.z, alpha)) DL:AddTriangleFilled(a, b, c, col) imgui.SetNextWindowPos(imgui.ImVec2(center.x, center.y - size.y - 3), imgui.Cond.Always, imgui.ImVec2(0.5, 1.0)) imgui.PushStyleColor(imgui.Col.PopupBg, color) imgui.PushStyleColor(imgui.Col.Border, color) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(8, 8)) imgui.PushStyleVarFloat(imgui.StyleVar.WindowRounding, 6) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, alpha) local max_width = function(text) local result = 0 for line in gmatch(text, '[^\n]+') do local len = imgui.CalcTextSize(line).x if len > result then result = len end end return result end local hint_width = max_width(u8(hint_text)) + (imgui.GetStyle().WindowPadding.x * 2) imgui.SetNextWindowSize(imgui.ImVec2(hint_width, -1), imgui.Cond.Always) imgui.Begin('##' .. str_id, _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) for line in gmatch(hint_text, '[^\n]+') do if no_center then imgui.TextColoredRGB(line) else imgui.TextColoredRGB(line, 1) end end imgui.End() imgui.PopStyleVar(3) imgui.PopStyleColor(2) end if show then local between = imgui.GetTime() - POOL_HINTS[str_id].timer if between <= animTime then local alpha = hovered and ImSaturate(between / animTime) or ImSaturate(1 - between / animTime) rend_window(alpha) elseif hovered then rend_window(1.00) end end imgui.SetCursorPos(p_orig) end function bringVec4To(from, to, start_time, duration) local timer = os.clock() - start_time if timer >= 0.00 and timer <= duration then local count = timer / (duration / 100) return imgui.ImVec4( from.x + (count * (to.x - from.x) / 100), from.y + (count * (to.y - from.y) / 100), from.z + (count * (to.z - from.z) / 100), from.w + (count * (to.w - from.w) / 100) ), true end return (timer > duration) and to or from, false end function imgui.AnimButton(label, size, duration) if not duration then duration = 1.0 end local cols = { default = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.Button]), hovered = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.ButtonHovered]), active = imgui.ImVec4(imgui.GetStyle().Colors[imgui.Col.ButtonActive]) } if UI_ANIMBUT == nil then UI_ANIMBUT = {} end if not UI_ANIMBUT[label] then UI_ANIMBUT[label] = { color = cols.default, hovered = { cur = false, old = false, clock = nil, } } end local pool = UI_ANIMBUT[label] if pool['hovered']['clock'] ~= nil then if os.clock() - pool['hovered']['clock'] <= duration then pool['color'] = bringVec4To( pool['color'], pool['hovered']['cur'] and cols.hovered or cols.default, pool['hovered']['clock'], duration) else pool['color'] = pool['hovered']['cur'] and cols.hovered or cols.default end else pool['color'] = cols.default end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(pool['color'])) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(pool['color'])) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(pool['color'])) local result = imgui.Button(label, size or imgui.ImVec2(0, 0)) imgui.PopStyleColor(3) pool['hovered']['cur'] = imgui.IsItemHovered() if pool['hovered']['old'] ~= pool['hovered']['cur'] then pool['hovered']['old'] = pool['hovered']['cur'] pool['hovered']['clock'] = os.clock() end return result end function imgui.ToggleButton(str_id, bool) local rBool = false local p = imgui.GetCursorScreenPos() local draw_list = imgui.GetWindowDrawList() local height = 20 local width = height * 1.55 local radius = height * 0.50 if imgui.InvisibleButton(str_id, imgui.ImVec2(width, height)) then bool[0] = not bool[0] rBool = true LastActiveTime[tostring(str_id)] = imgui.GetTime() LastActive[tostring(str_id)] = true end imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY()+3) imgui.Text(str_id) local t = bool[0] and 1.0 or 0.0 if LastActive[tostring(str_id)] then local time = imgui.GetTime() - LastActiveTime[tostring(str_id)] if time <= 0.13 then local t_anim = ImSaturate(time / 0.13) t = bool[0] and t_anim or 1.0 - t_anim else LastActive[tostring(str_id)] = false end end local col_bg = imgui.ColorConvertFloat4ToU32(bool[0] and imgui.GetStyle().Colors[imgui.Col.CheckMark] or imgui.ImVec4(100 / 255, 100 / 255, 100 / 255, 180 / 255)) draw_list:AddRectFilled(imgui.ImVec2(p.x, p.y + (height / 6)), imgui.ImVec2(p.x + width - 1.0, p.y + (height - (height / 6))), col_bg, 10.0) draw_list:AddCircleFilled(imgui.ImVec2(p.x + (bool[0] and radius + 1.5 or radius - 3) + t * (width - radius * 2.0), p.y + radius), radius - 6, imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text])) return rBool end function getDownKeys() local curkeys = '' local bool = false for k, v in pairs(vkeys) do if isKeyDown(v) and (v == VK_MENU or v == VK_CONTROL or v == VK_SHIFT or v == VK_LMENU or v == VK_RMENU or v == VK_RCONTROL or v == VK_LCONTROL or v == VK_LSHIFT) then if v ~= VK_MENU and v ~= VK_CONTROL and v ~= VK_SHIFT then curkeys = v end end end for k, v in pairs(vkeys) do if isKeyDown(v) and (v ~= VK_MENU and v ~= VK_CONTROL and v ~= VK_SHIFT and v ~= VK_LMENU and v ~= VK_RMENU and v ~= VK_RCONTROL and v ~= VK_LCONTROL and v ~= VK_LSHIFT) then if len(tostring(curkeys)) == 0 then curkeys = v return curkeys,true else curkeys = curkeys .. ' ' .. v return curkeys,true end bool = false end end return curkeys, bool end function imgui.GetKeysName(keys) if type(keys) ~= 'table' then return false else local tKeysName = {} for k = 1, #keys do tKeysName[k] = vkeys.id_to_name(tonumber(keys[k])) end return tKeysName end end function imgui.HotKey(name, path, pointer, defaultKey, width) local width = width or 90 local cancel = isKeyDown(0x08) local tKeys, saveKeys = string.split(getDownKeys(), ' '),select(2,getDownKeys()) local name = tostring(name) local keys, bool = path[pointer] or defaultKey, false local sKeys = keys for i=0,2 do if imgui.IsMouseClicked(i) then tKeys = {i==2 and 4 or i+1} saveKeys = true end end if tHotKeyData.edit ~= nil and tostring(tHotKeyData.edit) == name then if not cancel then if not saveKeys then if #tKeys == 0 then sKeys = (ceil(imgui.GetTime()) % 2 == 0) and '______' or ' ' else sKeys = table.concat(imgui.GetKeysName(tKeys), ' + ') end else path[pointer] = table.concat(imgui.GetKeysName(tKeys), ' + ') tHotKeyData.edit = nil tHotKeyData.lasted = clock() inicfg.save(configuration,'Mordor Police Helper') end else path[pointer] = defaultKey tHotKeyData.edit = nil tHotKeyData.lasted = clock() inicfg.save(configuration,'Mordor Police Helper') end end imgui.PushStyleColor(imgui.Col.Button, imgui.GetStyle().Colors[imgui.Col.FrameBg]) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.GetStyle().Colors[imgui.Col.FrameBgHovered]) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.GetStyle().Colors[imgui.Col.FrameBgActive]) if imgui.Button((sKeys ~= '' and sKeys or u8'Свободно') .. '## '..name, imgui.ImVec2(width, 0)) then tHotKeyData.edit = name end imgui.PopStyleColor(3) return bool end function addNotify(msg, time) local col = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local r,g,b = col.x*255, col.y*255, col.z*255 msg = gsub(msg, '{WC}', '{SSSSSS}') msg = gsub(msg, '{MC}', format('{%06X}', bit.bor(bit.bor(b, bit.lshift(g, 8)), bit.lshift(r, 16)))) notify.msg[#notify.msg+1] = {text = msg, time = time, active = true, justshowed = nil} end local imgui_fm = imgui.OnFrame( function() return windows.imgui_fm[0] end, function(player) player.HideCursor = isKeyDown(0x12) if not IsPlayerConnected(fastmenuID) then windows.imgui_fm[0] = false ASHelperMessage('Игрок с которым Вы взаимодействовали вышел из игры!') return false end if configuration.main_settings.fmstyle == 0 then imgui.SetNextWindowSize(imgui.ImVec2(300, 517), imgui.Cond.Always) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Меню быстрого доступа', _, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoBringToFrontOnFocus + imgui.WindowFlags.NoCollapse + (configuration.main_settings.noscrollbar and imgui.WindowFlags.NoScrollbar or imgui.WindowFlags.NoBringToFrontOnFocus)) if imgui.IsWindowAppearing() then windowtype[0] = 0 end if windowtype[0] == 0 then imgui.SetCursorPosX(7.5) imgui.BeginGroup() if imgui.Button(fa.ICON_FA_HAND_PAPER..u8' Поприветствовать игрока', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 1 then getmyrank = true sampSendChat('/stats') if tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 4 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 13 then sendchatarray(configuration.main_settings.playcd, { {'Доброе утро, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 12 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 17 then sendchatarray(configuration.main_settings.playcd, { {'Добрый день, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 16 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 24 then sendchatarray(configuration.main_settings.playcd, { {'Добрый вечер, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 5 then sendchatarray(configuration.main_settings.playcd, { {'Доброй ночи, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end else ASHelperMessage('Данная команда доступна с 1-го ранга.') end end if imgui.Button(fa.ICON_FA_FILE_ALT..u8' Озвучить прайс лист', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 1 then sendchatarray(configuration.main_settings.playcd, { {'/do В кармане брюк лежит прайс лист на лицензии.'}, {'/me {gender:достал|достала} прайс лист из кармана брюк и {gender:передал|передала} его клиенту'}, {'/do В прайс листе написано:'}, {'/do Лицензия на вождение автомобилей - %s$.', string.separate(configuration.main_settings.avtoprice or 5000)}, {'/do Лицензия на вождение мотоциклов - %s$.', string.separate(configuration.main_settings.motoprice or 10000)}, {'/do Лицензия на рыболовство - %s$.', string.separate(configuration.main_settings.ribaprice or 30000)}, {'/do Лицензия на водный транспорт - %s$.', string.separate(configuration.main_settings.lodkaprice or 30000)}, {'/do Лицензия на оружие - %s$.', string.separate(configuration.main_settings.gunaprice or 50000)}, {'/do Лицензия на охоту - %s$.', string.separate(configuration.main_settings.huntprice or 100000)}, {'/do Лицензия на раскопки - %s$.', string.separate(configuration.main_settings.kladprice or 200000)}, {'/do Лицензия на работу таксиста - %s$.', string.separate(configuration.main_settings.taxiprice or 250000)}, }) else ASHelperMessage('Данная команда доступна с 1-го ранга.') end end if imgui.Button(fa.ICON_FA_FILE_SIGNATURE..u8' Продать лицензию игроку', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 3 then imgui.SetScrollY(0) Licenses_select[0] = 0 windowtype[0] = 1 else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на авто'}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на авто {gender:передал|передала} её человеку напротив'}, {'/n /givelicense %s', fastmenuID}, }) end end imgui.Button(fa.ICON_FA_USER_PLUS..u8' Принять в организацию', imgui.ImVec2(285,30)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) if imgui.IsMouseReleased(1) then waitingaccept = fastmenuID end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.Hint('invitehint','ЛКМ для принятия человека в организацию\nПКМ для принятия на должность Консультанта') if imgui.Button(fa.ICON_FA_USER_MINUS..u8' Уволить из организации', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) windowtype[0] = 3 imgui.StrCopy(uninvitebuf, '') imgui.StrCopy(blacklistbuf, '') uninvitebox[0] = false else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_EXCHANGE_ALT..u8' Изменить должность', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) Ranks_select[0] = 0 windowtype[0] = 4 else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_USER_SLASH..u8' Занести в чёрный список', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) windowtype[0] = 5 imgui.StrCopy(blacklistbuff, '') else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_USER..u8' Убрать из чёрного списка', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя гражданина в поиск'}, {'/me {gender:убрал|убрала} гражданина из раздела \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/unblacklist %s', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_FROWN..u8' Выдать выговор сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) imgui.StrCopy(fwarnbuff, '') windowtype[0] = 6 else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_SMILE..u8' Снять выговор сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:убрал|убрала} из его личного дела один выговор'}, {'/do Выговор был убран из личного дела сотрудника.'}, {'/unfwarn %s', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_VOLUME_MUTE..u8' Выдать мут сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then imgui.SetScrollY(0) imgui.StrCopy(fmutebuff, '') fmuteint[0] = 0 windowtype[0] = 7 else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end if imgui.Button(fa.ICON_FA_VOLUME_UP..u8' Снять мут сотруднику', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Включить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/funmute %s', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.Separator() if imgui.Button(u8'Проверка устава '..fa.ICON_FA_STAMP, imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 5 then imgui.SetScrollY(0) lastq[0] = 0 windowtype[0] = 8 else ASHelperMessage('Данное действие доступно с 5-го ранга.') end end if imgui.Button(u8'Собеседование '..fa.ICON_FA_ELLIPSIS_V, imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 5 then imgui.SetScrollY(0) sobesetap[0] = 0 sobesdecline_select[0] = 0 windowtype[0] = 9 sobes_results = { pass = nil, medcard = nil, wbook = nil, licenses = nil } else ASHelperMessage('Данное действие доступно с 5-го ранга.') end end imgui.EndGroup() end if windowtype[0] == 1 then imgui.Text(u8'Лицензия: ', imgui.ImVec2(75,30)) imgui.SameLine() imgui.Combo('##chooseselllicense', Licenses_select, new['const char*'][8](Licenses_Arr), #Licenses_Arr) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продать лицензию на '..u8(string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1]))), imgui.ImVec2(285,30)) then local to, lic = fastmenuID, string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1])) if lic ~= nil and to ~= nil then if (lic == 'оружие' and configuration.main_settings.checkmcongun) or (lic == 'охоту' and configuration.main_settings.checkmconhunt) then sendchatarray(0, { {'Хорошо, для покупки лицензии на %s покажите мне свою мед.карту', lic}, {'/n /showmc %s', select(2,sampGetPlayerIdByCharHandle(playerPed))}, }, function() sellto = to lictype = lic end, function() ASHelperMessage('Началось ожидание показа мед.карты. При её отсутствии нажмите {MC}Alt{WC} + {MC}O{WC}') skiporcancel = lic tempid = to end) else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на '..lic}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на %s {gender:передал|передала} её человеку напротив', lic}, }, function() sellto = to lictype = lic end, function() wait(1000) givelic = true sampSendChat(format('/givelicense %s', to)) end) end end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Лицензия на полёты', imgui.ImVec2(285,30)) then sendchatarray(0, { {'Получить лицензию на полёты Вы можете в авиашколе г. Лас-Вентурас'}, {'/n /gps -> Важные места -> Следующая страница -> [LV] Авиашкола (9)'}, }) end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 3 then imgui.TextColoredRGB('Причина увольнения:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputuninvitebuf', uninvitebuf, sizeof(uninvitebuf)) if uninvitebox[0] then imgui.TextColoredRGB('Причина ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuf', blacklistbuf, sizeof(blacklistbuf)) end imgui.Checkbox(u8'Уволить с ЧС', uninvitebox) imgui.SetCursorPosX(7.5) if imgui.Button(u8'Уволить '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(uninvitebuf) > 0 then if uninvitebox[0] then if #str(blacklistbuf) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:занёс|занесла} сотрудника в раздел, после чего {gender:подтвердил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuf))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:подтведрдил|подтвердила} изменения, затем {gender:выключил|выключила} планшет и {gender:положил|положила} его обратно в карман'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, }) end else ASHelperMessage('Введите причину увольнения.') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 4 then imgui.PushItemWidth(270) imgui.Combo('##chooserank9', Ranks_select, new['const char*'][9]({u8('[1] '..configuration.RankNames[1]), u8('[2] '..configuration.RankNames[2]),u8('[3] '..configuration.RankNames[3]),u8('[4] '..configuration.RankNames[4]),u8('[5] '..configuration.RankNames[5]),u8('[6] '..configuration.RankNames[6]),u8('[7] '..configuration.RankNames[7]),u8('[8] '..configuration.RankNames[8]),u8('[9] '..configuration.RankNames[9])}), 9) imgui.PopItemWidth() imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.15, 0.42, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.25, 0.52, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.35, 0.62, 0.7, 1.00)) if imgui.Button(u8'Повысить сотрудника '..fa.ICON_FA_ARROW_UP, imgui.ImVec2(270,40)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.PopStyleColor(3) if imgui.Button(u8'Понизить сотрудника '..fa.ICON_FA_ARROW_DOWN, imgui.ImVec2(270,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 5 then imgui.TextColoredRGB('Причина занесения в ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuff', blacklistbuff, sizeof(blacklistbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Занести в ЧС '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(blacklistbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя нарушителя'}, {'/me {gender:внёс|внесла} нарушителя в раздел \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuff))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 6 then imgui.TextColoredRGB('Причина выговора:',1) imgui.SetCursorPosX(50) imgui.InputText(u8'##giverwarnbuffinputtext', fwarnbuff, sizeof(fwarnbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Выдать выговор '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if #str(fwarnbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:добавил|добавила} в его личное дело выговор'}, {'/do Выговор был добавлен в личное дело сотрудника.'}, {'/fwarn %s %s', fastmenuID, u8:decode(str(fwarnbuff))}, }) else ASHelperMessage('Введите причину выдачи выговора!') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 7 then imgui.TextColoredRGB('Причина мута:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##fmutereasoninputtext', fmutebuff, sizeof(fmutebuff)) imgui.TextColoredRGB('Время мута:',1) imgui.SetCursorPosX(52) imgui.InputInt(u8'##fmutetimeinputtext', fmuteint, 5) imgui.NewLine() if imgui.Button(u8'Выдать мут '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(270,30)) then if configuration.main_settings.myrankint >= 9 then if #str(fmutebuff) > 0 then if tonumber(fmuteint[0]) and tonumber(fmuteint[0]) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Отключить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/fmute %s %s %s', fastmenuID, u8:decode(fmuteint[0]), u8:decode(str(fmutebuff))}, }) else ASHelperMessage('Введите корректное время мута!') end else ASHelperMessage('Введите причину выдачи мута!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end end if windowtype[0] == 8 then if not serverquestions['server'] then QuestionType_select[0] = 1 end if QuestionType_select[0] == 0 then imgui.TextColoredRGB(serverquestions['server'], 1) for k = 1, #serverquestions do imgui.SetCursorPosX(7.5) if imgui.Button(u8(serverquestions[k].name)..'##'..k, imgui.ImVec2(285, 30)) then if not inprocess then ASHelperMessage('Подсказка: '..serverquestions[k].answer) sampSendChat(serverquestions[k].question) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end elseif QuestionType_select[0] == 1 then if #questions.questions ~= 0 then for k,v in pairs(questions.questions) do imgui.SetCursorPosX(7.5) if imgui.Button(u8(v.bname..'##'..k), imgui.ImVec2(questions.active.redact and 200 or 285,30)) then if not inprocess then ASHelperMessage('Подсказка: '..v.bhint) sampSendChat(v.bq) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if questions.active.redact then imgui.SameLine() if imgui.Button(fa.ICON_FA_PEN..'##'..k, imgui.ImVec2(30,30)) then question_number = k imgui.StrCopy(questionsettings.questionname, u8(v.bname)) imgui.StrCopy(questionsettings.questionhint, u8(v.bhint)) imgui.StrCopy(questionsettings.questionques, u8(v.bq)) imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..'##'..k, imgui.ImVec2(30,30)) then table.remove(questions.questions,k) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\questions.json', 'w') file:write(encodeJson(questions)) file:close() end end end end end imgui.NewLine() imgui.SetCursorPosX(7.5) imgui.Text(fa.ICON_FA_CLOCK..' '..(lastq[0] == 0 and u8'0 с. назад' or floor(clock()-lastq[0])..u8' с. назад')) imgui.Hint('lastustavquesttime','Прошедшее время с последнего вопроса.') imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) imgui.Button(u8'Одобрить', imgui.ImVec2(137,35)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then if imgui.IsMouseReleased(0) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s 2', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end end imgui.Hint('ustavhint','ЛКМ для информирования о сдаче устава\nПКМ для повышения до 2-го ранга') imgui.PopStyleColor(2) imgui.SameLine() imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отказать', imgui.ImVec2(137,35)) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Сожалею, %s, но Вы не смогли сдать устав. Подучите и приходите в следующий раз.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.BeginGroup() if serverquestions['server'] then imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Вопросы') imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY() - 3) imgui.PushItemWidth(90) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo(u8'##choosetypequestion', QuestionType_select, new['const char*'][8]{u8'Серверные', u8'Ваши'}, 2) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SameLine() end if QuestionType_select[0] == 1 then if not questions.active.redact then imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.80, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.70, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.90, 0.25, 0.25, 1.00)) else if #questions.questions <= 7 then if imgui.Button(fa.ICON_FA_PLUS_CIRCLE,imgui.ImVec2(25,25)) then question_number = nil imgui.StrCopy(questionsettings.questionname, '') imgui.StrCopy(questionsettings.questionhint, '') imgui.StrCopy(questionsettings.questionques, '') imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.00, 0.70, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.60, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.50, 0.00, 1.00)) end if imgui.Button(fa.ICON_FA_COG, imgui.ImVec2(25,25)) then questions.active.redact = not questions.active.redact end imgui.PopStyleColor(3) end imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(142.5,30)) then windowtype[0] = 0 end if imgui.BeginPopup(u8'Редактор вопросов', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize) then imgui.Text(u8'Название кнопки:') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorname', questionsettings.questionname, sizeof(questionsettings.questionname)) imgui.Text(u8'Вопрос: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorques', questionsettings.questionques, sizeof(questionsettings.questionques)) imgui.Text(u8'Подсказка: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorhint', questionsettings.questionhint, sizeof(questionsettings.questionhint)) imgui.SetCursorPosX(17) if #str(questionsettings.questionhint) > 0 and #str(questionsettings.questionques) > 0 and #str(questionsettings.questionname) > 0 then if imgui.Button(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) then if question_number == nil then questions.questions[#questions.questions + 1] = { bname = u8:decode(str(questionsettings.questionname)), bq = u8:decode(str(questionsettings.questionques)), bhint = u8:decode(str(questionsettings.questionhint)), } else questions.questions[question_number].bname = u8:decode(str(questionsettings.questionname)) questions.questions[question_number].bq = u8:decode(str(questionsettings.questionques)) questions.questions[question_number].bhint = u8:decode(str(questionsettings.questionhint)) end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() imgui.CloseCurrentPopup() end else imgui.LockedButton(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) imgui.Hint('notallparamsquesteditor','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() if imgui.Button(u8'Отменить##questeditor', imgui.ImVec2(150, 25)) then imgui.CloseCurrentPopup() end imgui.Spacing() imgui.EndPopup() end end if windowtype[0] == 9 then if sobesetap[0] == 0 then imgui.TextColoredRGB('Собеседование: Этап 1',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Поприветствовать', imgui.ImVec2(285,30)) then sendchatarray(configuration.main_settings.playcd, { {'Здравствуйте, я %s %s, Вы пришли на собеседование?', configuration.RankNames[configuration.main_settings.myrankint], configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end imgui.SetCursorPosX(7.5) imgui.Button(u8'Попросить документы '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) if imgui.IsItemHovered() then imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(5, 5)) imgui.BeginTooltip() imgui.Text(u8'ЛКМ для того, чтобы продолжить\nПКМ для того, чтобы настроить документы') imgui.EndTooltip() imgui.PopStyleVar() if imgui.IsMouseReleased(0) then if not inprocess then local s = configuration.sobes_settings local out = (s.pass and 'паспорт' or '').. (s.medcard and (s.pass and ', мед. карту' or 'мед. карту') or '').. (s.wbook and ((s.pass or s.medcard) and ', трудовую книжку' or 'трудовую книжку') or '').. (s.licenses and ((s.pass or s.medcard or s.wbook) and ', лицензии' or 'лицензии') or '') sendchatarray(0, { {'Хорошо, покажите мне ваши документы, а именно: %s', out}, {'/n Обязательно по рп!'}, }) sobesetap[0] = 1 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then imgui.OpenPopup('##redactdocuments') end end imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(10, 10)) if imgui.BeginPopup('##redactdocuments') then if imgui.ToggleButton(u8'Проверять паспорт', sobes_settings.pass) then configuration.sobes_settings.pass = sobes_settings.pass[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять мед. карту', sobes_settings.medcard) then configuration.sobes_settings.medcard = sobes_settings.medcard[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять трудовую книгу', sobes_settings.wbook) then configuration.sobes_settings.wbook = sobes_settings.wbook[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять лицензии', sobes_settings.licenses) then configuration.sobes_settings.licenses = sobes_settings.licenses[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.EndPopup() end imgui.PopStyleVar() end if sobesetap[0] == 1 then imgui.TextColoredRGB('Собеседование: Этап 2',1) imgui.Separator() if configuration.sobes_settings.pass then imgui.TextColoredRGB(sobes_results.pass and 'Паспорт - показан ('..sobes_results.pass..')' or 'Паспорт - не показан',1) end if configuration.sobes_settings.medcard then imgui.TextColoredRGB(sobes_results.medcard and 'Мед. карта - показана ('..sobes_results.medcard..')' or 'Мед. карта - не показана',1) end if configuration.sobes_settings.wbook then imgui.TextColoredRGB(sobes_results.wbook and 'Трудовая книжка - показана' or 'Трудовая книжка - не показана',1) end if configuration.sobes_settings.licenses then imgui.TextColoredRGB(sobes_results.licenses and 'Лицензии - показаны ('..sobes_results.licenses..')' or 'Лицензии - не показаны',1) end if (configuration.sobes_settings.pass == true and sobes_results.pass == 'в порядке' or configuration.sobes_settings.pass == false) and (configuration.sobes_settings.medcard == true and sobes_results.medcard == 'в порядке' or configuration.sobes_settings.medcard == false) and (configuration.sobes_settings.wbook == true and sobes_results.wbook == 'присутствует' or configuration.sobes_settings.wbook == false) and (configuration.sobes_settings.licenses == true and sobes_results.licenses ~= nil or configuration.sobes_settings.licenses == false) then imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продолжить '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sendchatarray(configuration.main_settings.playcd, { {'/me взяв документы из рук человека напротив {gender:начал|начала} их проверять'}, {'/todo Хорошо...* отдавая документы обратно'}, {'Сейчас я задам Вам несколько вопросов, Вы готовы на них отвечать?'}, }) sobesetap[0] = 2 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end end if sobesetap[0] == 2 then imgui.TextColoredRGB('Собеседование: Этап 3',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Расскажите немного о себе.', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Расскажите немного о себе.') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Почему выбрали именно нас?', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Почему Вы выбрали именно нас?') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Работали Вы у нас ранее? '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Работали Вы у нас ранее? Если да, то расскажите подробнее') sobesetap[0] = 3 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end if sobesetap[0] == 3 then imgui.TextColoredRGB('Собеседование: Решение',1) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) if imgui.Button(u8'Принять', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) else sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/r %s успешно прошёл собеседование! Прошу подойти ко мне, чтобы принять его.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/rb %s id', fastmenuID}, }) end windows.imgui_fm[0] = false end imgui.PopStyleColor(2) imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end imgui.PopStyleColor(2) end if sobesetap[0] == 7 then imgui.TextColoredRGB('Собеседование: Отклонение',1) imgui.Separator() imgui.PushItemWidth(270) imgui.Combo('##declinesobeschoosereasonselect',sobesdecline_select, new['const char*'][5]({u8'Плохое РП',u8'Не было РП',u8'Плохая грамматика',u8'Ничего не показал',u8'Другое'}), 5) imgui.PopItemWidth() imgui.SetCursorPosX((imgui.GetWindowWidth() - 270) * 0.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(270,30)) then if not inprocess then if sobesdecline_select[0] == 0 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Очень плохое РП') elseif sobesdecline_select[0] == 1 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Не было РП') elseif sobesdecline_select[0] == 2 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Плохая грамматика') elseif sobesdecline_select[0] == 3 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Ничего не показал') elseif sobesdecline_select[0] == 4 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') end windows.imgui_fm[0] = false else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then if not inprocess then local reasons = { pass = { ['меньше 3 лет в штате'] = {'К сожалению я не могу продолжить собеседование. Вы не проживаете в штате 3 года.'}, ['не законопослушный'] = {'К сожалению я не могу продолжить собеседование. Вы недостаточно законопослушный.'}, ['игрок в организации'] = {'К сожалению я не могу продолжить собеседование. Вы уже работаете в другой организации.'}, ['в чс автошколы'] = {'К сожалению я не могу продолжить собеседование. Вы находитесь в ЧС АШ.'}, ['есть варны'] = {'К сожалению я не могу продолжить собеседование. Вы проф. непригодны.', '/n есть варны'}, ['был в деморгане'] = {'К сожалению я не могу продолжить собеседование. Вы лечились в псих. больнице.', '/n обновите мед. карту'} }, mc = { ['наркозависимость'] = {'К сожалению я не могу продолжить собеседование. Вы слишком наркозависимый.'}, ['не полностью здоровый'] = {'К сожалению я не могу продолжить собеседование. Вы не полностью здоровый.'}, }, } if reasons.pass[sobes_results.pass] then for k, v in pairs(reasons.pass[sobes_results.pass]) do sampSendChat(v) end windows.imgui_fm[0] = false elseif reasons.mc[sobes_results.medcard] then for k, v in pairs(reasons.mc[sobes_results.medcard]) do sampSendChat(v) end windows.imgui_fm[0] = false else lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end imgui.SetCursorPos(imgui.ImVec2(7.5, 478)) if imgui.Button(u8'Назад', imgui.ImVec2(137, 30)) then if sobesetap[0] == 7 then sobesetap[0] = lastsobesetap[0] elseif sobesetap[0] ~= 0 then sobesetap[0] = sobesetap[0] - 1 else windowtype[0] = 0 end end imgui.SameLine() if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then if imgui.Button(u8'Пропустить этап', imgui.ImVec2(137,30)) then sobesetap[0] = sobesetap[0] + 1 end end end imgui.End() else imgui.SetNextWindowSize(imgui.ImVec2(500, 300), imgui.Cond.Always) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.7),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(0,0)) imgui.Begin(u8'Меню быстрого доступа', windows.imgui_fm, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoBringToFrontOnFocus + imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoScrollbar) if imgui.IsWindowAppearing() then newwindowtype[0] = 1 clienttype[0] = 0 end local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 300, p.y), imgui.ImVec2(p.x + 300, p.y + 330), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 300, p.y + 75), imgui.ImVec2(p.x + 500, p.y + 75), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.PushStyleColor(imgui.Col.ChildBg, imgui.ImVec4(0,0,0,0)) imgui.SetCursorPos(imgui.ImVec2(0, 25)) imgui.BeginChild('##fmmainwindow', imgui.ImVec2(300, -1), false) if newwindowtype[0] == 1 then if clienttype[0] == 0 then imgui.SetCursorPos(imgui.ImVec2(7.5,15)) imgui.BeginGroup() if configuration.main_settings.myrankint >= 1 then if imgui.Button(fa.ICON_FA_HAND_PAPER..u8' Поприветствовать игрока', imgui.ImVec2(285,30)) then getmyrank = true sampSendChat('/stats') if tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 4 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 13 then sendchatarray(configuration.main_settings.playcd, { {'Доброе утро, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 12 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 17 then sendchatarray(configuration.main_settings.playcd, { {'Добрый день, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) > 16 and tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 24 then sendchatarray(configuration.main_settings.playcd, { {'Добрый вечер, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) elseif tonumber(os.date('%H', os.time(os.date('!*t')) + 2 * 60 * 60)) < 5 then sendchatarray(configuration.main_settings.playcd, { {'Доброй ночи, я {gender:сотрудник|сотрудница} %s, чем могу Вам помочь?', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы г. Сан-Фиерро'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end end else imgui.LockedButton(fa.ICON_FA_HAND_PAPER..u8' Поприветствовать игрока', imgui.ImVec2(285,30)) imgui.Hint('firstranghello', 'С 1-го ранга') end if configuration.main_settings.myrankint >= 1 then if imgui.Button(fa.ICON_FA_FILE_ALT..u8' Озвучить прайс лист', imgui.ImVec2(285,30)) then sendchatarray(configuration.main_settings.playcd, { {'/do В кармане брюк лежит прайс лист на лицензии.'}, {'/me {gender:достал|достала} прайс лист из кармана брюк и {gender:передал|передала} его клиенту'}, {'/do В прайс листе написано:'}, {'/do Лицензия на вождение автомобилей - %s$.', string.separate(configuration.main_settings.avtoprice or 5000)}, {'/do Лицензия на вождение мотоциклов - %s$.', string.separate(configuration.main_settings.motoprice or 10000)}, {'/do Лицензия на рыболовство - %s$.', string.separate(configuration.main_settings.ribaprice or 30000)}, {'/do Лицензия на водный транспорт - %s$.', string.separate(configuration.main_settings.lodkaprice or 30000)}, {'/do Лицензия на оружие - %s$.', string.separate(configuration.main_settings.gunaprice or 50000)}, {'/do Лицензия на охоту - %s$.', string.separate(configuration.main_settings.huntprice or 100000)}, {'/do Лицензия на раскопки - %s$.', string.separate(configuration.main_settings.kladprice or 200000)}, {'/do Лицензия на работу таксиста - %s$.', string.separate(configuration.main_settings.taxiprice or 250000)}, }) end else imgui.LockedButton(fa.ICON_FA_FILE_ALT..u8' Озвучить прайс лист', imgui.ImVec2(285,30)) imgui.Hint('firstrangpricelist', 'С 1-го ранга') end if imgui.Button(fa.ICON_FA_FILE_SIGNATURE..u8' Продать лицензию игроку', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 3 then imgui.SetScrollY(0) Licenses_select[0] = 0 clienttype[0] = 1 else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на авто'}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на авто {gender:передал|передала} её человеку напротив'}, {'/n /givelicense %s', fastmenuID}, }) end end imgui.EndGroup() elseif clienttype[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(40,20)) imgui.Text(u8'Лицензия: ', imgui.ImVec2(75,30)) imgui.SameLine() imgui.PushItemWidth(150) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo('##chooseselllicense', Licenses_select, new['const char*'][8](Licenses_Arr), #Licenses_Arr) imgui.PopStyleVar() imgui.PopItemWidth() imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продать лицензию на '..u8(string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1]))), imgui.ImVec2(285,30)) then local to, lic = fastmenuID, string.rlower(u8:decode(Licenses_Arr[Licenses_select[0]+1])) if lic ~= nil and to ~= nil then if (lic == 'оружие' and configuration.main_settings.checkmcongun) or (lic == 'охоту' and configuration.main_settings.checkmconhunt) then sendchatarray(0, { {'Хорошо, для покупки лицензии на %s покажите мне свою мед.карту', lic}, {'/n /showmc %s', select(2,sampGetPlayerIdByCharHandle(playerPed))}, }, function() sellto = to lictype = lic end, function() ASHelperMessage('Началось ожидание показа мед.карты. При её отсутствии нажмите {MC}Alt{WC} + {MC}O{WC}') skiporcancel = lic tempid = to end) else sendchatarray(configuration.main_settings.playcd, { {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на '..lic}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на %s {gender:передал|передала} её человеку напротив', lic}, }, function() sellto = to lictype = lic end, function() wait(1000) givelic = true sampSendChat(format('/givelicense %s', to)) end) end end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Лицензия на полёты', imgui.ImVec2(285,30)) then sendchatarray(0, { {'Получить лицензию на полёты Вы можете в авиашколе г. Лас-Вентурас'}, {'/n /gps -> Важные места -> Следующая страница -> [LV] Авиашкола (9)'}, }) end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then clienttype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() end elseif newwindowtype[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if sobesetap[0] == 0 then imgui.TextColoredRGB('Собеседование: Этап 1',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Поприветствовать', imgui.ImVec2(285,30)) then sendchatarray(configuration.main_settings.playcd, { {'Здравствуйте, я %s %s, Вы пришли на собеседование?', configuration.RankNames[configuration.main_settings.myrankint], configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/do На груди висит бейджик с надписью %s %s.', configuration.RankNames[configuration.main_settings.myrankint], #configuration.main_settings.myname < 1 and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)}, }) end imgui.SetCursorPosX(7.5) imgui.Button(u8'Попросить документы '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) if imgui.IsItemHovered() then imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(5, 5)) imgui.BeginTooltip() imgui.Text(u8'ЛКМ для того, чтобы продолжить\nПКМ для того, чтобы настроить документы') imgui.EndTooltip() imgui.PopStyleVar() if imgui.IsMouseReleased(0) then if not inprocess then local s = configuration.sobes_settings local out = (s.pass and 'паспорт' or '').. (s.medcard and (s.pass and ', мед. карту' or 'мед. карту') or '').. (s.wbook and ((s.pass or s.medcard) and ', трудовую книжку' or 'трудовую книжку') or '').. (s.licenses and ((s.pass or s.medcard or s.wbook) and ', лицензии' or 'лицензии') or '') sendchatarray(0, { {'Хорошо, покажите мне ваши документы, а именно: %s', out}, {'/n Обязательно по рп!'}, }) sobesetap[0] = 1 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then imgui.OpenPopup('##redactdocuments') end end imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(10, 10)) if imgui.BeginPopup('##redactdocuments') then if imgui.ToggleButton(u8'Проверять паспорт', sobes_settings.pass) then configuration.sobes_settings.pass = sobes_settings.pass[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять мед. карту', sobes_settings.medcard) then configuration.sobes_settings.medcard = sobes_settings.medcard[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять трудовую книгу', sobes_settings.wbook) then configuration.sobes_settings.wbook = sobes_settings.wbook[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Проверять лицензии', sobes_settings.licenses) then configuration.sobes_settings.licenses = sobes_settings.licenses[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.EndPopup() end imgui.PopStyleVar() end if sobesetap[0] == 1 then imgui.TextColoredRGB('Собеседование: Этап 2',1) imgui.Separator() if configuration.sobes_settings.pass then imgui.TextColoredRGB(sobes_results.pass and 'Паспорт - показан ('..sobes_results.pass..')' or 'Паспорт - не показан',1) end if configuration.sobes_settings.medcard then imgui.TextColoredRGB(sobes_results.medcard and 'Мед. карта - показана ('..sobes_results.medcard..')' or 'Мед. карта - не показана',1) end if configuration.sobes_settings.wbook then imgui.TextColoredRGB(sobes_results.wbook and 'Трудовая книжка - показана' or 'Трудовая книжка - не показана',1) end if configuration.sobes_settings.licenses then imgui.TextColoredRGB(sobes_results.licenses and 'Лицензии - показаны ('..sobes_results.licenses..')' or 'Лицензии - не показаны',1) end if (configuration.sobes_settings.pass == true and sobes_results.pass == 'в порядке' or configuration.sobes_settings.pass == false) and (configuration.sobes_settings.medcard == true and sobes_results.medcard == 'в порядке' or configuration.sobes_settings.medcard == false) and (configuration.sobes_settings.wbook == true and sobes_results.wbook == 'присутствует' or configuration.sobes_settings.wbook == false) and (configuration.sobes_settings.licenses == true and sobes_results.licenses ~= nil or configuration.sobes_settings.licenses == false) then imgui.SetCursorPosX(7.5) if imgui.Button(u8'Продолжить '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sendchatarray(configuration.main_settings.playcd, { {'/me взяв документы из рук человека напротив {gender:начал|начала} их проверять'}, {'/todo Хорошо...* отдавая документы обратно'}, {'Сейчас я задам Вам несколько вопросов, Вы готовы на них отвечать?'}, }) sobesetap[0] = 2 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end end if sobesetap[0] == 2 then imgui.TextColoredRGB('Собеседование: Этап 3',1) imgui.Separator() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Расскажите немного о себе.', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Расскажите немного о себе.') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Почему выбрали именно нас?', imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Почему Вы выбрали именно нас?') else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.SetCursorPosX(7.5) if imgui.Button(u8'Работали Вы у нас ранее? '..fa.ICON_FA_ARROW_RIGHT, imgui.ImVec2(285,30)) then if not inprocess then sampSendChat('Работали Вы у нас ранее? Если да, то расскажите подробнее') sobesetap[0] = 3 else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end if sobesetap[0] == 3 then imgui.TextColoredRGB('Собеседование: Решение',1) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) if imgui.Button(u8'Принять', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) else sendchatarray(configuration.main_settings.playcd, { {'Отлично, я думаю Вы нам подходите!'}, {'/r %s успешно прошёл собеседование! Прошу подойти ко мне, чтобы принять его.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/rb %s id', fastmenuID}, }) end windows.imgui_fm[0] = false end imgui.PopStyleColor(2) imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end imgui.PopStyleColor(2) end if sobesetap[0] == 7 then imgui.TextColoredRGB('Собеседование: Отклонение',1) imgui.Separator() imgui.PushItemWidth(270) imgui.SetCursorPosX(15) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo('##declinesobeschoosereasonselect',sobesdecline_select, new['const char*'][5]({u8'Плохое РП',u8'Не было РП',u8'Плохая грамматика',u8'Ничего не показал',u8'Другое'}), 5) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SetCursorPosX((imgui.GetWindowWidth() - 270) * 0.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(270,30)) then if not inprocess then if sobesdecline_select[0] == 0 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Очень плохое РП') elseif sobesdecline_select[0] == 1 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Не было РП') elseif sobesdecline_select[0] == 2 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Плохая грамматика') elseif sobesdecline_select[0] == 3 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') sampSendChat('/b Ничего не показал') elseif sobesdecline_select[0] == 4 then sampSendChat('К сожалению я не могу принять Вас из-за того, что Вы проф. непригодны.') end windows.imgui_fm[0] = false else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then imgui.Separator() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отклонить', imgui.ImVec2(285,30)) then if not inprocess then local reasons = { pass = { ['меньше 3 лет в штате'] = {'К сожалению я не могу продолжить собеседование. Вы не проживаете в штате 3 года.'}, ['не законопослушный'] = {'К сожалению я не могу продолжить собеседование. Вы недостаточно законопослушный.'}, ['игрок в организации'] = {'К сожалению я не могу продолжить собеседование. Вы уже работаете в другой организации.'}, ['в чс автошколы'] = {'К сожалению я не могу продолжить собеседование. Вы находитесь в ЧС АШ.'}, ['есть варны'] = {'К сожалению я не могу продолжить собеседование. Вы проф. непригодны.', '/n есть варны'}, ['был в деморгане'] = {'К сожалению я не могу продолжить собеседование. Вы лечились в псих. больнице.', '/n обновите мед. карту'} }, mc = { ['наркозависимость'] = {'К сожалению я не могу продолжить собеседование. Вы слишком наркозависимый.'}, ['не полностью здоровый'] = {'К сожалению я не могу продолжить собеседование. Вы не полностью здоровый.'}, }, } if reasons.pass[sobes_results.pass] then for k, v in pairs(reasons.pass[sobes_results.pass]) do sampSendChat(v) end windows.imgui_fm[0] = false elseif reasons.mc[sobes_results.medcard] then for k, v in pairs(reasons.mc[sobes_results.medcard]) do sampSendChat(v) end windows.imgui_fm[0] = false else lastsobesetap[0] = sobesetap[0] sobesetap[0] = 7 end else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) end imgui.SetCursorPos(imgui.ImVec2(15,240)) if sobesetap[0] ~= 0 then if imgui.InvisibleButton('##sobesbackbutton',imgui.ImVec2(55,15)) then if sobesetap[0] == 7 then sobesetap[0] = lastsobesetap[0] elseif sobesetap[0] ~= 0 then sobesetap[0] = sobesetap[0] - 1 end end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() imgui.SameLine() end imgui.SetCursorPosY(240) if sobesetap[0] ~= 3 and sobesetap[0] ~= 7 then imgui.SetCursorPosX(195) if imgui.InvisibleButton('##sobesforwardbutton',imgui.ImVec2(125,15)) then sobesetap[0] = sobesetap[0] + 1 end imgui.SetCursorPos(imgui.ImVec2(195, 240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], u8'Пропустить '..fa.ICON_FA_CHEVRON_RIGHT) imgui.PopFont() end elseif newwindowtype[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(7.5, 15)) imgui.BeginGroup() if not serverquestions['server'] then QuestionType_select[0] = 1 end if QuestionType_select[0] == 0 then imgui.TextColoredRGB(serverquestions['server'], 1) for k = 1, #serverquestions do if imgui.Button(u8(serverquestions[k].name)..'##'..k, imgui.ImVec2(275, 30)) then if not inprocess then ASHelperMessage('Подсказка: '..serverquestions[k].answer) sampSendChat(serverquestions[k].question) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end elseif QuestionType_select[0] == 1 then if #questions.questions ~= 0 then for k,v in pairs(questions.questions) do if imgui.Button(u8(v.bname)..'##'..k, imgui.ImVec2(questions.active.redact and 200 or 275,30)) then if not inprocess then ASHelperMessage('Подсказка: '..v.bhint) sampSendChat(v.bq) lastq[0] = clock() else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if questions.active.redact then imgui.SameLine() imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if imgui.Button(fa.ICON_FA_PEN..'##'..k, imgui.ImVec2(20,25)) then question_number = k imgui.StrCopy(questionsettings.questionname, u8(v.bname)) imgui.StrCopy(questionsettings.questionhint, u8(v.bhint)) imgui.StrCopy(questionsettings.questionques, u8(v.bq)) imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..'##'..k, imgui.ImVec2(20,25)) then table.remove(questions.questions,k) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() end imgui.PopStyleColor(3) end end end end imgui.EndGroup() imgui.NewLine() imgui.SetCursorPosX(7.5) imgui.Text(fa.ICON_FA_CLOCK..' '..(lastq[0] == 0 and u8'0 с. назад' or floor(clock()-lastq[0])..u8' с. назад')) imgui.Hint('lastustavquesttime','Прошедшее время с последнего вопроса.') imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.40, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.30, 0.00, 1.00)) imgui.Button(u8'Одобрить', imgui.ImVec2(130,30)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then if imgui.IsMouseReleased(0) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end if imgui.IsMouseReleased(1) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'Поздравляю, %s, Вы сдали устав!', gsub(sampGetPlayerNickname(fastmenuID), '_', ' ')}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s 2', fastmenuID}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end end imgui.Hint('ustavhint','ЛКМ для информирования о сдаче устава\nПКМ для повышения до 2-го ранга') imgui.PopStyleColor(2) imgui.SameLine() imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.40, 0.00, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.30, 0.00, 0.00, 1.00)) if imgui.Button(u8'Отказать', imgui.ImVec2(130,30)) then if not inprocess then windows.imgui_fm[0] = false sampSendChat(format('Сожалею, %s, но Вы не смогли сдать устав. Подучите и приходите в следующий раз.', gsub(sampGetPlayerNickname(fastmenuID), '_', ' '))) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end imgui.PopStyleColor(2) imgui.Separator() imgui.SetCursorPosX(7.5) imgui.BeginGroup() if serverquestions['server'] then imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Вопросы') imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY() - 3) imgui.PushItemWidth(90) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo(u8'##choosetypequestion', QuestionType_select, new['const char*'][8]{u8'Серверные', u8'Ваши'}, 2) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SameLine() end if QuestionType_select[0] == 1 then if not questions.active.redact then imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.80, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.70, 0.25, 0.25, 1.00)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.90, 0.25, 0.25, 1.00)) else if #questions.questions <= 7 then if imgui.Button(fa.ICON_FA_PLUS_CIRCLE,imgui.ImVec2(25,25)) then question_number = nil imgui.StrCopy(questionsettings.questionname, '') imgui.StrCopy(questionsettings.questionhint, '') imgui.StrCopy(questionsettings.questionques, '') imgui.OpenPopup(u8('Редактор вопросов')) end imgui.SameLine() end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.00, 0.70, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.00, 0.60, 0.00, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.00, 0.50, 0.00, 1.00)) end if imgui.Button(fa.ICON_FA_COG, imgui.ImVec2(25,25)) then questions.active.redact = not questions.active.redact end imgui.PopStyleColor(3) end imgui.EndGroup() imgui.Spacing() imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15,15)) if imgui.BeginPopup(u8'Редактор вопросов', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize) then imgui.Text(u8'Название кнопки:') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorname', questionsettings.questionname, sizeof(questionsettings.questionname)) imgui.Text(u8'Вопрос: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorques', questionsettings.questionques, sizeof(questionsettings.questionques)) imgui.Text(u8'Подсказка: ') imgui.SameLine() imgui.SetCursorPosX(125) imgui.InputText('##questeditorhint', questionsettings.questionhint, sizeof(questionsettings.questionhint)) imgui.SetCursorPosX(17) if #str(questionsettings.questionhint) > 0 and #str(questionsettings.questionques) > 0 and #str(questionsettings.questionname) > 0 then if imgui.Button(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) then if question_number == nil then questions.questions[#questions.questions + 1] = { bname = u8:decode(str(questionsettings.questionname)), bq = u8:decode(str(questionsettings.questionques)), bhint = u8:decode(str(questionsettings.questionhint)), } else questions.questions[question_number].bname = u8:decode(str(questionsettings.questionname)) questions.questions[question_number].bq = u8:decode(str(questionsettings.questionques)) questions.questions[question_number].bhint = u8:decode(str(questionsettings.questionhint)) end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() imgui.CloseCurrentPopup() end else imgui.LockedButton(u8'Сохранить####questeditor', imgui.ImVec2(150, 25)) imgui.Hint('notallparamsquesteditor','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() if imgui.Button(u8'Отменить##questeditor', imgui.ImVec2(150, 25)) then imgui.CloseCurrentPopup() end imgui.Spacing() imgui.EndPopup() end imgui.PopStyleVar() elseif newwindowtype[0] == 4 then if leadertype[0] == 0 then imgui.SetCursorPos(imgui.ImVec2(7.5, 15)) imgui.BeginGroup() imgui.Button(fa.ICON_FA_USER_PLUS..u8' Принять в организацию', imgui.ImVec2(275,30)) if imgui.IsItemHovered() and (imgui.IsMouseReleased(0) or imgui.IsMouseReleased(1)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', fastmenuID}, }) if imgui.IsMouseReleased(1) then waitingaccept = fastmenuID end end imgui.Hint('invitehint','ЛКМ для принятия человека в организацию\nПКМ для принятия на должность Консультанта') if imgui.Button(fa.ICON_FA_USER_MINUS..u8' Уволить из организации', imgui.ImVec2(275,30)) then leadertype[0] = 1 imgui.StrCopy(uninvitebuf, '') imgui.StrCopy(blacklistbuf, '') uninvitebox[0] = false end if imgui.Button(fa.ICON_FA_EXCHANGE_ALT..u8' Изменить должность', imgui.ImVec2(275,30)) then Ranks_select[0] = 0 leadertype[0] = 2 end if imgui.Button(fa.ICON_FA_USER_SLASH..u8' Занести в чёрный список', imgui.ImVec2(275,30)) then leadertype[0] = 3 imgui.StrCopy(blacklistbuff, '') end if imgui.Button(fa.ICON_FA_USER..u8' Убрать из чёрного списка', imgui.ImVec2(275,30)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя гражданина в поиск'}, {'/me {gender:убрал|убрала} гражданина из раздела \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/unblacklist %s', fastmenuID}, }) end if imgui.Button(fa.ICON_FA_FROWN..u8' Выдать выговор сотруднику', imgui.ImVec2(275,30)) then imgui.StrCopy(fwarnbuff, '') leadertype[0] = 4 end if imgui.Button(fa.ICON_FA_SMILE..u8' Снять выговор сотруднику', imgui.ImVec2(275,30)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:убрал|убрала} из его личного дела один выговор'}, {'/do Выговор был убран из личного дела сотрудника.'}, {'/unfwarn %s', fastmenuID}, }) end if imgui.Button(fa.ICON_FA_VOLUME_MUTE..u8' Выдать мут сотруднику', imgui.ImVec2(275,30)) then imgui.StrCopy(fmutebuff, '') fmuteint[0] = 0 leadertype[0] = 5 end if imgui.Button(fa.ICON_FA_VOLUME_UP..u8' Снять мут сотруднику', imgui.ImVec2(275,30)) then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Включить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/funmute %s', fastmenuID}, }) end imgui.EndGroup() elseif leadertype[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина увольнения:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputuninvitebuf', uninvitebuf, sizeof(uninvitebuf)) if uninvitebox[0] then imgui.TextColoredRGB('Причина ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuf', blacklistbuf, sizeof(blacklistbuf)) end imgui.SetCursorPosX(7.5) imgui.ToggleButton(u8'Уволить с ЧС', uninvitebox) imgui.SetCursorPosX(7.5) if imgui.Button(u8'Уволить '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(uninvitebuf) > 0 then if uninvitebox[0] then if #str(blacklistbuf) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:занёс|занесла} сотрудника в раздел, после чего {gender:подтвердил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuf))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:подтведрдил|подтвердила} изменения, затем {gender:выключил|выключила} планшет и {gender:положил|положила} его обратно в карман'}, {'/uninvite %s %s', fastmenuID, u8:decode(str(uninvitebuf))}, }) end else ASHelperMessage('Введите причину увольнения.') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.SetCursorPosX(47.5) imgui.PushItemWidth(200) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) imgui.Combo('##chooserank9', Ranks_select, new['const char*'][9]({u8('[1] '..configuration.RankNames[1]), u8('[2] '..configuration.RankNames[2]),u8('[3] '..configuration.RankNames[3]),u8('[4] '..configuration.RankNames[4]),u8('[5] '..configuration.RankNames[5]),u8('[6] '..configuration.RankNames[6]),u8('[7] '..configuration.RankNames[7]),u8('[8] '..configuration.RankNames[8]),u8('[9] '..configuration.RankNames[9])}), 9) imgui.PopStyleVar() imgui.PopItemWidth() imgui.SetCursorPosX(7.5) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(0.15, 0.42, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(0.25, 0.52, 0.0, 1.00)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(0.35, 0.62, 0.7, 1.00)) if imgui.Button(u8'Повысить сотрудника '..fa.ICON_FA_ARROW_UP, imgui.ImVec2(285,40)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.PopStyleColor(3) imgui.SetCursorPosX(7.5) if imgui.Button(u8'Понизить сотрудника '..fa.ICON_FA_ARROW_DOWN, imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'/giverank %s %s', fastmenuID, Ranks_select[0]+1}, }) else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина занесения в ЧС:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##inputblacklistbuff', blacklistbuff, sizeof(blacklistbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Занести в ЧС '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(blacklistbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя нарушителя'}, {'/me {gender:внёс|внесла} нарушителя в раздел \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/blacklist %s %s', fastmenuID, u8:decode(str(blacklistbuff))}, }) else ASHelperMessage('Введите причину занесения в ЧС!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 4 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина выговора:',1) imgui.SetCursorPosX(50) imgui.InputText(u8'##giverwarnbuffinputtext', fwarnbuff, sizeof(fwarnbuff)) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Выдать выговор '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if #str(fwarnbuff) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:добавил|добавила} в его личное дело выговор'}, {'/do Выговор был добавлен в личное дело сотрудника.'}, {'/fwarn %s %s', fastmenuID, u8:decode(str(fwarnbuff))}, }) else ASHelperMessage('Введите причину выдачи выговора!') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() elseif leadertype[0] == 5 then imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.TextColoredRGB('Причина мута:',1) imgui.SetCursorPosX(52) imgui.InputText(u8'##fmutereasoninputtext', fmutebuff, sizeof(fmutebuff)) imgui.TextColoredRGB('Время мута:',1) imgui.SetCursorPosX(52) imgui.InputInt(u8'##fmutetimeinputtext', fmuteint, 5) imgui.NewLine() imgui.SetCursorPosX(7.5) if imgui.Button(u8'Выдать мут '..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', imgui.ImVec2(285,30)) then if configuration.main_settings.myrankint >= 9 then if #str(fmutebuff) > 0 then if tonumber(fmuteint[0]) and tonumber(fmuteint[0]) > 0 then windows.imgui_fm[0] = false sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Отключить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/fmute %s %s %s', fastmenuID, u8:decode(fmuteint[0]), u8:decode(str(fmutebuff))}, }) else ASHelperMessage('Введите корректное время мута!') end else ASHelperMessage('Введите причину выдачи мута!') end else ASHelperMessage('Данная команда доступна с 9-го ранга.') end end imgui.SetCursorPos(imgui.ImVec2(15,240)) if imgui.InvisibleButton('##fmbackbutton',imgui.ImVec2(55,15)) then leadertype[0] = 0 end imgui.SetCursorPos(imgui.ImVec2(15,240)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Назад') imgui.PopFont() end imgui.Spacing() end imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(300, 25)) imgui.BeginChild('##fmplayerinfo', imgui.ImVec2(200, 75), false) imgui.SetCursorPosY(17) imgui.TextColoredRGB('Имя: {SSSSSS}'..sampGetPlayerNickname(fastmenuID)..'['..fastmenuID..']', 1) imgui.Hint('lmb to copy name', 'ЛКМ - скопировать ник') if imgui.IsMouseReleased(0) and imgui.IsItemHovered() then local name, result = gsub(u8(sampGetPlayerNickname(fastmenuID)), '_', ' ') imgui.SetClipboardText(name) end imgui.TextColoredRGB('Лет в штате: '..sampGetPlayerScore(fastmenuID), 1) imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(300, 100)) imgui.BeginChild('##fmchoosewindowtype', imgui.ImVec2(200, -1), false) imgui.SetCursorPos(imgui.ImVec2(20, 17.5)) imgui.BeginGroup() for k, v in pairs(fmbuttons) do if configuration.main_settings.myrankint >= v.rank then if newwindowtype[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x + 159, p.y + 10),imgui.ImVec2(p.x + 162, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Left) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,newwindowtype[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(v.name, imgui.ImVec2(162,35)) then if newwindowtype[0] ~= k then newwindowtype[0] = k sobesetap[0] = 0 sobesdecline_select[0] = 0 lastq[0] = 0 sobes_results = { pass = nil, medcard = nil, wbook = nil, licenses = nil } end end imgui.PopStyleColor(3) end end imgui.EndGroup() imgui.EndChild() imgui.PopStyleColor() imgui.End() imgui.PopStyleVar() end end ) local imgui_settings = imgui.OnFrame( function() return windows.imgui_settings[0] and not ChangePos end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(600, 300), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(0,0)) imgui.Begin(u8'#MainSettingsWindow', windows.imgui_settings, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoCollapse) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.Image(configuration.main_settings.style ~= 2 and whiteashelper or blackashelper,imgui.ImVec2(198,25)) imgui.SameLine(510) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if imgui.Button(fa.ICON_FA_QUESTION_CIRCLE..'##allcommands',imgui.ImVec2(23,23)) then imgui.OpenPopup(u8'Все команды') end imgui.SameLine() if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_settings[0] = false end imgui.PopStyleColor(3) imgui.SetCursorPos(imgui.ImVec2(217, 23)) imgui.TextColored(imgui.GetStyle().Colors[imgui.Col.Border],'v. '..thisScript().version) imgui.Hint('lastupdate','От ' .. latestUpdate) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15,15)) if imgui.BeginPopupModal(u8'Все команды', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then imgui.PushFont(font[16]) imgui.TextColoredRGB('Все доступные команды и горячие клавиши', 1) imgui.PopFont() imgui.Spacing() imgui.TextColoredRGB('Команды скрипта:') imgui.SetCursorPosX(20) imgui.BeginGroup() imgui.TextColoredRGB('/mph - Главное меню скрипта') imgui.TextColoredRGB('/mphbind - Биндер скрипта') imgui.TextColoredRGB('/mphlect - Меню лекций скрипта(5+ ранг)') imgui.TextColoredRGB('/mphdep - Меню департамента скрипта(5+ ранг)') if configuration.main_settings.fmtype == 1 then imgui.TextColoredRGB('/'..configuration.main_settings.usefastmenucmd..' [id] - Меню взаимодействия с клиентом') end imgui.EndGroup() imgui.Spacing() imgui.TextColoredRGB('Команды сервера с РП отыгровками:') imgui.SetCursorPosX(20) imgui.BeginGroup() imgui.TextColoredRGB('/invite [id] | /uninvite [id] [причина] - Принятие/Увольнение человека во фракцию (9+)') imgui.TextColoredRGB('/blacklist [id] [причина] | /unblacklist [id] - Занесение/Удаление человека в ЧС фракции (9+)') imgui.TextColoredRGB('/fwarn [id] [причина] | /unfwarn [id] - Выдача/Удаление выговора человека во фракции (9+)') imgui.TextColoredRGB('/fmute [id] [время] [причина] | /funmute [id] - Выдача/Удаление мута человеку во фракции (9+)') imgui.TextColoredRGB('/giverank [id] [ранг] - Изменение ранга человека в фракции (9+)') imgui.EndGroup() imgui.Spacing() imgui.TextColoredRGB('Горячие клавиши:') imgui.SetCursorPosX(20) imgui.BeginGroup() if configuration.main_settings.fmtype == 0 then imgui.TextColoredRGB('ПКМ + '..configuration.main_settings.usefastmenu..' - Меню взаимодействия с клиентом') end imgui.TextColoredRGB(configuration.main_settings.fastscreen..' - Быстрый скриншот') imgui.TextColoredRGB('Alt + I - Информировать, что делать при отсутствии мед. карты') imgui.TextColoredRGB('Alt + U - Остановить отыгровку') imgui.EndGroup() imgui.Spacing() if imgui.Button(u8'Закрыть##команды', imgui.ImVec2(-1, 30)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end imgui.PopStyleVar() imgui.EndGroup() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y), imgui.ImVec2(p.x + 600, p.y + 4), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.ChildBg]), 0) imgui.BeginChild('##MainSettingsWindowChild',imgui.ImVec2(-1,-1),false, imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoScrollWithMouse) if mainwindow[0] == 0 then imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) imgui.SetCursorPos(imgui.ImVec2(25,50)) imgui.BeginGroup() for k,v in pairs(buttons) do imgui.BeginGroup() local p = imgui.GetCursorScreenPos() if imgui.InvisibleButton(v.name, imgui.ImVec2(150,130)) then mainwindow[0] = k alpha[0] = clock() end if v.timer == 0 then v.timer = imgui.GetTime() end if imgui.IsItemHovered() then v.y_hovered = ceil(v.y_hovered) > 0 and 10 - ((imgui.GetTime() - v.timer) * 100) or 0 v.timer = ceil(v.y_hovered) > 0 and v.timer or 0 imgui.SetMouseCursor(imgui.MouseCursor.Hand) else v.y_hovered = ceil(v.y_hovered) < 10 and (imgui.GetTime() - v.timer) * 100 or 10 v.timer = ceil(v.y_hovered) < 10 and v.timer or 0 end imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + v.y_hovered), imgui.ImVec2(p.x + 150, p.y + 110 + v.y_hovered), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Button]), 7) imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x-4, p.y + v.y_hovered - 4), imgui.ImVec2(p.x + 154, p.y + 110 + v.y_hovered + 4), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.ButtonActive]), 10, nil, 1.9) imgui.SameLine(10) imgui.SetCursorPosY(imgui.GetCursorPosY() + 10 + v.y_hovered) imgui.PushFont(font[25]) imgui.Text(v.icon) imgui.PopFont() imgui.SameLine(10) imgui.SetCursorPosY(imgui.GetCursorPosY() + 30 + v.y_hovered) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.Text(u8(v.name)) imgui.PopFont() imgui.Text(u8(v.text)) imgui.EndGroup() imgui.EndGroup() if k ~= #buttons then imgui.SameLine(k*200) end end imgui.EndGroup() imgui.PopStyleVar() elseif mainwindow[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if imgui.InvisibleButton('##settingsbackbutton',imgui.ImVec2(10,15)) then mainwindow[0] = 0 alpha[0] = clock() end imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT) imgui.PopFont() imgui.SameLine() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 5, p.y - 10),imgui.ImVec2(p.x + 5, p.y + 26), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TextDisabled]), 1.5) imgui.SetCursorPos(imgui.ImVec2(60,15)) imgui.PushFont(font[25]) imgui.Text(u8'Настройки') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(15,65)) imgui.BeginGroup() imgui.PushStyleVarVec2(imgui.StyleVar.ButtonTextAlign, imgui.ImVec2(0.05,0.5)) for k, i in pairs(settingsbuttons) do if settingswindow[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + 10),imgui.ImVec2(p.x + 3, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Right) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,settingswindow[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(i, imgui.ImVec2(162,35)) then if settingswindow[0] ~= k then settingswindow[0] = k alpha[0] = clock() end end imgui.PopStyleColor(3) end imgui.PopStyleVar() imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(187, 0)) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) imgui.BeginChild('##usersettingsmainwindow',_,false) if settingswindow[0] == 1 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.Text(u8'Основная информация') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() imgui.BeginGroup() imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Ваше имя') imgui.SetCursorPosY(imgui.GetCursorPosY() + 10) imgui.Text(u8'Акцент') imgui.SetCursorPosY(imgui.GetCursorPosY() + 10) imgui.Text(u8'Ваш пол') imgui.SetCursorPosY(imgui.GetCursorPosY() + 10) imgui.Text(u8'Ваш ранг') imgui.EndGroup() imgui.SameLine(90) imgui.PushItemWidth(120) imgui.BeginGroup() if imgui.InputTextWithHint(u8'##mynickinroleplay', u8((gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' '))), usersettings.myname, sizeof(usersettings.myname)) then configuration.main_settings.myname = str(usersettings.myname) inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('NoNickNickFromTab','Если не будет указано, то имя будет браться из ника') if imgui.InputText(u8'##myaccentintroleplay', usersettings.myaccent, sizeof(usersettings.myaccent)) then configuration.main_settings.myaccent = str(usersettings.myaccent) inicfg.save(configuration,'Mordor Police Helper') end imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) if imgui.Combo(u8'##choosegendercombo',usersettings.gender, new['const char*'][2]({u8'Мужской',u8'Женский'}), 2) then configuration.main_settings.gender = usersettings.gender[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.PopStyleVar() if imgui.Button(u8(configuration.RankNames[configuration.main_settings.myrankint]..' ('..u8(configuration.main_settings.myrankint)..')'), imgui.ImVec2(120, 23)) then getmyrank = true sampSendChat('/stats') end imgui.Hint('clicktoupdaterang','Нажмите, чтобы перепроверить') imgui.EndGroup() imgui.PopItemWidth() imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Меню быстрого доступа') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() imgui.SetCursorPosY(imgui.GetCursorPosY() + 3) imgui.Text(u8'Тип активации') imgui.SameLine(100) imgui.SetCursorPosY(imgui.GetCursorPosY() - 3) imgui.PushItemWidth(120) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(10,10)) if imgui.Combo(u8'##choosefmtypecombo',usersettings.fmtype, new['const char*'][2]({u8'Клавиша',u8'Команда'}), 2) then configuration.main_settings.fmtype = usersettings.fmtype[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.PopStyleVar() imgui.PopItemWidth() imgui.SetCursorPosY(imgui.GetCursorPosY() + 4) imgui.Text(u8'Активация') imgui.SameLine(100) if configuration.main_settings.fmtype == 0 then imgui.Text(u8' ПКМ + ') imgui.SameLine(140) imgui.SetCursorPosY(imgui.GetCursorPosY() - 4) imgui.HotKey('меню быстрого доступа', configuration.main_settings, 'usefastmenu', 'E', find(configuration.main_settings.usefastmenu, '+') and 150 or 75) if imgui.ToggleButton(u8'Создавать маркер при выделении',usersettings.createmarker) then if marker ~= nil then removeBlip(marker) end marker = nil oldtargettingped = 0 configuration.main_settings.createmarker = usersettings.createmarker[0] inicfg.save(configuration,'Mordor Police Helper') end elseif configuration.main_settings.fmtype == 1 then imgui.Text(u8'/') imgui.SameLine(110) imgui.SetCursorPosY(imgui.GetCursorPosY() - 4) imgui.PushItemWidth(110) if imgui.InputText(u8'[id]##usefastmenucmdbuff',usersettings.usefastmenucmd,sizeof(usersettings.usefastmenucmd)) then configuration.main_settings.usefastmenucmd = str(usersettings.usefastmenucmd) inicfg.save(configuration,'Mordor Police Helper') end imgui.PopItemWidth() end imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Статистика') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.ToggleButton(u8'Отображать окно статистики', usersettings.statsvisible) then configuration.main_settings.statsvisible = usersettings.statsvisible[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SetCursorPosY(imgui.GetCursorPosY()-3) if imgui.Button(fa.ICON_FA_ARROWS_ALT..'##statsscreenpos') then if configuration.main_settings.statsvisible then changePosition(configuration.imgui_pos) else addNotify('Включите отображение\nстатистики.', 5) end end imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY()+3) imgui.Text(u8'Местоположение') imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Остальное') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.ToggleButton(u8'Заменять серверные сообщения', usersettings.replacechat) then configuration.main_settings.replacechat = usersettings.replacechat[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Быстрый скрин на', usersettings.dofastscreen) then configuration.main_settings.dofastscreen = usersettings.dofastscreen[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.SetCursorPosY(imgui.GetCursorPosY() - 4) imgui.HotKey('быстрого скрина', configuration.main_settings, 'fastscreen', 'F4', find(configuration.main_settings.fastscreen, '+') and 150 or 75) imgui.PushItemWidth(85) imgui.PopItemWidth() imgui.SameLine() imgui.EndGroup() imgui.Spacing() imgui.EndGroup() elseif settingswindow[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.Text(u8'Выбор стиля') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.CircleButton('##choosestyle0', configuration.main_settings.style == 0, imgui.ImVec4(1.00, 0.42, 0.00, 0.53)) then configuration.main_settings.style = 0 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle1', configuration.main_settings.style == 1, imgui.ImVec4(1.00, 0.28, 0.28, 1.00)) then configuration.main_settings.style = 1 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle2', configuration.main_settings.style == 2, imgui.ImVec4(0.00, 0.35, 1.00, 0.78)) then configuration.main_settings.style = 2 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle3', configuration.main_settings.style == 3, imgui.ImVec4(0.41, 0.19, 0.63, 0.31)) then configuration.main_settings.style = 3 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle4', configuration.main_settings.style == 4, imgui.ImVec4(0.00, 0.69, 0.33, 1.00)) then configuration.main_settings.style = 4 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() if imgui.CircleButton('##choosestyle5', configuration.main_settings.style == 5, imgui.ImVec4(0.51, 0.51, 0.51, 0.6)) then configuration.main_settings.style = 5 inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end imgui.SameLine() local pos = imgui.GetCursorPos() imgui.SetCursorPos(imgui.ImVec2(pos.x + 1.5, pos.y + 1.5)) imgui.Image(rainbowcircle,imgui.ImVec2(17,17)) imgui.SetCursorPos(pos) if imgui.CircleButton('##choosestyle6', configuration.main_settings.style == 6, imgui.GetStyle().Colors[imgui.Col.Button], nil, true) then configuration.main_settings.style = 6 inicfg.save(configuration, 'Mordor Police Helperini') checkstyle() end imgui.Hint('MoonMonetHint','MoonMonet') imgui.EndGroup() imgui.SetCursorPosY(imgui.GetCursorPosY() - 25) imgui.NewLine() if configuration.main_settings.style == 6 then imgui.PushFont(font[16]) imgui.Text(u8'Цвет акцента Monet') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() imgui.PushItemWidth(200) if imgui.ColorPicker3('##moonmonetcolorselect', usersettings.moonmonetcolorselect, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.PickerHueWheel + imgui.ColorEditFlags.NoSidePreview) then local r,g,b = usersettings.moonmonetcolorselect[0] * 255,usersettings.moonmonetcolorselect[1] * 255,usersettings.moonmonetcolorselect[2] * 255 local argb = join_argb(255,r,g,b) configuration.main_settings.monetstyle = argb inicfg.save(configuration, 'Mordor Police Helper.ini') checkstyle() end if imgui.SliderFloat('##CHROMA', monetstylechromaselect, 0.5, 2.0, u8'%0.2f c.m.') then configuration.main_settings.monetstyle_chroma = monetstylechromaselect[0] checkstyle() end imgui.PopItemWidth() imgui.EndGroup() imgui.NewLine() end imgui.PushFont(font[16]) imgui.Text(u8'Меню быстрого доступа') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.RadioButtonIntPtr(u8('Старый стиль'), usersettings.fmstyle, 0) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetMouseCursor(imgui.MouseCursor.Hand) imgui.SetNextWindowSize(imgui.ImVec2(90, 150)) imgui.Begin('##oldstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,6 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 7 + i * 20), imgui.ImVec2(p.x + 85, p.y + 22 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 14 + i * 20), imgui.ImVec2(p.x + 75, p.y + 14 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() end if imgui.RadioButtonIntPtr(u8('Новый стиль'), usersettings.fmstyle, 1) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetMouseCursor(imgui.MouseCursor.Hand) imgui.SetNextWindowSize(imgui.ImVec2(200, 110)) imgui.Begin('##newstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,3 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 5 + i * 20), imgui.ImVec2(p.x + 115, p.y + 20 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 12 + i * 20), imgui.ImVec2(p.x + 105, p.y + 12 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 110), imgui.ImVec2(p.x + 120, p.y), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 25), imgui.ImVec2(p.x + 200, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 135, p.y + 8), imgui.ImVec2(p.x + 175, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 178, p.y + 8), imgui.ImVec2(p.x + 183, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 145, p.y + 18), imgui.ImVec2(p.x + 175, p.y + 18), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 190, p.y + 30), imgui.ImVec2(p.x + 190, p.y + 45), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37), imgui.ImVec2(p.x + 180, p.y + 37), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) for i = 1,3 do imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37 + i * 20), imgui.ImVec2(p.x + 180, p.y + 37 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() end imgui.EndGroup() imgui.NewLine() imgui.PushFont(font[16]) imgui.Text(u8'Дополнительно') imgui.PopFont() imgui.SetCursorPosX(25) imgui.BeginGroup() if imgui.ColorEdit4(u8'##RSet', chatcolors.RChatColor, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.NoAlpha) then configuration.main_settings.RChatColor = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(chatcolors.RChatColor[0], chatcolors.RChatColor[1], chatcolors.RChatColor[2], chatcolors.RChatColor[3])) inicfg.save(configuration, 'Mordor Police Helper.ini') end imgui.SameLine() imgui.Text(u8'Цвет чата организации') imgui.SameLine(190) if imgui.Button(u8'Сбросить##RCol',imgui.ImVec2(65,25)) then configuration.main_settings.RChatColor = 4282626093 if inicfg.save(configuration, 'Mordor Police Helper.ini') then local temp = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor) chatcolors.RChatColor = new.float[4](temp.x, temp.y, temp.z, temp.w) end end imgui.SameLine(265) if imgui.Button(u8'Тест##RTest',imgui.ImVec2(37,25)) then local result, myid = sampGetPlayerIdByCharHandle(playerPed) local color4 = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor) local r, g, b, a = color4.x * 255, color4.y * 255, color4.z * 255, color4.w * 255 sampAddChatMessage('[R] '..configuration.RankNames[configuration.main_settings.myrankint]..' '..sampGetPlayerNickname(tonumber(myid))..'['..myid..']: (( Это сообщение видите только Вы! ))', join_argb(a, r, g, b)) end if imgui.ColorEdit4(u8'##DSet', chatcolors.DChatColor, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.NoAlpha) then configuration.main_settings.DChatColor = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(chatcolors.DChatColor[0], chatcolors.DChatColor[1], chatcolors.DChatColor[2], chatcolors.DChatColor[3])) inicfg.save(configuration, 'Mordor Police Helperini') end imgui.SameLine() imgui.Text(u8'Цвет чата департамента') imgui.SameLine(190) if imgui.Button(u8'Сбросить##DCol',imgui.ImVec2(65,25)) then configuration.main_settings.DChatColor = 4294940723 if inicfg.save(configuration, 'Mordor Police Helper.ini') then local temp = imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor) chatcolors.DChatColor = new.float[4](temp.x, temp.y, temp.z, temp.w) end end imgui.SameLine(265) if imgui.Button(u8'Тест##DTest',imgui.ImVec2(37,25)) then local result, myid = sampGetPlayerIdByCharHandle(playerPed) local color4 = imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor) local r, g, b, a = color4.x * 255, color4.y * 255, color4.z * 255, color4.w * 255 sampAddChatMessage('[D] '..configuration.RankNames[configuration.main_settings.myrankint]..' '..sampGetPlayerNickname(tonumber(myid))..'['..myid..']: Это сообщение видите только Вы!', join_argb(a, r, g, b)) end if imgui.ColorEdit4(u8'##SSet', chatcolors.ASChatColor, imgui.ColorEditFlags.NoInputs + imgui.ColorEditFlags.NoAlpha) then configuration.main_settings.ASChatColor = imgui.ColorConvertFloat4ToU32(imgui.ImVec4(chatcolors.ASChatColor[0], chatcolors.ASChatColor[1], chatcolors.ASChatColor[2], chatcolors.ASChatColor[3])) inicfg.save(configuration, 'Mordor Police Helper.ini') end imgui.SameLine() imgui.Text(u8'Цвет Mordor Police Helper в чате') imgui.SameLine(190) if imgui.Button(u8'Сбросить##SCol',imgui.ImVec2(65,25)) then configuration.main_settings.ASChatColor = 4281558783 if inicfg.save(configuration, 'Mordor Police Helper.ini') then local temp = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) chatcolors.ASChatColor = new.float[4](temp.x, temp.y, temp.z, temp.w) end end imgui.SameLine(265) if imgui.Button(u8'Тест##ASTest',imgui.ImVec2(37,25)) then ASHelperMessage('Это сообщение видите только Вы!') end if imgui.ToggleButton(u8'Убирать полосу прокрутки', usersettings.noscrollbar) then configuration.main_settings.noscrollbar = usersettings.noscrollbar[0] inicfg.save(configuration,'Mordor Police Helper') checkstyle() end imgui.EndGroup() imgui.Spacing() imgui.EndGroup() elseif settingswindow[0] == 3 then imgui.SetCursorPosY(40) imgui.TextColoredRGB('Цены {808080}(?)',1) imgui.Hint('pricelisthint','Эти числа будут использоваться при озвучивании прайс листа') imgui.PushItemWidth(62) imgui.SetCursorPosX(91) imgui.BeginGroup() if imgui.InputText(u8'Авто', pricelist.avtoprice, sizeof(pricelist.avtoprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.avtoprice = str(pricelist.avtoprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Рыбалка', pricelist.ribaprice, sizeof(pricelist.ribaprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.ribaprice = str(pricelist.ribaprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Оружие', pricelist.gunaprice, sizeof(pricelist.gunaprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.gunaprice = str(pricelist.gunaprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Раскопки', pricelist.kladprice, sizeof(pricelist.kladprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.kladprice = str(pricelist.kladprice) inicfg.save(configuration,'Mordor Police Helper') end imgui.EndGroup() imgui.SameLine(220) imgui.BeginGroup() if imgui.InputText(u8'Мото', pricelist.motoprice, sizeof(pricelist.motoprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.motoprice = str(pricelist.motoprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Плавание', pricelist.lodkaprice, sizeof(pricelist.lodkaprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.lodkaprice = str(pricelist.lodkaprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Охота', pricelist.huntprice, sizeof(pricelist.huntprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.huntprice = str(pricelist.huntprice) inicfg.save(configuration,'Mordor Police Helper') end if imgui.InputText(u8'Такси', pricelist.taxiprice, sizeof(pricelist.taxiprice), imgui.InputTextFlags.CharsDecimal) then configuration.main_settings.taxiprice = str(pricelist.taxiprice) inicfg.save(configuration,'Mordor Police Helper') end imgui.EndGroup() imgui.PopItemWidth() end imgui.EndChild() imgui.PopStyleVar() elseif mainwindow[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if imgui.InvisibleButton('##settingsbackbutton',imgui.ImVec2(10,15)) then mainwindow[0] = 0 alpha[0] = clock() end imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT) imgui.PopFont() imgui.SameLine() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 5, p.y - 10),imgui.ImVec2(p.x + 5, p.y + 26), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TextDisabled]), 1.5) imgui.SetCursorPos(imgui.ImVec2(60,15)) imgui.PushFont(font[25]) imgui.Text(u8'Дополнительно') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(15,65)) imgui.BeginGroup() imgui.PushStyleVarVec2(imgui.StyleVar.ButtonTextAlign, imgui.ImVec2(0.05,0.5)) for k, i in pairs(additionalbuttons) do if additionalwindow[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + 10),imgui.ImVec2(p.x + 3, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Right) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,additionalwindow[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(i, imgui.ImVec2(186,35)) then if additionalwindow[0] ~= k then additionalwindow[0] = k alpha[0] = clock() end end imgui.PopStyleColor(3) end imgui.PopStyleVar() imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(235, 0)) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) if additionalwindow[0] == 1 then imgui.BeginChild('##rulesswindow',_,false, imgui.WindowFlags.NoScrollbar) imgui.SetCursorPosY(20) if ruless['server'] then imgui.TextColoredRGB('Правила сервера '..ruless['server']..' + Ваши {808080}(?)',1) else imgui.TextColoredRGB('Ваши правила {808080}(?)',1) end imgui.Hint('txtfileforrules','Вы должны создать .txt файл с кодировкой ANSI\nЛКМ для открытия папки с правилами') if imgui.IsMouseReleased(0) and imgui.IsItemHovered() then createDirectory(getWorkingDirectory()..'\\Mordor Police Helper\\Rules') os.execute('explorer '..getWorkingDirectory()..'\\Mordor Police Helper\\Rules') end imgui.SetCursorPos(imgui.ImVec2(15, 20)) imgui.Text(fa.ICON_FA_REDO_ALT) if imgui.IsMouseReleased(0) and imgui.IsItemHovered() then checkRules() end imgui.Hint('updateallrules','Нажмите для обновления всех правил') for i = 1, #ruless do imgui.SetCursorPosX(15) if imgui.Button(u8(ruless[i].name..'##'..i), imgui.ImVec2(330,35)) then imgui.StrCopy(search_rule, '') RuleSelect = i imgui.OpenPopup(u8('Правила')) end end imgui.Spacing() imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15,15)) if imgui.BeginPopupModal(u8('Правила'), nil, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then imgui.TextColoredRGB(ruless[RuleSelect].name,1) imgui.SetCursorPosX(416) imgui.PushItemWidth(200) imgui.InputTextWithHint('##search_rule', fa.ICON_FA_SEARCH..u8' Искать', search_rule, sizeof(search_rule), imgui.InputTextFlags.EnterReturnsTrue) imgui.SameLine(928) if imgui.BoolButton(rule_align[0] == 1,fa.ICON_FA_ALIGN_LEFT, imgui.ImVec2(40, 20)) then rule_align[0] = 1 configuration.main_settings.rule_align = rule_align[0] inicfg.save(configuration,'Mordor Police Helper.ini') end imgui.SameLine() if imgui.BoolButton(rule_align[0] == 2,fa.ICON_FA_ALIGN_CENTER, imgui.ImVec2(40, 20)) then rule_align[0] = 2 configuration.main_settings.rule_align = rule_align[0] inicfg.save(configuration,'Mordor Police Helper.ini') end imgui.SameLine() if imgui.BoolButton(rule_align[0] == 3,fa.ICON_FA_ALIGN_RIGHT, imgui.ImVec2(40, 20)) then rule_align[0] = 3 configuration.main_settings.rule_align = rule_align[0] inicfg.save(configuration,'Mordor Police Helper.ini') end imgui.BeginChild('##Правила', imgui.ImVec2(1000, 500), true) for _ = 1, #ruless[RuleSelect].text do if sizeof(search_rule) < 1 then imgui.TextColoredRGB(ruless[RuleSelect].text[_],rule_align[0]-1) if imgui.IsItemHovered() and imgui.IsMouseDoubleClicked(0) then sampSetChatInputEnabled(true) sampSetChatInputText(gsub(ruless[RuleSelect].text[_], '%{.+%}','')) end else if find(string.rlower(ruless[RuleSelect].text[_]), string.rlower(gsub(u8:decode(str(search_rule)), '(%p)','(%%p)'))) then imgui.TextColoredRGB(ruless[RuleSelect].text[_],rule_align[0]-1) if imgui.IsItemHovered() and imgui.IsMouseDoubleClicked(0) then sampSetChatInputEnabled(true) sampSetChatInputText(gsub(ruless[RuleSelect].text[_], '%{.+%}','')) end end end end imgui.EndChild() imgui.SetCursorPosX(416) if imgui.Button(u8'Закрыть',imgui.ImVec2(200,25)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end imgui.PopStyleVar() imgui.EndChild() elseif additionalwindow[0] == 2 then imgui.BeginChild('##zametkimainwindow',_,false, imgui.WindowFlags.NoScrollbar) imgui.BeginChild('##zametkizametkichild', imgui.ImVec2(-1, 210), false) if zametkaredact_number == nil then imgui.PushStyleVarVec2(imgui.StyleVar.ItemSpacing, imgui.ImVec2(12,6)) imgui.SetCursorPosY(10) imgui.Columns(4) imgui.Text('#') imgui.SetColumnWidth(-1, 30) imgui.NextColumn() imgui.Text(u8'Название') imgui.SetColumnWidth(-1, 150) imgui.NextColumn() imgui.Text(u8'Команда') imgui.SetColumnWidth(-1, 75) imgui.NextColumn() imgui.Text(u8'Кнопка') imgui.Columns(1) imgui.Separator() for i = 1, #zametki do if imgui.Selectable(u8('##'..i), now_zametka[0] == i) then now_zametka[0] = i end if imgui.IsMouseDoubleClicked(0) and imgui.IsItemHovered() then windows.imgui_zametka[0] = true zametka_window[0] = now_zametka[0] end end imgui.SetCursorPosY(35) imgui.Columns(4) for i = 1, #zametki do local name, cmd, button = zametki[i].name, zametki[i].cmd, zametki[i].button imgui.Text(u8(i)) imgui.SetColumnWidth(-1, 30) imgui.NextColumn() imgui.Text(u8(name)) imgui.SetColumnWidth(-1, 150) imgui.NextColumn() imgui.Text(u8(#cmd > 0 and '/'..cmd or '')) imgui.SetColumnWidth(-1, 75) imgui.NextColumn() imgui.Text(u8(button)) imgui.NextColumn() end imgui.Columns(1) imgui.Separator() imgui.PopStyleVar() imgui.Spacing() else imgui.SetCursorPos(imgui.ImVec2(60, 20)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.TextColoredRGB(zametkaredact_number ~= 0 and 'Редактирование заметки #'..zametkaredact_number or 'Создание новой заметки', 1) imgui.PopFont() imgui.Spacing() imgui.TextColoredRGB('{FF2525}* {SSSSSS}Название заметки:') imgui.SameLine(125) imgui.PushItemWidth(120) imgui.InputText('##zametkaeditorname', zametkisettings.zametkaname, sizeof(zametkisettings.zametkaname)) imgui.TextColoredRGB('{FF2525}* {SSSSSS}Текст заметки:') imgui.SameLine(125) imgui.PushItemWidth(120) if imgui.Button(u8'Редактировать##neworredactzametka', imgui.ImVec2(120, 0)) then imgui.OpenPopup(u8'Редактор текста заметки') end imgui.Text(u8'Команда активации:') imgui.SameLine(125) imgui.InputText('##zametkaeditorcmd', zametkisettings.zametkacmd, sizeof(zametkisettings.zametkacmd)) imgui.PopItemWidth() imgui.Text(u8'Бинд активации:') imgui.SameLine(125) imgui.HotKey((zametkaredact_number ~= 0 and zametkaredact_number or 'новой')..' заметки', zametkisettings, 'zametkabtn', '', 120) imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(60,190)) if imgui.InvisibleButton('##zametkigoback',imgui.ImVec2(65,15)) then zametkaredact_number = nil imgui.StrCopy(zametkisettings.zametkacmd, '') imgui.StrCopy(zametkisettings.zametkaname, '') imgui.StrCopy(zametkisettings.zametkatext, '') zametkisettings.zametkabtn = '' end imgui.SetCursorPos(imgui.ImVec2(60,190)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT..u8' Отмена') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(220,190)) if imgui.InvisibleButton('##zametkisave',imgui.ImVec2(85,15)) then if #str(zametkisettings.zametkaname) > 0 then if #str(zametkisettings.zametkatext) > 0 then if zametkaredact_number ~= 0 then sampUnregisterChatCommand(zametki[zametkaredact_number].cmd) end zametki[zametkaredact_number == 0 and #zametki + 1 or zametkaredact_number] = {name = u8:decode(str(zametkisettings.zametkaname)), text = u8:decode(str(zametkisettings.zametkatext)), button = u8:decode(str(zametkisettings.zametkabtn)), cmd = u8:decode(str(zametkisettings.zametkacmd))} zametkaredact_number = nil local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'w') file:write(encodeJson(zametki)) file:close() updatechatcommands() else ASHelperMessage('Текст заметки не введен.') end else ASHelperMessage('Название заметки не введено.') end end imgui.SetCursorPos(imgui.ImVec2(220,190)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], u8'Сохранить '..fa.ICON_FA_CHEVRON_RIGHT) imgui.PopFont() imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(15, 15)) if imgui.BeginPopupModal(u8'Редактор текста заметки', nil, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then imgui.Text(u8'Текст:') imgui.InputTextMultiline(u8'##zametkatexteditor', zametkisettings.zametkatext, sizeof(zametkisettings.zametkatext), imgui.ImVec2(435,200)) if imgui.Button(u8'Закрыть', imgui.ImVec2(-1, 25)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end imgui.PopStyleVar() end imgui.EndChild() imgui.SetCursorPosX(7) if zametkaredact_number == nil then if imgui.Button(fa.ICON_FA_PLUS_CIRCLE..u8' Создать##zametkas') then zametkaredact_number = 0 imgui.StrCopy(zametkisettings.zametkacmd, '') imgui.StrCopy(zametkisettings.zametkaname, '') imgui.StrCopy(zametkisettings.zametkatext, '') zametkisettings.zametkabtn = '' end imgui.SameLine() if imgui.Button(fa.ICON_FA_PEN..u8' Изменить') then if zametki[now_zametka[0]] then zametkaredact_number = now_zametka[0] imgui.StrCopy(zametkisettings.zametkacmd, u8(zametki[now_zametka[0]].cmd)) imgui.StrCopy(zametkisettings.zametkaname, u8(zametki[now_zametka[0]].name)) imgui.StrCopy(zametkisettings.zametkatext, u8(zametki[now_zametka[0]].text)) zametkisettings.zametkabtn = zametki[now_zametka[0]].button end end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..u8' Удалить') then if zametki[now_zametka[0]] then table.remove(zametki, now_zametka[0]) now_zametka[0] = 1 end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'w') file:write(encodeJson(zametki)) file:close() end imgui.SameLine() if imgui.Button(fa.ICON_FA_ARROW_UP) then now_zametka[0] = (now_zametka[0] - 1 < 1) and #zametki or now_zametka[0] - 1 end imgui.SameLine() if imgui.Button(fa.ICON_FA_ARROW_DOWN) then now_zametka[0] = (now_zametka[0] + 1 > #zametki) and 1 or now_zametka[0] + 1 end imgui.SameLine() if imgui.Button(fa.ICON_FA_WINDOW_RESTORE) then windows.imgui_zametka[0] = true zametka_window[0] = now_zametka[0] end end imgui.EndChild() elseif additionalwindow[0] == 3 then imgui.BeginChild('##otigrovkiwindow',_,false) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.Text(u8'Задержка между сообщениями:') imgui.PushItemWidth(200) if imgui.SliderFloat('##playcd', usersettings.playcd, 0.5, 10.0, '%.1f c.') then if usersettings.playcd[0] < 0.5 then usersettings.playcd[0] = 0.5 end if usersettings.playcd[0] > 10.0 then usersettings.playcd[0] = 10.0 end configuration.main_settings.playcd = usersettings.playcd[0] * 1000 inicfg.save(configuration,'Mordor Police Helper') end imgui.PopItemWidth() imgui.Spacing() if imgui.ToggleButton(u8'Начинать отыгровки после команд', usersettings.dorponcmd) then configuration.main_settings.dorponcmd = usersettings.dorponcmd[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Автоотыгровка дубинки', usersettings.playdubinka) then configuration.main_settings.playdubinka = usersettings.playdubinka[0] inicfg.save(configuration,'Mordor Police Helper') end --[[ if imgui.ToggleButton(u8'Заменять Автошкола на ГЦЛ в отыгровках', usersettings.replaceash) then configuration.main_settings.replaceash = usersettings.replaceash[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.ToggleButton(u8'Мед. карта на охоту', usersettings.checkmconhunt) then configuration.main_settings.checkmconhunt = usersettings.checkmconhunt[0] inicfg.save(configuration,'Mordor Police Helper') end ]] imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('mconhunt','Если включено, то перед продажей лицензии на охоту будет проверяться мед. карта') if imgui.ToggleButton(u8'Мед. карта на оружие', usersettings.checkmcongun) then configuration.main_settings.checkmcongun = usersettings.checkmcongun[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('mcongun','Если включено, то перед продажей лицензии на оружие будет проверяться мед. карта') imgui.EndGroup() imgui.EndChild() end imgui.PopStyleVar() elseif mainwindow[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(15,20)) if imgui.InvisibleButton('##settingsbackbutton',imgui.ImVec2(10,15)) then mainwindow[0] = 0 alpha[0] = clock() end imgui.SetCursorPos(imgui.ImVec2(15,20)) imgui.PushFont(font[16]) imgui.TextColored(imgui.IsItemHovered() and imgui.GetStyle().Colors[imgui.Col.Text] or imgui.GetStyle().Colors[imgui.Col.TextDisabled], fa.ICON_FA_CHEVRON_LEFT) imgui.PopFont() imgui.SameLine() local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 5, p.y - 10),imgui.ImVec2(p.x + 5, p.y + 26), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TextDisabled]), 1.5) imgui.SetCursorPos(imgui.ImVec2(60,15)) imgui.PushFont(font[25]) imgui.Text(u8'Информация') imgui.PopFont() imgui.SetCursorPos(imgui.ImVec2(15,65)) imgui.BeginGroup() imgui.PushStyleVarVec2(imgui.StyleVar.ButtonTextAlign, imgui.ImVec2(0.05,0.5)) for k, i in pairs(infobuttons) do if infowindow[0] == k then local p = imgui.GetCursorScreenPos() imgui.GetWindowDrawList():AddRectFilled(imgui.ImVec2(p.x, p.y + 10),imgui.ImVec2(p.x + 3, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, imgui.DrawCornerFlags.Right) end imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,infowindow[0] == k and 0.1 or 0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0.15)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0.1)) if imgui.AnimButton(i, imgui.ImVec2(186,35)) then if infowindow[0] ~= k then infowindow[0] = k alpha[0] = clock() end end imgui.PopStyleColor(3) end imgui.PopStyleVar() imgui.EndGroup() imgui.SetCursorPos(imgui.ImVec2(208, 0)) imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate(1 / (alphaAnimTime / (clock() - alpha[0])))) imgui.BeginChild('##informationmainwindow',_,false) if infowindow[0] == 1 then imgui.PushFont(font[16]) imgui.SetCursorPosX(20) imgui.BeginGroup() if updateinfo.version and updateinfo.version ~= thisScript().version then imgui.SetCursorPosY(20) imgui.TextColored(imgui.ImVec4(0.92, 0.71, 0.25, 1), fa.ICON_FA_EXCLAMATION_CIRCLE) imgui.SameLine() imgui.BeginGroup() imgui.Text(u8'Обнаружено обновление на версию '..updateinfo.version..'!') imgui.PopFont() if imgui.Button(u8'Скачать '..fa.ICON_FA_ARROW_ALT_CIRCLE_DOWN) then local function DownloadFile(url, file) downloadUrlToFile(url,file,function(id,status) if status == dlstatus.STATUSEX_ENDDOWNLOAD then ASHelperMessage('Обновление успешно загружено, скрипт перезагружается...') end end) end DownloadFile(updateinfo.file, thisScript().path) NoErrors = true end imgui.SameLine() if imgui.TreeNodeStr(u8'Список изменений') then imgui.SetCursorPosX(135) imgui.TextWrapped((updateinfo.change_log)) imgui.TreePop() end imgui.EndGroup() else imgui.SetCursorPosY(30) imgui.TextColored(imgui.ImVec4(0.2, 1, 0.2, 1), fa.ICON_FA_CHECK_CIRCLE) imgui.SameLine() imgui.SetCursorPosY(20) imgui.BeginGroup() imgui.Text(u8'У вас установлена последняя версия скрипта.') imgui.PushFont(font[11]) imgui.TextColoredRGB('{SSSSSS90}Время последней проверки: '..(configuration.main_settings.updatelastcheck or 'не определено')) imgui.PopFont() imgui.PopFont() imgui.Spacing() if imgui.Button(u8'Проверить наличие обновлений') then checkUpdates('https://raw.githubusercontent.com/shep1ch/hell-num_2/main/nicedick.json', true) end imgui.EndGroup() end imgui.NewLine() imgui.PushFont(font[15]) imgui.Text(u8'Параметры') imgui.PopFont() imgui.SetCursorPosX(30) if imgui.ToggleButton(u8'Авто-проверка обновлений', auto_update_box) then configuration.main_settings.autoupdate = auto_update_box[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SetCursorPosX(30) if imgui.ToggleButton(u8'Получать бета релизы', get_beta_upd_box) then configuration.main_settings.getbetaupd = get_beta_upd_box[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.Text(fa.ICON_FA_QUESTION_CIRCLE) imgui.Hint('betareleaseshint', 'После включения данной функции Вы будете получать\nобновления раньше других людей для тестирования и\nсообщения о багах разработчику.\n{FF1010}Работа этих версий не будет гарантирована.') imgui.EndGroup() elseif infowindow[0] == 2 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() if testCheat('dev') then configuration.main_settings.myrankint = 10 addNotify('{20FF20}Режим разработчика включён.', 5) sampRegisterChatCommand('ash_temp',function() fastmenuID = select(2, sampGetPlayerIdByCharHandle(playerPed)) windows.imgui_fm[0] = true end) end imgui.PushFont(font[15]) imgui.TextColoredRGB('Автор - {MC}Shepi') imgui.PopFont() imgui.NewLine() imgui.TextWrapped(u8'Если Вы нашли баг или хотите предложить улучшение/изменение для скрипта, то можете связаться со мной в VK.') imgui.SetCursorPosX(25) imgui.Text(fa.ICON_FA_LINK) imgui.SameLine(40) imgui.Text(u8'Связаться со мной в VK:') imgui.SameLine(190) imgui.Link('https://vk.com/shepich', u8'VK') imgui.SameLine(); if imgui.Selectable('copy') then setClipboardText('https://vk.com/shepich') end imgui.Spacing() imgui.TextWrapped(u8'Если Вы находите этот скрипт полезным, то можете поддержать разработку деньгами.') imgui.SetCursorPosX(25) imgui.TextColored(imgui.ImVec4(0.31,0.78,0.47,1), fa.ICON_FA_GEM) imgui.SameLine(40) imgui.Text(u8'Поддержать разработку:') imgui.SameLine(190) imgui.Link('https://www.donationalerts.com/r/shepich', 'donationalerts.com/r/shepich') imgui.EndGroup() elseif infowindow[0] == 3 then imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() imgui.PushFont(font[16]) imgui.TextColoredRGB('Mordor Police Helper',1) imgui.PopFont() imgui.TextColoredRGB('Версия скрипта - {MC}'..thisScript().version) if imgui.Button(u8'Список изменений') then windows.imgui_changelog[0] = true end imgui.Link('https://www.blast.hk/threads/87533/', u8'Тема на Blast Hack') imgui.Separator() imgui.TextWrapped(u8[[ * Mordor Police Helper - удобный помощник, который облегчит Вам работу в МЮ на Мордор ролевая игра. Обновления скрипта происходят безопасно для Вас, автообновления нет, установку должны подтверждать Вы. * Меню быстрого доступа - Прицелившись на игрока с помощью ПКМ и нажав кнопку E (по умолчанию), откроется меню быстрого доступа. В данном меню есть все нужные функции, а именно: приветствие, озвучивание прайс листа, продажа лицензий, возможность выгнать человека из автошколы, приглашение в организацию, увольнение из организации, изменение должности, занесение в ЧС, удаление из ЧС, выдача выговоров, удаление выговоров, выдача организационного мута, удаление организационного мута, автоматизированное проведение собеседования со всеми нужными отыгровками. * Команды сервера с отыгровками - /invite, /uninvite, /giverank, /blacklist, /unblacklist, /fwarn, /unfwarn, /fmute, /funmute. Введя любую из этих команд начнётся РП отыгровка, лишь после неё будет активирована сама команда (эту функцию можно отключить в настройках). * Команды хелпера - /mph - настройки хелпера, /mphbind - биндер хелпера, /mphlect - меню лекций, /mphdep - меню департамента * Настройки - Введя команду /mph откроются настройки в которых можно изменять никнейм в приветствии, акцент, создание маркера при выделении, пол, цены на лицензии, горячую клавишу быстрого меню и многое другое. * Меню лекций - Введя команду /mphlect откроется меню лекций, в котором вы сможете озвучить/добавить/удалить лекции. * Биндер - Введя команду /mphbind откроется биндер, в котором вы можете создать абсолютно любой бинд на команду, или же кнопку(и).]]) imgui.Spacing() imgui.EndGroup() end imgui.EndChild() imgui.PopStyleVar() end imgui.EndChild() imgui.End() imgui.PopStyleVar() end ) local imgui_binder = imgui.OnFrame( function() return windows.imgui_binder[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(650, 370), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Биндер', windows.imgui_binder, imgui.WindowFlags.NoScrollWithMouse + imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoCollapse) imgui.Image(configuration.main_settings.style ~= 2 and whitebinder or blackbinder,imgui.ImVec2(202,25)) imgui.SameLine(583) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if choosedslot then if imgui.Button(fa.ICON_FA_QUESTION_CIRCLE,imgui.ImVec2(23,23)) then imgui.OpenPopup(u8'Тэги') end end imgui.SameLine(606) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_binder[0] = false end imgui.PopStyleColor(3) if imgui.BeginPopup(u8'Тэги', nil, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize + imgui.WindowFlags.NoTitleBar) then for k,v in pairs(tagbuttons) do if imgui.Button(u8(tagbuttons[k].name),imgui.ImVec2(150,25)) then imgui.StrCopy(bindersettings.binderbuff, str(bindersettings.binderbuff)..u8(tagbuttons[k].name)) ASHelperMessage('Тэг был скопирован.') end imgui.SameLine() if imgui.IsItemHovered() then imgui.BeginTooltip() imgui.Text(u8(tagbuttons[k].hint)) imgui.EndTooltip() end imgui.Text(u8(tagbuttons[k].text)) end imgui.EndPopup() end imgui.BeginChild('ChildWindow',imgui.ImVec2(175,270),true, (configuration.main_settings.noscrollbar and imgui.WindowFlags.NoScrollbar or imgui.WindowFlags.NoBringToFrontOnFocus)) imgui.SetCursorPosY(7.5) for key, value in pairs(configuration.BindsName) do imgui.SetCursorPosX(7.5) if imgui.Button(u8(configuration.BindsName[key]..'##'..key),imgui.ImVec2(160,30)) then choosedslot = key imgui.StrCopy(bindersettings.binderbuff, gsub(u8(configuration.BindsAction[key]), '~', '\n' ) or '') imgui.StrCopy(bindersettings.bindername, u8(configuration.BindsName[key] or '')) imgui.StrCopy(bindersettings.bindercmd, u8(configuration.BindsCmd[key] or '')) imgui.StrCopy(bindersettings.binderdelay, u8(configuration.BindsDelay[key] or '')) bindersettings.bindertype[0] = configuration.BindsType[key] or 0 bindersettings.binderbtn = configuration.BindsKeys[key] or '' end end imgui.EndChild() if choosedslot ~= nil and choosedslot <= 50 then imgui.SameLine() imgui.BeginChild('ChildWindow2',imgui.ImVec2(435,200),false) imgui.InputTextMultiline('##bindertexteditor', bindersettings.binderbuff, sizeof(bindersettings.binderbuff), imgui.ImVec2(435,200)) imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(206.5, 261)) imgui.Text(u8'Название бинда:') imgui.SameLine() imgui.PushItemWidth(150) if choosedslot ~= 50 then imgui.InputText('##bindersettings.bindername', bindersettings.bindername,sizeof(bindersettings.bindername),imgui.InputTextFlags.ReadOnly) else imgui.InputText('##bindersettings.bindername', bindersettings.bindername, sizeof(bindersettings.bindername)) end imgui.PopItemWidth() imgui.SameLine() imgui.PushItemWidth(162) imgui.Combo('##binderchoosebindtype', bindersettings.bindertype, new['const char*'][2]({u8'Использовать команду', u8'Использовать клавиши'}), 2) imgui.PopItemWidth() imgui.SetCursorPos(imgui.ImVec2(206.5, 293)) imgui.TextColoredRGB('Задержка между строками {FF4500}(ms):'); imgui.SameLine() imgui.Hint('msbinderhint','Указывайте значение в миллисекундах\n1 секунда = 1.000 миллисекунд') imgui.PushItemWidth(64) imgui.InputText('##bindersettings.binderdelay', bindersettings.binderdelay, sizeof(bindersettings.binderdelay), imgui.InputTextFlags.CharsDecimal) if tonumber(str(bindersettings.binderdelay)) and tonumber(str(bindersettings.binderdelay)) > 60000 then imgui.StrCopy(bindersettings.binderdelay, '60000') elseif tonumber(str(bindersettings.binderdelay)) and tonumber(str(bindersettings.binderdelay)) < 1 then imgui.StrCopy(bindersettings.binderdelay, '1') end imgui.PopItemWidth() imgui.SameLine() if bindersettings.bindertype[0] == 0 then imgui.Text('/') imgui.SameLine() imgui.PushItemWidth(145) imgui.InputText('##bindersettings.bindercmd',bindersettings.bindercmd,sizeof(bindersettings.bindercmd),imgui.InputTextFlags.CharsNoBlank) imgui.PopItemWidth() elseif bindersettings.bindertype[0] == 1 then imgui.HotKey('##binderbinder', bindersettings, 'binderbtn', '', 162) end imgui.NewLine() imgui.SetCursorPos(imgui.ImVec2(535, 330)) if #str(bindersettings.binderbuff) > 0 and #str(bindersettings.bindername) > 0 and #str(bindersettings.binderdelay) > 0 and bindersettings.bindertype[0] ~= nil then if imgui.Button(u8'Сохранить',imgui.ImVec2(100,30)) then local kei = nil if not inprocess then for key, value in pairs(configuration.BindsName) do if u8:decode(str(bindersettings.bindername)) == tostring(value) then sampUnregisterChatCommand(configuration.BindsCmd[key]) kei = key end end local refresh_text = gsub(u8:decode(str(bindersettings.binderbuff)), '\n', '~') if kei ~= nil then configuration.BindsName[kei] = u8:decode(str(bindersettings.bindername)) configuration.BindsDelay[kei] = str(bindersettings.binderdelay) configuration.BindsAction[kei] = refresh_text configuration.BindsType[kei]= bindersettings.bindertype[0] if bindersettings.bindertype[0] == 0 then configuration.BindsCmd[kei] = u8:decode(str(bindersettings.bindercmd)) elseif bindersettings.bindertype[0] == 1 then configuration.BindsKeys[kei] = bindersettings.binderbtn end if inicfg.save(configuration, 'Mordor Police Helper') then ASHelperMessage('Бинд успешно сохранён!') end else configuration.BindsName[#configuration.BindsName + 1] = u8:decode(str(bindersettings.bindername)) configuration.BindsDelay[#configuration.BindsDelay + 1] = str(bindersettings.binderdelay) configuration.BindsAction[#configuration.BindsAction + 1] = refresh_text configuration.BindsType[#configuration.BindsType + 1] = bindersettings.bindertype[0] if bindersettings.bindertype[0] == 0 then configuration.BindsCmd[#configuration.BindsCmd + 1] = u8:decode(str(bindersettings.bindercmd)) elseif bindersettings.bindertype[0] == 1 then configuration.BindsKeys[#configuration.BindsKeys + 1] = bindersettings.binderbtn end if inicfg.save(configuration, 'Mordor Police Helper') then ASHelperMessage('Бинд успешно создан!') end end imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.binderdelay, '') imgui.StrCopy(bindersettings.bindercmd, '') bindersettings.bindertype[0] = 0 choosedslot = nil updatechatcommands() else ASHelperMessage('Вы не можете взаимодействовать с биндером во время любой отыгровки!') end end else imgui.LockedButton(u8'Сохранить',imgui.ImVec2(100,30)) imgui.Hint('notallparamsbinder','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() imgui.SetCursorPosX(202) if imgui.Button(u8'Отменить',imgui.ImVec2(100,30)) then imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.binderdelay, '') imgui.StrCopy(bindersettings.bindercmd, '') bindersettings.bindertype[0] = 0 choosedslot = nil end else imgui.SetCursorPos(imgui.ImVec2(240,180)) imgui.Text(u8'Откройте бинд или создайте новый для меню редактирования.') end imgui.SetCursorPos(imgui.ImVec2(14, 330)) if imgui.Button(u8'Добавить',imgui.ImVec2(82,30)) then choosedslot = 50 imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderdelay, '') bindersettings.bindertype[0] = 0 end imgui.SameLine() if choosedslot ~= nil and choosedslot ~= 50 then if imgui.Button(u8'Удалить',imgui.ImVec2(82,30)) then if not inprocess then for key, value in pairs(configuration.BindsName) do local value = tostring(value) if u8:decode(str(bindersettings.bindername)) == configuration.BindsName[key] then sampUnregisterChatCommand(configuration.BindsCmd[key]) table.remove(configuration.BindsName,key) table.remove(configuration.BindsKeys,key) table.remove(configuration.BindsAction,key) table.remove(configuration.BindsCmd,key) table.remove(configuration.BindsDelay,key) table.remove(configuration.BindsType,key) if inicfg.save(configuration,'Mordor Police Helper') then imgui.StrCopy(bindersettings.bindercmd, '') imgui.StrCopy(bindersettings.binderbuff, '') imgui.StrCopy(bindersettings.bindername, '') imgui.StrCopy(bindersettings.binderdelay, '') imgui.StrCopy(bindersettings.bindercmd, '') bindersettings.bindertype[0] = 0 choosedslot = nil ASHelperMessage('Бинд успешно удалён!') end end end updatechatcommands() else ASHelperMessage('Вы не можете удалять бинд во время любой отыгровки!') end end else imgui.LockedButton(u8'Удалить',imgui.ImVec2(82,30)) imgui.Hint('choosedeletebinder','Выберите бинд который хотите удалить') end imgui.End() end ) local imgui_lect = imgui.OnFrame( function() return windows.imgui_lect[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(435, 300), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5), imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Лекции', windows.imgui_lect, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse + (configuration.main_settings.noscrollbar and imgui.WindowFlags.NoScrollbar or imgui.WindowFlags.NoBringToFrontOnFocus)) imgui.Image(configuration.main_settings.style ~= 2 and whitelection or blacklection,imgui.ImVec2(199,25)) imgui.SameLine(401) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_lect[0] = false end imgui.PopStyleColor(3) imgui.Separator() if imgui.RadioButtonIntPtr(u8('Чат'), lectionsettings.lection_type, 1) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() if imgui.RadioButtonIntPtr(u8('/s'), lectionsettings.lection_type, 4) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() if imgui.RadioButtonIntPtr(u8('/r'), lectionsettings.lection_type, 2) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() if imgui.RadioButtonIntPtr(u8('/rb'), lectionsettings.lection_type, 3) then configuration.main_settings.lection_type = lectionsettings.lection_type[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.SameLine() imgui.SetCursorPosX(245) imgui.PushItemWidth(50) if imgui.DragInt('##lectionsettings.lection_delay', lectionsettings.lection_delay, 0.1, 1, 30, u8('%d с.')) then if lectionsettings.lection_delay[0] < 1 then lectionsettings.lection_delay[0] = 1 end if lectionsettings.lection_delay[0] > 30 then lectionsettings.lection_delay[0] = 30 end configuration.main_settings.lection_delay = lectionsettings.lection_delay[0] inicfg.save(configuration,'Mordor Police Helper') end imgui.Hint('lectiondelay','Задержка между сообщениями') imgui.PopItemWidth() imgui.SameLine() imgui.SetCursorPosX(307) if imgui.Button(u8'Создать новую '..fa.ICON_FA_PLUS_CIRCLE, imgui.ImVec2(112, 24)) then lection_number = nil imgui.StrCopy(lectionsettings.lection_name, '') imgui.StrCopy(lectionsettings.lection_text, '') imgui.OpenPopup(u8('Редактор лекций')) end imgui.Separator() if #lections.data == 0 then imgui.SetCursorPosY(120) imgui.TextColoredRGB('У Вас нет ни одной лекции.',1) imgui.SetCursorPosX((imgui.GetWindowWidth() - 250) * 0.5) if imgui.Button(u8'Восстановить изначальные лекции', imgui.ImVec2(250, 25)) then local function copy(obj, seen) if type(obj) ~= 'table' then return obj end if seen and seen[obj] then return seen[obj] end local s = seen or {} local res = setmetatable({}, getmetatable(obj)) s[obj] = res for k, v in pairs(obj) do res[copy(k, s)] = copy(v, s) end return res end lections = copy(default_lect) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() end else for i = 1, #lections.data do if lections.active.bool == true then if lections.data[i].name == lections.active.name then if imgui.Button(fa.ICON_FA_PAUSE..'##'..u8(lections.data[i].name), imgui.ImVec2(280, 25)) then inprocess = nil lections.active.bool = false lections.active.name = nil lections.active.handle:terminate() lections.active.handle = nil end else imgui.LockedButton(u8(lections.data[i].name), imgui.ImVec2(280, 25)) end imgui.SameLine() imgui.LockedButton(fa.ICON_FA_PEN..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) imgui.SameLine() imgui.LockedButton(fa.ICON_FA_TRASH..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) else if imgui.Button(u8(lections.data[i].name), imgui.ImVec2(280, 25)) then lections.active.bool = true lections.active.name = lections.data[i].name lections.active.handle = lua_thread.create(function() for key = 1, #lections.data[i].text do if lectionsettings.lection_type[0] == 2 then if lections.data[i].text[key]:sub(1,1) == '/' then sampSendChat(lections.data[i].text[key]) else sampSendChat(format('/r %s', lections.data[i].text[key])) end elseif lectionsettings.lection_type[0] == 3 then if lections.data[i].text[key]:sub(1,1) == '/' then sampSendChat(lections.data[i].text[key]) else sampSendChat(format('/rb %s', lections.data[i].text[key])) end elseif lectionsettings.lection_type[0] == 4 then if lections.data[i].text[key]:sub(1,1) == '/' then sampSendChat(lections.data[i].text[key]) else sampSendChat(format('/s %s', lections.data[i].text[key])) end else sampSendChat(lections.data[i].text[key]) end if key ~= #lections.data[i].text then wait(lectionsettings.lection_delay[0] * 1000) end end lections.active.bool = false lections.active.name = nil lections.active.handle = nil end) end imgui.SameLine() if imgui.Button(fa.ICON_FA_PEN..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) then lection_number = i imgui.StrCopy(lectionsettings.lection_name, u8(tostring(lections.data[i].name))) imgui.StrCopy(lectionsettings.lection_text, u8(tostring(table.concat(lections.data[i].text, '\n')))) imgui.OpenPopup(u8'Редактор лекций') end imgui.SameLine() if imgui.Button(fa.ICON_FA_TRASH..'##'..u8(lections.data[i].name), imgui.ImVec2(50, 25)) then lection_number = i imgui.OpenPopup('##delete') end end end end if imgui.BeginPopup('##delete') then imgui.TextColoredRGB('Вы уверены, что хотите удалить лекцию \n\''..(lections.data[lection_number].name)..'\'',1) imgui.SetCursorPosX( (imgui.GetWindowWidth() - 100 - imgui.GetStyle().ItemSpacing.x) * 0.5 ) if imgui.Button(u8'Да',imgui.ImVec2(50,25)) then imgui.CloseCurrentPopup() table.remove(lections.data, lection_number) local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() end imgui.SameLine() if imgui.Button(u8'Нет',imgui.ImVec2(50,25)) then imgui.CloseCurrentPopup() end imgui.EndPopup() end if imgui.BeginPopupModal(u8'Редактор лекций', _, imgui.WindowFlags.NoCollapse + imgui.WindowFlags.AlwaysAutoResize) then imgui.InputTextWithHint('##lecteditor', u8'Название лекции', lectionsettings.lection_name, sizeof(lectionsettings.lection_name)) imgui.Text(u8'Текст лекции: ') imgui.InputTextMultiline('##lecteditortext', lectionsettings.lection_text, sizeof(lectionsettings.lection_text), imgui.ImVec2(700, 300)) imgui.SetCursorPosX(209) if #str(lectionsettings.lection_name) > 0 and #str(lectionsettings.lection_text) > 0 then if imgui.Button(u8'Сохранить##lecteditor', imgui.ImVec2(150, 25)) then local pack = function(text, match) local array = {} for line in gmatch(text, '[^'..match..']+') do array[#array + 1] = line end return array end if lection_number == nil then lections.data[#lections.data + 1] = { name = u8:decode(str(lectionsettings.lection_name)), text = pack(u8:decode(str(lectionsettings.lection_text)), '\n') } else lections.data[lection_number].name = u8:decode(str(lectionsettings.lection_name)) lections.data[lection_number].text = pack(u8:decode(str(lectionsettings.lection_text)), '\n') end local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() imgui.CloseCurrentPopup() end else imgui.LockedButton(u8'Сохранить##lecteditor', imgui.ImVec2(150, 25)) imgui.Hint('notallparamslecteditor','Вы ввели не все параметры. Перепроверьте всё.') end imgui.SameLine() if imgui.Button(u8'Отменить##lecteditor', imgui.ImVec2(150, 25)) then imgui.CloseCurrentPopup() end imgui.Spacing() imgui.EndPopup() end imgui.End() end ) local imgui_database = imgui.OnFrame( function() return windows.imgui_database[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(700, 365), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'#database', windows.imgui_database, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse) imgui.Image(configuration.main_settings.style ~= 2 and whitedepart or blackdepart,imgui.ImVec2(266,25)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) imgui.SameLine(622) imgui.Button(fa.ICON_FA_INFO_CIRCLE,imgui.ImVec2(23,23)) imgui.Hint('waitwaitwait!!!','Пока что это окно функционирует как должно не на всех серверах\nВ будущих обновлениях будут доступны более детальные настройки') imgui.SameLine(668) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_database[0] = false end imgui.PopStyleColor(3) imgui.BeginChild('##databbuttons',imgui.ImVec2(180,300),true, imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoScrollWithMouse) imgui.PushItemWidth(150) imgui.TextColoredRGB('Тэг вашей организации {FF2525}*',1) if imgui.InputTextWithHint('##myorgnamedep',u8(''),departsettings.myorgname, sizeof(departsettings.myorgname)) then configuration.main_settings.astag = u8:decode(str(departsettings.myorgname)) end imgui.TextColoredRGB('Тэг с кем связываетесь {FF2525}*',1) imgui.InputTextWithHint('##toorgnamedep',u8('Организация'),departsettings.toorgname, sizeof(departsettings.toorgname)) imgui.TextColoredRGB('Частота соеденения',1) imgui.InputTextWithHint('##frequencydep','100,3',departsettings.frequency, sizeof(departsettings.frequency)) imgui.PopItemWidth() imgui.NewLine() if imgui.Button(u8'Перейти на частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sendchatarray(2000, { {'/r Перехожу на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',',')}, {'/d [%s] - [Информация] Перешёл на частоту %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',',')} }) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/r hint depart',format('/r Перехожу на частоту %s\n/d [%s] - [Информация] Перешёл на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','))) if imgui.Button(u8'Покинуть частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/d hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) if imgui.Button(u8'Тех. Неполадки',imgui.ImVec2(150,25)) then if #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('teh hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') imgui.EndChild() imgui.SameLine() imgui.BeginChild('##deptext',imgui.ImVec2(480,265),true,imgui.WindowFlags.NoScrollbar) imgui.SetScrollY(imgui.GetScrollMaxY()) imgui.TextColoredRGB('История сообщений департамента {808080}(?)',1) imgui.Hint('mytagfind depart','Если в чате департамента будет тэг \''..u8:decode(str(departsettings.myorgname))..'\'\nв этот список добавится это сообщение') imgui.Separator() for k,v in pairs(dephistory) do imgui.TextWrapped(u8(v)) end imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(207,323)) imgui.PushItemWidth(368) imgui.InputTextWithHint('##myorgtextdep', u8'Напишите сообщение', departsettings.myorgtext, sizeof(departsettings.myorgtext)) imgui.PopItemWidth() imgui.SameLine() if imgui.Button(u8'Отправить',imgui.ImVec2(100,24)) then if #str(departsettings.myorgname) > 0 and #str(departsettings.toorgname) > 0 and #str(departsettings.myorgtext) > 0 then if #str(departsettings.frequency) > 0 then sampSendChat(format('/d [%s] - %s - [%s] %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) else sampSendChat(format('/d [%s] - [%s] %s', u8:decode(str(departsettings.myorgname)),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) end imgui.StrCopy(departsettings.myorgtext, '') else ASHelperMessage('У Вас что-то не указано.') end end imgui.End() end ) local imgui_depart = imgui.OnFrame( function() return windows.imgui_depart[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(700, 365), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'#depart', windows.imgui_depart, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse) imgui.Image(configuration.main_settings.style ~= 2 and whitedepart or blackdepart,imgui.ImVec2(266,25)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) imgui.SameLine(622) imgui.Button(fa.ICON_FA_INFO_CIRCLE,imgui.ImVec2(23,23)) imgui.Hint('waitwaitwait!!!','Пока что это окно функционирует как должно не на всех серверах\nВ будущих обновлениях будут доступны более детальные настройки') imgui.SameLine(645) if imgui.Button(fa.ICON_FA_MINUS_SQUARE,imgui.ImVec2(23,23)) then if #dephistory ~= 0 then dephistory = {} ASHelperMessage('История сообщений успешно очищена.') end end imgui.Hint('clearmessagehistory','Очистить историю сообщений') imgui.SameLine(668) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_depart[0] = false end imgui.PopStyleColor(3) imgui.BeginChild('##depbuttons',imgui.ImVec2(180,300),true, imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoScrollWithMouse) imgui.PushItemWidth(150) imgui.TextColoredRGB('Тэг вашей организации {FF2525}*',1) if imgui.InputTextWithHint('##myorgnamedep',u8(''),departsettings.myorgname, sizeof(departsettings.myorgname)) then configuration.main_settings.astag = u8:decode(str(departsettings.myorgname)) end imgui.TextColoredRGB('Тэг с кем связываетесь {FF2525}*',1) imgui.InputTextWithHint('##toorgnamedep',u8('Организация'),departsettings.toorgname, sizeof(departsettings.toorgname)) imgui.TextColoredRGB('Частота соеденения',1) imgui.InputTextWithHint('##frequencydep','100,3',departsettings.frequency, sizeof(departsettings.frequency)) imgui.PopItemWidth() imgui.NewLine() if imgui.Button(u8'Перейти на частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sendchatarray(2000, { {'/r Перехожу на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',',')}, {'/d [%s] - [Информация] Перешёл на частоту %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',',')} }) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/r hint depart',format('/r Перехожу на частоту %s\n/d [%s] - [Информация] Перешёл на частоту %s', gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','))) if imgui.Button(u8'Покинуть частоту',imgui.ImVec2(150,25)) then if #str(departsettings.frequency) > 0 and #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('/d hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Покидаю частоту '..gsub(u8:decode(str(departsettings.frequency)), '%.',',')) if imgui.Button(u8'Тех. Неполадки',imgui.ImVec2(150,25)) then if #str(departsettings.myorgname) > 0 then sampSendChat('/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') else ASHelperMessage('У Вас что-то не указано.') end end imgui.Hint('teh hint depart','/d ['..u8:decode(str(departsettings.myorgname))..'] - [Информация] Тех. Неполадки') imgui.EndChild() imgui.SameLine() imgui.BeginChild('##deptext',imgui.ImVec2(480,265),true,imgui.WindowFlags.NoScrollbar) imgui.SetScrollY(imgui.GetScrollMaxY()) imgui.TextColoredRGB('История сообщений департамента {808080}(?)',1) imgui.Hint('mytagfind depart','Если в чате департамента будет тэг \''..u8:decode(str(departsettings.myorgname))..'\'\nв этот список добавится это сообщение') imgui.Separator() for k,v in pairs(dephistory) do imgui.TextWrapped(u8(v)) end imgui.EndChild() imgui.SetCursorPos(imgui.ImVec2(207,323)) imgui.PushItemWidth(368) imgui.InputTextWithHint('##myorgtextdep', u8'Напишите сообщение', departsettings.myorgtext, sizeof(departsettings.myorgtext)) imgui.PopItemWidth() imgui.SameLine() if imgui.Button(u8'Отправить',imgui.ImVec2(100,24)) then if #str(departsettings.myorgname) > 0 and #str(departsettings.toorgname) > 0 and #str(departsettings.myorgtext) > 0 then if #str(departsettings.frequency) > 0 then sampSendChat(format('/d [%s] - %s - [%s] %s', u8:decode(str(departsettings.myorgname)), gsub(u8:decode(str(departsettings.frequency)), '%.',','),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) else sampSendChat(format('/d [%s] - [%s] %s', u8:decode(str(departsettings.myorgname)),u8:decode(str(departsettings.toorgname)),u8:decode(str(departsettings.myorgtext)))) end imgui.StrCopy(departsettings.myorgtext, '') else ASHelperMessage('У Вас что-то не указано.') end end imgui.End() end ) local imgui_changelog = imgui.OnFrame( function() return windows.imgui_changelog[0] end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(850, 600), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding,imgui.ImVec2(0,0)) imgui.Begin(u8'##changelog', windows.imgui_changelog, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.Image(configuration.main_settings.style ~= 2 and whitechangelog or blackchangelog,imgui.ImVec2(238,25)) imgui.PushStyleColor(imgui.Col.Button, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonHovered, imgui.ImVec4(1,1,1,0)) imgui.PushStyleColor(imgui.Col.ButtonActive, imgui.ImVec4(1,1,1,0)) imgui.SameLine(810) if imgui.Button(fa.ICON_FA_TIMES,imgui.ImVec2(23,23)) then windows.imgui_changelog[0] = false end imgui.PopStyleColor(3) imgui.Separator() imgui.SetCursorPosY(49) imgui.PushStyleColor(imgui.Col.ChildBg, imgui.ImVec4(0,0,0,0)) imgui.BeginChild('##TEXTEXTEXT',imgui.ImVec2(-1,-1),false, imgui.WindowFlags.NoScrollbar) imgui.SetCursorPos(imgui.ImVec2(15,15)) imgui.BeginGroup() for i = #changelog.versions, 1 , -1 do imgui.PushFont(font[25]) imgui.Text(u8('Версия: '..changelog.versions[i].version..' | '..changelog.versions[i].date)) imgui.PopFont() imgui.PushFont(font[16]) for _,line in pairs(changelog.versions[i].text) do imgui.TextWrapped(u8(' - '..line)) end imgui.PopFont() if changelog.versions[i].patches then imgui.Spacing() imgui.PushFont(font[16]) imgui.TextColoredRGB('{25a5db}Улучшения '..(changelog.versions[i].patches.active and '<<' or '>>')) imgui.PopFont() if imgui.IsItemHovered() and imgui.IsMouseReleased(0) then changelog.versions[i].patches.active = not changelog.versions[i].patches.active end if changelog.versions[i].patches.active then imgui.Text(u8(changelog.versions[i].patches.text)) end end imgui.NewLine() end imgui.EndGroup() imgui.EndChild() imgui.PopStyleColor() imgui.End() imgui.PopStyleVar() end ) local imgui_stats = imgui.OnFrame( function() return configuration.main_settings.statsvisible end, function(player) player.HideCursor = true imgui.SetNextWindowSize(imgui.ImVec2(150, 190), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(configuration.imgui_pos.posX,configuration.imgui_pos.posY),imgui.Cond.Always) imgui.Begin(u8'Статистика ##stats',_,imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoBringToFrontOnFocus + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoTitleBar) imgui.Text(fa.ICON_FA_CAR..u8' Авто - '..configuration.my_stats.avto) imgui.Text(fa.ICON_FA_MOTORCYCLE..u8' Мото - '..configuration.my_stats.moto) imgui.Text(fa.ICON_FA_FISH..u8' Рыболовство - '..configuration.my_stats.riba) imgui.Text(fa.ICON_FA_SHIP..u8' Плавание - '..configuration.my_stats.lodka) imgui.Text(fa.ICON_FA_CROSSHAIRS..u8' Оружие - '..configuration.my_stats.guns) imgui.Text(fa.ICON_FA_SKULL_CROSSBONES..u8' Охота - '..configuration.my_stats.hunt) imgui.Text(fa.ICON_FA_DIGGING..u8' Раскопки - '..configuration.my_stats.klad) imgui.Text(fa.ICON_FA_TAXI..u8' Такси - '..configuration.my_stats.taxi) imgui.End() end ) local imgui_notify = imgui.OnFrame( function() return true end, function(player) player.HideCursor = true for k = 1, #notify.msg do if notify.msg[k] and notify.msg[k].active then local i = -1 for d in gmatch(notify.msg[k].text, '[^\n]+') do i = i + 1 end if notify.pos.y - i * 21 > 0 then if notify.msg[k].justshowed == nil then notify.msg[k].justshowed = clock() - 0.05 end if ceil(notify.msg[k].justshowed + notify.msg[k].time - clock()) <= 0 then notify.msg[k].active = false end imgui.SetNextWindowPos(imgui.ImVec2(notify.pos.x, notify.pos.y - i * 21)) imgui.SetNextWindowSize(imgui.ImVec2(250, 60 + i * 21)) if clock() - notify.msg[k].justshowed < 0.3 then imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate((clock() - notify.msg[k].justshowed) * 3.34)) else imgui.PushStyleVarFloat(imgui.StyleVar.Alpha, ImSaturate((notify.msg[k].justshowed + notify.msg[k].time - clock()) * 3.34)) end imgui.PushStyleVarFloat(imgui.StyleVar.WindowBorderSize, 0) imgui.Begin(u8('Notify ##'..k), _, imgui.WindowFlags.NoTitleBar + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoMove + imgui.WindowFlags.NoScrollbar) local style = imgui.GetStyle() local pos = imgui.GetCursorScreenPos() local DrawList = imgui.GetWindowDrawList() DrawList:PathClear() local num_segments = 80 local step = 6.28 / num_segments local max = 6.28 * (1 - ((clock() - notify.msg[k].justshowed) / notify.msg[k].time)) local centre = imgui.ImVec2(pos.x + 15, pos.y + 15 + style.FramePadding.y) for i = 0, max, step do DrawList:PathLineTo(imgui.ImVec2(centre.x + 15 * cos(i), centre.y + 15 * sin(i))) end DrawList:PathStroke(imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.TitleBgActive]), false, 3) imgui.SetCursorPos(imgui.ImVec2(30 - imgui.CalcTextSize(u8(abs(ceil(notify.msg[k].time - (clock() - notify.msg[k].justshowed))))).x * 0.5, 27)) imgui.Text(tostring(abs(ceil(notify.msg[k].time - (clock() - notify.msg[k].justshowed))))) imgui.PushFont(font[16]) imgui.SetCursorPos(imgui.ImVec2(105, 10)) imgui.TextColoredRGB('{MC}Mordor Police Helper') imgui.PopFont() imgui.SetCursorPosX(60) imgui.BeginGroup() imgui.TextColoredRGB(notify.msg[k].text) imgui.EndGroup() imgui.End() imgui.PopStyleVar(2) notify.pos.y = notify.pos.y - 70 - i * 21 else if k == 1 then table.remove(notify.msg, k) end end else table.remove(notify.msg, k) end end local notf_sX, notf_sY = convertGameScreenCoordsToWindowScreenCoords(605, 438) notify.pos = {x = notf_sX - 200, y = notf_sY - 70} end ) local imgui_fmstylechoose = imgui.OnFrame( function() return (windows.imgui_fmstylechoose[0] and not windows.imgui_changelog[0]) end, function(player) player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(350, 225), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8'Стиль меню быстрого доступа##fastmenuchoosestyle', _, imgui.WindowFlags.NoResize + imgui.WindowFlags.NoCollapse + imgui.WindowFlags.NoScrollbar) imgui.TextWrapped(u8('В связи с добавлением нового стиля меню быстрого доступа, мы даём Вам выбрать какой стиль Вы предпочтёте использовать. Вы всегда сможете изменить его в /ash.\n\nДля предпросмотра нужно навести на одну из кнопок!')) imgui.Spacing() imgui.Columns(2, _, false) imgui.SetCursorPosX(52.5) imgui.Text(u8('Новый стиль')) imgui.SetCursorPosX(72.5) if imgui.RadioButtonIntPtr(u8('##newstylechoose'), usersettings.fmstyle, 1) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetNextWindowSize(imgui.ImVec2(200, 110)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(0,0)) imgui.Begin('##newstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,3 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 5 + i * 20), imgui.ImVec2(p.x + 115, p.y + 20 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 12 + i * 20), imgui.ImVec2(p.x + 105, p.y + 12 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 110), imgui.ImVec2(p.x + 120, p.y), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 120, p.y + 25), imgui.ImVec2(p.x + 200, p.y + 25), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 1) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 135, p.y + 8), imgui.ImVec2(p.x + 175, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 178, p.y + 8), imgui.ImVec2(p.x + 183, p.y + 8), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 145, p.y + 18), imgui.ImVec2(p.x + 175, p.y + 18), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 190, p.y + 30), imgui.ImVec2(p.x + 190, p.y + 45), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 2) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37), imgui.ImVec2(p.x + 180, p.y + 37), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) for i = 1,3 do imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 140, p.y + 37 + i * 20), imgui.ImVec2(p.x + 180, p.y + 37 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() imgui.PopStyleVar() end imgui.NextColumn() imgui.SetCursorPosX(220) imgui.Text(u8('Старый стиль')) imgui.SetCursorPosX(245) if imgui.RadioButtonIntPtr(u8('##oldstylechoose'), usersettings.fmstyle, 0) then configuration.main_settings.fmstyle = usersettings.fmstyle[0] inicfg.save(configuration,'Mordor Police Helper') end if imgui.IsItemHovered() then imgui.SetNextWindowSize(imgui.ImVec2(90, 150)) imgui.PushStyleVarVec2(imgui.StyleVar.WindowPadding, imgui.ImVec2(0,0)) imgui.Begin('##oldstyleshow', _, imgui.WindowFlags.Tooltip + imgui.WindowFlags.NoResize + imgui.WindowFlags.NoScrollbar + imgui.WindowFlags.NoTitleBar) local p = imgui.GetCursorScreenPos() for i = 0,6 do imgui.GetWindowDrawList():AddRect(imgui.ImVec2(p.x + 5, p.y + 7 + i * 20), imgui.ImVec2(p.x + 85, p.y + 22 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Border]), 5, nil, 1.9) imgui.GetWindowDrawList():AddLine(imgui.ImVec2(p.x + 15, p.y + 14 + i * 20), imgui.ImVec2(p.x + 75, p.y + 14 + i * 20), imgui.ColorConvertFloat4ToU32(imgui.GetStyle().Colors[imgui.Col.Text]), 3) end imgui.End() imgui.PopStyleVar() end imgui.Columns(1) if configuration.main_settings.fmstyle ~= nil then imgui.SetCursorPosX(125) if imgui.Button(u8('Продолжить'), imgui.ImVec2(100, 23)) then windows.imgui_fmstylechoose[0] = false end end imgui.End() end ) local imgui_zametka = imgui.OnFrame( function() return windows.imgui_zametka[0] end, function(player) if not zametki[zametka_window[0]] then return end player.HideCursor = isKeyDown(0x12) imgui.SetNextWindowSize(imgui.ImVec2(100, 100), imgui.Cond.FirstUseEver) imgui.SetNextWindowPos(imgui.ImVec2(ScreenSizeX * 0.5 , ScreenSizeY * 0.5),imgui.Cond.FirstUseEver, imgui.ImVec2(0.5, 0.5)) imgui.Begin(u8(zametki[zametka_window[0]].name..'##zametka_windoww'..zametka_window[0]), windows.imgui_zametka) imgui.Text(u8(zametki[zametka_window[0]].text)) imgui.End() end ) function updatechatcommands() for key, value in pairs(configuration.BindsName) do sampUnregisterChatCommand(configuration.BindsCmd[key]) if configuration.BindsCmd[key] ~= '' and configuration.BindsType[key] == 0 then sampRegisterChatCommand(configuration.BindsCmd[key], function() if not inprocess then local temp = 0 local temp2 = 0 for bp in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp = temp + 1 end inprocess = lua_thread.create(function() for bp in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp2 = temp2 + 1 if not find(bp, '%{delay_(%d+)%}') then sampSendChat(tostring(bp)) if temp2 ~= temp then wait(configuration.BindsDelay[key]) end else local delay = bp:match('%{delay_(%d+)%}') wait(delay) end end wait(0) inprocess = nil end) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end) end end for k, v in pairs(zametki) do sampUnregisterChatCommand(v.cmd) sampRegisterChatCommand(v.cmd, function() windows.imgui_zametka[0] = true zametka_window[0] = k end) end end function sampev.onCreatePickup(id, model, pickupType, position) if model == 19132 and getCharActiveInterior(playerPed) == 240 then return {id, 1272, pickupType, position} end end function sampev.onShowDialog(dialogId, style, title, button1, button2, text) if dialogId == 6 and givelic then local d = { ['авто'] = 0, ['мото'] = 1, ['рыболовство'] = 3, ['плавание'] = 4, ['оружие'] = 5, ['охоту'] = 6, ['раскопки'] = 7, ['такси'] = 8, } sampSendDialogResponse(6, 1, d[lictype], nil) lua_thread.create(function() wait(1000) if givelic then sampSendChat(format('/givelicense %s',sellto)) end end) return false elseif dialogId == 235 and getmyrank then if find(text, 'Инструкторы') then for DialogLine in gmatch(text, '[^\r\n]+') do local nameRankStats, getStatsRank = DialogLine:match('Должность: {B83434}(.+)%p(%d+)%p') if tonumber(getStatsRank) then local rangint = tonumber(getStatsRank) local rang = nameRankStats if rangint ~= configuration.main_settings.myrankint then ASHelperMessage(format('Ваш ранг был обновлён на %s (%s)',rang,rangint)) end if configuration.RankNames[rangint] ~= rang then ASHelperMessage(format('Название {MC}%s{WC} ранга изменено с {MC}%s{WC} на {MC}%s{WC}', rangint, configuration.RankNames[rangint], rang)) end configuration.RankNames[rangint] = rang configuration.main_settings.myrankint = rangint inicfg.save(configuration,'Mordor Police Helper') end end else print('{FF0000}Игрок не работает в автошколе. Скрипт был выгружен.') ASHelperMessage('Вы не работаете в автошколе, скрипт выгружен! Если это ошибка, то обратитесь к {MC}vk.com/shepich{WC}.') NoErrors = true thisScript():unload() end sampSendDialogResponse(235, 0, 0, nil) getmyrank = false return false elseif dialogId == 1234 then if find(text, 'Срок действия') then if configuration.sobes_settings.medcard and sobes_results and not sobes_results.medcard then if not find(text, 'Имя: '..sampGetPlayerNickname(fastmenuID)) then return {dialogId, style, title, button1, button2, text} end if not find(text, 'Полностью здоровый') then sobes_results.medcard = ('не полностью здоровый') return {dialogId, style, title, button1, button2, text} end for DialogLine in gmatch(text, '[^\r\n]+') do local statusint = DialogLine:match('{CEAD2A}Наркозависимость: (%d+)') if tonumber(statusint) and tonumber(statusint) > 5 then sobes_results.medcard = ('наркозависимость') return {dialogId, style, title, button1, button2, text} end end sobes_results.medcard = ('в порядке') end if skiporcancel then if find(text, 'Имя: '..sampGetPlayerNickname(tempid)) then if inprocess then inprocess:terminate() inprocess = nil ASHelperMessage('Прошлая отыгровка была прервана, из-за показа мед. карты.') end if find(text, 'Полностью здоровый') then sendchatarray(configuration.main_settings.playcd, { {'/me взяв мед.карту в руки начал её проверять'}, {'/do Мед.карта в норме.'}, {'/todo Всё в порядке* отдавая мед.карту обратно'}, {'/me {gender:взял|взяла} со стола бланк и {gender:заполнил|заполнила} ручкой бланк на получение лицензии на %s', skiporcancel}, {'/do Спустя некоторое время бланк на получение лицензии был заполнен.'}, {'/me распечатав лицензию на %s {gender:передал|передала} её человеку напротив', skiporcancel}, }, function() lictype = skiporcancel sellto = tempid end, function() wait(1000) givelic = true skiporcancel = false sampSendChat(format('/givelicense %s', tempid)) end) else sendchatarray(configuration.main_settings.playcd, { {'/me взяв мед.карту в руки начал её проверять'}, {'/do Мед.карта не в норме.'}, {'/todo К сожалению, в мед.карте написано, что у Вас есть отклонения.* отдавая мед.карту обратно'}, {'Обновите её и приходите снова!'}, }, function() skiporcancel = false ASHelperMessage('Человек не полностью здоровый, требуется поменять мед.карту!') end) end sampSendDialogResponse(1234, 1, 1, nil) return false end end elseif find(text, 'Серия') then if configuration.sobes_settings.pass and sobes_results and not sobes_results.pass then if not find(text, 'Имя: {FFD700}'..sampGetPlayerNickname(fastmenuID)) then return {dialogId, style, title, button1, button2, text} end if find(text, '{FFFFFF}Организация:') then sobes_results.pass = ('игрок в организации') return {dialogId, style, title, button1, button2, text} end for DialogLine in gmatch(text, '[^\r\n]+') do local passstatusint = DialogLine:match('{FFFFFF}Лет в штате: {FFD700}(%d+)') if tonumber(passstatusint) and tonumber(passstatusint) < 3 then sobes_results.pass = ('меньше 3 лет в штате') return {dialogId, style, title, button1, button2, text} end end for DialogLine in gmatch(text, '[^\r\n]+') do local zakonstatusint = DialogLine:match('{FFFFFF}Законопослушность: {FFD700}(%d+)') if tonumber(zakonstatusint) and tonumber(zakonstatusint) < 35 then sobes_results.pass = ('не законопослушный') return {dialogId, style, title, button1, button2, text} end end if find(text, 'Лечился в Психиатрической больнице') then sobes_results.pass = ('был в деморгане') return {dialogId, style, title, button1, button2, text} end if find(text, 'Состоит в ЧС{FF6200} Инструкторы') then sobes_results.pass = ('в чс автошколы') return {dialogId, style, title, button1, button2, text} end if find(text, 'Warns') then sobes_results.pass = ('есть варны') return {dialogId, style, title, button1, button2, text} end sobes_results.pass = ('в порядке') end elseif find(title, 'Лицензии') then if configuration.sobes_settings.licenses and sobes_results and not sobes_results.licenses then for DialogLine in gmatch(text, '[^\r\n]+') do if find(DialogLine, 'Лицензия на авто') then if find(DialogLine, 'Нет') then sobes_results.licenses = ('нет на авто') return {dialogId, style, title, button1, button2, text} end end if find(DialogLine, 'Лицензия на мото') then if find(DialogLine, 'Нет') then sobes_results.licenses = ('нет на мото') return {dialogId, style, title, button1, button2, text} end end end sobes_results.licenses = ('в порядке') return {dialogId, style, title, button1, button2, text} end end elseif dialogId == 0 then if find(title, 'Трудовая книжка '..sampGetPlayerNickname(fastmenuID)) then sobes_results.wbook = ('присутствует') end end if dialogId == 2015 then for line in gmatch(text, '[^\r\n]+') do local name, rank = line:match('^{%x+}[A-z0-9_]+%([0-9]+%)\t(.+)%(([0-9]+)%)\t%d+\t%d+') if name and rank then name, rank = tostring(name), tonumber(rank) if configuration.RankNames[rank] ~= nil and configuration.RankNames[rank] ~= name then ASHelperMessage(format('Название {MC}%s{WC} ранга изменено с {MC}%s{WC} на {MC}%s{WC}', rank, configuration.RankNames[rank], name)) configuration.RankNames[rank] = name inicfg.save(configuration,'Mordor Police Helper') end end end end end function sampev.onServerMessage(color, message) if configuration.main_settings.replacechat then if find(message, 'Используйте: /jobprogress %[ ID игрока %]') then ASHelperMessage('Вы просмотрели свою рабочую успеваемость.') return false end if find(message, sampGetPlayerNickname(select(2, sampGetPlayerIdByCharHandle(playerPed)))..' переодевается в гражданскую одежду') then ASHelperMessage('Вы закончили рабочий день, приятного отдыха!') return false end if find(message, sampGetPlayerNickname(select(2, sampGetPlayerIdByCharHandle(playerPed)))..' переодевается в рабочую одежду') then ASHelperMessage('Вы начали рабочий день, удачной работы!') return false end if find(message, '%[Информация%] {FFFFFF}Вы покинули пост!') then addNotify('Вы покинули пост.', 5) return false end end if (find(message, '%[Информация%] {FFFFFF}Вы предложили (.+) купить лицензию (.+)') or find(message, 'Вы далеко от игрока')) and givelic then givelic = false end if message == ('Используйте: /jobprogress(Без параметра)') and color == -1104335361 then sampSendChat('/jobprogress') return false end if find(message, '%[R%]') and color == 766526463 then local color = imgui.ColorConvertU32ToFloat4(configuration.main_settings.RChatColor) local r,g,b,a = color.x*255, color.y*255, color.z*255, color.w*255 return { join_argb(r, g, b, a), message} end if find(message, '%[D%]') and color == 865730559 or color == 865665023 then if find(message, u8:decode(departsettings.myorgname[0])) then local tmsg = gsub(message, '%[D%] ','') dephistory[#dephistory + 1] = tmsg end local color = imgui.ColorConvertU32ToFloat4(configuration.main_settings.DChatColor) local r,g,b,a = color.x*255, color.y*255, color.z*255, color.w*255 return { join_argb(r, g, b, a), message } end if find(message, '%[Информация%] {FFFFFF}Вы успешно продали лицензию') then local typeddd, toddd = message:match('%[Информация%] {FFFFFF}Вы успешно продали лицензию (.+) игроку (.+).') if typeddd == 'на авто' then configuration.my_stats.avto = configuration.my_stats.avto + 1 elseif typeddd == 'на мото' then configuration.my_stats.moto = configuration.my_stats.moto + 1 elseif typeddd == 'на рыбалку' then configuration.my_stats.riba = configuration.my_stats.riba + 1 elseif typeddd == 'на плавание' then configuration.my_stats.lodka = configuration.my_stats.lodka + 1 elseif typeddd == 'на оружие' then configuration.my_stats.guns = configuration.my_stats.guns + 1 elseif typeddd == 'на охоту' then configuration.my_stats.hunt = configuration.my_stats.hunt + 1 elseif typeddd == 'на раскопки' then configuration.my_stats.klad = configuration.my_stats.klad + 1 elseif typeddd == 'таксиста' then configuration.my_stats.taxi = configuration.my_stats.taxi + 1 else if configuration.main_settings.replacechat then ASHelperMessage(format('Вы успешно продали лицензию %s игроку %s.',typeddd,gsub(toddd, '_',' '))) return false end end if inicfg.save(configuration,'Mordor Police Helper') then if configuration.main_settings.replacechat then ASHelperMessage(format('Вы успешно продали лицензию %s игроку %s. Она была засчитана в вашу статистику.',typeddd,gsub(toddd, '_',' '))) return false end end end if find(message, 'Приветствуем нового члена нашей организации (.+), которого пригласил: (.+)') and waitingaccept then local invited,inviting = message:match('Приветствуем нового члена нашей организации (.+), которого пригласил: (.+)%[') if inviting == sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))) then if invited == sampGetPlayerNickname(waitingaccept) then lua_thread.create(function() wait(100) sampSendChat(format('/giverank %s 2',waitingaccept)) waitingaccept = false end) end end end end function sampev.onSendChat(message) if find(message, '{my_id}') then sampSendChat(gsub(message, '{my_id}', select(2, sampGetPlayerIdByCharHandle(playerPed)))) return false end if find(message, '{my_name}') then sampSendChat(gsub(message, '{my_name}', (configuration.main_settings.useservername and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)))) return false end if find(message, '{my_rank}') then sampSendChat(gsub(message, '{my_rank}', configuration.RankNames[configuration.main_settings.myrankint])) return false end if find(message, '{my_score}') then sampSendChat(gsub(message, '{my_score}', sampGetPlayerScore(select(2,sampGetPlayerIdByCharHandle(playerPed))))) return false end if find(message, '{H}') then sampSendChat(gsub(message, '{H}', os.date('%H', os.time()))) return false end if find(message, '{HM}') then sampSendChat(gsub(message, '{HM}', os.date('%H:%M', os.time()))) return false end if find(message, '{HMS}') then sampSendChat(gsub(message, '{HMS}', os.date('%H:%M:%S', os.time()))) return false end if find(message, '{close_id}') then if select(1,getClosestPlayerId()) then sampSendChat(gsub(message, '{close_id}', select(2,getClosestPlayerId()))) return false end ASHelperMessage('В зоне стрима не найдено ни одного игрока.') return false end if find(message, '@{%d+}') then local id = message:match('@{(%d+)}') if id and IsPlayerConnected(id) then sampSendChat(gsub(message, '@{%d+}', sampGetPlayerNickname(id))) return false end ASHelperMessage('Такого игрока нет на сервере.') return false end if find(message, '{gender:(%A+)|(%A+)}') then local male, female = message:match('{gender:(%A+)|(%A+)}') if configuration.main_settings.gender == 0 then local gendermsg = gsub(message, '{gender:%A+|%A+}', male, 1) sampSendChat(tostring(gendermsg)) return false else local gendermsg = gsub(message, '{gender:%A+|%A+}', female, 1) sampSendChat(tostring(gendermsg)) return false end end if #configuration.main_settings.myaccent > 1 then if message == ')' or message == '(' or message == '))' or message == '((' or message == 'xD' or message == ':D' or message == 'q' or message == ';)' then return{message} end if find(string.rlower(u8:decode(configuration.main_settings.myaccent)), 'акцент') then return{format('[%s]: %s', u8:decode(configuration.main_settings.myaccent),message)} else return{format('[%s акцент]: %s', u8:decode(configuration.main_settings.myaccent),message)} end end end function sampev.onSendCommand(cmd) if find(cmd, '{my_id}') then sampSendChat(gsub(cmd, '{my_id}', select(2, sampGetPlayerIdByCharHandle(playerPed)))) return false end if find(cmd, '{my_name}') then sampSendChat(gsub(cmd, '{my_name}', (configuration.main_settings.useservername and gsub(sampGetPlayerNickname(select(2,sampGetPlayerIdByCharHandle(playerPed))), '_', ' ') or u8:decode(configuration.main_settings.myname)))) return false end if find(cmd, '{my_rank}') then sampSendChat(gsub(cmd, '{my_rank}', configuration.RankNames[configuration.main_settings.myrankint])) return false end if find(cmd, '{my_score}') then sampSendChat(gsub(cmd, '{my_score}', sampGetPlayerScore(select(2,sampGetPlayerIdByCharHandle(playerPed))))) return false end if find(cmd, '{H}') then sampSendChat(gsub(cmd, '{H}', os.date('%H', os.time()))) return false end if find(cmd, '{HM}') then sampSendChat(gsub(cmd, '{HM}', os.date('%H:%M', os.time()))) return false end if find(cmd, '{HMS}') then sampSendChat(gsub(cmd, '{HMS}', os.date('%H:%M:%S', os.time()))) return false end if find(cmd, '{close_id}') then if select(1,getClosestPlayerId()) then sampSendChat(gsub(cmd, '{close_id}', select(2,getClosestPlayerId()))) return false end ASHelperMessage('В зоне стрима не найдено ни одного игрока.') return false end if find(cmd, '@{%d+}') then local id = cmd:match('@{(%d+)}') if id and IsPlayerConnected(id) then sampSendChat(gsub(cmd, '@{%d+}', sampGetPlayerNickname(id))) return false end ASHelperMessage('Такого игрока нет на сервере.') return false end if find(cmd, '{gender:(%A+)|(%A+)}') then local male, female = cmd:match('{gender:(%A+)|(%A+)}') if configuration.main_settings.gender == 0 then local gendermsg = gsub(cmd, '{gender:%A+|%A+}', male, 1) sampSendChat(tostring(gendermsg)) return false else local gendermsg = gsub(cmd, '{gender:%A+|%A+}', female, 1) sampSendChat(tostring(gendermsg)) return false end end if configuration.main_settings.fmtype == 1 then com = #cmd > #configuration.main_settings.usefastmenucmd+1 and sub(cmd, 2, #configuration.main_settings.usefastmenucmd+2) or sub(cmd, 2, #configuration.main_settings.usefastmenucmd+1)..' ' if com == configuration.main_settings.usefastmenucmd..' ' then if windows.imgui_fm[0] == false then if find(cmd, '/'..configuration.main_settings.usefastmenucmd..' %d+') then local param = cmd:match('.+ (%d+)') if sampIsPlayerConnected(param) then if doesCharExist(select(2,sampGetCharHandleBySampPlayerId(param))) then fastmenuID = param ASHelperMessage(format('Вы использовали меню быстрого доступа на: %s [%s]',gsub(sampGetPlayerNickname(fastmenuID), '_', ' '),fastmenuID)) ASHelperMessage('Зажмите {MC}ALT{WC} для того, чтобы скрыть курсор. {MC}ESC{WC} для того, чтобы закрыть меню.') windows.imgui_fm[0] = true else ASHelperMessage('Игрок не находится рядом с вами') end else ASHelperMessage('Игрок не в сети') end else ASHelperMessage('/'..configuration.main_settings.usefastmenucmd..' [id]') end end return false end end end function IsPlayerConnected(id) return (sampIsPlayerConnected(tonumber(id)) or select(2, sampGetPlayerIdByCharHandle(playerPed)) == tonumber(id)) end function checkServer(ip) local servers = { ['185.173.93.8:7228'] = 'HackMySoftware', } return servers[ip] or false end function ASHelperMessage(text) local col = imgui.ColorConvertU32ToFloat4(configuration.main_settings.ASChatColor) local r,g,b,a = col.x*255, col.y*255, col.z*255, col.w*255 text = gsub(text, '{WC}', '{EBEBEB}') text = gsub(text, '{MC}', format('{%06X}', bit.bor(bit.bor(b, bit.lshift(g, 8)), bit.lshift(r, 16)))) sampAddChatMessage(format('[Mordor Police Helper]{EBEBEB}{ffffff}: %s', text),join_argb(a, r, g, b)) -- ff6633 default end function onWindowMessage(msg, wparam, lparam) if wparam == 0x1B and not isPauseMenuActive() then if windows.imgui_settings[0] or windows.imgui_fm[0] or windows.imgui_binder[0] or windows.imgui_lect[0] or windows.imgui_depart[0] or windows.imgui_changelog[0] or windows.imgui_database[0] then consumeWindowMessage(true, false) if(msg == 0x101)then windows.imgui_settings[0] = false windows.imgui_fm[0] = false windows.imgui_binder[0] = false windows.imgui_lect[0] = false windows.imgui_depart[0] = false windows.imgui_changelog[0] = false windows.imgui_database[0] = false end end end end function onScriptTerminate(script, quitGame) if script == thisScript() then if not sampIsDialogActive() then showCursor(false, false) end if marker ~= nil then removeBlip(marker) end if NoErrors then return false end local file = getWorkingDirectory()..'\\moonloader.log' local moonlog = '' local tags = {['%(info%)'] = 'A9EFF5', ['%(debug%)'] = 'AFA9F5', ['%(error%)'] = 'FF7070', ['%(warn%)'] = 'F5C28E', ['%(system%)'] = 'FA9746', ['%(fatal%)'] = '040404', ['%(exception%)'] = 'F5A9A9', ['%(script%)'] = '7DD156',} local i = 0 local lasti = 0 local function ftable(line) for key, value in pairs(tags) do if find(line, key) then return true end end return false end for line in io.lines(file) do local sameline = not ftable(line) and i-1 == lasti if find(line, 'Loaded successfully.') and find(line, thisScript().name) then moonlog = '' sameline = false end if find(line, thisScript().name) or sameline then for k,v in pairs(tags) do if find(line, k) then line = sub(line, 19, #line) line = gsub(line, ' ', ' ') line = gsub(line, k, '{'..v..'}'..k..'{FFFFFF}') end end line = gsub(line, thisScript().name..':', thisScript().name..':{C0C0C0}') line = line..'{C0C0C0}' moonlog = moonlog..line..'\n' lasti = i end i = i + 1 end sampShowDialog(536472, '{ff6633}[Mordor Police Helper]{ffffff} Скрипт был выгружен.', [[ {f51111}Если Вы самостоятельно перезагрузили скрипт, то можете закрыть это диалоговое окно. В ином случае, для начала попытайтесь восстановить работу скрипта сочетанием клавиш CTRL + R. Если же это не помогло, то следуйте дальнейшим инструкциям.{ff6633} 1. Возможно у Вас установлены конфликтующие LUA файлы и хелперы, попытайтесь удалить их. 2. Возможно Вы не доустановили некоторые нужные библиотеки, а именно: - SAMPFUNCS 5.5.1 - CLEO 4.1+ - MoonLoader 0.26 3. Если данной ошибки не было ранее, попытайтесь сделать следующие действия: - В папке moonloader > config > Удаляем файл Mordor Police Helper.ini - В папке moonloader > Удаляем папку Mordor Police Helper 4. Если ничего из вышеперечисленного не исправило ошибку, то следует установить скрипт на другую сборку. 5. Если даже это не помогло Вам, то отправьте автору {2594CC}(vk.com/shepich){FF6633} скриншот ошибки.{FFFFFF} ——————————————————————————————————————————————————————— {C0C0C0}]]..moonlog, 'ОК', nil, 0) end end function getClosestPlayerId() local temp = {} local tPeds = getAllChars() local me = {getCharCoordinates(playerPed)} for i = 1, #tPeds do local result, id = sampGetPlayerIdByCharHandle(tPeds[i]) if tPeds[i] ~= playerPed and result then local pl = {getCharCoordinates(tPeds[i])} local dist = getDistanceBetweenCoords3d(me[1], me[2], me[3], pl[1], pl[2], pl[3]) temp[#temp + 1] = { dist, id } end end if #temp > 0 then table.sort(temp, function(a, b) return a[1] < b[1] end) return true, temp[1][2] end return false end function sendchatarray(delay, text, start_function, end_function) start_function = start_function or function() end end_function = end_function or function() end if inprocess ~= nil then ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') return false end inprocess = lua_thread.create(function() start_function() for i = 1, #text do sampSendChat(format(text[i][1], unpack(text[i], 2))) if i ~= #text then wait(delay) end end end_function() wait(0) inprocess = nil end) return true end function createJsons() createDirectory(getWorkingDirectory()..'\\Mordor Police Helper') createDirectory(getWorkingDirectory()..'\\Mordor Police Helper\\Rules') if not doesFileExist(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json') then lections = default_lect local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'w') file:write(encodeJson(lections)) file:close() else local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userLections.json', 'r') lections = decodeJson(file:read('*a')) file:close() end if not doesFileExist(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json') then questions = { active = { redact = false }, questions = {} } local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'w') file:write(encodeJson(questions)) file:close() else local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userQuestions.json', 'r') questions = decodeJson(file:read('*a')) questions.active.redact = false file:close() end if not doesFileExist(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json') then zametki = {} local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'w') file:write(encodeJson(zametki)) file:close() else local file = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\userNotes.json', 'r') zametki = decodeJson(file:read('*a')) file:close() end return true end function checkRules() ruless = {} for line in lfs.dir(getWorkingDirectory()..'\\Mordor Police Helper\\Rules') do if line == nil then elseif line:match('.+%.txt') then local temp = io.open(getWorkingDirectory()..'\\Mordor Police Helper\\Rules\\'..line:match('.+%.txt'), 'r+') local temptable = {} for linee in temp:lines() do if linee == '' then temptable[#temptable + 1] = ' ' else temptable[#temptable + 1] = linee end end ruless[#ruless + 1] = { name = line:match('(.+)%.txt'), text = temptable } temp:close() end end local json_url = 'https://raw.githubusercontent.com/shep1ch/hell-num_2/main/rules.json' local json = getWorkingDirectory() .. '\\'..thisScript().name..'-rules.json' downloadUrlToFile(json_url, json, function(id, status, p1, p2) if status == dlstatus.STATUSEX_ENDDOWNLOAD then if doesFileExist(json) then local f = io.open(json, 'r') local info = decodeJson(f:read('*a')) f:close(); os.remove(json) if f then if info[checkServer(select(1, sampGetCurrentServerAddress()))] then ruless['server'] = checkServer(select(1, sampGetCurrentServerAddress())) for k,v in pairs(info[checkServer(select(1, sampGetCurrentServerAddress()))]) do if type(v) == 'string' then local temptable = {} for line in gmatch(v, '[^\n]+') do if find(line, '%{space%}') then temptable[#temptable+1] = ' ' else if #line > 151 and find(line:sub(151), ' ') then temptable[#temptable+1] = line:sub(1,150 + find(line:sub(151), ' '))..'\n'..line:sub(151 + find(line:sub(151), ' ')) else temptable[#temptable+1] = line end end end ruless[#ruless+1] = {name=k,text=temptable} end end else ASHelperMessage('Ошибка в импротировании правил сервера! Неизвестный сервер. Обратитесь к {MC}vk.com/shepich{WC}.') end end end end end) end function checkUpdates(json_url, show_notify) show_notify = show_notify or false local function getTimeAfter(unix) local function plural(n, forms) n = math.abs(n) % 100 if n % 10 == 1 and n ~= 11 then return forms[1] elseif 2 <= n % 10 and n % 10 <= 4 and (n < 10 or n >= 20) then return forms[2] end return forms[3] end local interval = os.time() - unix if interval < 86400 then return 'сегодня' elseif interval < 604800 then local days = math.floor(interval / 86400) local text = plural(days, {'день', 'дня', 'дней'}) return ('%s %s назад'):format(days, text) elseif interval < 2592000 then local weeks = math.floor(interval / 604800) local text = plural(weeks, {'неделя', 'недели', 'недель'}) return ('%s %s назад'):format(weeks, text) elseif interval < 31536000 then local months = math.floor(interval / 2592000) local text = plural(months, {'месяц', 'месяца', 'месяцев'}) return ('%s %s назад'):format(months, text) else local years = math.floor(interval / 31536000) local text = plural(years, {'год', 'года', 'лет'}) return ('%s %s назад'):format(years, text) end end local json = getWorkingDirectory() .. '\\'..thisScript().name..'-version.json' if doesFileExist(json) then os.remove(json) end downloadUrlToFile(json_url, json, function(id, status, p1, p2) if status == dlstatus.STATUSEX_ENDDOWNLOAD then if doesFileExist(json) then local f = io.open(json, 'r') if f then local info = decodeJson(f:read('*a')) local updateversion = (configuration.main_settings.getbetaupd and info.beta_upd) and info.beta_version or info.version f:close() os.remove(json) if updateversion ~= thisScript().version then addNotify('Обнаружено обновление на\nверсию {MC}'..updateversion..'{WC}. Подробности:\n{MC}/mphupd', 5) else if show_notify then addNotify('Обновлений не обнаружено!', 5) end end if configuration.main_settings.getbetaupd and info.beta_upd then updateinfo = { file = info.beta_file, version = updateversion, change_log = info.beta_changelog, } else updateinfo = { file = info.file, version = updateversion, change_log = info.change_log, } end configuration.main_settings.updatelastcheck = getTimeAfter(os.time({day = os.date('%d'), month = os.date('%m'), year = os.date('%Y')}))..' в '..os.date('%X') inicfg.save(configuration, 'Mordor Police Helper.ini') end end end end ) end function ImSaturate(f) return f < 0.0 and 0.0 or (f > 1.0 and 1.0 or f) end function main() if not isSampLoaded() or not isSampfuncsLoaded() then return end while not isSampAvailable() do wait(1000) end createJsons() checkRules() getmyrank = true sampSendChat('/stats') print('{00FF00}Успешная загрузка') addNotify(format('Успешная загрузка, версия %s.\nНастроить скрипт: {MC}/mph', thisScript().version), 10) if configuration.main_settings.changelog then windows.imgui_changelog[0] = true configuration.main_settings.changelog = false inicfg.save(configuration, 'Mordor Police Helper.ini') end sampRegisterChatCommand('mph', function() windows.imgui_settings[0] = not windows.imgui_settings[0] alpha[0] = clock() end) sampRegisterChatCommand('mphbind', function() choosedslot = nil windows.imgui_binder[0] = not windows.imgui_binder[0] end) sampRegisterChatCommand('mphstats', function() ASHelperMessage('Это окно теперь включается в {MC}/mph{WC} - {MC}Настройки{WC}.') end) sampRegisterChatCommand('mphlect', function() if configuration.main_settings.myrankint < 5 then return addNotify('Данная функция доступна с 5-го\nранга.', 5) end windows.imgui_lect[0] = not windows.imgui_lect[0] end) sampRegisterChatCommand('mphdep', function() if configuration.main_settings.myrankint < 5 then return addNotify('Данная функция доступна с 5-го\nранга.', 5) end windows.imgui_depart[0] = not windows.imgui_depart[0] end) sampRegisterChatCommand('mphdb', function() if configuration.main_settings.myrankint < 2 then return addNotify('Данная функция доступна со 2-го\nранга.', 5) end windows.imgui_database[0] = not windows.imgui_database[0] end) sampRegisterChatCommand('mphupd', function() windows.imgui_settings[0] = true mainwindow[0] = 3 infowindow[0] = 1 alpha[0] = clock() end) sampRegisterChatCommand('uninvite', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/uninvite %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local uvalid = param:match('(%d+)') local reason = select(2, param:match('(%d+) (.+),')) or select(2, param:match('(%d+) (.+)')) local withbl = select(2, param:match('(.+), (.+)')) if uvalid == nil or reason == nil then return ASHelperMessage('/uninvite [id] [причина], [причина чс] (не обязательно)') end if tonumber(uvalid) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете увольнять из организации самого себя.') end if withbl then return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:занёс|занесла} сотрудника в раздел, после чего {gender:подтвердил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/uninvite %s %s', uvalid, reason}, {'/blacklist %s %s', uvalid, withbl}, }) else return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Увольнение\''}, {'/do Раздел открыт.'}, {'/me {gender:внёс|внесла} человека в раздел \'Увольнение\''}, {'/me {gender:подтведрдил|подтвердила} изменения, затем {gender:выключил|выключила} планшет и {gender:положил|положила} его обратно в карман'}, {'/uninvite %s %s', uvalid, reason}, }) end end) sampRegisterChatCommand('invite', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/invite %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/invite [id]') end if tonumber(id) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете приглашать в организацию самого себя.') end return sendchatarray(configuration.main_settings.playcd, { {'/do Ключи от шкафчика в кармане.'}, {'/me всунув руку в карман брюк, {gender:достал|достала} оттуда ключ от шкафчика'}, {'/me {gender:передал|передала} ключ человеку напротив'}, {'Добро пожаловать! Раздевалка за дверью.'}, {'Со всей информацией Вы можете ознакомиться на оф. портале.'}, {'/invite %s', id}, }) end) sampRegisterChatCommand('giverank', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/giverank %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,rank = param:match('(%d+) (%d)') if id == nil or rank == nil then return ASHelperMessage('/giverank [id] [ранг]') end if tonumber(id) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете менять ранг самому себе.') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:выбрал|выбрала} в разделе нужного сотрудника'}, {'/me {gender:изменил|изменила} информацию о должности сотрудника, после чего {gender:подтведрдил|подтвердила} изменения'}, {'/do Информация о сотруднике была изменена.'}, {'Поздравляю с повышением. Новый бейджик Вы можете взять в раздевалке.'}, {'/giverank %s %s', id, rank}, }) end) sampRegisterChatCommand('blacklist', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/blacklist %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,reason = param:match('(%d+) (.+)') if id == nil or reason == nil then return ASHelperMessage('/blacklist [id] [причина]') end if tonumber(id) == select(2,sampGetPlayerIdByCharHandle(playerPed)) then return ASHelperMessage('Вы не можете внести в ЧС самого себя.') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя нарушителя'}, {'/me {gender:внёс|внесла} нарушителя в раздел \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/blacklist %s %s', id, reason}, }) end) sampRegisterChatCommand('unblacklist', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/unblacklist %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/unblacklist [id]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Чёрный список\''}, {'/me {gender:ввёл|ввела} имя гражданина в поиск'}, {'/me {gender:убрал|убрала} гражданина из раздела \'Чёрный список\''}, {'/me {gender:подтведрдил|подтвердила} изменения'}, {'/do Изменения были сохранены.'}, {'/unblacklist %s', id}, }) end) sampRegisterChatCommand('fwarn', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/fwarn %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,reason = param:match('(%d+) (.+)') if id == nil or reason == nil then return ASHelperMessage('/fwarn [id] [причина]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:добавил|добавила} в его личное дело выговор'}, {'/do Выговор был добавлен в личное дело сотрудника.'}, {'/fwarn %s %s', id, reason}, }) end) sampRegisterChatCommand('unfwarn', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/unfwarn %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/unfwarn [id]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками\''}, {'/me {gender:зашёл|зашла} в раздел \'Выговоры\''}, {'/me найдя в разделе нужного сотрудника, {gender:убрал|убрала} из его личного дела один выговор'}, {'/do Выговор был убран из личного дела сотрудника.'}, {'/unfwarn %s', id}, }) end) sampRegisterChatCommand('fmute', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/fmute %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id,mutetime,reason = param:match('(%d+) (%d+) (.+)') if id == nil or reason == nil or mutetime == nil then return ASHelperMessage('/fmute [id] [время] [причина]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Отключить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/fmute %s %s %s', id, mutetime, reason}, }) end) sampRegisterChatCommand('funmute', function(param) if not configuration.main_settings.dorponcmd then return sampSendChat(format('/funmute %s',param)) end if configuration.main_settings.myrankint < 9 then return ASHelperMessage('Данная команда доступна с 9-го ранга.') end local id = param:match('(%d+)') if id == nil then return ASHelperMessage('/funmute [id]') end return sendchatarray(configuration.main_settings.playcd, { {'/me {gender:достал|достала} планшет из кармана'}, {'/me {gender:включил|включила} планшет'}, {'/me {gender:перешёл|перешла} в раздел \'Управление сотрудниками %s\'', configuration.main_settings.replaceash and 'ГЦЛ' or 'Автошколы'}, {'/me {gender:выбрал|выбрала} нужного сотрудника'}, {'/me {gender:выбрал|выбрала} пункт \'Включить рацию сотрудника\''}, {'/me {gender:нажал|нажала} на кнопку \'Сохранить изменения\''}, {'/funmute %s', id}, }) end) updatechatcommands() lua_thread.create(function() local function sampIsLocalPlayerSpawned() local res, id = sampGetPlayerIdByCharHandle(PLAYER_PED) return sampGetGamestate() == 3 and res and sampGetPlayerAnimationId(id) ~= 0 end while not sampIsLocalPlayerSpawned() do wait(1000) end if sampIsLocalPlayerSpawned() then wait(2000) getmyrank = true sampSendChat('/stats') end end) while true do if configuration.main_settings.fmtype == 0 and getCharPlayerIsTargeting() then if configuration.main_settings.createmarker then local targettingped = select(2,getCharPlayerIsTargeting()) if sampGetPlayerIdByCharHandle(targettingped) then if marker ~= nil and oldtargettingped ~= targettingped then removeBlip(marker) marker = nil marker = addBlipForChar(targettingped) elseif marker == nil and oldtargettingped ~= targettingped then marker = addBlipForChar(targettingped) end end oldtargettingped = targettingped end if isKeysDown(configuration.main_settings.usefastmenu) and not sampIsChatInputActive() then if sampGetPlayerIdByCharHandle(select(2,getCharPlayerIsTargeting())) then setVirtualKeyDown(0x02,false) fastmenuID = select(2,sampGetPlayerIdByCharHandle(select(2,getCharPlayerIsTargeting()))) ASHelperMessage(format('Вы использовали меню быстрого доступа на: %s [%s]',gsub(sampGetPlayerNickname(fastmenuID), '_', ' '),fastmenuID)) ASHelperMessage('Зажмите {MC}ALT{WC} для того, чтобы скрыть курсор. {MC}ESC{WC} для того, чтобы закрыть меню.') wait(0) windows.imgui_fm[0] = true end end end if isKeysDown(configuration.main_settings.fastscreen) and configuration.main_settings.dofastscreen and (clock() - tHotKeyData.lasted > 0.1) and not sampIsChatInputActive() then sampSendChat('/time') wait(500) setVirtualKeyDown(0x77, true) wait(0) setVirtualKeyDown(0x77, false) end if inprocess and isKeyDown(0x12) and isKeyJustPressed(0x55) then inprocess:terminate() inprocess = nil ASHelperMessage('Отыгровка успешно прервана!') end if skiporcancel and isKeyDown(0x12) and isKeyJustPressed(0x4F) then skiporcancel = false sampSendChat('Сожалею, но без мед. карты я не продам. Оформите её в любой больнице.') ASHelperMessage('Ожидание мед. карты остановлено!') end if isKeyDown(0x11) and isKeyJustPressed(0x52) then NoErrors = true print('{FFFF00}Скрипт был перезагружен комбинацией клавиш Ctrl + R') end if configuration.main_settings.playdubinka then local weapon = getCurrentCharWeapon(playerPed) if weapon == 3 and not rp_check then sampSendChat('/me сняв дубинку с пояса {gender:взял|взяла} в правую руку') rp_check = true elseif weapon ~= 3 and rp_check then sampSendChat('/me {gender:повесил|повесила} дубинку на пояс') rp_check = false end end for key = 1, #configuration.BindsName do if isKeysDown(configuration.BindsKeys[key]) and not sampIsChatInputActive() and configuration.BindsType[key] == 1 then if not inprocess then local temp = 0 local temp2 = 0 for _ in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp = temp + 1 end inprocess = lua_thread.create(function() for bp in gmatch(tostring(configuration.BindsAction[key]), '[^~]+') do temp2 = temp2 + 1 if not find(bp, '%{delay_(%d+)%}') then sampSendChat(tostring(bp)) if temp2 ~= temp then wait(configuration.BindsDelay[key]) end else local delay = bp:match('%{delay_(%d+)%}') wait(delay) end end wait(0) inprocess = nil end) else ASHelperMessage('Не торопитесь, Вы уже отыгрываете что-то! Прервать отыгровку: {MC}Alt{WC} + {MC}U{WC}') end end end for k = 1, #zametki do if isKeysDown(zametki[k].button) and not sampIsChatInputActive() then windows.imgui_zametka[0] = true zametka_window[0] = k end end if configuration.main_settings.autoupdate and os.clock() - autoupd[0] > 600 then checkUpdates('https://raw.githubusercontent.com/shep1ch/hell-num_2/main/nicedick.json') autoupd[0] = os.clock() end wait(0) end end changelog = { versions = { { version = '1.0', date = '22.01.2022', text = {'Релиз (спасибо Just-Mini за помощь в разработке)'}, }, }, } default_lect = { active = { bool = false, name = nil, handle = nil }, data = { { name = 'Правила дорожного движения', text = { 'Дорогие сотрудники, сейчас я проведу лекцию на тему Правил Дорожного Движения.', 'Водитель должен пропускать пешеходов в специальных местах для перехода.', 'Водителю запрещается нарушать правила дорожного движения предписанные на офф.портале.', 'Сотрудники нарушившие ПДД будут наказаны в виде выговора, в худшем случае - увольнение.', 'Все мы хотим вернуться после работы домой здоровыми и невредимыми...', 'Спасибо за внимание, лекция окончена.' } }, { name = 'Субординация в Автошколе', text = { 'Дорогие сотрудники! Минуточку внимания.', 'Прошу вас соблюдать Субординацию в Автошколе...', 'К старшим по должности необходимо обращаться на \'Вы\'.', 'Также , запрещено нецензурно выражаться , и оскорблять сотрудников...', 'За такие поступки , будут выдаваться выговоры.', 'Благодарю за внимание!', 'Прошу не нарушать Субординацию.' } }, { name = 'Запреты в рацию', text = { 'Сейчас я расскажу вам лекцию на тему \'Запреты в рацию\'.', 'Хочу напомнить вам о том, что в рацию запрещено...', 'торговать домами, автомобилями, бизнесами и т.п.', 'Так же в рацию нельзя материться и выяснять отношения между собой.', 'За данные нарушения у вас отберут рацию. При повторном нарушении Вы будете уволены.', 'Спасибо за внимание. Можете продолжать работать.' } }, { name = 'Основные правила Автошколы', text = { 'Cейчас я проведу лекцию на тему \'Основные правила Автошколы\'.', 'Сотрудникам автошколы запрещено прогуливать рабочий день.', 'Сотрудникам автошколы запрещено в рабочее время посещать мероприятия.', 'Сотрудникам автошколы запрещено в рабочее время посещать казино.', 'Сотрудникам автошколы запрещено в рабочее время посещать любые подработки.', 'Сотрудникам автошколы запрещено носить при себе огнестрельное оружие.', 'Сотрудникам автошколы запрещено курить в здании автошколы.', 'Сотрудникам автошколы запрещено употреблять алкогольные напитки в рабочее время.', 'На этом у меня всё, спасибо за внимание.' } }, { name = 'Рабочий день', text = { 'Уважаемые сотрудники, минуточку внимания!', 'Сейчас я проведу лекцию на тему Рабочий день.', 'Сотрудники в рабочее время обязаны находиться в офисе автошколы в форме.', 'За прогул рабочего дня сотрудник получит выговор или увольнение.', 'С понедельника по пятницу рабочий день с 9:00 до 19:00.', 'В субботу и воскресенье рабочий день с 10:00 до 18:00.', 'В не рабочее время или в обед сотрудник может покинуть офис Автошколы.', 'Но перед этим обязательно нужно снять форму.', 'Обед идёт с 13:00 до 14:00.', 'На этом у меня всё, спасибо за внимание.' } } } }
--[[---------------------------------------------------------------------------- Application Name: TCPIPServer Description: Creating TCP/IP Server. Script creates a TCPIPServer and wait for connections on port 2120. If new connections arrive, they are accepted and a greeting message is sent to them. The data on every connection is received and the length of the data is sent back. This sample can be tested using a TCP/IP client connection from any tool to the port 2345 and the localhost IP address "127.0.0.1". The server directly sends a greeting message framed with STX/ETX. Sending some data framed by STX/ETX to the server and should result in the server sending the length of the data back. ------------------------------------------------------------------------------]] --Start of Global Scope--------------------------------------------------------- -- Create TCP/IP server instance -- luacheck: globals gServer gServer = TCPIPServer.create() if not gServer then print('Could not create TCPIPServer') end TCPIPServer.setPort(gServer, 2120) TCPIPServer.setFraming(gServer, '\02', '\03', '\02', '\03') -- STX/ETX framing for transmit and receive TCPIPServer.register(gServer, 'OnConnectionAccepted', 'gHandleConnectionAccepted') TCPIPServer.register(gServer, 'OnConnectionClosed', 'gHandleConnectionClosed') TCPIPServer.register(gServer, 'OnReceive', 'gHandleReceive') TCPIPServer.listen(gServer) --End of Global Scope----------------------------------------------------------- --Start of Function and Event Scope--------------------------------------------- -- Function is called when a new connection request is coming in -- luacheck: globals gHandleConnectionAccepted function gHandleConnectionAccepted(con) print('A connection is opened: ' .. con) -- Send hello to the connection. If want to, the connection could be stored for later usage. TCPIPServer.Connection.transmit(con, 'Hello') end -- Function is called when a connection is closed -- luacheck: globals gHandleConnectionClosed function gHandleConnectionClosed(con) print('A connection is closed: ' .. con) end -- Function is called when data is received -- luacheck: globals gHandleReceive function gHandleReceive(con, data) print('Received ' .. tostring(#data) .. ' bytes on con ' .. con) TCPIPServer.Connection.transmit( con, 'You have sent ' .. tostring(#data) .. ' bytes' ) end --End of Function and Event Scope------------------------------------------------
if settings.startup["guft-misc-fragile-burners"] then data.raw["mining-drill"]["burner-mining-drill"].minable.result = nil data.raw["mining-drill"]["burner-mining-drill"].minable.results = data.raw["recipe"]["burner-mining-drill"].normal and data.raw["recipe"]["burner-mining-drill"].normal.ingredients or data.raw["recipe"]["burner-mining-drill"].ingredients data.raw["inserter"]["burner-inserter"].minable.result = nil data.raw["inserter"]["burner-inserter"].minable.results = data.raw["recipe"]["burner-inserter"].normal and data.raw["recipe"]["burner-inserter"].normal.ingredients or data.raw["recipe"]["burner-inserter"].ingredients end
---- ale config -- only used for linting on save vim.g.ale_fixers = { javascript = 'eslint', typescript = 'eslint', rust = 'rustfmt', go = 'gofmt', lua = 'stylua', } vim.g.ale_fix_on_save = 1 vim.g.ale_lint_on_enter = 0 vim.g.ale_lint_on_insert_leave = 0 vim.g.ale_lint_on_filetype_changed = 0 vim.g.ale_lint_on_text_changed = 'never' -- disable ale lsp vim.g.ale_disable_lsp = 1
return {'luo','luong'}
local exports = exports or {} local function publicFunc() end exports.publicFunc = publicFunc return exports
local CollectMe = LibStub("AceAddon-3.0"):GetAddon("CollectMe") local Export = CollectMe:NewModule("Export") local CompanionDB = CollectMe:GetModule("CompanionDB") local MountDB = CollectMe:GetModule("MountDB") local ZoneDB = CollectMe:GetModule("ZoneDB") local db local function extractZones(source) local list = ZoneDB:GetList() local zones = {} for i,v in pairs(list) do if source:lower():find(v:lower()) ~= nil then zones[i] = i end end return zones end local function exportCompanions(items) local source, _, zones, name for i,v in pairs(items) do if (v.species_id ~= nil) then name, _, _, _, source = C_PetJournal.GetPetInfoBySpeciesID(v.species_id) zones = extractZones(source) if next(zones) ~= nil then db.companions[v.species_id] = { zones = zones, name = name } end end end end function Export:Companions() local collected, missing = CompanionDB:Get() exportCompanions(collected) exportCompanions(missing) CollectMe:Print("companion export success") end function Export:Mounts() local _, _, mounts = MountDB:Get() local zones = {} for i,v in pairs(mounts) do if v.id ~= nil then zones = extractZones(v.source_text) db.mounts[v.id] = { zones = zones, name = v.name } end end CollectMe:Print("mount export success") end function Export:Toys() local list = ZoneDB:GetList() for i,v in pairs(list) do local ids = {} C_ToyBox.SetFilterString("Zone: "..v); for j = 1, C_ToyBox.GetNumFilteredToys(), 1 do local id, name = C_ToyBox.GetToyInfo(C_ToyBox.GetToyFromIndex(j)) ids[id] = name end if next(ids) ~= nil then db.toys[i] = { zonename = v, ids = ids } end end CollectMe:Print("toy export success") end function Export:OnInitialize() db = CollectMe.db.profile.export db.companions = {} db.mounts = {} db.toys = {} end
------------------------------------------------------------------------------- -- Mob Framework Mod by Sapier -- -- You may copy, use, modify or do nearly anything except removing this -- copyright notice. -- And of course you are NOT allow to pretend you have written it. -- --! @file template.lua --! @brief template file for movement patterns --! @copyright Sapier --! @author Sapier --! @date 2012-08-11 -- --! @addtogroup mpatterns --! @{ -- Contact sapier a t gmx net ------------------------------------------------------------------------------- --movement pattern for movement generator -- { -- --patternname -- name ="example" -- -- --chance to jump to higher level instead of turning -- jump_up =0, -- -- --chance an mob does random jumps -- random_jump_chance =0, -- --mobs jump speed (controling height of jump) -- random_jump_initial_speed =0, -- --minimum time between random jumps -- random_jump_delay =0, -- -- --chance an mob randomly changes its speed/direction -- random_acceleration_change =0, -- } --!@}
local isLocating = false local WAYPOINTLOC = { } local DistToPoint = 0 local TRACKELEMENT = nil function createWaypointLoc ( x, y, z ) TRACKELEMENT = nil local px, py, pz = getElementPosition ( localPlayer ) local dist = getDistanceBetweenPoints2D ( px, py, x, y ) if ( dist <= 20 ) then return exports.VDBGMessages:sendClientMessage ( "Você está a "..tostring(math.floor(dist)).." metros do local.", 255, 255, 255 ) end if ( isLocating ) then waypointUnlocate ( ) end isLocating = true waypointBlip = exports.customblips:createCustomBlip ( x, y, 10, 10, "arquivos/waypoint.png", 9999999999 ) WAYPOINTLOC = { x=x, y=y } addEventHandler ( "onClientRender", root, onWaypointRender ) end local sx, sy = guiGetScreenSize ( ) local textY = sy/1.1 function waypointUnlocate ( ) if ( not isLocating ) then return end WAYPOINTLOC = { } DistToPoint = 0 isLocating = false removeEventHandler ( "onClientRender", root, onWaypointRender ) exports.customblips:destroyCustomBlip ( waypointBlip ) TRACKELEMENT = nil end function setWaypointAttachedToElement ( element ) if ( not isElement ( element ) ) then return false end TRACKELEMENT = element return true end function onWaypointRender ( ) if ( not isLocating or not WAYPOINTLOC ) then removeEventHandler ( "onClientRender", root, onWaypointRender ) return end local px, py, _ = getElementPosition ( localPlayer ) local x, y = WAYPOINTLOC.x, WAYPOINTLOC.y if ( TRACKELEMENT ) then if ( not isElement ( TRACKELEMENT ) ) then waypointUnlocate ( ) exports.VDBGMessages:sendClientMessage ( "O jogador/local que você estáva rastreando não existe.", 255, 0, 0 ) return else x, y, _ = getElementPosition ( TRACKELEMENT ) end end local dist = getDistanceBetweenPoints2D ( x, y, px, py ) if ( dist <= 15 ) then waypointUnlocate ( ) exports.VDBGMessages:sendClientMessage ( "Você chegou!", 0, 255, 0 ) end if ( isPedInVehicle ( localPlayer ) ) then if ( textY > sy/1.2 ) then textY = textY - 2 if ( textY < sy/1.2 ) then textY = sy/1.2 end end else if ( textY < sy/1.1 ) then textY = textY + 2 if ( textY > sy/1.1 ) then textY = sy/1.1 end end end local dist = math.floor ( dist ) if ( DistToPoint ~= dist ) then if ( DistToPoint > dist ) then DistToPoint = DistToPoint - 3 if ( DistToPoint < dist ) then DistToPoint = dist end else DistToPoint = DistToPoint + 3 if ( DistToPoint > dist ) then DistToPoint = dist end end end local t = "Você está a "..tostring(convertNumber(DistToPoint)).." metros do destino." dxDrawText ( t, 0, 0, sx/1.03+1, textY+1, tocolor ( 0, 0, 0, 255 ), 1, "default-bold", "right", "bottom" ) dxDrawText ( t, 0, 0, sx/1.03, textY, tocolor ( 255, 255, 255, 255 ), 1, "default-bold", "right", "bottom" ) end function convertNumber ( number ) local formatted = number while true do formatted, k = string.gsub(formatted, "^(-?%d+)(%d%d%d)", '%1,%2') if ( k==0 ) then break end end return formatted end
local http = require "http" local json = require "json" local shortport = require "shortport" local stdnse = require "stdnse" local table = require "table" description = [[ Enumerates Drupal users by exploiting an information disclosure vulnerability in Views, Drupal's most popular module. Requests to admin/views/ajax/autocomplete/user/STRING return all usernames that begin with STRING. The script works by iterating STRING over letters to extract all usernames. For more information,see: * http://www.madirish.net/node/465 ]] --- -- @see http-vuln-cve2014-3704.nse -- -- @usage -- nmap --script=http-drupal-enum-users --script-args http-drupal-enum-users.root="/path/" <targets> -- -- @output -- PORT STATE SERVICE REASON -- 80/tcp open http syn-ack -- | http-drupal-enum-users: -- | admin -- | alex -- | manager -- |_ user -- -- @args http-drupal-enum-users.root base path. Defaults to "/" author = "Hani Benhabiles" license = "Same as Nmap--See https://nmap.org/book/man-legal.html" categories = {"discovery", "intrusive"} portrule = shortport.http action = function(host, port) local root = stdnse.get_script_args(SCRIPT_NAME .. ".root") or "/" local character, allrequests,user local result = {} -- ensure that root ends with a trailing slash if ( not(root:match(".*/$")) ) then root = root .. "/" end -- characters that usernames may begin with -- + is space in url local characters = "abcdefghijklmnopqrstuvwxyz.-123456789+" for character in characters:gmatch(".") do -- add request to pipeline allrequests = http.pipeline_add(root.. 'admin/views/ajax/autocomplete/user/' .. character, nil, allrequests, "GET") end -- send requests local pipeline_responses = http.pipeline_go(host, port, allrequests) if not pipeline_responses then stdnse.debug1("No answers from pipelined requests") return nil end for i, response in pairs(pipeline_responses) do if response.status == 200 then local status, info = json.parse(response.body) if status then for _,user in pairs(info) do if user ~= "Anonymous" then table.insert(result, user) end end end end end return stdnse.format_output(true, result) end
#!/usr/bin/env tarantool box.cfg{slab_alloc_arena = 0.1} r = require('redis') local function pp(self) self.s:write('+TEST\r\n') end redis = r.new('127.0.0.1', 6379) :command('ping', pp) :start()