diff --git a/.github/workflows/rsi-diff.yml b/.github/workflows/rsi-diff.yml index 1f122526d73..ae4066a63d8 100644 --- a/.github/workflows/rsi-diff.yml +++ b/.github/workflows/rsi-diff.yml @@ -21,7 +21,7 @@ jobs: - name: Diff changed RSIs id: diff - uses: space-wizards/RSIDiffBot@v1.1 + uses: mirrorcult/RSIDiffBot@v1.1 with: modified: ${{ steps.files.outputs.modified }} removed: ${{ steps.files.outputs.removed }} diff --git a/Content.Server/Chat/Managers/ChatSanitizationManager.cs b/Content.Server/Chat/Managers/ChatSanitizationManager.cs index 11eb67056df..b1d91cb0164 100644 --- a/Content.Server/Chat/Managers/ChatSanitizationManager.cs +++ b/Content.Server/Chat/Managers/ChatSanitizationManager.cs @@ -11,6 +11,32 @@ public sealed class ChatSanitizationManager : IChatSanitizationManager private static readonly Dictionary SmileyToEmote = new() { + // Corvax-Localization-Start + { "хд", "chatsan-laughs" }, + { "о-о", "chatsan-wide-eyed" }, // cyrillic о + { "о.о", "chatsan-wide-eyed" }, // cyrillic о + { "0_о", "chatsan-wide-eyed" }, // cyrillic о + { "о/", "chatsan-waves" }, // cyrillic о + { "о7", "chatsan-salutes" }, // cyrillic о + { "0_o", "chatsan-wide-eyed" }, + { "лмао", "chatsan-laughs" }, + { "рофл", "chatsan-laughs" }, + { "яхз", "chatsan-shrugs" }, + { ":0", "chatsan-surprised" }, + { ":р", "chatsan-stick-out-tongue" }, // cyrillic р + { "кек", "chatsan-laughs" }, + { "T_T", "chatsan-cries" }, + { "Т_Т", "chatsan-cries" }, // cyrillic T + { "=_(", "chatsan-cries" }, + { "!с", "chatsan-laughs" }, + { "!в", "chatsan-sighs" }, + { "!х", "chatsan-claps" }, + { "!щ", "chatsan-snaps" }, + { "))", "chatsan-smiles-widely" }, + { ")", "chatsan-smiles" }, + { "((", "chatsan-frowns-deeply" }, + { "(", "chatsan-frowns" }, + // Corvax-Localization-End // I could've done this with regex, but felt it wasn't the right idea. { ":)", "chatsan-smiles" }, { ":]", "chatsan-smiles" }, @@ -78,7 +104,6 @@ public sealed class ChatSanitizationManager : IChatSanitizationManager { "kek.", "chatsan-laughs" }, { "rofl", "chatsan-laughs" }, { "o7", "chatsan-salutes" }, - { "07", "chatsan-salutes" }, { ";_;7", "chatsan-tearfully-salutes"}, { "idk", "chatsan-shrugs" }, { "idk.", "chatsan-shrugs" }, diff --git a/Content.Server/Corvax/Speech/Components/GrowlingAccentComponent.cs b/Content.Server/Corvax/Speech/Components/GrowlingAccentComponent.cs new file mode 100644 index 00000000000..2e273c82782 --- /dev/null +++ b/Content.Server/Corvax/Speech/Components/GrowlingAccentComponent.cs @@ -0,0 +1,10 @@ +namespace Content.Server.Corvax.Speech.Components; + +/// +/// Rrrr! +/// +[RegisterComponent] +public sealed partial class GrowlingAccentComponent : Component +{ + +} diff --git a/Content.Server/Corvax/Speech/EntitySystems/GrowlingAccentSystem.cs b/Content.Server/Corvax/Speech/EntitySystems/GrowlingAccentSystem.cs new file mode 100644 index 00000000000..0eec58762de --- /dev/null +++ b/Content.Server/Corvax/Speech/EntitySystems/GrowlingAccentSystem.cs @@ -0,0 +1,50 @@ +using System.Text.RegularExpressions; +using Content.Server.Corvax.Speech.Components; +using Content.Server.Speech; +using Robust.Shared.Random; + +namespace Content.Server.Corvax.Speech.EntitySystems; + +public sealed class GrowlingAccentSystem : EntitySystem +{ + [Dependency] private readonly IRobustRandom _random = default!; + + public override void Initialize() + { + base.Initialize(); + SubscribeLocalEvent(OnAccent); + } + + private void OnAccent(EntityUid uid, GrowlingAccentComponent component, AccentGetEvent args) + { + var message = args.Message; + + // r => rrr + message = Regex.Replace( + message, + "r+", + _random.Pick(new List { "rr", "rrr" }) + ); + // R => RRR + message = Regex.Replace( + message, + "R+", + _random.Pick(new List { "RR", "RRR" }) + ); + + // р => ррр + message = Regex.Replace( + message, + "р+", + _random.Pick(new List { "рр", "ррр" }) + ); + // Р => РРР + message = Regex.Replace( + message, + "Р+", + _random.Pick(new List { "РР", "РРР" }) + ); + + args.Message = message; + } +} diff --git a/Content.Server/Doors/Systems/AirlockSystem.cs b/Content.Server/Doors/Systems/AirlockSystem.cs index 71f9347e9ed..607fa08e4e2 100644 --- a/Content.Server/Doors/Systems/AirlockSystem.cs +++ b/Content.Server/Doors/Systems/AirlockSystem.cs @@ -29,6 +29,7 @@ private void OnAirlockInit(EntityUid uid, AirlockComponent component, ComponentI if (TryComp(uid, out var receiverComponent)) { Appearance.SetData(uid, DoorVisuals.Powered, receiverComponent.Powered); + Appearance.SetData(uid, DoorVisuals.ClosedLights, true); // Corvax-Resprite-Airlocks } } diff --git a/Content.Server/Humanoid/Systems/HumanoidAppearanceSystem.cs b/Content.Server/Humanoid/Systems/HumanoidAppearanceSystem.cs index 36ab038562b..89d28e51022 100644 --- a/Content.Server/Humanoid/Systems/HumanoidAppearanceSystem.cs +++ b/Content.Server/Humanoid/Systems/HumanoidAppearanceSystem.cs @@ -64,7 +64,7 @@ public void CloneAppearance(EntityUid source, EntityUid target, HumanoidAppearan grammar.Gender = sourceHumanoid.Gender; } - Dirty(targetHumanoid); + Dirty(target, targetHumanoid); } /// @@ -85,7 +85,7 @@ public void RemoveMarking(EntityUid uid, string marking, bool sync = true, Human humanoid.MarkingSet.Remove(prototype.MarkingCategory, marking); if (sync) - Dirty(humanoid); + Dirty(uid, humanoid); } /// @@ -106,7 +106,7 @@ public void RemoveMarking(EntityUid uid, MarkingCategories category, int index, } humanoid.MarkingSet.Remove(category, index); - Dirty(humanoid); + Dirty(uid, humanoid); } /// @@ -135,7 +135,7 @@ public void SetMarkingId(EntityUid uid, MarkingCategories category, int index, s } humanoid.MarkingSet.Replace(category, index, marking); - Dirty(humanoid); + Dirty(uid, humanoid); } /// @@ -162,7 +162,7 @@ public void SetMarkingColor(EntityUid uid, MarkingCategories category, int index markings[index].SetColor(i, colors[i]); } - Dirty(humanoid); + Dirty(uid, humanoid); } /// @@ -186,7 +186,7 @@ public string GetAgeRepresentation(string species, int age) if (speciesPrototype == null) { - Logger.Error("Tried to get age representation of species that couldn't be indexed: " + species); + Log.Error("Tried to get age representation of species that couldn't be indexed: " + species); return Loc.GetString("identity-age-young"); } diff --git a/Content.Shared/Preferences/HumanoidCharacterProfile.cs b/Content.Shared/Preferences/HumanoidCharacterProfile.cs index a23faa5f7d2..812a70d326d 100644 --- a/Content.Shared/Preferences/HumanoidCharacterProfile.cs +++ b/Content.Shared/Preferences/HumanoidCharacterProfile.cs @@ -430,15 +430,7 @@ public void EnsureValid(IConfigurationManager configManager, IPrototypeManager p if (configManager.GetCVar(CCVars.RestrictedNames)) { - name = Regex.Replace(name, @"[^\u0041-\u005A,\u0061-\u007A,\u00C0-\u00D6,\u00D8-\u00F6,\u00F8-\u00FF,\u0100-\u017F, -]", string.Empty); - /* - * 0041-005A Basic Latin: Uppercase Latin Alphabet - * 0061-007A Basic Latin: Lowercase Latin Alphabet - * 00C0-00D6 Latin-1 Supplement: Letters I - * 00D8-00F6 Latin-1 Supplement: Letters II - * 00F8-00FF Latin-1 Supplement: Letters III - * 0100-017F Latin Extended A: European Latin - */ + name = Regex.Replace(name, @"[^А-Яа-яёЁ0-9' -]", string.Empty); // Corvax: Only cyrillic names } if (configManager.GetCVar(CCVars.ICNameCase)) diff --git a/Resources/Audio/Corvax/Effects/Footsteps/boots1.ogg b/Resources/Audio/Corvax/Effects/Footsteps/boots1.ogg new file mode 100644 index 00000000000..2ba9c9953e2 Binary files /dev/null and b/Resources/Audio/Corvax/Effects/Footsteps/boots1.ogg differ diff --git a/Resources/Audio/Corvax/Effects/Footsteps/boots2.ogg b/Resources/Audio/Corvax/Effects/Footsteps/boots2.ogg new file mode 100644 index 00000000000..929192fecc0 Binary files /dev/null and b/Resources/Audio/Corvax/Effects/Footsteps/boots2.ogg differ diff --git a/Resources/Audio/Corvax/Effects/Footsteps/boots3.ogg b/Resources/Audio/Corvax/Effects/Footsteps/boots3.ogg new file mode 100644 index 00000000000..7b2dc05b813 Binary files /dev/null and b/Resources/Audio/Corvax/Effects/Footsteps/boots3.ogg differ diff --git a/Resources/Locale/en-US/markings/oni.ftl b/Resources/Locale/en-US/markings/oni.ftl new file mode 100644 index 00000000000..0e38fc21fc3 --- /dev/null +++ b/Resources/Locale/en-US/markings/oni.ftl @@ -0,0 +1,13 @@ +marking-OniHornAngular = marking-OniHornAngular +marking-OniHornCurled = marking-OniHornCurled +marking-OniHornDoubleCurved = marking-OniHornDoubleCurved +marking-OniHornDoubleCurvedOutwards = marking-OniHornDoubleCurvedOutwards +marking-OniHornDoubleLeftBrokeCurved = marking-OniHornDoubleLeftBrokeCurved +marking-OniHornDoubleRightBrokeCurved = marking-OniHornDoubleRightBrokeCurved +marking-OniHornRam = marking-OniHornRam +marking-OniHornShort = marking-OniHornShort +marking-OniHornSimple = marking-OniHornSimple +marking-OniHornSingleCurved = marking-OniHornSingleCurved +marking-OniHornSingleLeftCurved = marking-OniHornSingleLeftCurved +marking-OniHornSingleRightCurved = marking-OniHornSingleRightCurved +marking-OniTail = marking-OniTail diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl index 434414a8297..c2e3ef37053 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl @@ -12,3 +12,5 @@ ent-ClothingBackpackPilotFilled = { ent-ClothingBackpackPilot } .desc = { ent-ClothingBackpackPilot.desc } ent-ClothingBackpackOfficerFilled = { ent-ClothingBackpackSecurity } .desc = { ent-ClothingBackpackSecurity.desc } +ent-ClothingBackpackERTMailCarrierFilled = { ent-ClothingBackpackERTMailCarrier } + .desc = { ent-ClothingBackpackERTMailCarrier.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl index 0f541fe0f5b..10a4fdd011c 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl @@ -65,4 +65,4 @@ ent-ClothingBackpackMessengerJanitorFilled = { ent-ClothingBackpackMessengerJani ent-ClothingBackpackMessengerMailmanFilled = { ent-ClothingBackpackMessengerMailman } .desc = { ent-ClothingBackpackMessengerMailman.desc } ent-ClothingBackpackMessengerOfficerFilled = { ent-ClothingBackpackMessengerSecurity } - .desc = { ent-ClothingBackpackMessengerSecurity.desc } \ No newline at end of file + .desc = { ent-ClothingBackpackMessengerSecurity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl index 4e91a6da8bd..67bc6be38dc 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl @@ -1,3 +1,11 @@ ent-ClothingBeltPilotFilled = { ent-ClothingBeltPilot } .suffix = Filled .desc = { ent-ClothingBeltPilot.desc } +ent-ClothingBeltNfsdFilled = { ent-ClothingBeltNfsd } + .desc = { ent-ClothingBeltNfsd.desc } +ent-ClothingBeltNfsdWebbingFilledBrigmedic = { ent-ClothingBeltNfsdWebbing } + .suffix = Filled, Brigmedic + .desc = { ent-ClothingBeltNfsdWebbing.desc } +ent-ClothingBeltNfsdWebbingFilled = { ent-ClothingBeltNfsdWebbing } + .suffix = Filled + .desc = { ent-ClothingBeltNfsdWebbing.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/gas_tanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/gas_tanks.ftl new file mode 100644 index 00000000000..02f5b4daf85 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/gas_tanks.ftl @@ -0,0 +1,3 @@ +ent-DoubleEmergencyAirTankFilled = { ent-DoubleEmergencyAirTank } + .suffix = Filled + .desc = { ent-DoubleEmergencyAirTank.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl index a716d6084fa..82e4982ecea 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl @@ -1,9 +1,8 @@ ent-ClothingShoesBootsMagCombatFilled = { ent-ClothingShoesBootsMagCombat } - .suffix = Filled - .desc = { ent-ClothingShoesBootsMagCombat.desc } -ent-ClothingShoesBootsMagMercenaryFilled = { ent-ClothingShoesBootsMagMercenary } - .suffix = Filled - .desc = { ent-ClothingShoesBootsMagMercenary.desc } + .desc = { ent-lothingShoesBootsMagCombat.desc } +ent-ClothingShoesBootsMagNfsdFilled = { ent-ClothingShoesBootsMagNfsd } + .desc = { ent-ClothingShoesBootsMagNfsd.desc } ent-ClothingShoesBootsMagPirateFilled = { ent-ClothingShoesBootsMagPirate } - .suffix = Filled - .desc = { ent-ClothingShoesBootsMagPirate.desc } + .desc = { ent-ClothingShoesBootsMagPirate.desc } +ent-ClothingShoesBootsMagMercenaryFilled = { ent-ClothingShoesBootsMagMercenary } + .desc = { ent-ClothingShoesBootsMagMercenary.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/mail.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/mail.ftl new file mode 100644 index 00000000000..4a126472db9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/mail.ftl @@ -0,0 +1,3 @@ +ent-LockerMailCarrierFilled = { ent-LockerMailCarrier } + .suffix = Filled + .desc = { ent-LockerMailCarrier.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl index 2081a294325..3781bf1588d 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl @@ -2,3 +2,22 @@ ent-ClothingBackpackArcadia = arcadia backpack .desc = A backpack produced by Arcadia Industries ent-ClothingBackpackPilot = pilot backpack .desc = A backpack for a True Ace. +ent-ClothingBackpackERTMailCarrier = ERT mail carrier backpack + .desc = A spacious backpack with lots of pockets, worn by Mail Carrier's of an Emergency Response Team. +ent-ClothingBackpackClippy = Clippy's backpack + .desc = Made from a real Clippy. +ent-ClothingBackpacknfsdFilled = nfsd backpack + .desc = A backpack for Deputy Sheriff. + .suffix = Filled +ent-ClothingBackpacknfsd = nfsd backpack + .desc = A backpack for Deputy Sheriff. +ent-ClothingBackpacknfsdsheriffFilled = nfsd backpack + .desc = A backpack for the Sheriff. + .suffix = Filled - Sheriff +ent-ClothingBackpacknfsdsheriff = nfsd backpack + .desc = A backpack for the Sheriff. +ent-ClothingBackpacknfsdBrigmedFilled = nfsd brigmedic backpack + .desc = A backpack for Deputized Physician. + .suffix = Filled +ent-ClothingBackpacknfsdBrigmed = nfsd brigmedic backpack + .desc = A backpack for Deputized Physician. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl index 9794d1c0e80..c4cd291460a 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl @@ -4,3 +4,16 @@ ent-ClothingBackpackDuffelArcadia = arcadia duffel .desc = A duffelbag produced by Arcadia Industries ent-ClothingBackpackDuffelPilot = pilot duffel .desc = A duffelbag produced for a True Ace. +ent-ClothingBackpackDuffelnfsdFilled = nfsd duffel + .desc = A duffelbag produced for a Deputy Sheriff. + .suffix = Filled +ent-ClothingBackpackDuffelnfsd = nfsd duffel + .desc = A duffelbag produced for a Deputy Sheriff. +ent-ClothingBackpackDuffelnfsdsheriffFilled = nfsd duffel + .desc = A duffelbag produced for a Deputy Sheriff. + .suffix = Filled - Sheriff +ent-ClothingBackpackDuffelnfsdBrigmed = nfsd brigmedic duffel + .desc = A duffelbag produced for a Deputized Physician. +ent-ClothingBackpackDuffelnfsdBrigmedFilled = nfsd brigmedic duffel + .desc = A duffelbag produced for a Deputized Physician. + .suffix = Filled diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl index cfc0d569157..a302870e3bc 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl @@ -36,7 +36,7 @@ ent-ClothingBackpackMessengerSyndicate = syndicate messenger bag .desc = A robust messenger bag for waging war against oppressors. ent-ClothingBackpackMessengerHolding = messenger bag of holding .desc = A messenger bag that opens into a localized pocket of bluespace. -ent-ClothingBackpackMessengerMailman = mailman messenger bag +ent-ClothingBackpackMessengerMailCarrier = mail carrier messenger bag .desc = A robust messenger bag for waging war against mail. ent-ClothingBackpackMessengerJanitor = janitor messenger bag .desc = A robust messenger bag for waging war against dirt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl index 3ac84fac6b1..4c3656a5aa6 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl @@ -4,3 +4,18 @@ ent-ClothingBackpackSatchelArcadia = arcadia satchel .desc = A satchel produced by Arcadia Industries. ent-ClothingBackpackSatchelPilot = pilot satchel .desc = A satchel produced for a True Ace. +ent-ClothingBackpackSatchelnfsdFilled = nfsd satchel + .desc = A satchel produced for a Deputy Sheriff. + .suffix = Filled +ent-ClothingBackpackSatchelnfsd = nfsd satchel + .desc = A satchel produced for a Deputy Sheriff. +ent-ClothingBackpackSatchelnfsdsheriffFilled = nfsd satchel + .desc = A satchel produced for the Sheriff. + .suffix = Filled - Sheriff +ent-ClothingBackpackSatchelnfsdsheriff = nfsd satchel + .desc = A satchel produced for the Sheriff. +ent-ClothingBackpackSatchelnfsdBrigmedFilled = nfsd brigmedic satchel + .desc = A satchel produced for a Deputized Physician. + .suffix = Filled +ent-ClothingBackpackSatchelnfsdBrigmed = nfsd brigmedic satchel + .desc = A satchel produced for a Deputized Physician. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl index 136b92bf785..b2506fe3794 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl @@ -4,3 +4,7 @@ ent-ClothingBeltChaplainSash = chaplain sash .desc = Who knew that scarves can be also tied around your waist? ent-ClothingBeltPilot = pilot webbing .desc = A webbing designed for someone seating a lot. +ent-ClothingBeltNfsd = nfsd belt + .desc = A tactical assault belt. +ent-ClothingBeltNfsdWebbing = nfsd webbing + .desc = A tactical assault webbing. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl index 3b3c5a97398..f770a074e0d 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl @@ -1,3 +1,11 @@ ent-ClothingHeadsetSecuritySafe = { ent-ClothingHeadsetSecurity } .suffix = Safe .desc = { ent-ClothingHeadsetSecurity.desc } +ent-ClothingHeadsetMailCarrier = mail carrier headset + .desc = A headset used by mail carrier employees. +ent-ClothingHeadsetNFSDgreen = nfsd headset + .desc = A headset for deputy sheriff's. +ent-ClothingHeadsetNFSDbrown = nfsd headset + .desc = A headset for deputy sheriff's. +ent-ClothingHeadsetNFSDcb = nfsd headset + .desc = A headset for deputy sheriff's. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl index 0aac78543e6..ee4bcf9832f 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl @@ -4,3 +4,9 @@ ent-ClothingHeadsetAltMercenary = mercenary over-ear headset .desc = { ent-ClothingHeadsetAlt.desc } ent-ClothingHeadsetAltPilot = pilot over-ear headset .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltNFSDgreen = nfsd over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltNFSDbrown = nfsd over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltNFSDCreamandBrown = sheriff's over-ear headset + .desc = { ent-ClothingHeadsetAltSecurity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl index f35c34d5eee..b513937006f 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl @@ -2,3 +2,5 @@ ent-ClothingEyesArcadiaVisor = arcadia visor .desc = A visor produced by Arcadia Industries, with some high tech optics systems built in. ent-ClothingEyesGlassesPilot = pilot goggles .desc = I'm sorry, but you can't pilot a ship without cool glasses. Those are the Rules. Has a GPS built in them too. +ent-ClothingEyesGlassesNFSD = nfsd glasses + .desc = Upgraded sunglasses that provide flash immunity and a security HUD. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/hud.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/hud.ftl new file mode 100644 index 00000000000..d0d364e910d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/hud.ftl @@ -0,0 +1,4 @@ +ent-ClothingEyesHudNfsd = nfsd hud + .desc = A heads-up display that scans the humanoids in view and provides accurate data about their ID status and security records. +ent-ClothingEyesHudMail = mail hud + .desc = A heads-up display that scans mail in view and provides accurate mail data. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl index d322fe24b39..53593d77430 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl @@ -2,3 +2,7 @@ ent-ClothingHandsGlovesArcadiaCombat = arcadia combat gloves .desc = Combat gloves produced by Arcadia Industries. ent-ClothingHandsGlovesPilot = pilot gloves .desc = Driving gloves, but for spaceships! +ent-ClothingHandsGlovesCombatNfsdBrown = nfsd combat gloves + .desc = Insulated gloves for a deputy sheriff. +ent-ClothingHandsGlovesCombatNfsdCream = nfsd combat gloves + .desc = Insulated gloves for a deputy sheriff. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl index 7ca0fd3782e..859aa5acbf5 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl @@ -4,7 +4,19 @@ ent-ClothingHeadHelmetHardsuitMercenary = mercenary hardsuit helmet .desc = Lightly armored hardsuit helmet for mercenary needs. ent-ClothingHeadHelmetHardsuitPilot = pilot hardsuit helmet .desc = Light hardsuit helmet for pilots. +ent-ClothingHeadHelmetHardsuitERTMailCarrier = ERT mail carrier hardsuit helmet + .desc = A special hardsuit helmet worn by members of an emergency response team. ent-ClothingHeadHelmetHardsuitMaximPrototype = experimental salvager helmet .desc = A predication of decay washes over your mind. ent-ClothingHeadHelmetHardsuitSundie = sundicate crimson-red hardsuit helmet .desc = A heavily armored helmet designed for work in special operations. Manufactored in Twinwine Colony by Goreblox Looters LLC. +ent-ClothingHeadHelmetHardsuitNfsdBronze = nfsd patrol hardsuit helmet + .desc = Lightly armored hardsuit helmet for beat-cop needs. +ent-ClothingHeadHelmetHardsuitNfsdSilver = nfsd patrol hardsuit helmet + .desc = Lightly armored hardsuit helmet for beat-cop needs. +ent-ClothingHeadHelmetHardsuitNfsdGold = nfsd patrol hardsuit helmet + .desc = Lightly armored hardsuit helmet for beat-cop needs. +ent-ClothingHeadHelmetHardsuitNfsdBrigmed = nfsd patrol hardsuit helmet + .desc = Lightly armored hardsuit helmet for beat-cop needs. +ent-ClothingHeadHelmetHardsuitNfsdSheriff = nfsd sheriff hardsuit helmet + .desc = Lightly armored hardsuit helmet for beat-cop-cop needs. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl index ae93e6c4526..0eca164e736 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl @@ -18,3 +18,13 @@ ent-ClothingHeadHatMcCrown = mccargo crown .desc = Crowns and tiaras, McCargo King. ent-ClothingHeadHatPilot = pilot's helmet .desc = Can't hear voices in my headset when earflaps flaps over my ears. And it feels good. +ent-ClothingHeadHatNfsdBeretGreen = nfsd beret + .desc = a blue beret produced for deputy sheriff's. +ent-ClothingHeadHatNfsdBeretBrown = nfsd beret + .desc = a brown beret produced for deputy sheriff's. +ent-ClothingHeadHatNfsdBeretCream = nfsd beret + .desc = a cream beret produced for deputy sheriff's. +ent-ClothingHeadHatNfsdCampaign = nfsd campaign hat + .desc = yee-haw partner. +ent-ClothingHeadHatNfsdSmallCampaign = nfsd campaign cap + .desc = yee partner. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/helmets.ftl new file mode 100644 index 00000000000..234f6521f13 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/helmets.ftl @@ -0,0 +1,2 @@ +ent-ClothingHeadHelmetERTMailCarrier = ERT mail carrier helmet + .desc = An in-atmosphere helmet worn by mail members of the Nanotrasen Emergency Response Team. Has dark purple highlights. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/cloaks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/cloaks.ftl new file mode 100644 index 00000000000..f9a109f820f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/cloaks.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckCloakSheriff = sheriff's cloak + .desc = An exquisite brown and green cloak fitting for those who can assert dominance over wrongdoers. Take a stab at being civil in prosecution! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl index 6784d410c4c..ec6d95a1017 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl @@ -3,3 +3,5 @@ ent-ClothingNeckCloakJanitor = janitor's cloak ent-ClothingNeckCloakJanitorFilled = { ent-ClothingNeckCloakJanitor } .suffix = Filled .desc = { ent-ClothingNeckCloakJanitor.desc } +ent-ClothingNeckMantleSheriff = sheriff's mantle + .desc = Shootouts with nukies are just another Tuesday for this Sheriff. This mantle is a symbol of commitment to the station. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl index f248800511c..4b19af23173 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl @@ -2,3 +2,26 @@ ent-ClothingNeckScarfChaplainStole = chaplain's stole .desc = A necessary evil for ordained priests outfit. Gives at least +2 to your holiness. ent-ClothingNeckScarfPilot = pilot's scarf .desc = Have I told you a story how I survived when the end of this scarf got tangled in a spinning propeller? I didn't, they cloned me. +ent-ClothingNeckNfsdBadge = nfsd badge + .desc = Respect my authority! +ent-ClothingNeckNfsdBadgeSecurityCadet = { ent-ClothingNeckNfsdBadge } + .suffix = Bronze - Cadet + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeSecurity = { ent-ClothingNeckNfsdBadge } + .suffix = Silver - Deputy + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeDetective = { ent-ClothingNeckNfsdBadge } + .suffix = Silver - Detective + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeBrigmedic = { ent-ClothingNeckNfsdBadge } + .suffix = Silver - Brigmedic + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeSeniorOfficer = { ent-ClothingNeckNfsdBadge } + .suffix = Gold - Sergeant + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeWarden = { ent-ClothingNeckNfsdBadge } + .suffix = Gold - Bailiff + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeHoS = { ent-ClothingNeckNfsdBadge } + .suffix = Star - Sheriff + .desc = { ent-ClothingNeckNfsdBadge.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl index 278ff5815e7..fa1d23bb576 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl @@ -1,2 +1,4 @@ ent-ClothingOuterArmorSRCarapace = station rep's carapace .desc = A premium armored chestpiece that provides above average protection for its size. It offers maximum mobility and flexibility thanks to the premium composite materials. Issued only to the station representative. +ent-ClothingOuterArmorNfsdArmor = nfsd armor + .desc = get shot, maybe survive? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl index 78cb621db3e..c0ff226e1fb 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl @@ -6,3 +6,13 @@ ent-ClothingOuterCoatWitchHunter = witch hunter's coat .desc = Looks even better under constant rain with storm wind. ent-ClothingOuterCoatCardinal = cardinal's coat .desc = Nobody expects the spanish inquisition! +ent-ClothingOuterCoatNfsdBomber = nfsd bomber + .desc = Lookin slick Tom. +ent-ClothingOuterCoatNfsdBomberBrigmed = nfsd brigmedic bomber + .desc = Blood may stain. +ent-ClothingOuterCoatNfsdFormal = nfsd formal coat + .desc = Snazzy. +ent-ClothingOuterCoatNfsdFormalSheriff = nfsd sheriff's formal coat + .desc = Snazzier. +ent-ClothingOuterCoatNfsdLongCoat = nfsd long coat + .desc = Big iron on his hip.. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl index 9bc90c464c6..aef4359ebaf 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl @@ -4,7 +4,19 @@ ent-ClothingOuterHardsuitMercenary = mercenary hardsuit .desc = A special suit that protects from the danger of space, employed by mercenary forces. Not certified to be blunderbuss proof. ent-ClothingOuterHardsuitPilot = pilot hardsuit .desc = A hardsuit tailored for someone who spends the majority of their time buckled to a chair. +ent-ClothingOuterHardsuitERTMailCarrier = ERT mail carrier's hardsuit + .desc = A protective hardsuit worn by the mail carriers of an emergency response team. ent-ClothingOuterHardsuitMaximPrototype = experimental salvager hardsuit .desc = Fire. Heat. These things forge great weapons, they also forge great salvagers. ent-ClothingOuterHardsuitSundie = sundicate crimson-red hardsuit .desc = A heavily armored hardsuit designed for work in special operations. Manufactored in Twinwine Colony by Goreblox Looters LLC. +ent-ClothingOuterHardsuitNfsdBronze = nfsd bronze patrol hardsuit + .desc = A special suit that protects from the danger of space, employed by nfsd patrol officers. Not certified to be blunderbuss proof. +ent-ClothingOuterHardsuitNfsdSilver = nfsd silver patrol hardsuit + .desc = A special suit that protects from the danger of space, employed by nfsd patrol officers. Not certified to be blunderbuss proof. +ent-ClothingOuterHardsuitNfsdGold = nfsd gold patrol hardsuit + .desc = A special suit that protects from the danger of space, employed by nfsd patrol officers. Not certified to be blunderbuss proof. +ent-ClothingOuterHardsuitNfsdSheriff = nfsd sheriff patrol hardsuit + .desc = A special suit that protects from the danger of space, employed by nfsd patrol officers. Not certified to be blunderbuss proof. +ent-ClothingOuterHardsuitNfsdBrigMed = nfsd brigmedic patrol hardsuit + .desc = A special suit that protects from the danger of space, employed by nfsd patrol officers. Not certified to be blunderbuss proof. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl index 9d8e89de612..c791e993554 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl @@ -1,2 +1,6 @@ ent-ClothingShoesBootsPilot = pilot boots .desc = Stylish boots for running in circles on a deck during emergencies. +ent-ClothingShoesBootsNFSDBrown = nfsd brown boots + .desc = Stylish boots for running in circles on a deck during emergencies. +ent-ClothingShoesBootsNFSDCream = nfsd cream boots + .desc = Stylish boots for running in circles on a deck during emergencies. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl index 985fea450f4..54dc8971883 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl @@ -1,16 +1,20 @@ ent-ClothingShoesBootsMagCombat = combat magboots .desc = Combat magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. -ent-ClothingShoesBootsMagMercenary = mercenary magboots - .desc = Mercenary magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. +ent-ClothingShoesBootsMagNfsd = nfsd magboots + .desc = { ent-ClothingShoesBootsMagCombat.desc } ent-ClothingShoesBootsMagPirate = pirate magboots .desc = Pirate magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. +ent-ClothingShoesBootsMagMercenary = mercenary magboots + .desc = Mercenary magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. ent-ClothingShoesBootsMagGaloshes = galoshes magboots .desc = Galoshes magnetic boots, often used during cleaning activity to ensure the user remains safely attached to the floor. ent-ActionToggleMagbootsCombat = { ent-ActionBaseToggleMagboots } .desc = { ent-ActionBaseToggleMagboots.desc } -ent-ActionToggleMagbootsMercenary = { ent-ActionBaseToggleMagboots } +ent-ActionToggleMagbootsNfsd = { ent-ActionBaseToggleMagboots } .desc = { ent-ActionBaseToggleMagboots.desc } ent-ActionToggleMagbootsPirate = { ent-ActionBaseToggleMagboots } .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsMercenary = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } ent-ActionToggleMagbootsGaloshes = { ent-ActionBaseToggleMagboots } .desc = { ent-ActionBaseToggleMagboots.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl index b4bc63f3add..6dcf1d636e2 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl @@ -10,3 +10,7 @@ ent-ClothingUniformJumpskirtMercenary = mercenary jumpskirt .desc = Clothing for real mercenaries who have gone through fire, water and the jungle of planets flooded with dangerous monsters or targets for which a reward has been assigned. ent-ClothingUniformJumpskirtSecGuard = security guard jumpskirt .desc = A specialized uniform for a security guard. Crisp and official to let dock loiterers know you mean business. +ent-ClothingUniformJumpskirtNfsd = nfsd jumpskirt + .desc = A long sleeved jumpskirt produced for deputy sheriff's. Designed to reduce chaffing between the legs for the comfort of skin, slime, scales, fluff, and wood +ent-ClothingUniformJumpskirtNfsdShort = nfsd jumpskirt + .desc = A short sleeved jumpskirt produced for deputy sheriff's. Designed to reduce chaffing between the legs for the comfort of skin, slime, scales, fluff, and wood diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl index e57a2f153b1..fdf795505e9 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl @@ -12,3 +12,17 @@ ent-ClothingUniformJumpsuitSecGuard = security guard jumpsuit .desc = A specialized uniform for a security guard. Crisp and official to let dock loiterers know you mean business. ent-ClothingUniformJumpsuitPilot = pilot jumpsuit .desc = You too think there should be a pocket for your fav smokes? +ent-ClothingUniformJumpsuitERTMailCarrier = ERT mail carrier uniform + .desc = A special suit made for the elite mail carriers under CentCom. +ent-ClothingUniformJumpsuitNfsd = nfsd jumpsuit + .desc = A long sleeved jumpsuit produced for deputy sheriff's. Designed to reduce chaffing between the legs for the comfort of skin, slime, scales, fluff, and wood +ent-ClothingUniformJumpsuitNfsdShort = nfsd jumpsuit + .desc = A short sleeved jumpsuit produced for deputy sheriff's. Designed to reduce chaffing between the legs for the comfort of skin, slime, scales, fluff, and wood +ent-ClothingUniformJumpsuitNfsdTacBlack = nfsd tactical jumpsuit + .desc = A tactical jumpsuit for deputies in the field. +ent-ClothingUniformJumpsuitNfsdTacGray = nfsd tactical jumpsuit + .desc = A tactical jumpsuit for deputies in the field. +ent-ClothingUniformJumpsuitNfsdTacCamo = nfsd tactical jumpsuit + .desc = A tactical jumpsuit for deputies in the field. +ent-ClothingUniformJumpsuitNfsdTacCream = nfsd tactical jumpsuit + .desc = A tactical jumpsuit for deputies in the field. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/artifact_construct.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/artifact_construct.ftl new file mode 100644 index 00000000000..35da17476a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/artifact_construct.ftl @@ -0,0 +1,7 @@ +ent-SimpleArtifactMobBase = { ent-BaseMob } + .suffix = AI + .desc = { ent-BaseMob.desc } +ent-BaseMobArtifactConstruct = artifact construct + .desc = A towering golem crafted from twisted metal and ancient stones. +ent-MobGrimForged = artifact construct 1 + .desc = { ent-BaseMobArtifactConstruct.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/base_humanoid_hostile.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/base_humanoid_hostile.ftl new file mode 100644 index 00000000000..2f96cfc3838 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/base_humanoid_hostile.ftl @@ -0,0 +1,8 @@ +ent-MobAtmosNF = { "" } + .desc = { "" } +ent-MobHumanoidHostileBase = Human NPC + .suffix = AI + .desc = { ent-BaseMobSpecies.desc } +ent-MobNonHumanHostileBase = Mob NPC + .suffix = AI + .desc = { ent-SimpleSpaceMobBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/bloodcultistmob.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/bloodcultistmob.ftl new file mode 100644 index 00000000000..a70ca502c6c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/bloodcultistmob.ftl @@ -0,0 +1,28 @@ +ent-MobBloodCultistBase = Blood Cultist + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobBloodCultistPriest = Blood Cult Priest + .suffix = AI, Ranged + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistAcolyte = Blood Cult Acolyte + .suffix = AI, Melee + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistZealotMelee = Blood Cult Zealot + .suffix = AI, Melee + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistZealotRanged = Blood Cult Zealot + .suffix = AI, Crossbow + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistCaster = Blood Cult Zealot + .suffix = AI, Ranged + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistAscended = Ascended Cultist + .suffix = AI, Ranged + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultLeech = Blood Leech + .suffix = AI, Melee + .desc = { ent-MobNonHumanHostileBase.desc } +ent-MobBloodCultDrainedOne = Drained One + .suffix = AI, Melee + .desc = { ent-MobBloodCultistBase.desc } +ent-BloodCultTurret = blood pylon + .desc = { ent-BaseWeaponTurret.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/syndicatemob.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/syndicatemob.ftl new file mode 100644 index 00000000000..75bff56ddda --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/syndicatemob.ftl @@ -0,0 +1,22 @@ +ent-MobSyndicateNavalBase = Syndicate Naval Agent + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobSyndicateNavalCaptain = Syndicate Captain + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalEngineer = Syndicate Engineer + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalMedic = Syndicate Medic + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalSecondOfficer = Syndicate Second Officer + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalOperator = Syndicate Operator + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalGrenadier = Syndicate Grenadier + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalSaboteur = Syndicate Saboteur + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobExperimentationVictim = Captive + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobSyndicateNavalCommander = Syndicate Commander + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalDeckhand = Syndicate Deckhand + .desc = { ent-MobSyndicateNavalBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/wizardfederationmob.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/wizardfederationmob.ftl new file mode 100644 index 00000000000..4c4a41c15b3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/wizardfederationmob.ftl @@ -0,0 +1,27 @@ +ent-MobWizFedlBase = Wizard + .suffix = AI + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobWizFedWizardBlue = Blue Wizard + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardRed = Red Wizard + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardViolet = Violet Wizard + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardSoap = Soap Wizard + .suffix = AI + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardBlueHardsuit = Blue Wizard + .suffix = AI, Hardsuit + .desc = { ent-MobWizFedWizardBlue.desc } +ent-MobWizFedWizardRedHardsuit = Red Wizard + .suffix = AI, Hardsuit + .desc = { ent-MobWizFedWizardRed.desc } +ent-MobWizFedWizardVioletHardsuit = Violet Wizard + .suffix = AI, Hardsuit + .desc = { ent-MobWizFedWizardViolet.desc } +ent-MobWizFedWizardSoapHardsuit = Soap Wizard + .suffix = AI, Hardsuit + .desc = { ent-MobWizFedWizardSoap.desc } +ent-WaterElementalConjured = Blue Curacao Elemental + .suffix = AI + .desc = { ent-MobNonHumanHostileBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/humanoid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/humanoid.ftl new file mode 100644 index 00000000000..833932721e7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/humanoid.ftl @@ -0,0 +1,6 @@ +ent-RandomHumanoidSpawnerERTMailCarrier = ERT mail carrier + .suffix = ERTRole, Basic + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTMailCarrierEVA = ERT mail carrier + .suffix = ERTRole, Enviro EVA + .desc = { ent-RandomHumanoidSpawnerERTMailCarrier.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/jerma.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/jerma.ftl new file mode 100644 index 00000000000..c5f192b7749 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/jerma.ftl @@ -0,0 +1,2 @@ +ent-MobJerma = Jerma + .desc = Its Jerma. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/burger.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/burger.ftl new file mode 100644 index 00000000000..c10c510e80d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/burger.ftl @@ -0,0 +1,2 @@ +ent-FoodBurgerClurger = clurger + .desc = The Mail Carrier's favorite! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meat.ftl new file mode 100644 index 00000000000..8c151bd6cfd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meat.ftl @@ -0,0 +1,2 @@ +ent-FoodMeatCat = prime-cut cat meat + .desc = The tainted gift of an evil crime. The meat may be delicious, but at what cost? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl index 60960236b97..98b9a9e53c4 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl @@ -4,5 +4,19 @@ ent-PilotIDCard = pilot ID card .desc = { ent-IDCardStandard.desc } ent-StcIDCard = station traffic controller ID card .desc = { ent-IDCardStandard.desc } +ent-nfsdcadetID = nfsd cadet ID card + .desc = { ent-IDCardStandard.desc } +ent-nfsddeputyID = nfsd deputy ID card + .desc = { ent-IDCardStandard.desc } +ent-nfsdbrigmedicID = nfsd brigmedic ID card + .desc = { ent-IDCardStandard.desc } +ent-nfsdsergeantID = nfsd sergeant ID card + .desc = { ent-IDCardStandard.desc } +ent-nfsdbailiffID = nfsd bailiff ID card + .desc = { ent-IDCardStandard.desc } +ent-nfsdsheriffID = nfsd sheriff ID card + .desc = { ent-IDCardStandard.desc } ent-SecurityGuardIDCard = security guard ID card .desc = { ent-SecurityIDCard.desc } +ent-ERTMailCarrierIDCard = ERT mail carrier ID card + .desc = { ent-ERTChaplainIDCard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl index 20dac9b6cb9..8a655eddfd9 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl @@ -8,3 +8,18 @@ ent-StcPDA = station traffic controller PDA .desc = Declare emergencies in style! ent-SecurityGuardPDA = security guard PDA .desc = Red to hide the stains of passenger blood. +ent-ERTMailCarrierPDA = { ent-ERTLeaderPDA } + .suffix = Mail Carrier + .desc = { ent-ERTLeaderPDA.desc } +ent-NfsdSheriff = sheriff PDA + .desc = Whosoever bears this PDA is the law. +ent-NfsdCadet = cadet PDA + .desc = Whosoever bears this PDA could be the law. +ent-NfsdDeputy = deputy PDA + .desc = Whosoever bears this PDA is close to being the law. +ent-NfsdBrigmedic = brigmedic PDA + .desc = Whosoever bears this PDA heals the law. +ent-NfsdSergeant = sergeant PDA + .desc = Whosoever bears this PDA puts the law on their back. +ent-NfsdBailiff = bailiff PDA + .desc = Whosoever bears this PDA puts the law on their back. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/station_beacon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/station_beacon.ftl new file mode 100644 index 00000000000..f393af4dd38 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/station_beacon.ftl @@ -0,0 +1,12 @@ +ent-DefaultStationBeaconFrontierATM = { ent-DefaultStationBeacon } + .suffix = ATM + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconFrontierShipyard = { ent-DefaultStationBeacon } + .suffix = Shipyard + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconFrontierSROffice = { ent-DefaultStationBeaconCommand } + .suffix = SR's Office + .desc = { ent-DefaultStationBeaconCommand.desc } +ent-DefaultStationBeaconFrontierSRQuarters = { ent-DefaultStationBeaconCommand } + .suffix = SR's Quarters + .desc = { ent-DefaultStationBeaconCommand.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl index 46d72c2d8fb..dfedb32fa06 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl @@ -1,2 +1,5 @@ ent-MedicalTrackingImplanter = medical insurance tracking implanter .desc = { ent-BaseImplantOnlyImplanter.desc } +ent-DeathAcidifierImplanterNF = death acidifier implanter + .suffix = All + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl index 38561a2a06f..d5e646f6c27 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl @@ -1,2 +1,4 @@ ent-MedicalTrackingImplant = medical insurance tracking implant .desc = This implant has a tracking device monitor for the Medical radio channel. +ent-DeathAcidifierImplantNF = death-acidifier implant + .desc = This implant melts the user and their equipment upon death. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/wizard/conjured_items.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/wizard/conjured_items.ftl new file mode 100644 index 00000000000..fbc82269e88 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/wizard/conjured_items.ftl @@ -0,0 +1,5 @@ +ent-ConjuredObject10 = { "" } + .desc = A magically created object, that'll vanish from existance eventually. + .suffix = Conjured +ent-SoapConjured = soap + .desc = { ent-Soap.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/gas_tanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/gas_tanks.ftl new file mode 100644 index 00000000000..5e35f617297 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/gas_tanks.ftl @@ -0,0 +1,2 @@ +ent-DoubleEmergencyAirTank = double emergency air tank + .desc = A high-grade dual-tank emergency life support container. It holds a decent amount of air for it's small size. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl index 66fc4c67acd..34a24ba8f4d 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl @@ -8,3 +8,5 @@ ent-CrossbowBoltPlasmaGlassShard = plasma glass shard bolt .desc = A bolt with a plasma glass shard as a tip. ent-CrossbowBoltUraniumGlassShard = uranium glass shard bolt .desc = A bolt with a uranium glass shard as a tip. God have mercy on thy victims for you won't. +ent-CrossbowBoltBloodDrinker = blood drinker bolt + .desc = { ent-CrossbowBolt.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wizard_staff.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wizard_staff.ftl new file mode 100644 index 00000000000..4b29d5dee42 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wizard_staff.ftl @@ -0,0 +1,10 @@ +ent-WizardStaffMeleeBase = wizard staff + .desc = Symbol of wizard's mastery of arcane arts. +ent-WizardStaffMeleeRed = red wizard staff + .desc = { ent-WizardStaffMeleeBase.desc } +ent-WizardStaffMeleeViolet = violet wizard staff + .desc = { ent-WizardStaffMeleeBase.desc } +ent-WizardStaffMeleeSoap = soap wizard staff + .desc = { ent-WizardStaffMeleeBase.desc } +ent-WizardStaffMeleeBlood = blood cult staff + .desc = { ent-WizardStaffMeleeRed.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/throwable/trowable_weapons.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/throwable/trowable_weapons.ftl new file mode 100644 index 00000000000..0c54b06eaef --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/throwable/trowable_weapons.ftl @@ -0,0 +1,2 @@ +ent-DartSindicateTranquilizer = Syndicate Tranquilizer Dart + .desc = Try not to prick yourself. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/bloodcultmobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/bloodcultmobs.ftl new file mode 100644 index 00000000000..a4d0b23db83 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/bloodcultmobs.ftl @@ -0,0 +1,21 @@ +ent-SpawnMobBloodCultistPriest = Blood Cult Priest Spawner + .suffix = AI, Caster + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistAcolyte = Blood Cult Acolyte + .suffix = AI, Melee + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistZealotMelee = Blood Cult Zealot + .suffix = AI, Melee + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistZealotRanged = Blood Cult Zealot + .suffix = AI, Ranged + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistCaster = Blood Cult Zealot + .suffix = AI, Caster + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultLeech = Blood Cult Leech + .suffix = AI, Melee, Fast + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistAscended = Ascended Cultist + .suffix = AI, Caster, Megafauna + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/syndicatemobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/syndicatemobs.ftl new file mode 100644 index 00000000000..80e2d6626a3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/syndicatemobs.ftl @@ -0,0 +1,20 @@ +ent-SpawnMobSyndicateNavalCaptain = Syndicate Naval Captain Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalEngineer = Syndicate Naval Engineer Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalMedic = Syndicate Naval Medic Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalSecondOfficer = Syndicate Naval Second Officer Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalOperator = Syndicate Naval Operator Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalGrenadier = Syndicate Naval Grenadier Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalSaboteur = Syndicate Naval Saboteur Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobExperimentationVictim = Victim of Experimentation Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalCommander = Syndicate Naval Commander Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalDeckhand = Syndicate Naval Deckhand Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/wizardfederationmobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/wizardfederationmobs.ftl new file mode 100644 index 00000000000..60b4ace22f6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/wizardfederationmobs.ftl @@ -0,0 +1,30 @@ +ent-SpawnMobWizFedWizard = Random Wizard Spawner + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardHardsuit = Random Wizard Spawner + .suffix = AI, Hardsuit + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardBlue = Blue Wizard Spawner + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardRed = Red Wizard Spawner + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardViolet = Violet Wizard Spawner + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardSoap = Soap Wizard Spawner + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardBlueHardsuit = Blue Wizard Spawner + .suffix = AI, Hardsuit + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardRedHardsuit = Red Wizard Spawner + .suffix = AI, Hardsuit + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardVioletHardsuit = Violet Wizard Spawner + .suffix = AI, Hardsuit + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardSoapHardsuit = Soap Wizard Spawner + .suffix = AI, Hardsuit + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/atms.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/atms.ftl index dfa0a480e0b..d78562fef14 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/atms.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/atms.ftl @@ -1,9 +1,5 @@ ent-ComputerBankATMBase = { "" } .desc = { "" } -ent-ComputerBankATMDeposit = bank atm - .desc = Used to deposit and withdraw funds from a personal bank account. -ent-ComputerBankATMWithdraw = bank atm withdraw-only - .desc = Used to withdraw funds from a personal bank account, unable to deposit. ent-ComputerBankATM = { ent-ComputerBankATMDeposit } .desc = { ent-ComputerBankATMDeposit.desc } ent-ComputerWithdrawBankATM = { ent-ComputerBankATMWithdraw } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl index 0b25e9aad66..2a2884942ab 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl @@ -1,18 +1,24 @@ ent-AirlockFrontierLocked = { ent-AirlockCommand } .suffix = Frontier, Locked .desc = { ent-AirlockCommand.desc } -ent-AirlockFrontierGlassLocked = { ent-AirlockCommandGlass } - .suffix = Frontier, Locked - .desc = { ent-AirlockCommandGlass.desc } ent-AirlockFrontierCommandLocked = { ent-AirlockCommand } .suffix = Frontier Command, Locked .desc = { ent-AirlockCommand.desc } -ent-AirlockFrontierCommandGlassLocked = { ent-AirlockCommandGlass } - .suffix = Frontier Command, Locked - .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockMailCarrierLocked = { ent-Airlock } + .suffix = Mail, Locked + .desc = { ent-Airlock.desc } ent-AirlockMercenaryLocked = { ent-AirlockMercenary } .suffix = Mercenary, Locked .desc = { ent-AirlockMercenary.desc } +ent-AirlockFrontierGlassLocked = { ent-AirlockCommandGlass } + .suffix = Frontier, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockFrontierCommandGlassLocked = { ent-AirlockCommandGlass } + .suffix = Frontier Command, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockMailCarrierGlassLocked = { ent-AirlockGlass } + .suffix = Mail, Locked + .desc = { ent-AirlockGlass.desc } ent-AirlockMercenaryGlassLocked = { ent-AirlockMercenaryGlass } .suffix = Mercenary, Locked .desc = { ent-AirlockMercenaryGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/altar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/altar.ftl new file mode 100644 index 00000000000..19061fa43d8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/altar.ftl @@ -0,0 +1,2 @@ +ent-AltarMail = mail altar + .desc = { ent-AltarConvertFestival.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl index 36d007377b2..25d03b9dac3 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl @@ -1,7 +1,5 @@ ent-ComputerShipyard = shipyard console .desc = Used to purchase and sell shuttles -ent-BaseMothershipComputer = mothership console - .desc = Used on motherships to purchase and sell ships without returning to a station. ent-ComputerShipyardSecurity = security shipyard console .desc = Used to enlist into Nanotrasen Security Forces ent-ComputerShipyardBlackMarket = black market shipyard console diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl index 74c90b1186b..1b8f6d1d3d8 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl @@ -39,6 +39,8 @@ ent-SyndicateComputerTabletopComms = { ent-SyndicateComputerComms } .desc = { ent-SyndicateComputerComms.desc } ent-ComputerTabletopSolarControl = { ent-ComputerSolarControl } .desc = { ent-ComputerSolarControl.desc } +ent-ComputerTabletopAdvancedRadar = { ent-ComputerAdvancedRadar } + .desc = { ent-ComputerAdvancedRadar.desc } ent-ComputerTabletopRadar = { ent-ComputerRadar } .desc = { ent-ComputerRadar.desc } ent-ComputerTabletopCargoShuttle = { ent-ComputerCargoShuttle } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl index 597c26a62c0..ccca0c44acd 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl @@ -1,10 +1,15 @@ -ent-EmpressMothershipComputer = Empress mothership console +ent-BaseMothershipComputer = { ent-ComputerShipyard } + .desc = Used on motherships to purchase and sell ships without returning to a station. + .suffix = Mothership +ent-EmpressMothershipComputer = empress shipyard console .desc = { ent-BaseMothershipComputer.desc } -ent-McCargoMothershipComputer = McCargo delivery ship console +ent-McCargoMothershipComputer = mccargo shipyard console .desc = { ent-BaseMothershipComputer.desc } -ent-CaduceusMothershipComputer = Caduceus mothership console +ent-CaduceusMothershipComputer = caduceus shipyard console .desc = { ent-BaseMothershipComputer.desc } -ent-GasbenderMothershipComputer = Gasbender mothership ship console +ent-GasbenderMothershipComputer = gasbender shipyard console .desc = { ent-BaseMothershipComputer.desc } -ent-CrescentMothershipComputer = Crescent mothership console +ent-CrescentMothershipComputer = crescent shipyard console + .desc = { ent-BaseMothershipComputer.desc } +ent-MailCarrierMothershipComputer = mail carrier shipyard console .desc = { ent-BaseMothershipComputer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl index c8e259fd5dd..4de9691f46c 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl @@ -1,28 +1,28 @@ ent-BaseThrusterSecurity = { ent-BaseThruster } .desc = { ent-BaseThruster.desc } ent-ThrusterSecurity = thruster - .suffix = Security - .desc = { ent-ThrusterSecurity.desc } + .suffix = Security + .desc = { ent-BaseThrusterSecurity.desc } ent-ThrusterSecurityUnanchored = { ent-ThrusterUnanchored } .suffix = Unanchored, Security .desc = { ent-ThrusterUnanchored.desc } ent-DebugThrusterSecurity = thruster - .suffix = DEBUG, Security - .desc = { ent-DebugThruster.desc } + .suffix = DEBUG, Security + .desc = { ent-DebugThruster.desc } ent-SmallThruster = small thruster - .desc = { ent-SmallThruster.desc } + .desc = { ent-Thruster.desc } ent-SmallThrusterUnanchored = { ent-SmallThruster } .suffix = Unanchored .desc = { ent-SmallThruster.desc } -ent-GyroscopeSecurity = { ent-GyroscopeSecurity } - .suffix = Security - .desc = { ent-GyroscopeSecurity.desc } +ent-GyroscopeSecurity = { ent-Gyroscope } + .suffix = Security + .desc = { ent-Gyroscope.desc } ent-GyroscopeSecurityUnanchored = { ent-GyroscopeSecurity } .suffix = Unanchored, Security .desc = { ent-GyroscopeSecurity.desc } ent-DebugGyroscopeSecurity = gyroscope - .suffix = DEBUG, Security - .desc = { ent-DebugGyroscope.desc } + .suffix = DEBUG, Security + .desc = { ent-DebugGyroscope.desc } ent-SmallGyroscopeSecurity = small gyroscope .suffix = Security .desc = { ent-GyroscopeSecurity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/specific/bloodcult.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/specific/bloodcult.ftl new file mode 100644 index 00000000000..1e014b34416 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/specific/bloodcult.ftl @@ -0,0 +1,29 @@ +ent-BloodCollector = blood collector + .desc = A vile chamber filled with blood. Seems to hold more than it's volume. +ent-WallCultIndestructible = cult wall + .suffix = indestructible + .desc = { ent-BaseWall.desc } +ent-AirlockBloodCult = { ent-AirlockGlass } + .suffix = Blood Cult + .desc = { ent-AirlockGlass.desc } +ent-BloodCultGlowingFloor = blood cult glowing floor + .desc = { ent-BaseRune.desc } +ent-BloodCultHoleFloor = blood cult floor hole + .desc = { ent-FlashRuneTimer.desc } +ent-BloodCultGravityGeneratorMini = blood cult gravity generator + .desc = { ent-GravityGeneratorMini.desc } +ent-BloodCultAlwaysPoweredLight = blood cult light + .desc = How is this thing glowing? Why? + .suffix = Always powered +ent-BloodCultProp01 = curious object + .desc = Huh, I wonder what this thing is and what does it do. +ent-BloodCultProp02 = curious object + .desc = Huh, I wonder what this thing is and what does it do. +ent-BloodCultProp03 = curious object + .desc = Huh, I wonder what this thing is and what does it do. +ent-BloodCultProp04 = curious object + .desc = Huh, I wonder what this thing is and what does it do. +ent-BloodCultProp05 = curious object + .desc = Huh, I wonder what this thing is and what does it do. +ent-BloodCultProp07 = curious object + .desc = Huh, I wonder what this thing is and what does it do. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/specific/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/specific/syndicate.ftl new file mode 100644 index 00000000000..9e1a779c390 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/specific/syndicate.ftl @@ -0,0 +1,2 @@ +ent-CybersunDataMiner = cybersun dataminer + .desc = Data collecting and processing machine produced by Cybersun. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl index bd9b5fb584e..a43c31cbe08 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl @@ -1,3 +1,5 @@ +ent-LockerMailCarrier = mail's locker + .desc = { ent-LockerBaseSecure.desc } ent-LockerMercenary = mercenary locker .desc = { ent-LockerBaseSecure.desc } ent-LockerJanitor = janitor locker diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl index f2184c6a042..9a9e0387f19 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl @@ -1,2 +1,2 @@ ent-SuitStorageWallmount = suit wallstorage unit - .desc = { ent-SuitStorageBase.desc } \ No newline at end of file + .desc = { ent-BaseWallCloset.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl index 2f659d9017c..b7ff28d59e0 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl @@ -1,2 +1,2 @@ ent-CrateTradeBaseSecure = { ent-CrateBaseWeldable } - .desc = { ent-CrateBaseWeldable.desc } \ No newline at end of file + .desc = { ent-CrateBaseWeldable.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl index 5c573ffa989..5b048a2a2c4 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl @@ -2,11 +2,8 @@ ent-BaseWallDiagonal = basewall .suffix = diagonal .desc = { ent-BaseStructure.desc } ent-WallReinforcedDiagonal = reinforced wall - .suffix = diagonal - .desc = { ent-WallReinforced.desc } + .desc = { ent-WallReinforced.desc } ent-WallWoodDiagonal = wood wall - .suffix = diagonal - .desc = { ent-WallWood.desc } + .desc = { ent-WallWood.desc } ent-WallUraniumDiagonal = uranium wall - .suffix = diagonal - .desc = { ent-WallUranium.desc } + .desc = { ent-WallUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/events/events.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/events/events.ftl index 1cb1cd11cf6..cf186cebcc0 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/events/events.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/events/events.ftl @@ -16,3 +16,9 @@ ent-BluespaceCargoniaShip = { ent-BaseGameRule } .desc = { ent-BaseGameRule.desc } ent-BluespaceArcIndDataCarrier = { ent-BaseGameRule } .desc = { ent-BaseGameRule.desc } +ent-BluespaceSyndicateFTLInterception = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceWizardFederationScout = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceBloodMoon = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl index 229b32b64d8..c8f9ed8964e 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl @@ -6,3 +6,5 @@ ent-SpawnPointStc = stc .desc = { ent-SpawnPointJobBase.desc } ent-SpawnPointSecurityGuard = security guard .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTMailCarrier = ERTmailcarrier + .desc = { ent-SpawnPointJobBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/moth.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/moth.ftl index 8137227df8a..4a674855725 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/moth.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/moth.ftl @@ -1,2 +1,2 @@ -ent-OrganMothStomach = { ent-OrganAnimalStomach } - .desc = { ent-OrganAnimalStomachOrganHumanStomach.desc } \ No newline at end of file +ent-OrganMothStomach = { ent-OrganHumanStomach } + .desc = { ent-OrganHumanStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/arachnid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/arachnid.ftl index acf9788f892..410ca8db7bf 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/arachnid.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/arachnid.ftl @@ -19,4 +19,4 @@ ent-RightLegArachnid = right arachnid leg ent-LeftFootArachnid = left arachnid foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootArachnid = right arachnid foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/diona.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/diona.ftl index 1d191488436..7260a2387c9 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/diona.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/diona.ftl @@ -19,4 +19,4 @@ ent-RightLegDiona = right diona leg ent-LeftFootDiona = left diona foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootDiona = right diona foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/gingerbread.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/gingerbread.ftl index c2f1aa0a3e0..1a9187aa8a8 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/gingerbread.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/gingerbread.ftl @@ -19,4 +19,4 @@ ent-RightLegGingerbread = right gingerbread leg ent-LeftFootGingerbread = left gingerbread foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootGingerbread = right gingerbread foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/human.ftl index 972e1c89848..4c5ef13caf1 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/human.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/human.ftl @@ -19,4 +19,4 @@ ent-RightLegHuman = right human leg ent-LeftFootHuman = left human foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootHuman = right human foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/moth.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/moth.ftl index 67948d4868e..41b2c8b958b 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/moth.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/moth.ftl @@ -19,4 +19,4 @@ ent-RightLegMoth = right moth leg ent-LeftFootMoth = left moth foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootMoth = right moth foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/reptilian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/reptilian.ftl index b2faffe0cd5..742a4fcba36 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/reptilian.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/reptilian.ftl @@ -19,4 +19,4 @@ ent-RightLegReptilian = right reptilian leg ent-LeftFootReptilian = left reptilian foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootReptilian = right reptilian foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/slime.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/slime.ftl index 442a2457db1..6647ede166b 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/slime.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/slime.ftl @@ -19,4 +19,4 @@ ent-RightLegSlime = right slime leg ent-LeftFootSlime = left slime foot .desc = { ent-BaseLeftFoot.desc } ent-RightFootSlime = right slime foot - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/fun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/fun.ftl index 363ab512c5f..a2047ddbcb7 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/fun.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/fun.ftl @@ -1,46 +1,45 @@ -ent-CrateFunPlushie = plushie crate - .desc = A buncha soft plushies. Throw them around and then wonder how you're gonna explain this purchase to NT. -ent-CrateFunLizardPlushieBulk = bulk lizard plushie crate - .desc = A buncha soft lizard plushies. Throw them around and then wonder how you're gonna explain this purchase to NT. -ent-CrateFunInstrumentsVariety = variety instrument collection - .desc = Get your sad station movin' and groovin' with this catch-all variety pack! Contains seven different instruments. -ent-CrateFunInstrumentsBrass = brass instrument ensemble crate - .desc = Bring some jazz to the station with the brass ensemble. Contains a variety of brass instruments for the whole station to play. -ent-CrateFunInstrumentsString = string instrument ensemble crate - .desc = Pluck or pick, slap or shred! Play a smooth melody or melt peoples' faces with this package of stringed instruments. -ent-CrateFunInstrumentsWoodwind = woodwind instrument ensemble crate - .desc = If atmos is good at their job, use air to play music with these woodwind instruments! Real wood not guaranteed with every item. -ent-CrateFunInstrumentsKeyedPercussion = keyed/percussion instrument ensemble crate - .desc = Hit some keys with some sticks or your hands, with this Keyed and Percussion instrument ensemble crate. -ent-CrateFunInstrumentsSpecial = special instrument collector's crate - .desc = Create some noise with this special collection of arguably-instruments! Centcomm is not responsible for any trauma caused by the contents. -ent-CrateFunArtSupplies = art supplies - .desc = Make some happy little accidents with lots of crayons! -ent-CrateFunBoardGames = board game crate - .desc = Game nights have been proven to either decrease boredom or increase murderous rage depending on the game. -ent-CrateFunATV = ATV crate - .desc = An Absolutely Taxable Vehicle to help cargo with hauling. -ent-CrateFunSadTromboneImplants = sad trombone implants - .desc = Death's never been so fun before! Implant these to make dying a bit more happy. -ent-CrateFunLightImplants = light implants - .desc = Light up your skin with these implants! -ent-CrateFunParty = party crate - .desc = An entire party just waiting for you to open it. Includes party favors, party beverages, and even a cake. -ent-CrateFunWaterGuns = water gun crate - .desc = A summer special with a variety of brightly colored water guns. Water not included. -ent-CrateFunSyndicateSegway = Syndicate segway crate - .desc = A crate containing a two-wheeler that will help you escape from the security officers. Or not. -ent-CrateFunBoxing = boxing crate - .desc = Want to set up an underground fight club or host a tournament amongst station crew? This crate is for you! +ent-CrateFunPlushie = ящик плюшевых игрушек + .desc = Куча мягких плюшевых игрушек. Разложите их повсюду, а потом подумайте, как вы объясните эту покупку NT. +ent-CrateFunLizardPlushieBulk = ящик для плюшевых ящериц + .desc = Набор мягких плюшевых игрушек в виде ящериц. Разбрасывай их повсюду, а потом думай, как ты объяснишь эту покупку NT. +ent-CrateFunInstrumentsVariety = набор различных музыкальных инструментов + .desc = Развеселите и расшевелите станцию с этой разнообразной коллекцией! Содержит семь музыкальных инструментов. +ent-CrateFunInstrumentsBrass = набор духовых инструментов + .desc = Поддайте джаза в жизнь станции с набором духовых инструментов. Содержит разнообразные духовые инструменты, на которых может играть вся станция. +ent-CrateFunInstrumentsString = набор струнных инструментов + .desc = Ударяйте или щипайте, дёргайте или бейте по струнам! Играйте нежные мелодии или крушите лица благодаря этому набору струнных инструментов. +ent-CrateFunInstrumentsWoodwind = набор деревянных духовых инструментов + .desc = Если атмос-инженеры хорошо справляется со своей работой, воспользуйтесь воздухом, чтобы сыграть на этих деревянных духовых инструментах музыку! Наличие настоящего дерева в каждом экземпляре не гарантируется. +ent-CrateFunInstrumentsKeyedPercussion = набор клавишных и перкуссионных инструментов + .desc = Вдарьте по клавишам при помощи рук или палочек, воспользовавшись этим набором клавишных и перкуссионных инструментов. +ent-CrateFunInstrumentsSpecial = набор специальных коллекционных инструментов + .desc = Поднимите шум при помощи этой специальной коллекции почти-инструментов! Центком не несет ответственности за любые травмы, вызванные содержимым ящика. +ent-CrateFunArtSupplies = художественные принадлежности + .desc = Устройте парочку счастливых случайностей с этими мелками! +ent-CrateFunBoardGames = ящик настольных игр + .desc = Доказано, что игровые вечера либо сводят на нет скуку, либо усиливают убийственную ярость в зависимости от игры. +ent-CrateFunATV = ящик с квадроциклом + .desc = { ent-CrateLivestock.desc } +ent-CrateFunSadTromboneImplants = ящик имплантов Грустный тромбон + .desc = Умирать ещё никогда не было так весело! Имплантируйте его, чтобы сделать смерть немного ярче. +ent-CrateFunLightImplants = ящик имплантов Свет + .desc = Заставьте свою кожу светиться с помощью этих имплантов! +ent-CrateFunParty = набор для вечеринок + .desc = Все участники вечеринки ждут, когда вы его откроете. Включает в себя подарки, напитки и даже торт. +ent-CrateFunWaterGuns = ящик водяных пистолетов + .desc = Специальное летнее предложение с набором ярких водяных пистолетов. Не содержит воды. +ent-CrateFunSyndicateSegway = ящик с сегвеем синдиката + .desc = { ent-CrateLivestock.desc } +ent-CrateFunBoxing = ящик боксерского снаряжения + .desc = Хотите организовать подпольный бойцовский клуб или провести турнир среди сотрудников станции? Этот ящик для вас! ent-CrateFunPirate = { ent-CratePirate } - .suffix = Filled .desc = { ent-CratePirate.desc } ent-CrateFunToyBox = { ent-CrateToyBox } - .suffix = Filled + .suffix = Заполненный .desc = { ent-CrateToyBox.desc } -ent-CrateFunBikeHornImplants = bike horn implants - .desc = A thousand honks a day keeps security officers away! -ent-CrateFunMysteryFigurines = mystery figure crate - .desc = A collection of 10 Mystery Figurine boxes. Duplicates non refundable. -ent-CrateFunDartsSet = dartboard box set - .desc = A box with everything you need for a fun game of darts. +ent-CrateFunBikeHornImplants = ящик хонк-имплантов + .desc = Тысяча гудков за день отпугнёт СБ на день! +ent-CrateFunMysteryFigurines = ящик минифигурок Загадочные космонавты + .desc = Коллекция из 10 коробок загадочных минифигурок. Дубликаты возврату не подлежат. +ent-CrateFunDartsSet = набор для дартса + .desc = Коробка со всем необходимым для увлекательной игры в дартс. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/belt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/belt.ftl index 79eaaf5782c..fafa1a7baa7 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/belt.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/belt.ftl @@ -40,3 +40,6 @@ ent-ClothingBeltHolsterFilled = { ent-ClothingBeltHolster } ent-ClothingBeltChefFilled = { ent-ClothingBeltChef } .suffix = Filled .desc = { ent-ClothingBeltChef.desc } +ent-ClothingNeckMantleSheriffFilled = { ent-ClothingNeckMantleSheriff } + .suffix = Filled + .desc = { ent-ClothingNeckMantleSheriff.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/organs/harpy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/organs/harpy.ftl new file mode 100644 index 00000000000..a0c3da8c751 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/organs/harpy.ftl @@ -0,0 +1,2 @@ +ent-OrganHarpyLungs = lungs + .desc = An advanced pair of avian lungs. Filters oxygen by way of moving air constantly through air sacs. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/harpy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/harpy.ftl new file mode 100644 index 00000000000..10d0a74fb8f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/harpy.ftl @@ -0,0 +1,22 @@ +ent-PartHarpy = harpy body part + .desc = { ent-BaseItem.desc } +ent-TorsoHarpy = harpy torso + .desc = { ent-PartHarpy.desc } +ent-HeadHarpy = harpy head + .desc = { ent-PartHarpy.desc } +ent-LeftArmHarpy = left harpy arm + .desc = { ent-PartHarpy.desc } +ent-RightArmHarpy = right harpy arm + .desc = { ent-PartHarpy.desc } +ent-LeftHandHarpy = left harpy hand + .desc = { ent-PartHarpy.desc } +ent-RightHandHarpy = right harpy hand + .desc = { ent-PartHarpy.desc } +ent-LeftLegHarpy = left harpy leg + .desc = { ent-PartHarpy.desc } +ent-RightLegHarpy = right harpy leg + .desc = { ent-PartHarpy.desc } +ent-LeftFootHarpy = left harpy foot + .desc = { ent-PartHarpy.desc } +ent-RightFootHarpy = right harpy foot + .desc = { ent-PartHarpy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/vulpkanin.ftl index a4149f86d70..de8ba2bbb31 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/vulpkanin.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/vulpkanin.ftl @@ -19,4 +19,4 @@ ent-RightLegVulpkanin = right vulpkanin leg ent-LeftFootVulpkanin = left vulpkanin paw .desc = { ent-BaseLeftFoot.desc } ent-RightFootVulpkanin = right vulpkanin paw - .desc = { ent-BaseRightFoot.desc } \ No newline at end of file + .desc = { ent-BaseRightFoot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/player/harpy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/player/harpy.ftl new file mode 100644 index 00000000000..9a37282cdbb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/player/harpy.ftl @@ -0,0 +1,2 @@ +ent-MobHarpy = Urist McHarpy + .desc = { ent-MobHarpyBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/species/harpy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/species/harpy.ftl new file mode 100644 index 00000000000..3b6295308bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/species/harpy.ftl @@ -0,0 +1,8 @@ +ent-MobHarpyBase = Urist McHarpy + .desc = { ent-BaseMobHuman.desc } +ent-MobHarpyDummy = Urist McHands + .desc = A dummy Harpy meant to be used in character setup. +ent-ActionHarpyPlayMidi = Play MIDI + .desc = Sing your heart out! Right click yourself to set an instrument. +ent-ActionSyrinxChangeVoiceMask = Set name + .desc = Change the name others hear to something else. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/misc/implanters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/misc/implanters.ftl new file mode 100644 index 00000000000..d17b8a5ae36 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/misc/implanters.ftl @@ -0,0 +1,2 @@ +ent-BionicSyrinxImplanter = bionic syrinx implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/misc/subdermal_implants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/misc/subdermal_implants.ftl new file mode 100644 index 00000000000..c3846b52302 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/misc/subdermal_implants.ftl @@ -0,0 +1,2 @@ +ent-BionicSyrinxImplant = bionic syrinx implant + .desc = This implant lets a harpy adjust their voice to whoever they can think of. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl index 5d09c5f100e..4edb89e1c7d 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl @@ -19,4 +19,4 @@ ent-ClothingHeadBandSkull = skull bandana ent-ClothingHeadBandMercenary = mercenary bandana .desc = { ent-ClothingMaskBandMerc.desc } ent-ClothingHeadBandBrown = brown bandana - .desc = { ent-ClothingMaskBandBrown.desc } \ No newline at end of file + .desc = { ent-ClothingMaskBandBrown.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/soft.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/soft.ftl index f6a904a5e2e..bda424f4d44 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/soft.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/soft.ftl @@ -62,4 +62,4 @@ ent-ClothingHeadHatBizarreSoftFlipped = troublemaker's cap ent-ClothingHeadHatParamedicsoft = paramedic cap .desc = It's a paramedic's baseball hat with a medical logo. ent-ClothingHeadHatParamedicsoftFlipped = paramedic cap - .desc = { ent-ClothingHeadHatParamedicsoft.desc } \ No newline at end of file + .desc = { ent-ClothingHeadHatParamedicsoft.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/base_clothingshoes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/base_clothingshoes.ftl index 88307b923c6..501d11856e2 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/base_clothingshoes.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/base_clothingshoes.ftl @@ -2,7 +2,7 @@ ent-ClothingShoesBase = { ent-Clothing } .desc = { ent-Clothing.desc } ent-ClothingShoesBaseButcherable = { ent-ClothingShoesBase } .desc = { ent-ClothingShoesBase.desc } -ent-ClothingShoesMilitaryBase = { ent-ClothingSlotBase } - .desc = { ent-ClothingSlotBase.desc } +ent-ClothingShoesMilitaryBase = { ent-ClothingShoesBase } + .desc = { ent-ClothingShoesBase.desc } ent-ClothingShoesBaseWinterBoots = { ent-ClothingShoesBaseButcherable } .desc = Fluffy boots to help survive even the coldest of winters. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/argocyte.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/argocyte.ftl index d51912f1c92..6a8e404f5fe 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/argocyte.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/argocyte.ftl @@ -1,4 +1,4 @@ -ent-BaseMobArgocyte = { ent-BaseSimpleMob } +ent-BaseMobArgocyte = { ent-MobCombat} .desc = A dangerous alien found on the wrong side of planets, known for their propensity for munching on ruins. .suffix = AI ent-MobArgocyteSlurva = slurva diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/elemental.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/elemental.ftl index 9f848b2e731..1b655d1f407 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/elemental.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/elemental.ftl @@ -1,7 +1,7 @@ ent-MobElementalBase = { "" } .desc = { "" } ent-MobOreCrab = ore crab - .desc = { ent-MobElementalBase.desc } + .desc = { ent-MobCombat.desc } ent-MobQuartzCrab = { ent-MobOreCrab } .desc = An ore crab made from Quartz. ent-MobIronCrab = { ent-MobOreCrab } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/simplemob.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/simplemob.ftl index 4d95de5e17d..8798d690800 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/simplemob.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/simplemob.ftl @@ -1,9 +1,9 @@ ent-BaseSimpleMob = { ent-BaseMob } .suffix = AI .desc = { ent-BaseMob.desc } -ent-SimpleSpaceMobBase = { ent-BaseSimpleMob } +ent-SimpleSpaceMobBase = { ent-SimpleSpaceMobBase } .suffix = AI - .desc = { ent-BaseSimpleMob.desc } -ent-SimpleMobBase = { ent-SimpleSpaceMobBase } + .desc = { ent-SimpleSpaceMobBase.desc } +ent-SimpleMobBase = { ent-BaseSimpleMob } .suffix = AI - .desc = { ent-SimpleSpaceMobBase.desc } \ No newline at end of file + .desc = { ent-BaseSimpleMob.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/narsie.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/narsie.ftl index 412f279d236..8bd294bec00 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/narsie.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/narsie.ftl @@ -4,4 +4,4 @@ ent-MobNarsieSpawn = { ent-MobNarsieBase } .suffix = Spawn .desc = { ent-MobNarsieBase.desc } ent-MobNarsie = { ent-MobNarsieBase } - .desc = { ent-MobNarsieBase.desc } \ No newline at end of file + .desc = { ent-MobNarsieBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/ratvar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/ratvar.ftl index fd1f63aab13..ceb00778057 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/ratvar.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/ratvar.ftl @@ -4,5 +4,4 @@ ent-MobRatvarSpawn = { ent-MobRatvarBase } .suffix = Spawn .desc = { ent-MobRatvarBase.desc } ent-MobRatvar = { ent-MobRatvarBase } - - .desc = { ent-MobRatvarBase.desc } \ No newline at end of file + .desc = { ent-MobRatvarBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/skeleton.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/skeleton.ftl index 0c5c02abfbf..ea462921046 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/skeleton.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/skeleton.ftl @@ -5,4 +5,4 @@ ent-MobSkeletonPirate = skeleton pirate ent-MobSkeletonBiker = skeleton biker .desc = { ent-MobSkeletonPerson.desc } ent-MobSkeletonCloset = closet skeleton - .desc = { ent-MobSkeletonPerson.desc } \ No newline at end of file + .desc = { ent-MobSkeletonPerson.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/egg.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/egg.ftl index 19b0e8e0452..ad893e32d7e 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/egg.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/egg.ftl @@ -1,4 +1,4 @@ -ent-FoodEggBase = { ent-ItemHeftyBase } +ent-FoodEggBase = { ent-FoodInjectableBase } .desc = An egg! ent-Eggshells = eggshells .desc = You're walkin' on 'em bud. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/packs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/packs.ftl index 9d05dbb7d6f..453935a54b1 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/packs.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/packs.ftl @@ -1,7 +1,7 @@ ent-CigPackBase = cigarette pack - .desc = { ent-BaseBagOpenClose.desc } + .desc = { ent-BaseStorageItem.desc } ent-CigPackMixedBase = soaked cigarette pack - .desc = { ent-BaseBagOpenClose.desc } + .desc = { ent-BaseStorageItem.desc } ent-CigPackGreen = Spessman's Smokes packet .desc = A label on the packaging reads, Wouldn't a slow death make a change? ent-CigPackRed = DromedaryCo packet diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/present.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/present.ftl index c4b4a2183b3..2ef8081d0b1 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/present.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/present.ftl @@ -1,9 +1,9 @@ ent-PresentBase = present .desc = A little box with incredible surprises inside. -ent-Present = { ent-BaseStorageItem } +ent-Present = { ent-PresentBase } .suffix = Empty - .desc = { ent-BaseStorageItem.desc } -ent-PresentRandomUnsafe = { ent-BaseItem } + .desc = { ent-PresentBase.desc } +ent-PresentRandomUnsafe = { ent-PresentBase } .suffix = Filled, any item .desc = { ent-PresentBase.desc } ent-PresentRandomInsane = { ent-PresentRandomUnsafe } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl index 5bab4e505d3..d7fe815797a 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl @@ -46,6 +46,8 @@ ent-SyndicateCommsComputerCircuitboard = syndicate communications computer board .desc = A computer printed circuit board for a syndicate communications console. ent-RadarConsoleCircuitboard = radar console computer board .desc = { ent-BaseComputerCircuitboard.desc } +ent-AdvancedRadarConsoleCircuitboard = advanced radar console computer board + .desc = { ent-BaseComputerCircuitboard.desc } ent-SolarControlComputerCircuitboard = solar control computer board .desc = A computer printed circuit board for a solar control console. ent-SpaceVillainArcadeComputerCircuitboard = space villain arcade board diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/kudzu.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/kudzu.ftl index f36ae9760a6..e81396cd721 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/kudzu.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/kudzu.ftl @@ -14,6 +14,6 @@ ent-KudzuFlowerAngry = { ent-KudzuFlowerFriendly } ent-FleshKudzu = tendons .desc = A rapidly growing cluster of meaty tendons. WHY ARE YOU STOPPING TO LOOK AT IT?! ent-ShadowKudzu = dark haze - .desc = { ent-BaseKudzu.desc } + .desc = { ent-BaseShadow.desc } ent-ShadowKudzuWeak = Haze .desc = { ent-ShadowKudzu.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/defib.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/defib.ftl index 18d35da4b4b..427b209a6ca 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/defib.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/defib.ftl @@ -1,7 +1,6 @@ ent-BaseDefibrillator = defibrillator .desc = CLEAR! Zzzzat! ent-Defibrillator = { ent-BaseDefibrillator } - .desc = { ent-BaseDefibrillator.desc } ent-DefibrillatorEmpty = { ent-Defibrillator } .suffix = Empty diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_modules.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_modules.ftl index 8fc9f09d7d9..eed4b6a862f 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_modules.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_modules.ftl @@ -19,60 +19,60 @@ ent-BaseBorgModuleSyndicate = { ent-BaseBorgModule } ent-BaseBorgModuleSyndicateAssault = { ent-BaseBorgModule } .desc = { ent-BaseBorgModule.desc } ent-BorgModuleCable = cable cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleFireExtinguisher = fire extinguisher cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleGPS = GPS cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleRadiationDetection = radiation detection cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleTool = tool cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleAppraisal = appraisal cyborg module - .desc = { ent-BaseBorgModuleCargo.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleMining = mining cyborg module - .desc = { ent-BaseBorgModuleCargo.desc } + .desc = { ent-BaseBorgModuleCargo.desc } ent-BorgModuleGrapplingGun = grappling gun cyborg module - .desc = { ent-BaseBorgModuleCargo.desc } + .desc = { ent-BaseBorgModuleCargo.desc } ent-BorgModuleAdvancedTool = advanced tool cyborg module - .desc = { ent-BaseBorgModuleEngineering.desc } + .desc = { ent-BaseBorgModuleEngineering.desc } ent-BorgModuleConstruction = construction cyborg module - .desc = { ent-BaseBorgModuleEngineering.desc } + .desc = { ent-BaseBorgModuleEngineering.desc } ent-BorgModuleRCD = RCD cyborg module - .desc = { ent-BaseBorgModuleEngineering.desc } + .desc = { ent-BaseBorgModuleEngineering.desc } ent-BorgModuleLightReplacer = light replacer cyborg module - .desc = { ent-BaseBorgModuleJanitor.desc } + .desc = { ent-BaseBorgModuleJanitor.desc } ent-BorgModuleCleaning = cleaning cyborg module - .desc = { ent-BaseBorgModuleJanitor.desc } + .desc = { ent-BaseBorgModuleJanitor.desc } ent-BorgModuleAdvancedCleaning = advanced cleaning cyborg module - .desc = { ent-BaseBorgModuleJanitor.desc } + .desc = { ent-BaseBorgModuleJanitor.desc } ent-BorgModuleDiagnosis = diagnosis cyborg module - .desc = { ent-BaseBorgModuleMedical.desc } + .desc = { ent-BaseBorgModuleMedical.desc } ent-BorgModuleTreatment = treatment cyborg module - .desc = { ent-BaseBorgModuleMedical.desc } + .desc = { ent-BaseBorgModuleMedical.desc } ent-BorgModuleDefibrillator = defibrillator cyborg module - .desc = { ent-BaseBorgModuleMedical.desc } + .desc = { ent-BaseBorgModuleMedical.desc } ent-BorgModuleAdvancedTreatment = advanced treatment cyborg module - .desc = { ent-BaseBorgModuleMedical.desc } + .desc = { ent-BaseBorgModuleMedical.desc } ent-BorgModuleArtifact = artifact cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleAnomaly = anomaly cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc ={ ent-BaseBorgModule.desc } ent-BorgModuleService = service cyborg module - .desc = { ent-BaseBorgModuleService.desc } + .desc = { ent-BaseBorgModuleService.desc } ent-BorgModuleMusique = musique cyborg module - .desc = { ent-BaseBorgModuleService.desc } + .desc = { ent-BaseBorgModuleService.desc } ent-BorgModuleGardening = gardening cyborg module - .desc = { ent-BaseBorgModuleService.desc } + .desc = { ent-BaseBorgModuleService.desc } ent-BorgModuleHarvesting = harvesting cyborg module - .desc = { ent-BaseBorgModuleService.desc } + .desc = { ent-BaseBorgModuleService.desc } ent-BorgModuleClowning = clowning cyborg module - .desc = { ent-BaseBorgModuleService.desc } + .desc = { ent-BaseBorgModuleService.desc } ent-BorgModuleSyndicateWeapon = weapon cyborg module - .desc = { ent-BaseBorgModule.desc } + .desc = { ent-BaseBorgModule.desc } ent-BorgModuleOperative = operative cyborg module - .desc = A module that comes with a crowbar, an Emag and a syndicate pinpointer. + .desc = A module that comes with a crowbar, an Emag and a syndicate pinpointer. ent-BorgModuleEsword = energy sword cyborg module - .desc = A module that comes with a double energy sword. + .desc = A module that comes with a double energy sword. ent-BorgModuleL6C = L6C ROW cyborg module - .desc = A module that comes with a L6C. + .desc = A module that comes with a L6C. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl index e2ca9fb0bc3..051239af9ba 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl @@ -20,3 +20,9 @@ ent-ProjectileIcicle = Icicle .desc = Brrrrr. ent-ProjectilePolyboltBread = bread polybolt .desc = Nooo, I don't wanna be bread! +ent-BulletFireBolt = fire bolt + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletMagicBolt = magic bolt + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletBloodCultDarkBolt = blood bolt + .desc = { ent-BaseBulletTrigger.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/test.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/test.ftl index 850fc39f047..fcb5bf3f22f 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/test.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/test.ftl @@ -1,2 +1,2 @@ ent-TestStation = { ent-BaseStation } - .desc = { ent-BaseStation.desc } \ No newline at end of file + .desc = { ent-BaseStation.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl index 9f547331d59..f124a1b87ba 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl @@ -43,6 +43,8 @@ ent-ComputerSolarControl = solar control computer .desc = A controller for solar panel arrays. ent-ComputerRadar = mass scanner computer .desc = A computer for detecting nearby bodies, displaying them by position and mass. +ent-ComputerAdvancedRadar = radar computer + .desc = Better CPU and components gives this radar the technological and tactical advantage on detection of far away objects. ent-ComputerCargoShuttle = cargo shuttle computer .desc = Used to order the shuttle. ent-ComputerCargoOrders = cargo request computer diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/cores.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/cores.ftl index 8ed0cba6f2f..9368de36a69 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/cores.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/cores.ftl @@ -61,4 +61,4 @@ ent-AnomalyCoreFloraInert = { ent-BaseAnomalyInertCore } .desc = { ent-BaseAnomalyInertCore.desc } ent-AnomalyCoreShadowInert = { ent-BaseAnomalyInertCore } .suffix = Shadow, Inert - .desc = { ent-BaseAnomalyInertCore.desc } \ No newline at end of file + .desc = { ent-BaseAnomalyInertCore.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/filing_cabinets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/filing_cabinets.ftl index 76a8233adcb..e91fe379690 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/filing_cabinets.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/filing_cabinets.ftl @@ -12,10 +12,9 @@ ent-BaseBureaucraticStorageFill = { "" } ent-filingCabinetRandom = { ent-filingCabinet } .suffix = Random .desc = { ent-filingCabinet.desc } -ent-filingCabinetTallRandom = { ent-filingCabinetTall } +ent-filingCabinetTallRandom = { ent-filingCabinet } .suffix = Random .desc = { ent-filingCabinetTall.desc } ent-filingCabinetDrawerRandom = { ent-filingCabinetDrawer } - .suffix = Random - .desc = { ent-filingCabinetDrawer.desc } \ No newline at end of file + .desc = { ent-filingCabinetDrawer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/shotgun_cabinet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/shotgun_cabinet.ftl index 46820230dd1..96938269dfd 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/shotgun_cabinet.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/shotgun_cabinet.ftl @@ -8,4 +8,4 @@ ent-ShotGunCabinetFilled = { ent-ShotGunCabinet } .desc = { ent-ShotGunCabinet.desc } ent-ShotGunCabinetFilledOpen = { ent-ShotGunCabinetFilled } .suffix = Filled, Open - .desc = { ent-ShotGunCabinetFilled.desc } \ No newline at end of file + .desc = { ent-ShotGunCabinetFilled.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl index 472b8d47325..c48d30c90ef 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl @@ -1,2 +1,2 @@ ent-MobFelinid = Urist McFelinid - .desc = { ent-MobFelinidBase.desc } \ No newline at end of file + .desc = { ent-MobFelinidBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl index df69f8c65e3..4ffdeb50cf3 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl @@ -1,2 +1,2 @@ ent-MobOni = Urist McOni - .desc = { ent-MobOniBase.desc } \ No newline at end of file + .desc = { ent-MobOniBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl index 88f8bda7eb3..1deb293dd23 100644 --- a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl @@ -1,5 +1,3 @@ -ent-BaseThiefObjective = { ent-BaseObjective } - .desc = { ent-BaseObjective.desc } ent-BaseThiefStealObjective = { ent-BaseThiefObjective } .desc = { ent-BaseThiefObjective.desc } ent-BaseThiefStealCollectionObjective = { ent-BaseThiefObjective } @@ -8,6 +6,7 @@ ent-BaseThiefStealStructureObjective = { ent-BaseThiefObjective } .desc = { ent-BaseThiefObjective.desc } ent-BaseThiefStealAnimalObjective = { ent-BaseThiefObjective } .desc = { ent-BaseThiefObjective.desc } + .desc = { ent-BaseStealObjective.desc } ent-FigurineStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } .desc = { ent-BaseThiefStealCollectionObjective.desc } ent-HeadCloakStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } diff --git a/Resources/Locale/en-US/traits/traits.ftl b/Resources/Locale/en-US/traits/traits.ftl index f8f8021e86f..e115b48289a 100644 --- a/Resources/Locale/en-US/traits/traits.ftl +++ b/Resources/Locale/en-US/traits/traits.ftl @@ -35,3 +35,12 @@ trait-frontal-lisp-desc = You thpeak with a lithp trait-socialanxiety-name = Social Anxiety trait-socialanxiety-desc = You are anxious when you speak and stutter. + +trait-colorblindness-name = Colorblindness +trait-colorblindness-desc = You have Protanopia. You cannot distinguish between the colors and color shades of the magenta part of the spectrum. + +trait-tall-name = Tall +trait-tall-desc = Do you have a problem with gigantism. + +trait-short-name = Short +trait-short-desc = Do you have a dwarfism problem. diff --git a/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/bloodculthumanoidmob.ftl b/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/bloodculthumanoidmob.ftl new file mode 100644 index 00000000000..ec0df4708b9 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/bloodculthumanoidmob.ftl @@ -0,0 +1,20 @@ +advertisement-bloodcultisthumanoid-1 = Нар'Си воскреснет снова! +advertisement-bloodcultisthumanoid-2 = Мы выпьем вашу кровь! +advertisement-bloodcultisthumanoid-3 = Убейте неверующего! +advertisement-bloodcultisthumanoid-4 = Что это было? +advertisement-bloodcultisthumanoid-5 = Ты. Воля. Страдать. +advertisement-bloodcultisthumanoid-6 = Больше крови для Нар'Си! +advertisement-bloodcultisthumanoid-7 = Тебе не следовало приходить сюда, Кровавый Мешок! +advertisement-bloodcultisthumanoid-8 = Я умру, если Нар'Си этого захочет! +advertisement-bloodcultisthumanoid-9 = Я слышу Зов Пустоты. +advertisement-bloodcultisthumanoid-10 = Бороться или сдаться — не имеет значения: нам нужна ваша кровь. +advertisement-bloodcultisthumanoid-11 = Кровь! +advertisement-bloodcultisthumanoid-12 = Слава Скрытой Пустоте! +advertisement-bloodcultisthumanoid-13 = Вы познаете настоящую боль! +advertisement-bloodcultisthumanoid-14 = Никакой пощады не будет, неверующий. +advertisement-bloodcultisthumanoid-15 = Эй, классная куртка! +advertisement-bloodcultisthumanoid-16 = Смерть последователям ЛОЖНЫХ Богов! +advertisement-bloodcultisthumanoid-17 = Да-да, кровь. Нужно больше крови. Больше, да. +advertisement-bloodcultisthumanoid-18 = Пустота заберет тебя! +advertisement-bloodcultisthumanoid-19 = *мычит* +advertisement-bloodcultisthumanoid-20 = Я сделаю флейту из твоей ключицы! diff --git a/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/syndicatehumanoidmob.ftl b/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/syndicatehumanoidmob.ftl new file mode 100644 index 00000000000..ec62d14dbf2 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/syndicatehumanoidmob.ftl @@ -0,0 +1,20 @@ +advertisement-syndicatehumanoid-1 = Чувак, я ненавижу NanoTrasen! +advertisement-syndicatehumanoid-2 = Вчера я видел сотрудника NT. Жалкое существо. +advertisement-syndicatehumanoid-3 = Должно быть, это был ветер. +advertisement-syndicatehumanoid-4 = Что это было? +advertisement-syndicatehumanoid-5 = Вы это видели? +advertisement-syndicatehumanoid-6 = Эй, чувак, зацени это! +advertisement-syndicatehumanoid-7 = СУКА, этот тупой удар сильно бьет, я спотыкаюсь. +advertisement-syndicatehumanoid-8 = Я с нетерпением жду выплаты за работу в опасных условиях. +advertisement-syndicatehumanoid-9 = УМРИ, УМРИ, УМРИ! +advertisement-syndicatehumanoid-10 = Иногда мне снится сыр... +advertisement-syndicatehumanoid-11 = СТОП! +advertisement-syndicatehumanoid-12 = Слава Синдикату! +advertisement-syndicatehumanoid-13 = Хватит сопротивляться! +advertisement-syndicatehumanoid-14 = Бросайте оружие! +advertisement-syndicatehumanoid-15 = Ааа! +advertisement-syndicatehumanoid-16 = Хах, это забавно. +advertisement-syndicatehumanoid-17 = В конце концов, этот день складывается хорошо! +advertisement-syndicatehumanoid-18 = Ха! Возьми это! +advertisement-syndicatehumanoid-19 = *свистит* +advertisement-syndicatehumanoid-20 = Да ладно! diff --git a/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/wizardhumanoidmob.ftl b/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/wizardhumanoidmob.ftl new file mode 100644 index 00000000000..fa2bfe3c8fa --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/mobchatter/wizardhumanoidmob.ftl @@ -0,0 +1,20 @@ +advertisement-wizardhumanoid-1 = Т̶̡͖̌̾у̷̳̯͓̒͗̕т̴̝̘͐̑е̵̤̹̍͑а̷̠́͌р̶̠̞̮͛͝у̶̗́̔м̵̜̪̀̀̇ ̸̳͆̇̊Й̸̱̈̃̚ͅе̴̠̤̪̂̈̃в̸͉͗͌́а̸͉͖̭͛̄р̴͎̺̫̂̓̑р̸̣̤̦̐̔̒а̷̨̡̩̅̂͝н̴̭̙̦̋!̵͇̀ +advertisement-wizardhumanoid-2 = М̶͍̹̮́о̴̰̍р̶̧̛̞̳͑а̷̝̩̽̚̕р̵͛̏͜и̷̨̱̤̂̌̃с̸̖́ͅ ̴̮̙̙̟̌̐̈͋А̸̞̗̉̉̈́ͅн̷̺̒̃т̷̘̯͙̽̈͊̒ӥ̴̪̯̻͎́͒̂͠о̵̹̯̟̫̓͒́͝а̶̠̺̲̀͌͘а̴͈̙̪̜̐̎̿и̵̲͉̏̏̀̒т̵͚̑͐̂͠ў̷̟͚р̶̜̲̀и̶̠͚̎̌͌!̸̞̑̒ +advertisement-wizardhumanoid-3 = Я̴̬͎̐͌̕а̵̧̧͇͖́в̶̖̫̫̾̉̌̃а̷͕̦̇̈́͊р̶̙͕̥̝́̉̊у̵̦͓͛͆̊̈у̶̬̜͒̈̓̂к̶̠͔͚̝͛̓̀!̶̗͈̯͖̋ +advertisement-wizardhumanoid-4 = А̸̮͍̌̚н̵̱̑͘г̵̩͜͝у̶̧͓͒͗͑л̴̪̲͚̱̓̿̅ ̶̙̣̣͒Р̸̻̱̾̂а̶̻̗͒в̸̻̞̜̍͗͒͠а̴̟͔͖̫̏̐͝т̸̳̦͓̘̎е̷̡̋͐̚͘͜!̸̨͍͔̾̐̌ +advertisement-wizardhumanoid-5 = Ќ̶̠̫̊а̸̣̞͒л̵͍͈͑̀̄͌͝и̵̟͚̯̗͌͂̈͝и̷̱́у̶̛͈̮̅͘͘͠ͅа̷̹̽̒̇ќ̷̨̺̭̍ ̵͓̗̿́͝И̸̨̞̜̿̎̋̈н̷̧̟̣̀к̴̦͍̟̯͍̔͂̏͊͌е̴̯̲̿̎͊̆͌ ̴̦̣̆͑Р̷̗͎̘̾͒̽е̷̡̘͈̤̌̀в̶̡̨̬̌̒͌ͅͅу̶̧͋͊́͂̂л̷̡̝̎̒͘͘!̴̡̦̞̜͍̃ +advertisement-wizardhumanoid-6 = З̵̮̮̱͋́̾̊е̷̧̭̻̥͂̓̿ӱ̷͇̳́̔͒а̶̨̰̊й̸̖̙͇̥̾̕с̸͗͆̈́͛͜к̵͗͜ӥ̴̜́й̷̛̛̲͓̅̑͜ ̷̡̯̤̲̽̉͘К̶̠͒̌̔̊ӑ̷͚́л̷̨̤͖̺̂й̵̠̲̙̓а̸̘̹͍͖̿т̶̧͔̬̜́̋̇͝и̷̧̂͝о̴̜̹̂͆̈͝ ̸̡̞̠̐̈́И̵̡̮̙͛͝н̵̖̗̠̅͐̌͠а̵̠̫͐т̷̧̭̟̪̀̿!̷̻̇ +advertisement-wizardhumanoid-7 = Клаату, Барату, Нхх... Никти? Никель? Ебать.. +advertisement-wizardhumanoid-8 = L̷͍̦̃͛i̴̧̻͓͋͊͑b̵͙͙͔̒ä̴͙̝̼̝́â̴͚̥̲̿͗͜y̷͕͙̿͒ṑ̸͔̗͜ṕ̵̡̞̩̖ú̷͉̎s̸͖̞̀̈̋ ̵̧̗̳͚̀̃Z̷͙̗͋̈́͑̕u̶̥̺̺̯͋͝l̴̛̘͔͓̎͘̚a̸̪͎͐̂̍é̷̡̳͇̘̓̅̓y̸̼̔̇̊c̵̥̆͊͜i̸̙͆̀̕͠o̸̫̱͌̎͝͝ ̵̭̂̋̋͜͝Í̸͚̟̮̘̓n̴̨̮̘͔̆̎̓f̶̨̲̙͇͆͠a̶͕̙͙͝i̵͔̎͊̕ų̵͚̃̐͆͠ẽ̵͈̓͒s̷̨̖̣̲͐͛͗̍t̶̨̐a̷̯̦̮̐̾̌̆ ̸̮̜̘͔͊̒͌O̶̭͑͊̊̌c̸̭̓̏͐̐ç̸̛͖͚̅̽͠ő̶̯̬̝̩͊͌͌ȋ̴̼̤̭͕́̏͝a̸̧̼̖͑̽͘l̵̹̜͍̱͂̒͆̽ +advertisement-wizardhumanoid-9 = СЕЙЧАС ТЫ УМРЕШЬ! +advertisement-wizardhumanoid-10 = Иногда мне снится сыр... +advertisement-wizardhumanoid-11 = Д̵̧̢͚͔̂͘͝ж̴͎̭̂̽̇͂а̶̱̙̑̀̃ͅл̴̡̛͉̠̩̈́̊͘ь̵͔͈͊̌т̷̖̂́̾͠й̶̧о̴̘͇͍͕͂́н̵̢͎̘̹̾̂ ̵̜̲̬̝̃Т̴͓̠̄̑̚а̷̱̞̭̄̓̂ӧ̵̭́̚͝а̸̥̙̣̽͌̉̕͜ӱ̵͇̜͝л̴͉͙̥͋̇͆̚ ̴̥̬͂Б̷͔̈́̒̉̓р̸̯͇̬̌́о̷̧͈͕̲̊͑̿й̴͈̇̑͜у̵͓̣̼̌̓с̶͇̪͕̾̈́̄ +advertisement-wizardhumanoid-12 = О̸̡̧̰̦͆̐̅̈͂к̷͙͉̝̈́̈́́͗͘к̶̡̛̭̗͇̲а̸̡̝͎͔̄ӑ̴̪͖̳̠͕̐̈́т̵̣͖͙̮̾͘р̶͈́̏͐̒͜͝ͅа̴̠͚̘̍̊̉̒̄ͅ ̶̙͍͊̿͛͗͗К̴̝͑͘̕с̷̨͙̝́̊̀͝а̴̛͓̽в̴͔͎͊̋д̴̜̍и̶̳͉̍͆у̴̞̍̏̿̽̊с̸̢̡͈͇́̾͆̀͘ +advertisement-wizardhumanoid-13 = Сдавайся, червь, и твоя жизнь будет сохранена! +advertisement-wizardhumanoid-14 = Ф̴̢̛̙͓̏̓͒͜о̴̻̃̔р̸̛̮̼̈́̃͝ь̶̺̌́͠е̷̢̹̥̖̑ӓ̵͇̖̺́̓л̸̰͍̩̥̈̓г̷̢̪̙̔̉̃͜и̷̣̝̊̀̅̓̚я̸̛̭̎̒͘ ̸̺̼̥̅̔̊͗Ӓ̵̺͈́̋т̶̖̰͍̗̔т̵̫̮̈́о̴̯̰̪̏ю̷̦̦̝̻̆͆̿̄͝т̴̰̲̼͓̾у̶̢̟͔̺̞̅͋̆р̵̪͍͚̳̰̈́͒̌͝и̴̮͋͂͑͝ +advertisement-wizardhumanoid-15 = Ӓ̶̠̰̖̆̈͠а̴͔̠̬̌̀̕̚а̷͎̑͐͝!̴͎̭́ +advertisement-wizardhumanoid-16 = А̴̱̦͌̾н̷̧̰͓͔͑̋̄т̵͚̇̀̑̏̆ӥ̶́͑̓̐͜о̷̨̫̣̼̘̒̏̈́т̷̨͎̓̽̽̏и̷̺̓͠о̵̪̂̒̃̚ ̸̤͓̗̪̀̂̀́С̸̈́̏ͅӯ̵͚̳̖͊͘̚͝л̴̨̫̰̗̀̋ь̷̣̩̆͒̕̕б̸̡̣͉̂͒̈́а̵̧͓̹̦́̈́̂͝͝ͅ ̴̪̈́͐̚͠К̷̡̻̤̞̀̒̆͂в̷̗̋а̴͉͕̝͈̄а̶̧̯͙̳̹͆й̴̢̽͛͋͠с̴͈̙͚̝͂̀͒͌̕и̴͉͙̊͆͠о̷̞͚̦͇͂̌̅̒ +advertisement-wizardhumanoid-17 = В̸͎̌̍ѝ̷͎̇̚͝н̴̣͎̣̰̈́͘̕д̴̨̤͆и̵͈͓̰͝у̵̣̘̓͜с̸̻̘̟̾̍͝ ̷̻̐̆̊Р̸͖̄͌͛̑ё̵͉̕в̸̳͇̫͔̅͛и̵̡̝̘̑̓а̴̘̘̜̱̽̽к̵̡̫̪̊͆̇͠е̷͇̮̣́̀͋ ̸̲̼̝̗͆͋̂̃С̸̥̘͑̀͝ӥ̸͔̖̘́с̷̨̺͌̍͠е̷̟̍̏й̶̖͚́̓и̸̳͖̮́͝т̵̖̟͛͝у̸̟̓͒̀̚͜р̶̱̐̽̿и̸̯̩̍̿̿͜͝ +advertisement-wizardhumanoid-18 = В̵̛̲̺͙͘и̷̠̜̦͌̀̓̓а̴͎̟̙̦̙̽͑́̓̽о̸̫͘г̶̗͚̮̤̑у̷͎̖̔͒и̸̯͓͙̗̎̀͒̿н̷̘̭͊̒ ̸͍̥̦̎̀З̴̱̼̰̃͝͠ͅо̸̢̱͙̦̆а̶̻͓̥̫̠̓̀̕ю̶͔̈̈́б̷̧̨̺̰̲̋̓̅а̴̮̘͔͇̖͝ ̶̛̠̙̯͉͋̓̂͝В̸̘͍͔̦̂̀͘͠е̷͖̦̏̎̾̉̏н̵͙̗̭̦̈́̌̏т̵̨͖̯̓͛͛ё̵̠̘̯͎́̿̒͊й̴̱̦̖̥̉̾̏͠ͅа̴̡̬͉͔̓̊̇͒̕л̶̡͈̫̯̞̽̏̾̔̓ќ̷̨̝͎͕͒͋̀ͅу̶̛̰̙̭͚̝̀͗̃͂с̵̨̘̓̌͒ +advertisement-wizardhumanoid-19 = *смеётся* +advertisement-wizardhumanoid-20 = *хихикает* diff --git a/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl b/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl index b281d840e71..f543d63a533 100644 --- a/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl +++ b/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl @@ -1,18 +1,18 @@ advertisement-lesslethalvend-1 = Резиновые пули поднимают настроение! -advertisement-lesslethalvend-2 = Нелетал(™). Выбор умных! +advertisement-lesslethalvend-2 = ТравМаг(™). Выбор умных! advertisement-lesslethalvend-3 = Пистоны для всех и каждого! advertisement-lesslethalvend-4 = Шокируй своих друзей тазером ПРЯМО СЕЙЧАС! advertisement-lesslethalvend-5 = Внимание: Для покупок вам должно быть не менее 3 месяцев. advertisement-lesslethalvend-6 = Они лгут. advertisement-lesslethalvend-7 = Победи своих врагов мирным путем УЖЕ СЕГОДНЯ! -advertisement-lesslethalvend-8 = Нелетал(™) ЭТО ВЕСЕЛО +advertisement-lesslethalvend-8 = ТравМаг(™) ЭТО ВЕСЕЛО advertisement-lesslethalvend-9 = КУПИ КУПИ КУПИ ПРЯМО СЕЙЧАС -advertisement-lesslethalvend-10 = Только полный идиот покупает летальное оружие, переходи на Нелетал(™) ПРЯМО ЗДЕСЬ! +advertisement-lesslethalvend-10 = Только полный идиот покупает летальное оружие, переходи на ТравМаг(™) ПРЯМО ЗДЕСЬ! advertisement-lesslethalvend-11 = Накажи злодеев палкой. СЕЙЧАС! -advertisement-lesslethalvend-12 = Гордимся партнерством с NFSD! За безопасное будущее! +advertisement-lesslethalvend-12 = Гордимся партнерством с ДСБФ! За безопасное будущее! advertisement-lesslethalvend-13 = Не поддавайся на уловки конкурентов. advertisement-lesslethalvend-14 = Меньше смертей - больше экономии! -advertisement-lesslethalvend-15 = С горд +advertisement-lesslethalvend-15 = С гордодстью представляем наше последнее изобредение - травматические лазеры! advertisement-lesslethalvend-16 = Напоминаем: резиновые пули - не жвачка, не кушать! advertisement-lesslethalvend-17 = Резиновые пули и многое другое - все для твоей защиты уже сегодня! advertisement-lesslethalvend-18 = Внимание: Пистоны не съедобны. diff --git a/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl b/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl index 7d4974d4e17..a3b6e71d5cf 100644 --- a/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl +++ b/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl @@ -6,3 +6,9 @@ station-event-bluespace-asteroid-start-announcement = Сканирование station-event-bluespace-asteroid-end-announcement = В соответствии со схемами FTL NanoTrasen астероид был рассеян, чтобы избежать столкновения. station-event-bluespace-ship-start-announcement = Мы обнаружили необычную FTL сигнатуру - сканирование на большом расстоянии указывает на неизвестный корабль. Имейте в виду, что NanoTrasen не может подтвердить безопасность для старателей в непосредственной близости от него. station-event-bluespace-ship-end-announcement = В соответствии со схемами FTL движения NanoTrasen неизвестный корабль был рассеян, чтобы избежать столкновения. +station-event-bluespace-syndicate-ftl-interception-start-announcement = Внимание всему доступному персоналу NanoTrasen! Военно-морское командование NanoTrasen прервало FTL прыжок корабля Синдиката. Согласно нашим сканерам дальнего космоса, судно либо уже вошло в реальный космос в вашем секторе, либо вот-вот войдёт. Код: Перехватить, Удалить, Уничтожить, Прижечь. Ожидайте вооруженного сопротивления, применение смертоносной силы против вражеских агентов разрешено. Обратите внимание: любые потери жизни персонала, связанного с NT, не компенсируются. +station-event-bluespace-syndicate-ftl-interception-end-announcement = В соответствии со схемами FTL NanoTrasen, судно Синдиката было рассеянно, чтобы избежать столкновений. +station-event-bluespace-wizardfederation-scout-start-announcement = Внимание всем доступным сотрудникам NanoTrasen! Военно-морское командование NanoTrasen обнаружило в вашем секторе аномалию блюспейс сигнатуру, которой указывает на скорое прибытие микросудна Федерации Волшебников. Код: Перехватить, Задержать, Заключить в тюрьму. Арестуйте злоумышленников и подготовьте их к передаче в подразделение спецназа «NanoTrasen» для усиленного допроса. +station-event-bluespace-wizardfederation-scout-end-announcement = В соответствии со схемами FTL NanoTrasen, Судно Федерации Волшебников было рассеянно, чтобы избежать столкновений. +station-event-bluespace-bloodmoon-start-announcement = В̴͈͓̣̀̈̾͘ͅн̸͙̱́́̔̄ͅӥ̷̨̖́̀̕м̵̹̀͋̃͘а̴̦̽̓н̵̡̭̿̇ͅи̴̱̙͓͌̋̈́е̸̯̳̪̭͑̏̾̎ ̷̳̝̤̃в̵͕̎͋̕с̸̗̝̞̹̅̈́̒̌е̸͖͍̬̦̅͌͌м̴̧̒͗ ̷̪̋͗́̚с̶͍͂̏͘͝о̶͉́͋т̵͇̮̠͂͋̊̽͜р̶͍͒͑͝ӱ̵͈́̏͛д̴̢̤̾н̶̯͋̆и̴̛̠͈̂͝ͅк̸̟͓̘̃а̶͚̱̯̻͑м̶͔͇̆̃̊͊ ̷̙̽͌с̵̰͙̟̄̎̂л̷̞̈́̃ў̶̦̓̕̕ж̴͉̼̊͗̽̀б̴̡̤͑̐́ы̸̹͊̉̎ ̶̯͛͐̕͝б̸̦͍̱̉̍̓е̴͈̰̎̀͜з̷̩͖̰͒͆о̸̘̰̆͗̕п̷̟͛͗͜а̷͎͋̒с̵̝̏͌н̶͔̞͚̜̽о̴̮̬̊̅͊͜с̴̡̉̑͜т̴̧͈̰̰͋͂̕и̴̳̪̓!̶͎̥̌ ̵̪̈́ ̸̬̩̹̠̅̅̄̿К̵̗͋̓͗͘͜ӧ̴̟́̌͠м̶̠̘̤̃͊̋͝а̶̢͌̃н̷̲͈͎͂д̶̟͆͑̑͌ӧ̴̝́͗в̴̞̲̐̀а̸̡̖̤̀̋н̵͖̮̗͊и̷̜͎̍̄̎е̴̧̘̰̽ ̷̜͙̓ф̸̱̰̻̐л̶̜̙̾̉͠о̴͈̟̑͛̆т̷̢̖̔а̸͙̝̱̑͊ ̴̥̺͝ͅN̶̹͑́̐̍T̵̨͙͇̓ ̸̨͍̠̀о̶̥̫̣͍̐̍̅б̴̛̗̦͇̲̃н̸̰̞̱̿ӓ̴̢͔͔́̇̑̄р̷̮̬̆͂̏͆ӳ̸̗̟͚ͅж̷̡̨͕̏͝и̸̤͖̺͍̕л̵̰͇̪͒͐о̸̨̪̻̰͌̂ ̴̯̔͘в̷̩̊̐͝ ̶̙̓́͆в̸̘̞̟̽͗а̵̲̹͗ш̴̻̝͚̙͑͋̀е̶͚͕̪̾̉м̸̹̥̇͑̑̽ ̷̜͌̎с̷̢̲̝̅ё̶̡͕̔͘̕к̴̧͆̊͠т̵̧͔̟̒о̴̙̯̾р̴͇̲͎̪̀̓̅̑е̶̼̠͖̏͋͝ ̷̜͈́̆̏̈́а̷̩̙̥̚н̶̨̙̤͂о̷͓͋̈́͊͝м̶͇̀̊а̴̫̑͋́л̷̗̪̠͐͌̚͜и̷̡̝͓̐́ю̵̥̠̹͛̊ ̴̧̳͖̌͐͊̿б̶̮̆́̒л̸̟͕͐͝ю̶̹̬̹͐̓̇͠с̷̛̞̣̞̃͂͋п̵̺͙͛͘͜е̵̘͓͇̯͊̂й̴̦̀͌͐̔с̴̣̯͓̐͆̄ ̵͍̰̜̥̅̏̿п̵̘̤͘͘р̶̺͇̈́о̷̯̗̓̅̓̇с̶̠̂̃̌͒т̸̫̪̀͌̽р̴̗̣̻̫́а̸̡̹́̓̕͠н̷̢̨̙͊с̷͍̟͂̈́̅͝т̴͙̑̎̅̏в̷̟̱̃̆͒а̸͚͐,̸͖̿̆̽̒ ̶̘̼̝̉͛п̷̥̓͂͆͝р̸͈̣͛и̴̘͈͗з̷̰̺̀͊̈̄н̷̠̟̊̈́ͅа̶͇̞̳͠к̵̝͎̓̈и̷̛̙̺̘̓̅ͅ ̵̛͕̮͙͍́к̴̡̘̯̇͐͠ӧ̸̳͉̖́̀̐т̷̺͙̻̪͌̊͌̑о̸̨̹͔̻̋̿̀̿р̵̲̤̾͜о̷̪͉̩̟͗̒͆й̸̛̼͋̃ ̸̲̀͜у̴̖̯͕̌́̌к̴̥̞͎̍́͝͝а̷̙͊з̵͕͉̗̳̋̑̾̕ы̷̣̱̃̽͌̕в̶̞͓̮͚̎̑̕ӓ̸͍ю̷̫̻̔т̴̙̞͎̍ ̶͍̬̝̣̀͊̌̈́н̶̞̕а̷̝̭̄͋ ̶̛̱͓̔̆с̵͍͔̖̽͝к̸͎͌о̸̥̜̽̄р̸̝̩̳̳͝о̴̥͖̫̓͊е̴̧͍̫̍̈́͂͗͜ ̴̭̰͓̉̄п̵̼͈͖͠р̷̯̖͉̏̉͌и̶̨̯̬͐̀̀͝б̸͔͗͋ы̶̤͉͉̿̈́ͅт̷͍́̿̇̒и̷̝̩̱̗́͆͝е̵̞͑̀ ̷̰̱̲̰͘к̴̧̭̪̟̈͗о̴̺̮̏̆͘р̸̯̞̎͌̄а̷̩̰̞̉͛̕б̶̣͐͂̌͘л̷͙͙̐͜я̶̨̥̞̬̈́͊ ̸̢̣̬̐̆К̴̛̱̳͉͑͂у̵͇͍̉̚л̴̼͎̬̎̑͆̿ь̴̡̼̰̤̀̎т̷̧̡̺̤̽̔̃͝и̷̮̜̇̊́с̶͍͖͎̏̇̾̑т̸͍̄͝а̶̼̬̘̥̿̐ ̶̢̗̰͑͐̇͌К̴̰̳͝р̴̜̽̒̊о̸̻̮̚в̸̗̻͛͗̈и̴̺͎̊̿͗͊.̸̰̬̳̫̌͠ ̵̩̒͋̋̒З̴͕͎̼͒а̶̯̞̋͗̓щ̸̢̯̤̂и̴̺̣͓͆͋̔͐ͅт̶̨̨̢͂͊̀̔н̷͚̀͐̕ы̸̡̲̓̓͗͜й̶̹͇̋̂͠ ̴̹̽̇к̷̲̼̺̂̔̾̓о̸̼͇͒̕͘д̶̬̈́̀̔:̸͓̀͒͝ ̷͈̗̂̔̈̈́ͅп̵͙̺̜̔͝е̸̜̪̒р̸̛̘̠͉ё̴̬́͑х̶̞̠̻̳̽в̵̢̮̯̓͊а̴̙̮͇̗̽͛͆т̸͗͊̏̋ͅи̸̪͔̥̝͊͌͠т̶̃͆͜ь̵̥̗̗̳̉̄,̸̢͚̰͗ ̷̠͓̗̆͗у̷͙͋͒̓͆н̴̝̆̈́и̴͉͊̚ч̴̞̂т̷̡̭̐̀̄͝о̷͕̇̄̆̒ж̵̲̖́̈͝и̶̼̦̤͗т̵̛̣̩̗̳̌̀ь̵̦͑͂̍̇,̴̤͉́̕͠͠ ̴͙̍у̷̡̘̪͍̾͐̕н̴̡̣̍и̶̛͓̇́͛ӵ̶̪̼́̈́͘т̶̫̲͈̝̂̑о̵̠̃̐͆ж̵̺̳͈̋͌͋̚и̵̼̓͂̈͜т̵̥̮͐ь̵̭̦͗͜,̵̧̜̙̒̃̈͠ ̴͍̪̳̋̌̀͛п̷̢̘̅р̵̝͛͒̑и̷̤̐̍ͅж̵̫̱̔̈е̴̧̉̇ч̸̲̿ь̷̡̲͑̾̉.̶̜͖̩̀̚ ̴̛̹̻̱̫̀̆͝ ̸̣̓͝О̵̳̗̄͑̓ж̵̩̀̑́͛и̷̨͕͊̃д̵̹͎̐̎а̶̛̖̽͆̈́й̶̛͉̼̙̙̄̎́т̷̲̅̏͌͠ѐ̶̜͓̺ ̶̰̟̰̏́̓̍в̶̢͇̤͇͑͘о̶̧͒ӧ̵͙͍́̀̊р̷͇́͝у̴̱͖̯̅̈́̿ͅӝ̷͍̉̈́̕ѐ̵͍̳̦̮͒н̶̥̇͑̑н̸̳̅̿о̸͉̮̖̱̑̎͠г̴͕̙͛͆̀ͅо̶̧͆̿̆ ̷̡̞̘̄̊с̸̮͋о̴̞͉͉͊͋͌͝п̴̱̖͚̠̈͑р̸̝͇̽̐̀̕ͅо̴̪͚͂́̑͒т̷̟͂и̴͈̹͋̕в̶͍͐л̸̛̥͈̂е̵̭̐̈́͆̓н̶̛̜͗̆и̸̞͖̍̂я̵̪͈̼͐̓̏͜,̸̳͓̮̥̒͐̏ ̸̪̠̀̅͂п̵̧͆ͅр̸̼̊͂̋͊ͅӥ̴̡̮͂́̚м̸͓̝̘̀е̵̧̧̱̹̍н̶̨̀͠е̷̨̕ͅн̸̮̎̿ӥ̸̬͆е̵̢̛̲̥͘ ̴̞̦́̓̕͝ͅͅс̵̖͚̙͌̔м̵͉̉̎̓е̴̲̟͇͌р̴̤̓̂т̷̩̦̳̾о̶̩̆̐̐н̸̖̦͇͙̋͌о̶̛̬̺̳́͝с̶̢̈н̸̱̼͙̇̎̃о̸̥̦̬͚̏͂й̴̲͊̋ ̸̛̠͑с̶̯̳͈̻̇͌͝͝и̴͕̤̺̉̊̃л̶̥͆ы̵̙̐̔ ̶̫̲͛̽̏͜п̴̱̙̲̺͛̍̀р̸̛̰͆о̵̢͔̂т̴͈̫͐̿͜и̷͙́̂͘͠в̶̻̃́̓ ̴̧͆͗в̸̨͛͛̋р̴̡̮̟̺̂а̷̫̠͕̻̿̎̚ж̵̛̭̺̻̹͑̕е̸͕̜̼͂с̴̢̤͍͛̂к̷̢̭̘̫̆̌̎̈́й̷̳̙̇͒х̷̨̛̛̆̐ ̶̱̰͘а̴̦͕́͜г̵̳̓е̵̙̣̊͝н̵̡̖̮̟͒͝͝т̶̢̬̳̂̑̕о̸̲͈̖̎ͅв̸͔̐ ̸̰͈̙͝͠р̷̛̙̳̹͉̄̐̒а̵̝̊͗з̵̡̂͊͠р̶̭͙̍ͅѐ̷̲̈́́̕ш̷̜̊ё̴̗н̷̲͎̮̐о̵̛̺̙̀̉̓.̷͕͎͖́ ̴͍̤̻͝ ̷̠̭̤̂Н̷͈̳̳̇̉͊ͅе̴̡̖̰͗ ̶̢͚̄̐п̸̝̬͆̉̾̓о̵̯͊̋з̷̢̘͈̾̓̀̚в̵͇̦̅̉̚̚о̸̭̊̌͜л̵̞̘̫̗̐̌̈̎я̶͚͖͒й̶̛͕͔̏̈̂т̸̫́̑͘͜͝е̸͔̖̑͜ ̵̹̖̥̆к̶̢̩̽а̷̪͗п̷̃̍͠ͅи̴̠̣̲̑̏́͝т̷̬̩̱͆а̸͎͉̫̮̌̈́͝н̷̫̝͎͗͠а̵̺̀м̵̫̠͌,̵̰̣͔͇͛̂̄̀ ̶̥̟̼͌̓̑͋с̶̻͈͉̍в̷̢̛̲̮̄̍ͅя̷̖͙̙͈̒з̸̩͉͂̽̂͝а̴̜̫̼͑̃͜н̴̨̟̀͊н̵͇̒ы̴̢̟̆м̴͖̕̚ ̴̯̇с̶̖͊ ̷̡͙̘̟͊̚Ǹ̴̀͛ͅT̵͔̐̂,̷̧̯́́͂͛ͅͅ ̷͔̜̘͂н̶̠̣̼̏е̷̼̊̓̊͛ ̴̥͕̯́̉͝ѝ̷̢̦̘̫͆͗̾м̵͚͉̼̜̄̔е̶̮̙̓ю̸̖̞͚̳͘щ̷̼̜̋и̵̠͊̒м̶̫̓͌̍ ̶̫̗̐́̆͝д̸̡̢͚͈̌́͗о̸͖̀с̶̡͖̙̪̄͗̒̀т̸̰̹̎͒ͅу̷̨̂̓п̸̞͓̩͆̓͐͘а̶̺͖̩̅͊ ̷͔̲̹̯͛̕к̶̲̾ ̴̲̝̜̟͝с̴͈͚͔̻̃и̶̧͖͓͛̕с̶̫̈́̈́̌т̵̖̻͇̠͒̇̒е̷̛̜̱̦̇м̵̠̖̰̖͗͛̎͠е̶̡̜̊ ̷̭͇̤͖́̅̍б̶̻̅̿͂е̵͙̕з̸̝̥̦̾͘о̶̣̱͐п̷̮̘̖̤̅а̵͔͚̒̉̒̅с̶̻̯̞̣̅̅̆̀н̴̢͙́о̷̺͒с̶̮̐͑т̵͙͠и̸͎̠̦̔,̵̖̙̮͋͂͗̐ ̸̛͚͒п̷̻͖̩̒̀̋̕о̴̢͒̏̚͜л̸͓͈̪̘̔̅̀̈у̸̹̺̪͌͛́ч̶̙͖͔̦̇̐͑͝а̵̼̻̺̬̀̋͛̀т̸̩͓̙͙̐͋ь̶̛̙̖̈́̀͘ ̴̠̿̌͌̐д̶̧̖̓̓о̶̩̯̅̐с̴͎͔̯̈́́̚т̶̧̹͕̞̌͠у̴̝̥̝̦̑̇͒͝п̶̟̗̞̏̀ ̴͔̲̬͛к̵̳͂͊ ̵̖̯͑̌̊в̶͓̒̈́͂р̸̞̘̐а̵͉͗ж̶̲̪͈̐́е̴̠͑̈̓с̵̹͉̓̃к̶͍͐͘о̶̤̲͖̫͋м̸͕̤̼̳̿ӯ̵̜̫̥͔̇͗͆ ̴͕̫͗̍̕̚͜ͅс̴͚̖͎̅̒̕͠у̴̰͠д̷̈́ͅн̴̧͉͊̇̋̕у̴̫̞̱͙̔̓ ̷͇͉͋й̴̠̾́̔͜ ̷̖̣͌̐е̸̹͕̞̱̽г̶͉̻̈́͜ӧ̸̘̪́̕ ̴̫͑̋́͋с̵̤̑ӧ̴̭̦̟̀д̵̡̟̱̿̎̄е̶̹̖̊͛̕р̸͕̓ж̸̩̖̇͜и̵̲͎͓̠͒̔̈́̽м̸̭̬̩̰̔͐ӧ̴̰̫͓̼́̍̿м̵͔̬̦̋̚у̸̳̓̃̋̿.̶̺̜̳͋͗͑̏ ̷̼̲͕͓̔̋̒ ̷́͜И̶͕̮̥͎̐̚͝͝ ̸̩͍̐̓͑п̴͔̿̈́о̵̣͕̫́͜м̸̞̅н̵͇͕̥̲̽̚и̴̭̰͓͝т̷̯̋͑е̶͈̤́̒:̴̺͓͎̊̈̈́ ̵̝̣̃̈̕͠Н̸̬̝̤̂̀а̷̪̱̟͋̌̽р̵͇̈̀̕'̷̳̬̘̥͑̓̚͠С̴͙̤͇̾̈́̀͝и̸̝̜͛͐̈́͝ ̴̱͕͋̀н̸͖̘͑͝ё̴̛͇̰̠̘́͑ ̸̲̤̆͋̽р̶̑̐͜е̵̠̩͚̤̃̌а̴̨͙̺̽̂̉̚л̸̲͔̠̲̍е̴̡̯͍͇̓н̸̜̻̻͆͌̈ ̴̛̙͚̻̫͋̄и̴̳͗ ̴͇̳͉͊͒̂н̵̯̀е̷̹͈͇̩̄ ̶͖̥̭̐̉̿͠м̵͉̯̑͌͜о̷͎̓͐̒ж̸̼̾͛͝ё̷͎̣̬́͝ͅт̷͛̉̔͊ͅ ̸̼̑̾п̸̨̮̹̾̈̌͜р̵̡̩̼́́͋и̶͚́͑͑͜ͅч̴̥̯̀͗̊̚и̴̪̞̏̍ͅн̵̛̤̞̈́ӣ̸̣̥͔̠̀т̶̗̼̻̈́́ь̸̙̹̱̹̈́ ̴̪̩͉͍͒в̸͔̞͚͐͝а̷̫̇͂м̶̠̲͇̇̆̓͆ ̷̠͋в̷͎̇р̷̛̞͇̦͚̆͗е̶̥̫͉̟̋д̸̯̫͂а̵̖̺͔͠.̷̺̫̞̑̈ +station-event-bluespace-bloodmoon-end-announcement = В̵̖͍̖̣̈́ ̴̻̺̠̞͓͂̽̐с̷̭̜̇о̸̧̡̧̺̼͗̋̏͋̅о̵͉̓̔̎͂т̷̦̊̆̃͠в̷̻̟̜̥̈́̓е̸̟͙̬̠̏ͅт̷͇͚̟̳̑͌̊̍͘͜с̷̙̮͈͋̄т̵̢͓͇͋̽͑͠в̶̮̓и̶͕͆̊̄̕͜и̴̪̺̋̍̓͊͝ ̸̬̘͈͙̿с̵͓̺͉̬̈́о̶͉̹̥̘̊̓̅͌ ̶̖̞̹͐͘с̵̢͖̗̔̀́̕͜х̵̧́̆̉̇е̵̳̞̾͂͒м̷̱̦̂͑͆̄а̶̗̤̯̓̀̂̽̀м̴̧̖̣̯̭̀и̵̱̟̙͙͌̏̀͐ ̶̪͐̇̈́̐͘с̶̨̛̝̳͗̊в̷̭̯̉͛̊͜͜͜е̷̛͔͎͉̥͕̇͒̾͝р̸͔͇̦̩̌̈́̑̀х̷͈̟̭͗̔̒͆͜с̸̝̫̔̽̄ͅв̴̘̄͂̔̿͑е̶̹̹̒т̸͕̱̘͛͂̂о̵̧͔́̇̄͋͘в̵̬̂̑̃͗͠о̸̢̪͛͘г̷̖̤̬̈́̽о̷̯̄͝ ̶̢̻̗̪̱̉͒т̶̰͗͆͂̿͝р̵̯̗͍̯̀̎͒͒͘͜а̸̙͉̯̱̘̔ф̷̙̑͐͑́̒й̷̥̬̻͖͛к̶̲̔͛̕а̴̝̤͊ ̸̛̦̮̫̋̽Ň̷̙̣̪̦̥͝a̷̮̯̞̽ǹ̸̜̣͚o̴͓͉̙̾͐̃̀T̷̹̘̎̀̈́ŕ̸͍̘͉̼͂͊̕ͅà̴̭̦̟̖̑̊̐ͅș̵̄̽̔͒͝e̷̗͕̹͉͋̿̀̏ǹ̸̖̲̣͜,̷̢͍̮̹͒̂͊̄ ̸̞̀́̎̆͝С̵͓͇͆͛̈͝ӱ̸̧͍̦̳́д̵̧̪̗̃͠н̵͔͗̔̈́͠о̶̬̮͋ ̸̨͈̜͎̈̆̽̈̌Ф̷̧̟̲͍̲͋е̴̞̚д̵̡̛͇͝е̸̹̔р̵͓̭͋̿̆̚͝а̴͈̓ц̶̲͎͎͕̀и̴̧̎̾и̴̦̭̞̱̩̂͗͘ ̷̤̙́͠В̶̡̢͇͐̒̍͆о̸̠̺͓̉л̴̤̋ш̶̪̆̿̂е̵̩̜̼͔͚͑́б̶͉̙͌̐н̸̜͔͉̃̐͂͂̚и̵͍̓͂̒͝к̴̡̘̱̣̣̽̑͗̓̚о̴̡̧͕̝̜̀̆в̸̨̲̪̎͐̅ͅ ̷͖̥͇̈́͒б̴̨̬̱̮̤͆̃͌̔̏ы̴̭̤̣̌̋͑̓л̷̤̠̖̩͒̓̋͘о̸̢̛̩̩̩̍̏̚ ̴̰̯͂͛̃̊р̴̟̌̑а̷͍̣̦͙̬̀͐̑͘с̸̼̈͘с̴̧̤̺̖̂̍̾е̵̠̞̼̻̿я̶͕̘̰͕͊н̴̼͚̖̪̑̑̽̀̌н̸̜̤̞̾̀̃о̷͚̅̊̿͜,̷̰̏̄̐̋ ̴̜͚͖̝̀ч̶̰͎̺̪͐т̴̮͉́̇̏о̵̞͕̦̟̉̓б̵̯̊͠ы̸̰͕̐ ̴͓̗̩̰̓̆́̉͜͠и̵̗̗̤̤͒̆з̷̲͚̣̤̝̀б̷̤̦̝̘͉́̏е̶̠̟̩̤͚̽ж̴̡̱̪̻͛̋͑ͅа̴͚̯̥͇̰͐͠т̷̧̳̰̓̈́͊̏̄ь̵̜̽̓̓̃͛ͅ ̴͖̗͈̠͒̒̋̕͘с̷͚̆̇͐̃͝т̵̞̓о̷͎͖͉̎́͗л̵̺̹̹́̽̈к̵̜͌́̽͂͒н̸̧̩̥̂̂̀ͅо̴̨̣̻͉̊̉̋̂̆͜в̶̢͕̻̋̈̉͋е̵̘͖͎̟̯̿͌̓̑̕н̶̲͉̪͈̼̆͌и̴͚̯̺̬̅̔й̸̪̟̞̌.̷̤̮̓ diff --git a/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl b/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl index e88047ff123..21af8c4db08 100644 --- a/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl +++ b/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl @@ -7,3 +7,7 @@ chat-speech-verb-felinid-1 = мяукает chat-speech-verb-felinid-2 = мяфает chat-speech-verb-felinid-3 = мряфает chat-speech-verb-felinid-4 = мурлычет +chat-speech-verb-harpy-1 = щебечет +chat-speech-verb-harpy-2 = чирикает +chat-speech-verb-harpy-3 = каркает +chat-speech-verb-harpy-4 = вибрирует diff --git a/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl b/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl index d94d60cda62..9bb8909b601 100644 --- a/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl +++ b/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl @@ -1,4 +1,3 @@ -#Contraband Exchange Console contraband-pallet-console-menu-title = Обмен контрабандой contraband-console-menu-points-amount = { $amount } ТК contraband-pallet-menu-no-goods-text = Контрабанда не обнаружена diff --git a/Resources/Locale/ru-RU/_NF/ghost/roles/ghost-role-component.ftl b/Resources/Locale/ru-RU/_NF/ghost/roles/ghost-role-component.ftl index df8308dfdad..1b1cecc68f2 100644 --- a/Resources/Locale/ru-RU/_NF/ghost/roles/ghost-role-component.ftl +++ b/Resources/Locale/ru-RU/_NF/ghost/roles/ghost-role-component.ftl @@ -1,11 +1,15 @@ -ghost-role-information-emotional-support-name = Питомец эмоциональной поддержки -ghost-role-information-emotional-support-description = Ты - питомец эмоциональной поддержки! Преданный своему хозяину, обязательно подбадривай его! -ghost-role-information-emotional-support-rules = Ты - питомец эмоциональной поддержки! Преданный своему хозяину, обязательно подбадривай его! +ghost-role-information-emotional-support-name = Ручная зверушка +ghost-role-information-emotional-support-description = Ты - ручная зверушка! Преданный своему хозяину, обязательно подбадривай его! +ghost-role-information-emotional-support-rules = Ты - ручная зверушка! Преданный своему хозяину, обязательно подбадривай его! ghost-role-information-clippy-name = Клиппи ghost-role-information-clippy-description = Представитель станции, преданный работник, пахнет картоном и бумагой. ghost-role-information-clarpy-name = Кларпи ghost-role-information-clarpy-description = Заблокируйте вашу почту! Разыскивается Nanotrasen за преступления против мышей. ghost-role-information-crispy-name = Криспи -ghost-role-information-crispy-description = Были допущены ошибки. +ghost-role-information-crispy-description = Ты будешь гореть в аду. ghost-role-information-mistake-name = ????? ghost-role-information-mistake-description = Имг' пх'нглуи а ли. +ghost-role-information-ert-mailcarrier-name = Почтальон ОБР +ghost-role-information-ert-mailcarrier-description = Помощь в оформлении документов для решения проблем со станциями. +ghost-role-information-jerma-name = Джерми +ghost-role-information-jerma-description = Пог момент diff --git a/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl b/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl index a9909fbe6d2..c33855e28c4 100644 --- a/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl +++ b/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl @@ -1 +1 @@ -chat-radio-traffic = движение +chat-radio-traffic = диспетчер diff --git a/Resources/Locale/ru-RU/_NF/job/job-description.ftl b/Resources/Locale/ru-RU/_NF/job/job-description.ftl index d9a367891ef..315853d143c 100644 --- a/Resources/Locale/ru-RU/_NF/job/job-description.ftl +++ b/Resources/Locale/ru-RU/_NF/job/job-description.ftl @@ -1,4 +1,5 @@ +job-description-ertmailcarrier = Ничто не остановит почту. job-description-mercenary = Выполняйте заказы кого угодно - за разумную цену. Наслаждайтесь свободой от рамок закона. job-description-pilot = Пилотируйте космические корабли из пункта А в пункт Б, перехитряйте пиратов и уворачивайтесь от астероидов. Вы - лист на солнечном ветру, пусть другие восхищаются тем, как вы парите. job-description-security-guard = Патрулируйте пустые залы, насвистывайте простые мелодии, которые вы слышали по радио, звените брелком и убегайте при виде опасности. -job-description-stc = Умело разруливайте пространство вокруг станции и помогайте NFSD выписывать штрафы за чрезмерно пристыкованные корабли. +job-description-stc = Умело разруливайте пространство вокруг станции и помогайте ДСБФ выписывать штрафы за пристыкованные корабли. diff --git a/Resources/Locale/ru-RU/_NF/job/job-names.ftl b/Resources/Locale/ru-RU/_NF/job/job-names.ftl index 97a864fd0a8..71e56587911 100644 --- a/Resources/Locale/ru-RU/_NF/job/job-names.ftl +++ b/Resources/Locale/ru-RU/_NF/job/job-names.ftl @@ -1,9 +1,12 @@ -job-name-mercenary = Наемник -job-name-pilot = Пилот -job-name-security-guard = Охранник -job-name-stc = Регулятор +job-name-ertmailcarrier = ОБР почтальон +job-name-mercenary = наёмник +job-name-pilot = пилот +job-name-security-guard = охранник +job-name-stc = диспетчер станции # Role timers - Make these alphabetical or I cut you -JobMercenary = Наемник -JobPilot = Пилот -JobSecurityGuard = Охранник -JobSTC = Регулятор +JobERTMailCarrier = ОБР почтальон +# Role timers - Make these alphabetical or I cut you +JobMercenary = наёмник +JobPilot = пилот +JobSecurityGuard = охранник +JobSTC = диспетчер станции diff --git a/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl b/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl index f0426ed3a90..411338fb738 100644 --- a/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl +++ b/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl @@ -20,7 +20,7 @@ m_emp-system-generator-delay-upgrade = Скорость охлаждения / m_emp-console-menu-title = БЭМИ m_emp-menu-note1 = Отправьте запрос на выписку. m_emp-menu-note2 = ВНИМАНИЕ: -#m_emp-menu-note3 = Выстрел из этого оружия вызовет электромагнитный импульс, способный вывести из строя все корабли в большом радиусе. Разряжая это оружие, вы соглашаетесь нести ответственность. +m_emp-menu-note3 = Выстрел из этого оружия вызовет электромагнитный импульс, способный вывести из строя все корабли в большом радиусе. Разряжая это оружие, вы соглашаетесь нести ответственность. m_emp-menu-note3 = Разрядив это оружие, m_emp-menu-note4 = вы соглашаетесь нести ответственность. m_emp-request-button = Запросить одобрение diff --git a/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl b/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl index b10566cfeea..fad527ae9d4 100644 --- a/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl +++ b/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl @@ -1,3 +1,4 @@ -id-card-access-level-frontier = Фронтир -id-card-access-level-pilot = Пилот -id-card-access-level-mercenary = Наемник +id-card-access-level-frontier = фронтир +id-card-access-level-pilot = пилот +id-card-access-level-mail = почтальон +id-card-access-level-mercenary = наёмник diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-vending.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-vending.ftl index fb7c9bcd385..a911b15d01b 100644 --- a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-vending.ftl +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-vending.ftl @@ -1,8 +1,8 @@ -ent-CrateVendingMachineRestockAstroVend = { ent-CrateVendingMachineRestockAstroVendFilled } - .desc = { ent-CrateVendingMachineRestockAstroVendFilled.desc } -ent-CrateVendingMachineRestockAmmo = { ent-CrateVendingMachineRestockAmmoFilled } - .desc = { ent-CrateVendingMachineRestockAmmoFilled.desc } -ent-CrateVendingMachineRestockFlatpackVend = { ent-CrateVendingMachineRestockFlatpackVendFilled } - .desc = { ent-CrateVendingMachineRestockFlatpackVendFilled.desc } -ent-CrateVendingMachineRestockCuddlyCritterVend = { ent-CrateVendingMachineRestockCuddlyCritterVendFilled } - .desc = { ent-CrateVendingMachineRestockCuddlyCritterVendFilled.desc } +ent-CrateVendingMachineRestockAstroVend = Ящик для пополнения запасов АстроВенд + .desc = Содержит две коробки для пополнения запасов для торгового автомата АстроВенд. +ent-CrateVendingMachineRestockAmmo = Ящик для пополнения запасов Библеомата + .desc = Содержит две коробки для пополнения запасов в торговом автомате Библеомат. +ent-CrateVendingMachineRestockFlatpackVend = Ящик для пополнения запасов КомпактВенд + .desc = Содержит две коробки для пополнения запасов в автомате КомпактВенд. +ent-CrateVendingMachineRestockCuddlyCritterVend = Ящик для пополнения запасов Ручных Зверушек + .desc = Содержит две коробки для пополнения запасов в торговом автомате Ручных Зверушек. diff --git a/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl b/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl index 26bda14a09c..7eb3c21a3cc 100644 --- a/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl +++ b/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl @@ -1,4 +1,4 @@ -uplink-emp-grenade-launcher-bundle-name = EMP China-Lake Набор +uplink-emp-grenade-launcher-bundle-name = Набор ЭМИ China-Lake uplink-emp-grenade-launcher-bundle-desc = Старый гранатомет "China-Lake" в комплекте с 8 EMP боеприпасами. store-category-sechardsuits = EVA костюмы store-category-secweapons = Оружие @@ -57,7 +57,7 @@ uplink-security-magboots-desc = Легкие резиновые сапоги, п uplink-security-techfab-name = СБ ТехФаб uplink-security-techfab-desc = Печатная плата для технической лаборатории безопасности. Позволяет производить боеприпасы, магазины, оружие и множество других утилит. Использует исходные ресурсы. Может быть модернизирован. uplink-security-key-name = Ключи шифрования безопасности -uplink-security-key-desc = Коробка с 4 ключами шифрования, которые дают доступ к радиоканалу NFSD. +uplink-security-key-desc = Коробка с 4 ключами шифрования, которые дают доступ к радиоканалу ДСБФ. uplink-security-emprocket-name = ЭМИ ракета uplink-security-emprocket-desc = ЭМИ ракета для РПГ-7 uplink-security-thrusterkit-name = TКомплект для модернизации двигателя diff --git a/Resources/Locale/ru-RU/artifacts/artifact-crusher.ftl b/Resources/Locale/ru-RU/artifacts/artifact-crusher.ftl new file mode 100644 index 00000000000..9178d379d52 --- /dev/null +++ b/Resources/Locale/ru-RU/artifacts/artifact-crusher.ftl @@ -0,0 +1,3 @@ +artifact-crusher-examine-no-autolocks = Автоматическая блокировка [color=green]отключена[/color]. +artifact-crusher-examine-autolocks = Автоматическая блокировка [color=red]включена[/color]. +artifact-crusher-autolocks-enable = Дробитель заблокировался! diff --git a/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl b/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl index bd34737b22a..97c24ed65c5 100644 --- a/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl +++ b/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl @@ -68,6 +68,9 @@ chat-speech-verb-skeleton-1 = гремит chat-speech-verb-skeleton-2 = клацает chat-speech-verb-skeleton-3 = скрежещет chat-speech-verb-canine-1 = гавкает +chat-speech-verb-vox-1 = screeches +chat-speech-verb-vox-2 = shrieks +chat-speech-verb-vox-3 = croaks chat-speech-verb-canine-2 = лает chat-speech-verb-canine-3 = воет chat-speech-verb-small-mob-1 = скрипит diff --git a/Resources/Locale/ru-RU/communications/communications-console-component.ftl b/Resources/Locale/ru-RU/communications/communications-console-component.ftl index ab4452e7756..c2dc14453c8 100644 --- a/Resources/Locale/ru-RU/communications/communications-console-component.ftl +++ b/Resources/Locale/ru-RU/communications/communications-console-component.ftl @@ -2,7 +2,7 @@ comms-console-menu-title = Консоль связи comms-console-menu-announcement-placeholder = Текст объявления... comms-console-menu-announcement-button = Сделать объявление -comms-console-menu-broadcast-button = Broadcast +comms-console-menu-broadcast-button = Транслировать comms-console-menu-call-shuttle = Вызвать comms-console-menu-recall-shuttle = Отозвать # Popup diff --git a/Resources/Locale/ru-RU/connection-messages.ftl b/Resources/Locale/ru-RU/connection-messages.ftl index f9b4b85330e..5a3e72bdf8e 100644 --- a/Resources/Locale/ru-RU/connection-messages.ftl +++ b/Resources/Locale/ru-RU/connection-messages.ftl @@ -9,7 +9,7 @@ whitelist-playercount-invalid = *[other] -> и ниже { $max } игроков, так что, возможно, вы сможете присоединиться позже. } } -whitelist-not-whitelisted-rp = Вас нет в вайтлисте. Чтобы попасть в вайтлист, посетите наш Discord (ссылку можно найти по адресу https://discord.station14.ru). +whitelist-not-whitelisted-rp = Вас нет в вайтлисте. Чтобы попасть в вайтлист, посетите наш Discord (присоединиться можно по ссылке https://discord.gg/hV7msmUKGJ). cmd-whitelistadd-desc = Добавить игрока в вайтлист сервера. cmd-whitelistadd-help = Использование: whitelistadd cmd-whitelistadd-existing = { $username } уже находится в вайтлисте! @@ -22,7 +22,7 @@ cmd-whitelistremove-existing = { $username } не находится в вайт cmd-whitelistremove-removed = { $username } удалён с вайтлиста cmd-whitelistremove-not-found = Не удалось найти игрока '{ $username }' cmd-whitelistremove-arg-player = [player] -cmd-kicknonwhitelisted-desc = Кикнуть всег игроков не в белом списке с сервера. +cmd-kicknonwhitelisted-desc = Кикнуть всех игроков не в белом списке с сервера. cmd-kicknonwhitelisted-help = Использование: kicknonwhitelisted ban-banned-permanent = Этот бан можно только обжаловать. Для этого посетите { $link }. ban-banned-permanent-appeal = Этот бан можно только обжаловать. Для этого посетите { $link }. diff --git a/Resources/Locale/ru-RU/corvax/job/job-names.ftl b/Resources/Locale/ru-RU/corvax/job/job-names.ftl deleted file mode 100644 index 4521adebbf5..00000000000 --- a/Resources/Locale/ru-RU/corvax/job/job-names.ftl +++ /dev/null @@ -1,2 +0,0 @@ -job-name-iaa = агент внутренних дел -JobIAA = агент внутренних дел diff --git a/Resources/Locale/ru-RU/corvax/markings/vulpkanin.ftl b/Resources/Locale/ru-RU/corvax/markings/vulpkanin.ftl new file mode 100644 index 00000000000..54d5dc8640e --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/vulpkanin.ftl @@ -0,0 +1,14 @@ +marking-PawSocks-pawsocks = Носки на лапах +marking-PawSocks = Носки на лапах +marking-FoxTail-vulp_tail = Лисий хвост +marking-FoxTail = Лисий хвост +marking-FoxEar-vulp_ear = Лисье ухо (внешнее) +marking-FoxEar-vulp_ear_inner = Лисье ухо (внутреннее) +marking-FoxEar = Лисье ухо (внутреннее) +marking-WolfTail-wolf_tail = Волчий хвост (основа) +marking-WolfTail-wolf_tail_inner = Волчий хвост (конец) +marking-WolfTail = Волчий хвост (конец) +marking-FoxBelly-vulp_belly-torso = Лисье брюхо +marking-FoxBelly = Лисье брюхо +marking-FoxSnout-vulp_face = Лисья морда +marking-FoxSnout = Лисья морда diff --git a/Resources/Locale/ru-RU/corvax/paper/stamp-component.ftl b/Resources/Locale/ru-RU/corvax/paper/stamp-component.ftl deleted file mode 100644 index 77bb04bc9e1..00000000000 --- a/Resources/Locale/ru-RU/corvax/paper/stamp-component.ftl +++ /dev/null @@ -1,2 +0,0 @@ -stamp-component-stamped-name-iaa = Агент внутренних дел -stamp-component-stamped-name-psychologist = Психолог diff --git a/Resources/Locale/ru-RU/deltav/harpy/singer_system.ftl b/Resources/Locale/ru-RU/deltav/harpy/singer_system.ftl new file mode 100644 index 00000000000..494cd505a29 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/harpy/singer_system.ftl @@ -0,0 +1 @@ +no-sing-while-no-speak = Вы не можете спеть прямо сейчас. diff --git a/Resources/Locale/ru-RU/deltav/markings/harpy.ftl b/Resources/Locale/ru-RU/deltav/markings/harpy.ftl new file mode 100644 index 00000000000..09adaa1c1b5 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/markings/harpy.ftl @@ -0,0 +1,38 @@ +marking-HarpyWingDefault = Базовые крылья +marking-HarpyWingDefault-harpy = Крылья +marking-HarpyWingFolded = Сложенные крылья +marking-HarpyWingFolded-harpyfolded = Кпылья +marking-HarpyWingClassic = Классические крылья +marking-HarpyWingClassic-classicharpy = Крылья +marking-HarpyWing2ToneClassic = Классические биколорные крылья +marking-HarpyWing2ToneClassic-harpy2tone1 = Верхняя половина +marking-HarpyWing2ToneClassic-harpy2tone2 = Нижняя половина +marking-HarpyWing3ToneClassic = Классические триколорные крылья +marking-HarpyWing3ToneClassic-harpy3tone1 = Верхняя треть +marking-HarpyWing3ToneClassic-harpy3tone2 = Средняя треть +marking-HarpyWing3ToneClassic-harpy3tone3 = Нижняя треть +marking-HarpyWingSpeckledClassic = Классические пятнистые крылья +marking-HarpyWingSpeckledClassic-harpyspeckled1 = Основа +marking-HarpyWingSpeckledClassic-harpyspeckled2 = Пятна +marking-HarpyWingUndertoneClassic = Классические биколорные крылья +marking-HarpyWingUndertoneClassic-harpyundertone1 = Спереди +marking-HarpyWingUndertoneClassic-harpyundertone2 = Сзади +marking-HarpyWingTipsClassic = Классические пернатые крылья +marking-HarpyWingTipsClassic-harpywingtip1 = Основа +marking-HarpyWingTipsClassic-harpywingtip2 = Кончики перьев +marking-HarpyEarsDefault = Перья +marking-HarpyEarsDefault-harpy_ears_default = Основание перьев +marking-HarpyTailPhoenix = Базовый хвост +marking-HarpyTailPhoenix-phoenix_tail = Хвост +marking-HarpyTailRooster = Петушиный хвост +marking-HarpyTailRooster-rooster_tail = Хвост +marking-HarpyTailFinch = Хвост зяблика +marking-HarpyTailFinch-finch_tail = Хвост +marking-HarpyChestDefault = Нижнее оперение +marking-HarpyChestDefault-upper = Нижнее оперение +marking-HarpyChestDefault-lower = Нижнее оперение +marking-HarpyLegsDefault = Птичьи ноги +marking-HarpyLegsDefault-thighs = Бедра +marking-HarpyFeetDefault = Птичьи лапы +marking-HarpyFeetDefault-feet = Лапы +marking-HarpyFeetDefault-talons = Талоны diff --git a/Resources/Locale/ru-RU/deltav/species/species.ftl b/Resources/Locale/ru-RU/deltav/species/species.ftl new file mode 100644 index 00000000000..cde9a9bdba2 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/species/species.ftl @@ -0,0 +1,4 @@ +## Species Names + +species-name-vulpkanin = Вульпканин +species-name-harpy = Гарпия diff --git a/Resources/Locale/ru-RU/deltav/store/uplink-catalog.ftl b/Resources/Locale/ru-RU/deltav/store/uplink-catalog.ftl new file mode 100644 index 00000000000..3f4f8c58831 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/store/uplink-catalog.ftl @@ -0,0 +1,3 @@ +# Implants +uplink-bionic-syrinx-implanter-name = бионический голосовой имплант +uplink-bionic-syrinx-implanter-desc = Имплантат, который усиливает природный талант гарпий к мимикрии и позволяет вам подстраивать свой голос под любого, о ком вы только можете подумать. diff --git a/Resources/Locale/ru-RU/deltav/traits/traits.ftl b/Resources/Locale/ru-RU/deltav/traits/traits.ftl index 73808e6b090..c6b87d2648c 100644 --- a/Resources/Locale/ru-RU/deltav/traits/traits.ftl +++ b/Resources/Locale/ru-RU/deltav/traits/traits.ftl @@ -1,2 +1,6 @@ trait-scottish-accent-name = Дварфийский акцент trait-scottish-accent-desc = Вы слишком долго находились в окружении дворфов. +trait-ultravision-name = Ультрафиолетовое зрение +trait-ultravision-desc = + Будь то с помощью специальных бионических глаз, случайной мутации, + или будучи Гарпией, вы воспринимаете мир в ультрафиолетовом свете. diff --git a/Resources/Locale/ru-RU/disease/miasma.ftl b/Resources/Locale/ru-RU/disease/miasma.ftl index 801f4b895ee..c025c821977 100644 --- a/Resources/Locale/ru-RU/disease/miasma.ftl +++ b/Resources/Locale/ru-RU/disease/miasma.ftl @@ -1,4 +1,4 @@ -ammonia-smell = Something smells pungent! +ammonia-smell = Что-то дурно попахивает! miasma-smell = Что-то дурно попахивает! perishable-1 = [color=green]{ CAPITALIZE(POSS-ADJ($target)) } тело выглядит еще свежим.[/color] perishable-2 = [color=orangered]{ CAPITALIZE(POSS-ADJ($target)) } тело выглядит слегка испортившимся.[/color] diff --git a/Resources/Locale/ru-RU/entity-systems/bin/bin-system.ftl b/Resources/Locale/ru-RU/entity-systems/bin/bin-system.ftl new file mode 100644 index 00000000000..e2e652f328c --- /dev/null +++ b/Resources/Locale/ru-RU/entity-systems/bin/bin-system.ftl @@ -0,0 +1 @@ +bin-component-on-examine-text = Похоже осталось всего {$count} штук. diff --git a/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl b/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl index 3e636f649dd..1ae4ef3798a 100644 --- a/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl +++ b/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl @@ -13,19 +13,19 @@ ui-options-default = По-умолчанию ## Audio menu ui-options-discordrich = Enable Discord Rich Presence -ui-options-general-ui-style = UI Style +ui-options-general-ui-style = Стиль интерфейса ui-options-general-discord = Discord -ui-options-general-cursor = Cursor -ui-options-general-speech = Speech -ui-options-general-storage = Storage -ui-options-general-accessibility = Accessibility +ui-options-general-cursor = Курсор +ui-options-general-speech = Голос +ui-options-general-storage = Хранилище +ui-options-general-accessibility = Доступность ui-options-master-volume = Основная громкость: ui-options-midi-volume = Громкость MIDI (Муз. инструменты): ui-options-ambient-music-volume = Громкость музыки окружения: ui-options-ambience-volume = Громкость окружения: ui-options-lobby-volume = Громкость лобби и окончания раунда: ui-options-ambience-max-sounds = Кол-во одновременных звуков окружения: -ui-options-interface-volume = Interface volume: +ui-options-interface-volume = Громкость интерфейса: ui-options-lobby-music = Музыка в лобби ui-options-restart-sounds = Звуки перезапуска раунда ui-options-event-music = Музыка событий @@ -38,13 +38,13 @@ ui-options-volume-percent = { TOSTRING($volume, "P0") } ui-options-show-held-item = Показать удерживаемый элемент рядом с курсором? ui-options-show-combat-mode-indicators = Показать индикатор боевого режима рядом с курсором? ui-options-show-looc-on-head = Показывать LOOC-чат над головами персонажей? -ui-options-opaque-storage-window = Opaque storage window +ui-options-opaque-storage-window = Непрозрачное окно инвентаря ui-options-vsync = Вертикальная синхронизация -ui-options-fancy-speech = Show names in speech bubbles -ui-options-fancy-name-background = Add background to speech bubble names -ui-options-enable-color-name = Add colors to character names -ui-options-reduced-motion = Reduce motion of visual effects -ui-options-screen-shake-intensity = Screen shake intensity +ui-options-fancy-speech = Отображать имена в облачках сообщений +ui-options-fancy-name-background = Добавить фон облачкам сообщений +ui-options-enable-color-name = Отображать имена разными цветами +ui-options-reduced-motion = Уменьшить влияние визуальных жффектов +ui-options-screen-shake-intensity = Интенсивность тряски экрана ui-options-screen-shake-percent = { TOSTRING($intensity, "P0") } ui-options-fullscreen = Полный экран ui-options-lighting-label = Качество освещения: @@ -63,13 +63,13 @@ ui-options-scale-200 = 200% ui-options-hud-theme = Тема HUD: ui-options-hud-theme-default = По умолчанию ui-options-hud-theme-modernized = Модернизированная -ui-options-hud-theme-plasmafire = Plasmafire -ui-options-hud-theme-slimecore = Slimecore -ui-options-hud-theme-clockwork = Clockwork -ui-options-hud-theme-retro = Retro -ui-options-hud-theme-minimalist = Minimalist -ui-options-hud-theme-eris = Eris -ui-options-hud-theme-ashen = Ashen +ui-options-hud-theme-plasmafire = Плазменный +ui-options-hud-theme-slimecore = Слаймовый +ui-options-hud-theme-clockwork = Часовой +ui-options-hud-theme-retro = Ретро +ui-options-hud-theme-minimalist = Минимализм +ui-options-hud-theme-eris = Эрис +ui-options-hud-theme-ashen = Ашен ui-options-hud-theme-classic = Классическая ui-options-vp-stretch = Растянуть изображение для соответствия окну игры ui-options-vp-scale = Фиксированный масштаб окна игры: x{ $scale } diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-revolutionary.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-revolutionary.ftl index 65408aac9a4..ee829752945 100644 --- a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-revolutionary.ftl +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-revolutionary.ftl @@ -57,6 +57,5 @@ rev-reverse-stalemate = Главы революции и командный со rev-deconverted-title = Разконвертированы! rev-deconverted-text = Со смертью последнего главы революции, революция оканчивается. - Вы больше не революционер, так что ведите себя хорошо. rev-deconverted-confirm = Подтвердить diff --git a/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl b/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl index 0d3cf177c7b..509ceeafac5 100644 --- a/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl +++ b/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl @@ -74,14 +74,14 @@ ghost-role-information-salvage-spider-name = Космический паук н ghost-role-information-salvage-spider-description = Космические пауки так же агрессивны, как и обычные пауки. Питайтесь. ghost-role-information-guardian-name = Страж ghost-role-information-guardian-description = Слушайте своего хозяина. Не танкуйте урон. Сильно стукайте врагов. -ghost-role-information-space-cobra-name = Space cobra -ghost-role-information-space-cobra-description = Space cobras really don't like guests, and will always snack on a visitor. -ghost-role-information-salvage-cobra-name = Space cobra on salvage wreck -ghost-role-information-salvage-cobra-description = Space cobras really don't like guests, and will always snack on a visitor. -ghost-role-information-salvage-flesh-name = Aberrant flesh on salvage wreck -ghost-role-information-salvage-flesh-description = Defend the loot inside the salvage wreck! -ghost-role-information-tropico-name = Tropico -ghost-role-information-tropico-description = The noble companion of Atmosia, and its most stalwart defender. Viva! +ghost-role-information-space-cobra-name = Космическая кобра +ghost-role-information-space-cobra-description = Космические кобры не славятся своим гостеприимством. +ghost-role-information-salvage-cobra-name = Космическая кобра +ghost-role-information-salvage-cobra-description = Космические кобры не славятся своим гостеприимством. +ghost-role-information-salvage-flesh-name = Плоть +ghost-role-information-salvage-flesh-description = Защитите свой обломок любой ценой! +ghost-role-information-tropico-name = Тропико +ghost-role-information-tropico-description = Благородный спутник Атмосии и ее самый ярый защитник. Вива! ghost-role-information-holoparasite-name = Голопаразит ghost-role-information-holoparasite-description = Слушайте своего хозяина. Не танкуйте урон. Сильно стукайте врагов. ghost-role-information-holoclown-name = Голоклоун @@ -135,23 +135,23 @@ ghost-role-information-hellspawn-description = Несите смерть во с ghost-role-information-Death-Squad-name = Оперативник Эскадрона смерти ghost-role-information-Death-Squad-description = Приготовьтесь к массированному наступлению на станцию. Ваша задача как тяжеловооружённого оперативника - уничтожить всё живое на своём пути. И никаких свидетелей. ghost-role-information-SyndiCat-name = СиндиКот -ghost-role-information-SyndiCat-description = You're the faithful trained pet of nuclear operatives with a microbomb. Serve your master to the death! -ghost-role-information-SyndiCat-rules = You're the faithful trained pet of nuclear operatives with a microbomb. Serve your master to the death! +ghost-role-information-SyndiCat-description = Вы - верный дрессированный питомец ядерных оперативников с микробомбой. Служите своему хозяину до смерти! +ghost-role-information-SyndiCat-rules = Вы - верный дрессированный питомец ядерных оперативников с микробомбой. Служите своему хозяину до смерти! ghost-role-information-Cak-name = Корт ghost-role-information-Cak-description = Вы - любимое дитя шеф-повара. Вы - живой торт-кот. ghost-role-information-Cak-rules = Вы - живой съедобный сладкий кот. Ваша задача - найти своё место в этом мире, где всё хочет вас съесть. ghost-role-information-BreadDog-name = Хлебака ghost-role-information-BreadDog-description = Вы любимое дитя повара. Вы хлебака. -ghost-role-information-BreadDog-rules = You're an edible dog made of bread. Your task is to find your place in this world where everything wants to eat you. +ghost-role-information-BreadDog-rules =Вы - съедобная собака, сделанная из хлеба. Ваша задача - найти свое место в этом мире, где все хочет вас съесть. ghost-role-information-exterminator-name = Экстерминатор -ghost-role-information-exterminator-description = You been been sent back in time to terminate a target with high importance to the future. -ghost-role-information-exterminator-rules = You are an antagonist and may kill anyone that tries to stop you, but killing the target is always your top priority. -ghost-role-information-space-ninja-name = Space Ninja -ghost-role-information-space-ninja-description = Use stealth and deception to sabotage the station. -ghost-role-information-space-ninja-rules = You are an elite mercenary of the Spider Clan. You aren't required to follow your objectives, yet your NINJA HONOR demands you try. -ghost-role-information-syndicate-reinforcement-name = Syndicate Agent -ghost-role-information-syndicate-reinforcement-description = Someone needs reinforcements. You, the first person the syndicate could find, will help them. -ghost-role-information-syndicate-reinforcement-rules = Normal syndicate antagonist rules apply. Work with whoever called you in, and don't harm them. -ghost-role-information-syndicate-monkey-reinforcement-name = Syndicate Monkey Agent -ghost-role-information-syndicate-monkey-reinforcement-description = Someone needs reinforcements. You, a trained monkey, will help them. -ghost-role-information-syndicate-monkey-reinforcement-rules = Normal syndicate antagonist rules apply. Work with whoever called you in, and don't harm them. +ghost-role-information-exterminator-description = Вас отправили в прошлое, чтобы уничтожить цель, имеющую большое значение для будущего. +ghost-role-information-exterminator-rules = Вы - антагонист и можете убить любого, кто попытается вам помешать, но убийство цели - всегда ваш главный приоритет. +ghost-role-information-space-ninja-name = Космический Ниндзя +ghost-role-information-space-ninja-description = Используйте скрытность и обман, чтобы устроить диверсию на станции. +ghost-role-information-space-ninja-rules = Вы - элитный наемник из клана Пауков. От вас не требуется следовать поставленным целям, но честь ниндзя требует, чтобы вы попытались. +ghost-role-information-syndicate-reinforcement-name = Подкрепление Синдиката +ghost-role-information-syndicate-reinforcement-description = Кому-то нужно подкрепление. Вы должны помочь. +ghost-role-information-syndicate-reinforcement-rules = Действуют обычные правила антагонистов синдиката. Работайте с тем, кто вас вызвал, и не причиняйте ему вреда. +ghost-role-information-syndicate-monkey-reinforcement-name = Обезьянье Подкрепление Синдиката +ghost-role-information-syndicate-monkey-reinforcement-description = Кому-то нужно подкрепление. Вы должны помочь, оставаясь в роли обезьяны. +ghost-role-information-syndicate-monkey-reinforcement-rules = Действуют обычные правила антагонистов синдиката. Работайте с тем, кто вас вызвал, и не причиняйте ему вреда. diff --git a/Resources/Locale/ru-RU/job/department-desc.ftl b/Resources/Locale/ru-RU/job/department-desc.ftl index 4d5dfd796f0..8487a1fd5ce 100644 --- a/Resources/Locale/ru-RU/job/department-desc.ftl +++ b/Resources/Locale/ru-RU/job/department-desc.ftl @@ -1,8 +1,8 @@ -department-Cargo-description = Покупайте и доставляйте экипажу полезные припасы. -department-Civilian-description = Выполняйте небольшие полезные задания для поддержания нормальной работы станции. -department-Command-description = Управляйте экипажем и обеспечивайте его эффективную работу. -department-Engineering-description = Поддерживайте станцию в рабочем состоянии. +department-Cargo-description = Перевозите грузы, зарабатывайте бонусы и заказывайте полезные припасы для экипажа. +department-Civilian-description = Выполняйте небольшие полезные задания, чтобы поддерживать корабль в рабочем состоянии и обеспечивать хорошее обслуживание. +department-Command-description = Управляйте командой и поддерживайте ее эффективность. +department-Engineering-description = Поддерживает питание и работоспособность корабля. department-Medical-description = Поддерживайте здоровье экипажа. -department-Security-description = Поддерживайте порядок на станции. -department-Science-description = Изучайте новые технологии и опасные артефакты. +department-Security-description = Поддерживает мир во всем секторе. +department-Science-description = Исследует новые технологии, опасные артефакты и аномалии. department-Specific-description = Должности, которые есть не на всех станциях. diff --git a/Resources/Locale/ru-RU/job/department.ftl b/Resources/Locale/ru-RU/job/department.ftl index 238822c978b..23d4c6f05ce 100644 --- a/Resources/Locale/ru-RU/job/department.ftl +++ b/Resources/Locale/ru-RU/job/department.ftl @@ -3,6 +3,6 @@ department-Civilian = Сервисный отдел department-Command = Командование department-Engineering = Инженерный отдел department-Medical = Медицинский отдел -department-Security = Служба безопасности +department-Security = Департамент службы безопасности Фронтира department-Science = Научный отдел department-Specific = На определённых станциях diff --git a/Resources/Locale/ru-RU/job/job-names.ftl b/Resources/Locale/ru-RU/job/job-names.ftl index 3827d4c3c5e..149a244961c 100644 --- a/Resources/Locale/ru-RU/job/job-names.ftl +++ b/Resources/Locale/ru-RU/job/job-names.ftl @@ -1,7 +1,7 @@ -job-name-warden = смотритель -job-name-security = офицер СБ -job-name-cadet = кадет СБ -job-name-hos = глава службы безопасности +job-name-warden = судебный пристав +job-name-security = офицер ДСБФ +job-name-cadet = кадет ДСБФ +job-name-hos = шериф job-name-detective = детектив job-name-brigmedic = бригмедик job-name-borg = киборг @@ -17,7 +17,7 @@ job-name-chemist = химик job-name-technical-assistant = технический ассистент job-name-engineer = инженер job-name-atmostech = атмосферный техник -job-name-hop = глава персонала +job-name-hop = представитель Фронтира job-name-captain = капитан job-name-serviceworker = сервисный работник job-name-centcomoff = представитель Центком @@ -70,8 +70,8 @@ JobERTJanitor = уборщик ОБР JobERTLeader = лидер ОБР JobERTMedical = медик ОБР JobERTSecurity = офицер ОБР -JobHeadOfPersonnel = глава персонала -JobHeadOfSecurity = ГСБ +JobHeadOfPersonnel = представитель Фронтира +JobHeadOfSecurity = шериф JobJanitor = уборщик JobLawyer = адвокат JobLibrarian = библиотекарь @@ -88,16 +88,16 @@ JobResearchDirector = научный руководитель JobResearchAssistant = научный ассистент JobSalvageSpecialist = утилизатор JobScientist = учёный -JobSecurityCadet = кадет СБ -JobSecurityOfficer = офицер СБ +JobSecurityCadet = кадет ДСБФ +JobSecurityOfficer = офицер ДСБФ JobServiceWorker = сервисный работник JobSeniorEngineer = ведущий инженер -JobSeniorOfficer = инструктор СБ +JobSeniorOfficer = инструктор ДСБФ JobSeniorPhysician = ведущий врач JobSeniorResearcher = ведущий учёный JobStationEngineer = инженер JobTechnicalAssistant = технический ассистент -JobWarden = смотритель +JobWarden = судебный пристав JobVisitor = посетитель JobBoxer = боксёр JobZookeeper = зоотехник diff --git a/Resources/Locale/ru-RU/job/job-supervisors.ftl b/Resources/Locale/ru-RU/job/job-supervisors.ftl index 3d10f421c1f..d5341b74f29 100644 --- a/Resources/Locale/ru-RU/job/job-supervisors.ftl +++ b/Resources/Locale/ru-RU/job/job-supervisors.ftl @@ -1,7 +1,7 @@ job-supervisors-centcom = представителю Центкома job-supervisors-captain = капитану -job-supervisors-hop = главе персонала -job-supervisors-hos = главе службы безопасности +job-supervisors-hop = представителю Фронтира +job-supervisors-hos = шерифу job-supervisors-ce = старшему инженеру job-supervisors-cmo = главному врачу job-supervisors-qm = квартирмейстеру diff --git a/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl b/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl index eb425289666..b4f91b36566 100644 --- a/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl +++ b/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl @@ -3,7 +3,7 @@ lathe-menu-queue = Очередь lathe-menu-server-list = Список серверов lathe-menu-sync = Синхр. lathe-menu-search-designs = Поиск проектов -lathe-menu-category-all = All +lathe-menu-category-all = Всё lathe-menu-search-filter = Фильтр lathe-menu-amount = Кол-во: lathe-menu-material-display = { $material } { $amount } diff --git a/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl b/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl index 332fa13be53..3bcd319740a 100644 --- a/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl +++ b/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl @@ -9,7 +9,7 @@ connecting-redial-wait = Пожалуйста подождите: { TOSTRING($ti connecting-in-progress = Подключение к серверу... connecting-disconnected = Отключен от сервера: connecting-tip = Не умирай! -connecting-window-tip = Tip { $numberTip } +connecting-window-tip = Подсказка { $numberTip } connecting-version = версия 0.1 connecting-fail-reason = Не удалось подключиться к серверу: diff --git a/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl b/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl index 39c5e5caaaa..23e358a0463 100644 --- a/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl +++ b/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl @@ -1,14 +1,14 @@ logic-gate-examine = Сейчас установлена логическая операция { $gate }. logic-gate-cycle = Переключено на операцию { $gate } power-sensor-examine = - It is currently checking the network's { $output -> - [true] output - *[false] input - } battery. -power-sensor-voltage-examine = It is checking the { $voltage } power network. + В настоящее время проверяется сеть { $output -> + [true] выход + *[false] вход + } батареи. +power-sensor-voltage-examine = Проверяется { $voltage } электросети. power-sensor-switch = - Switched to checking the network's { $output -> - [true] output - *[false] input + Переключен на проверку сети { $output -> + [true] выход + *[false] вход } battery. -power-sensor-voltage-switch = Switched network to { $voltage }! +power-sensor-voltage-switch = Сеть переключена на { $voltage }! diff --git a/Resources/Locale/ru-RU/main-menu/main-menu.ftl b/Resources/Locale/ru-RU/main-menu/main-menu.ftl index 8494aaa4860..35c9af5e9fd 100644 --- a/Resources/Locale/ru-RU/main-menu/main-menu.ftl +++ b/Resources/Locale/ru-RU/main-menu/main-menu.ftl @@ -7,7 +7,7 @@ main-menu-failed-to-connect = { $reason } main-menu-username-label = Имя пользователя: main-menu-username-text = Имя пользователя -main-menu-address-label = Server Address: +main-menu-address-label = Адрес сервера: main-menu-join-public-server-button = Публичный сервер main-menu-join-public-server-button-tooltip = Нельзя подключаться к публичным серверам с отладочной сборкой. main-menu-direct-connect-button = Прямое подключение diff --git a/Resources/Locale/ru-RU/markings/felinid.ftl b/Resources/Locale/ru-RU/markings/felinid.ftl index d756edfe116..ee678fee649 100644 --- a/Resources/Locale/ru-RU/markings/felinid.ftl +++ b/Resources/Locale/ru-RU/markings/felinid.ftl @@ -1,45 +1,45 @@ -marking-FelinidEarsBasic = Basic Ears -marking-FelinidEarsBasic-basic_outer = Outer ear -marking-FelinidEarsBasic-basic_inner = Inner ear -marking-FelinidEarsCurled = Curled Ears -marking-FelinidEarsCurled-curled_outer = Outer ear -marking-FelinidEarsCurled-curled_inner = Inner ear -marking-FelinidEarsDroopy = Droopy Ears -marking-FelinidEarsDroopy-droopy_outer = Outer ear -marking-FelinidEarsDroopy-droopy_inner = Inner ear -marking-FelinidEarsFuzzy = Fuzzy Ears -marking-FelinidEarsFuzzy-basic_outer = Outer ear -marking-FelinidEarsFuzzy-fuzzy_inner = Ear fuzz -marking-FelinidEarsStubby = Stubby Ears -marking-FelinidEarsStubby-stubby_outer = Outer ear -marking-FelinidEarsStubby-stubby_inner = Inner ear -marking-FelinidEarsTall = Tall Ears -marking-FelinidEarsTall-tall_outer = Outer ear -marking-FelinidEarsTall-tall_inner = Inner ear -marking-FelinidEarsTall-tall_fuzz = Ear fuzz -marking-FelinidEarsTorn = Torn Ears -marking-FelinidEarsTorn-torn_outer = Outer ear -marking-FelinidEarsTorn-torn_inner = Inner ear -marking-FelinidEarsWide = Wide Ears -marking-FelinidEarsWide-wide_outer = Outer ear -marking-FelinidEarsWide-wide_inner = Inner ear -marking-FelinidTailBasic = Basic Tail -marking-FelinidTailBasic-basic_tail_tip = Tail tip -marking-FelinidTailBasic-basic_tail_stripes_even = Tail stripes, even -marking-FelinidTailBasic-basic_tail_stripes_odd = Tail stripes, odd -marking-FelinidTailBasicWithBow = Basic Tail with Bow -marking-FelinidTailBasicWithBow-basic_tail_tip = Tail tip -marking-FelinidTailBasicWithBow-basic_tail_stripes_even = Tail stripes, even -marking-FelinidTailBasicWithBow-basic_tail_stripes_odd = Tail stripes, odd -marking-FelinidTailBasicWithBow-basic_bow = Bow -marking-FelinidTailBasicWithBell = Basic Tail with Bell -marking-FelinidTailBasicWithBell-basic_tail_tip = Tail tip -marking-FelinidTailBasicWithBell-basic_tail_stripes_even = Tail stripes, even -marking-FelinidTailBasicWithBell-basic_tail_stripes_odd = Tail stripes, odd -marking-FelinidTailBasicWithBell-basic_bell = Bell -marking-FelinidTailBasicWithBowAndBell = Basic Tail with Bow & Bell -marking-FelinidTailBasicWithBowAndBell-basic_tail_tip = Tail tip -marking-FelinidTailBasicWithBowAndBell-basic_tail_stripes_even = Tail stripes, even -marking-FelinidTailBasicWithBowAndBell-basic_tail_stripes_odd = Tail stripes, odd -marking-FelinidTailBasicWithBowAndBell-basic_bow = Bow -marking-FelinidTailBasicWithBowAndBell-basic_bell = Bell +marking-FelinidEarsBasic = Кошачьи ушки +marking-FelinidEarsBasic-basic_outer = Наружнее ухо +marking-FelinidEarsBasic-basic_inner = Внутреннее ухо +marking-FelinidEarsCurled = Курчавые ушки +marking-FelinidEarsCurled-curled_outer = Наружнее ухо +marking-FelinidEarsCurled-curled_inner = Внутреннее ухо +marking-FelinidEarsDroopy = Обвисшие ушки +marking-FelinidEarsDroopy-droopy_outer = Наружнее ухо +marking-FelinidEarsDroopy-droopy_inner = Внутреннее ухо +marking-FelinidEarsFuzzy = Пушистые ушки +marking-FelinidEarsFuzzy-basic_outer = Наружнее ухо +marking-FelinidEarsFuzzy-fuzzy_inner = Пушок на ушках +marking-FelinidEarsStubby = Короткие уши +marking-FelinidEarsStubby-stubby_outer = Наружнее ухо +marking-FelinidEarsStubby-stubby_inner = Внутреннее ухо +marking-FelinidEarsTall = Большие ушки +marking-FelinidEarsTall-tall_outer = Наружнее ухо +marking-FelinidEarsTall-tall_inner = Внутреннее ухо +marking-FelinidEarsTall-tall_fuzz = Пушок на ушках +marking-FelinidEarsTorn = Надорванные ушки +marking-FelinidEarsTorn-torn_outer = Наружнее ухо +marking-FelinidEarsTorn-torn_inner = Внутреннее ухо +marking-FelinidEarsWide = Широкие ушки +marking-FelinidEarsWide-wide_outer = Наружнее ухо +marking-FelinidEarsWide-wide_inner = Внутреннее ухо +marking-FelinidTailBasic = Кошачьий хвост +marking-FelinidTailBasic-basic_tail_tip = Хвост (Кончик) +marking-FelinidTailBasic-basic_tail_stripes_even = Хвост, полосы (Чётные) +marking-FelinidTailBasic-basic_tail_stripes_odd = Хвост, полосы (Нечётные) +marking-FelinidTailBasicWithBow = Кошачьий хвост, бантик +marking-FelinidTailBasicWithBow-basic_tail_tip = Хвост (Кончик) +marking-FelinidTailBasicWithBow-basic_tail_stripes_even = Хвост, полосы (Чётные) +marking-FelinidTailBasicWithBow-basic_tail_stripes_odd = Хвост, полосы (Нечётные) +marking-FelinidTailBasicWithBow-basic_bow = Бантик +marking-FelinidTailBasicWithBell = Кошачьий хвост, колокольчик +marking-FelinidTailBasicWithBell-basic_tail_tip = Хвост (Кончик) +marking-FelinidTailBasicWithBell-basic_tail_stripes_even = Хвост, полосы (Чётные) +marking-FelinidTailBasicWithBell-basic_tail_stripes_odd = Хвост, полосы (Нечётные) +marking-FelinidTailBasicWithBell-basic_bell = Колокольчик +marking-FelinidTailBasicWithBowAndBell = Кошачьий хвост, бантик и колокольчик +marking-FelinidTailBasicWithBowAndBell-basic_tail_tip = Хвост (Кончик) +marking-FelinidTailBasicWithBowAndBell-basic_tail_stripes_even = Хвост, полосы (Чётные) +marking-FelinidTailBasicWithBowAndBell-basic_tail_stripes_odd = Хвост, полосы (Нечётные) +marking-FelinidTailBasicWithBowAndBell-basic_bow = Бантик +marking-FelinidTailBasicWithBowAndBell-basic_bell = Колокольчик diff --git a/Resources/Locale/ru-RU/markings/moth.ftl b/Resources/Locale/ru-RU/markings/moth.ftl index 63ca884c7f0..d164b160417 100644 --- a/Resources/Locale/ru-RU/markings/moth.ftl +++ b/Resources/Locale/ru-RU/markings/moth.ftl @@ -36,7 +36,7 @@ marking-MothAntennasWitchwing-witchwing = Antennae marking-MothAntennasWitchwing = Антенны (Ведьмино крыло) marking-MothAntennasUnderwing-underwing_primary = Primary marking-MothAntennasUnderwing-underwing_secondary = Secondary -marking-MothAntennasUnderwing = Antennae (Underwing) +marking-MothAntennasUnderwing = Антенны (Подкрылок) marking-MothWingsDefault-default = Wing marking-MothWingsDefault = Крылья (Обычные) marking-MothWingsCharred-charred = Wing @@ -89,7 +89,7 @@ marking-MothWingsWitchwing-witchwing = Wing marking-MothWingsWitchwing = Крылья (Ведьмино крыло) marking-MothWingsUnderwing-underwing_primary = Primary marking-MothWingsUnderwing-underwing_secondary = Secondary -marking-MothWingsUnderwing = Wings (Underwing) +marking-MothWingsUnderwing = Крылья (Подкрылок) marking-MothChestCharred-charred_chest = Chest marking-MothChestCharred = Ниан, Грудь (Обугленные) marking-MothHeadCharred-charred_head = Head diff --git a/Resources/Locale/ru-RU/markings/oni.ftl b/Resources/Locale/ru-RU/markings/oni.ftl new file mode 100644 index 00000000000..d80dd61b358 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/oni.ftl @@ -0,0 +1,13 @@ +marking-OniHornAngular = Они, рог (Удильщик) +marking-OniHornCurled = Они, рога (Загнутые) +marking-OniHornDoubleCurved = Они, рога (Двойные загнутые) +marking-OniHornDoubleCurvedOutwards = Они, рога (Изогнутый наружу) +marking-OniHornDoubleLeftBrokeCurved = Они, рога (Левый сломанный Загнутый) +marking-OniHornDoubleRightBrokeCurved = Они, рога (Правый сломанный Загнутый) +marking-OniHornRam = Они, рога (Баран) +marking-OniHornShort = Они, рога (Коротки) +marking-OniHornSimple = Они, рога (Простой) +marking-OniHornSingleCurved = Они, рог (Изогнутый) +marking-OniHornSingleLeftCurved = Они, рог (Изогнутый, лево) +marking-OniHornSingleRightCurved = Они, рог (Изогнутый, право) +marking-OniTail = Они, хвост diff --git a/Resources/Locale/ru-RU/markings/reptilian.ftl b/Resources/Locale/ru-RU/markings/reptilian.ftl index cef4d96a0d0..fd5999b3814 100644 --- a/Resources/Locale/ru-RU/markings/reptilian.ftl +++ b/Resources/Locale/ru-RU/markings/reptilian.ftl @@ -16,8 +16,8 @@ marking-LizardHornsSimple-horns_simple = Унатх, рожки marking-LizardHornsSimple = Унатх, рожки marking-LizardTailSmooth-tail_smooth = Унатх, хвост (Гладкий) marking-LizardTailSmooth = Унатх, хвост (Гладкий) -marking-LizardTailLarge-tail_large = Lizard Tail (Large) -marking-LizardTailLarge = Lizard Tail (Large) +marking-LizardTailLarge-tail_large = Унатх, хвост (Большой) +marking-LizardTailLarge = Унатх, хвост (Большой) marking-LizardTailSpikes-tail_spikes = Унатх, хвост (Шипастый) marking-LizardTailSpikes = Унатх, хвост (Шипастый) marking-LizardTailLTiger-tail_ltiger = Унатх, хвост (Светлые тигриные полоски) @@ -28,7 +28,7 @@ marking-LizardSnoutRound-snout_round = Унатх, морда (Круглая) marking-LizardSnoutRound = Унатх, морда (Круглая) marking-LizardSnoutSharp-snout_sharp = Унатх, морда (Заострёная) marking-LizardSnoutSharp = Унатх, морда (Заострёная) -marking-LizardChestTiger-body_tiger = Lizard Chest (Tiger) +marking-LizardChestTiger-body_tiger = Унатх, грудь (Тигр) marking-LizardChestTiger-chest_tiger = Унатх, грудь (Тигр) marking-LizardChestTiger = Унатх, грудь (Тигр) marking-LizardHeadTiger-head_tiger = Унатх, голова (Тигр) @@ -48,8 +48,8 @@ marking-LizardFrillsBig = Унатх, воротник (Большой) marking-LizardHornsDouble-horns_double = Унатх, рожки (Двойные) marking-LizardHornsDouble = Унатх, рожки (Двойные) marking-LizardFrillsAxolotl-frills_axolotl = Унатх, воротник (Аксолотль) -marking-LizardFrillsHood-frills_hood_primary = Outer Hood -marking-LizardFrillsHood-frills_hood_secondary = Inner Hood +marking-LizardFrillsHood-frills_hood_primary = наружный колпак +marking-LizardFrillsHood-frills_hood_secondary = внутренний колпак marking-LizardFrillsAxolotl = Унатх, воротник (Аксолотль) marking-LizardFrillsHood-frills_hood = Унатх, воротник (Капюшон) marking-LizardFrillsHood = Унатх, воротник (Капюшон) @@ -63,9 +63,9 @@ marking-LizardHornsBighorn-horns_bighorn = Унатх, рожки (Бигхор marking-LizardHornsBighorn = Унатх, рожки (Бигхорн) marking-LizardHornsKoboldEars-horns_kobold_ears = Унатх, уши (Кобольд) marking-LizardHornsKoboldEars = Унатх, уши (Кобольд) -marking-LizardChestUnderbelly-body_underbelly = Lizard Chest (Underbelly) -marking-LizardChestUnderbelly = Lizard Chest (Underbelly) -marking-LizardChestBackspikes-body_backspikes = Lizard Back spikes (Four) -marking-LizardChestBackspikes = Lizard Back spikes (Four) +marking-LizardChestUnderbelly-body_underbelly = Унатх, грудь (Подбрюшье) +marking-LizardChestUnderbelly = Унатх, грудь (Подбрюшье) +marking-LizardChestBackspikes-body_backspikes = Унатх, спина шипи (Четыре) +marking-LizardChestBackspikes = Унатх, спина шипи (Четыре) marking-LizardHornsFloppyKoboldEars-horns_floppy_kobold_ears = Унатх, уши (Вислоухий кобольд) marking-LizardHornsFloppyKoboldEars = Унатх, уши (Вислоухий кобольд) diff --git a/Resources/Locale/ru-RU/markings/slimeperson.ftl b/Resources/Locale/ru-RU/markings/slimeperson.ftl index b092684f7cc..6ed9cf07291 100644 --- a/Resources/Locale/ru-RU/markings/slimeperson.ftl +++ b/Resources/Locale/ru-RU/markings/slimeperson.ftl @@ -3,9 +3,9 @@ marking-SlimeGradientLeftArm-gradient_left_arm = Слаймолюд, левая marking-SlimeGradientRightArm-gradient_r_arm = Slime Right Arm (Gradient) marking-SlimeGradientLeftArm = Слаймолюд, левая рука (Градиент) marking-SlimeGradientLeftFoot-gradient_l_foot = Slime Left Foot (Gradient) -marking-SlimeGradientLeftFoot = Slime Left Foot (Gradient) +marking-SlimeGradientLeftFoot = Слаймолюд, левая нога (Градиент) marking-SlimeGradientRightFoot-gradient_r_foot = Slime Right Foot (Gradient) -marking-SlimeGradientRightFoot = Slime Right Foot (Gradient) +marking-SlimeGradientRightFoot = Слаймолюд, правая нога (Градиент) marking-SlimeGradientLeftLeg-gradient_l_leg = Slime Left Leg (Gradient) marking-SlimeGradientRightArm-gradient_right_arm = Слаймолюд, правая рука (Градиент) marking-SlimeGradientRightLeg-gradient_r_leg = Slime Right Leg (Gradient) diff --git a/Resources/Locale/ru-RU/markings/vulpkanin.ftl b/Resources/Locale/ru-RU/markings/vulpkanin.ftl index 6e1db30451a..d64e61e19f8 100644 --- a/Resources/Locale/ru-RU/markings/vulpkanin.ftl +++ b/Resources/Locale/ru-RU/markings/vulpkanin.ftl @@ -1,181 +1,181 @@ -marking-VulpEar-vulp = Vulpkanin ears (base) -marking-VulpEar-vulp-inner = Vulpkanin ears (inner) -marking-VulpEar = Vulpkanin -marking-VulpEarFade-vulp = Vulpkanin ears (base) -marking-VulpEarFade-vulp-fade = Vulpkanin ears (fade) -marking-VulpEarFade = Vulpkanin (fade) -marking-VulpEarSharp-vulp = Vulpkanin ears (base) -marking-VulpEarSharp-vulp-sharp = Vulpkanin ears (sharp) -marking-VulpEarSharp = Vulpkanin (sharp) -marking-VulpEarJackal-jackal = Jackal ears (base) -marking-VulpEarJackal-jackal-inner = Jackal ears (inner) -marking-VulpEarJackal = Vulpkanin Jackal -marking-VulpEarTerrier-terrier = Terrier ears (base) -marking-VulpEarTerrier-terrier-inner = Terrier ears (inner) -marking-VulpEarTerrier = Vulpkanin Terrier -marking-VulpEarWolf-wolf = Wolf ears (base) -marking-VulpEarWolf-wolf-inner = Wolf ears (inner) -marking-VulpEarWolf = Vulpkanin Wolf -marking-VulpEarFennec-fennec = Fennec ears (base) -marking-VulpEarFennec-fennec-inner = Fennec ears (inner) -marking-VulpEarFennec = Vulpkanin Fennec -marking-VulpEarFox-fox = Fox ears -marking-VulpEarFox = Vulpkanin Fox -marking-VulpEarOtie-otie = Otie ears (base) -marking-VulpEarOtie-otie-inner = Otie ears (inner) -marking-VulpEarOtie = Vulpkanin Otie -marking-VulpEarTajaran-msai = Tajaran ears (base) -marking-VulpEarTajaran-msai-inner = Tajaran ears (inner) -marking-VulpEarTajaran = Vulpkanin Tajaran -marking-VulpEarShock-shock = Shock ears -marking-VulpEarShock = Vulpkanin Shock -marking-VulpEarCoyote-coyote = Coyote ears -marking-VulpEarCoyote = Vulpkanin Coyote -marking-VulpEarDalmatian-dalmatian = Dalmatian ears -marking-VulpEarDalmatian = Vulpkanin Dalmatian -marking-VulpSnoutAlt-muzzle_alt = Muzzle -marking-VulpSnoutAlt-nose = Nose -marking-VulpSnoutAlt = Vulpkanin Muzzle 2 -marking-VulpSnout-muzzle = Muzzle -marking-VulpSnout-nose = Nose -marking-VulpSnout = Vulpkanin Muzzle -marking-VulpSnoutSharp-muzzle_sharp = Muzzle -marking-VulpSnoutSharp-nose = Nose -marking-VulpSnoutSharp = Vulpkanin Muzzle (sharp) -marking-VulpSnoutFade-muzzle_fade = Muzzle -marking-VulpSnoutFade-nose = Nose -marking-VulpSnoutFade = Vulpkanin Muzzle (fade) -marking-VulpSnoutNose-nose = Nose -marking-VulpSnoutNose = Vulpkanin Nose -marking-VulpSnoutMask-mask = Mask -marking-VulpSnoutMask-nose = Nose -marking-VulpSnoutMask = Vulpkanin Mask -marking-VulpSnoutVulpine-vulpine = Vulpine (base) -marking-VulpSnoutVulpine-vulpine-lines = Vulpine (lines) -marking-VulpSnoutVulpine = Vulpkanin Vulpine -marking-VulpSnoutSwift-vulpine-lines = Swift -marking-VulpSnoutSwift = Vulpkanin Swift -marking-VulpSnoutBlaze-blaze = Blaze -marking-VulpSnoutBlaze = Vulpkanin Blaze -marking-VulpSnoutPatch-patch = Patch -marking-VulpSnoutPatch = Vulpkanin Patch -marking-VulpHeadTiger-tiger_head = Tiger stripes -marking-VulpHeadTiger = Vulpkanin Tiger stripes (head) -marking-VulpHeadTigerFace-tiger_face = Tiger stripes -marking-VulpHeadTigerFace = Vulpkanin Tiger stripes (face) -marking-VulpHeadSlash-slash = Slash -marking-VulpHeadSlash = Vulpkanin Slash -marking-VulpTail-vulp = Vulpkanin tail (base) -marking-VulpTail-vulp-fade = Vulpkanin tail (fade) -marking-VulpTail = Vulpkanin -marking-VulpTailTip-vulp = Vulpkanin tail (base) -marking-VulpTailTip-vulp-tip = Vulpkanin tail (tip) -marking-VulpTailTip = Vulpkanin (tip) -marking-VulpTailWag-vulp_wag = Vulpkanin tail (base) -marking-VulpTailWag-vulp_wag-fade = Vulpkanin tail (fade) -marking-VulpTailWag = Vulpkanin (wag) -marking-VulpTailWagTip-vulp_wag = Vulpkanin tail (base) -marking-VulpTailWagTip-vulp_wag-tip = Vulpkanin tail (tip) -marking-VulpTailWagTip = Vulpkanin (wag, tip) -marking-VulpTailAlt-vulp_alt = Vulpkanin tail (base) -marking-VulpTailAlt-vulp_alt-fade = Vulpkanin tail (fade) -marking-VulpTailAlt = Vulpkanin (alt) -marking-VulpTailAltTip-vulp_alt = Vulpkanin tail (base) -marking-VulpTailAltTip-vulp_alt-tip = Vulpkanin tail (tip) -marking-VulpTailAltTip = Vulpkanin (alt, tip) -marking-VulpTailLong-long = Long tail (base) -marking-VulpTailLong-long-tip = Long tail (tip) -marking-VulpTailLong = Vulpkanin Long -marking-VulpTailFox-fox = Fox tail (base) -marking-VulpTailFox-fox-fade = Fox tail (fade) -marking-VulpTailFox = Vulpkanin Fox -marking-VulpTailFoxTip-fox = Fox tail (base) -marking-VulpTailFoxTip-fox-tip = Fox tail (fade) -marking-VulpTailFoxTip = Vulpkanin Fox (tip) -marking-VulpTailFoxWag-fox_wag = Fox tail (base) -marking-VulpTailFoxWag-fox_wag-fade = Fox tail (fade) -marking-VulpTailFoxWag = Vulpkanin Fox (wag) -marking-VulpTailFoxWagTip-fox_wag = Fox tail (base) -marking-VulpTailFoxWagTip-fox_wag-tip = Fox tail (tip) -marking-VulpTailFoxWagTip = Vulpkanin Fox (wag, tip) -marking-VulpTailBushy-bushfluff = Bush tail -marking-VulpTailBushy = Vulpkanin Bush -marking-VulpTailBushyWag-bushfluff_wag = Bush tail -marking-VulpTailBushyWag = Vulpkanin Bush (wag) -marking-VulpTailCoyote-coyote = Coyote tail -marking-VulpTailCoyote = Vulpkanin Coyote -marking-VulpTailCoyoteWag-coyote_wag = Coyote tail -marking-VulpTailCoyoteWag = Vulpkanin Coyote (wag) -marking-VulpTailCorgiWag-corgi_wag = Crogi tail -marking-VulpTailCorgiWag = Vulpkanin Corgi (wag) -marking-VulpTailHusky-husky-inner = Husky tail (inner) -marking-VulpTailHusky-husky-outer = Husky tail (outer) -marking-VulpTailHusky = Vulpkanin Husky -marking-VulpTailHuskyAlt-husky = Husky tail -marking-VulpTailHuskyAlt = Vulpkanin Husky (alt) -marking-VulpTailFox2-fox2 = Fox tail -marking-VulpTailFox2 = Vulpkanin Fox 2 -marking-VulpTailFox3-fox3 = Fox tail (base) -marking-VulpTailFox3-fox3-tip = Fox tail (tip) -marking-VulpTailFox3 = Vulpkanin Fox 3 -marking-VulpTailFennec-fennec = Fennec tail -marking-VulpTailFennec = Vulpkanin Fennec -marking-VulpTailOtie-otie = Otie tail -marking-VulpTailOtie = Vulpkanin Otie -marking-VulpTailFluffy-fluffy = Fluffy tail -marking-VulpTailFluffy = Vulpkanin Fluffy -marking-VulpTailDalmatianWag-dalmatian_wag = Dalmatian tail -marking-VulpTailDalmatianWag = Vulpkanin Dalmatian (wag) -marking-VulpBellyCrest-belly_crest = Belly -marking-VulpBellyCrest = Vulpkanin Belly Crest -marking-VulpBellyFull-belly_full = Belly -marking-VulpBellyFull = Vulpkanin Belly 1 -marking-VulpBellyFox-belly_fox = Belly -marking-VulpBellyFox = Vulpkanin Belly 2 -marking-VulpBodyPointsCrest-points_crest = Points (crest) -marking-VulpBodyPointsCrest = Vulpkanin Points (crest) -marking-VulpBodyPointsFade-points_fade = Vulpkanin Points (fade) -marking-VulpBodyPointsFade = Vulpkanin Points (fade) -marking-VulpBodyPointsSharp-points_sharp = Vulpkanin Points (sharp) -marking-VulpBodyPointsSharp = Vulpkanin Points (sharp) -marking-VulpPointsFeet-points_feet = Points Feet -marking-VulpPointsFeet = Vulpkanin Points Feet -marking-VulpPointsCrestLegs-points_crest-legs = Points (crest) -marking-VulpPointsCrestLegs = Vulpkanin Points Legs (crest) -marking-VulpPointsFadeLegs-points_fade-legs = Points (fade) -marking-VulpPointsFadeLegs = Vulpkanin Points Legs (fade) -marking-VulpPointsSharpLegs-points_sharp-legs = Points (sharp) -marking-VulpPointsSharpLegs = Vulpkanin Points Legs (sharp) -marking-VulpPointsHands-points_hands = Points Hands -marking-VulpPointsHands = Vulpkanin Points Hands -marking-VulpPointsCrestArms-points_crest-arms = Points (crest) -marking-VulpPointsCrestArms = Vulpkanin Points Arms (crest) -marking-VulpPointsFadeArms-points_fade-arms = Points (fade) -marking-VulpPointsFadeArms = Vulpkanin Points Arms (fade) -marking-VulpPointsSharpArms-points_sharp-arms = Points (sharp) -marking-VulpPointsSharpArms = Vulpkanin Points Arms (sharp) -marking-VulpHairAdhara = Adhara -marking-VulpHairAnita = Anita -marking-VulpHairApollo = Apollo -marking-VulpHairBelle = Belle -marking-VulpHairBraided = Braided Hair -marking-VulpHairBun = Bun -marking-VulpHairCleanCut = Clean Cut -marking-VulpHairCurl = Curl -marking-VulpHairHawk = Hawk -marking-VulpHairJagged = Jagged -marking-VulpHairJeremy = Jeremy -marking-VulpHairKajam = Kajam -marking-VulpHairKeid = Keid -marking-VulpHairKleeia = Kleeia -marking-VulpHairMizar = Mizar -marking-VulpHairPunkBraided = Punk Braided -marking-VulpHairRaine = Raine -marking-VulpHairRough = Rough -marking-VulpHairShort = Short Hair -marking-VulpHairShort2 = Short Hair 2 -marking-VulpHairSpike = Spike -marking-VulpFacialHairRuff = Ruff -marking-VulpFacialHairElder = Elder -marking-VulpFacialHairElderChin = Elder Chin -marking-VulpFacialHairKita = Kita +marking-VulpEar-vulp = Вульпье ухо (Наружнее) +marking-VulpEar-vulp-inner = Вульпье ухо (Внутреннее) +marking-VulpEar = Вульпканин +marking-VulpEarFade-vulp = Лисье ухо (Внутреннее) +marking-VulpEarFade-vulp-fade = Лисье ухо (Наружнее) +marking-VulpEarFade = Вульпканин (Увянувшие) +marking-VulpEarSharp-vulp = Лисье ухо (Наружнее) +marking-VulpEarSharp-vulp-sharp = Лисье ухо (Внутреннее) +marking-VulpEarSharp = Вульпканин (Острые) +marking-VulpEarJackal-jackal = Шакалье ухо (Наружнее) +marking-VulpEarJackal-jackal-inner = Шакалье ухо (Внутреннее) +marking-VulpEarJackal = Вульпканин, шакал +marking-VulpEarTerrier-terrier = Терьерье ухо (Наружнее) +marking-VulpEarTerrier-terrier-inner = Терьерье ухо (Внутреннее) +marking-VulpEarTerrier = Вульпканин, терьер +marking-VulpEarWolf-wolf = Волчье ухо (Наружнее) +marking-VulpEarWolf-wolf-inner = Волчье ухо (Внутреннее) +marking-VulpEarWolf = Вульпканин, волк +marking-VulpEarFennec-fennec = Феннёчье ухо (Наружнее) +marking-VulpEarFennec-fennec-inner = Феннёчье ухо (Внутреннее) +marking-VulpEarFennec = Вульпканин, феннёк +marking-VulpEarFox-fox = Лисье ухо +marking-VulpEarFox = Вульпканин, лис +marking-VulpEarOtie-otie = Отичье ухо (Наружнее) +marking-VulpEarOtie-otie-inner = Отичье ухо (Внутреннее) +marking-VulpEarOtie = Вульпканин, оти +marking-VulpEarTajaran-msai = Таджаранье ухо (Наружнее) +marking-VulpEarTajaran-msai-inner = Таджаранье ухо (Внутреннее) +marking-VulpEarTajaran = Вульпканин, таджаран +marking-VulpEarShock-shock = Заострённое ухо +marking-VulpEarShock = Вульпканин, заострённый +marking-VulpEarCoyote-coyote = Койотье ухо +marking-VulpEarCoyote = Вульпканин, койот +marking-VulpEarDalmatian-dalmatian = Далматинско ухо +marking-VulpEarDalmatian = Вульпканин, далматин +marking-VulpSnoutAlt-muzzle_alt = Морда +marking-VulpSnoutAlt-nose = Нос +marking-VulpSnoutAlt = Вульпканин, морда 2 +marking-VulpSnout-muzzle = Морда +marking-VulpSnout-nose = Нос +marking-VulpSnout = Вульпканин, морда +marking-VulpSnoutSharp-muzzle_sharp = Морда +marking-VulpSnoutSharp-nose = Нос +marking-VulpSnoutSharp = Вульпканин, морда (Острая) +marking-VulpSnoutFade-muzzle_fade = Морда +marking-VulpSnoutFade-nose = Нос +marking-VulpSnoutFade = Вульпканин, морда (Увядшая) +marking-VulpSnoutNose-nose = Нос +marking-VulpSnoutNose = Вульпканин, нос +marking-VulpSnoutMask-mask = Маска +marking-VulpSnoutMask-nose = Нос +marking-VulpSnoutMask = Вульпканин, маска +marking-VulpSnoutVulpine-vulpine = Вульпин (Обычный) +marking-VulpSnoutVulpine-vulpine-lines = Вульпин (Линии) +marking-VulpSnoutVulpine = Вульпканин, вульпин +marking-VulpSnoutSwift-vulpine-lines = Свифт +marking-VulpSnoutSwift = Вульпканин, свифт +marking-VulpSnoutBlaze-blaze = Блейз +marking-VulpSnoutBlaze = Вульпканин, блейз +marking-VulpSnoutPatch-patch = Патч +marking-VulpSnoutPatch = Вульпканин, патч +marking-VulpHeadTiger-tiger_head = Тигровые полоски +marking-VulpHeadTiger = Вульпканин, тигровые полоски (Голова) +marking-VulpHeadTigerFace-tiger_face = Тигровые полоски +marking-VulpHeadTigerFace = Вульпканин, тигровые полоски (Лицо) +marking-VulpHeadSlash-slash = Узкий +marking-VulpHeadSlash = Вульпканин, узкий +marking-VulpTail-vulp = Вульпканин, хвост (Обычный) +marking-VulpTail-vulp-fade = Вульпканин, хвост (Увядший) +marking-VulpTail = Вульпканин +marking-VulpTailTip-vulp = Вульпканин, хвост (Хвост) +marking-VulpTailTip-vulp-tip = Вульпканин, хвост (Кончик) +marking-VulpTailTip = Вульпканин (Кончик) +marking-VulpTailWag-vulp_wag = Вульпканин, хвост (Хвост) +marking-VulpTailWag-vulp_wag-fade = Вульпканин, хвост (Увядший) +marking-VulpTailWag = Вульпканин (Отсрый) +marking-VulpTailWagTip-vulp_wag = Вульпканин, хвост (Анимированный) +marking-VulpTailWagTip-vulp_wag-tip = Вульпканин, хвост (Кончик) +marking-VulpTailWagTip = Вульпканин (Анимированный, Кончик) +marking-VulpTailAlt-vulp_alt = Вульпканин, хвост (Хвост) +marking-VulpTailAlt-vulp_alt-fade = Вульпканин, хвост (Кончик) +marking-VulpTailAlt = Вульпканин (Альтернативный) +marking-VulpTailAltTip-vulp_alt = Вульпканин, хвост (Хвост) +marking-VulpTailAltTip-vulp_alt-tip = Вульпканин, хвост (Кончик) +marking-VulpTailAltTip = Вульпканин (Альтернативный, Кончик) +marking-VulpTailLong-long = Большой хвост (Хвост) +marking-VulpTailLong-long-tip = Большой хвост (Кончик) +marking-VulpTailLong = Вульпканин, большой +marking-VulpTailFox-fox = Вульпканин, хвост (Хвост) +marking-VulpTailFox-fox-fade = Вульпканин, хвост (Кончик) +marking-VulpTailFox = Вульпканин, лис +marking-VulpTailFoxTip-fox = Лис, хвост (Хвост) +marking-VulpTailFoxTip-fox-tip = Лис, хвост (Кончик) +marking-VulpTailFoxTip = Вульпканин, лис (Кончик) +marking-VulpTailFoxWag-fox_wag = Лис, хвост (Хвост) +marking-VulpTailFoxWag-fox_wag-fade = Лис, хвост (Кончик) +marking-VulpTailFoxWag = Вульпканин, лис (Анимированный) +marking-VulpTailFoxWagTip-fox_wag = Вульпканин, лис (Хвост) +marking-VulpTailFoxWagTip-fox_wag-tip = Вульпканин, лис (tip) +marking-VulpTailFoxWagTip = Вульпканин, лис (Анимированный, Кончик) +marking-VulpTailBushy-bushfluff = Галаго, хвост +marking-VulpTailBushy = Вульпканин, галаго +marking-VulpTailBushyWag-bushfluff_wag = Галаго, хвост +marking-VulpTailBushyWag = Вульпканин, галаго (Анимированный) +marking-VulpTailCoyote-coyote = Койот, хвост +marking-VulpTailCoyote = Вульпканин, койот +marking-VulpTailCoyoteWag-coyote_wag = Койот, хвост +marking-VulpTailCoyoteWag = Вульпканин, койот (Анимированный) +marking-VulpTailCorgiWag-corgi_wag = Корги, хвост +marking-VulpTailCorgiWag = Вульпканин, корги (Анимированный) +marking-VulpTailHusky-husky-inner = Хаски, хвост (Внутренний) +marking-VulpTailHusky-husky-outer = Хаски, хвост (Наружний) +marking-VulpTailHusky = Вульпканин, хаски +marking-VulpTailHuskyAlt-husky = Хаски, хвост +marking-VulpTailHuskyAlt = Вульпканин, хаски (Альтернативный) +marking-VulpTailFox2-fox2 = Лис, хвост +marking-VulpTailFox2 = Вульпканин, лис 2 +marking-VulpTailFox3-fox3 = Лис, хвост (Хвост) +marking-VulpTailFox3-fox3-tip = Лис, хвост (Кончик) +marking-VulpTailFox3 = Вульпканин, лис 3 +marking-VulpTailFennec-fennec = Феннёк, хвост +marking-VulpTailFennec = Вульпканин, феннёк +marking-VulpTailOtie-otie = Оти, хвост +marking-VulpTailOtie = Вульпканин, Оти +marking-VulpTailFluffy-fluffy = Пушистый, хвост +marking-VulpTailFluffy = Вульпканин, пушистый +marking-VulpTailDalmatianWag-dalmatian_wag = Далматин, хвост +marking-VulpTailDalmatianWag = Вульпканин, далматин (Анимированный) +marking-VulpBellyCrest-belly_crest = Живот +marking-VulpBellyCrest = Вульпканин, живот узор +marking-VulpBellyFull-belly_full = Живот +marking-VulpBellyFull = Вульпканин, живот 1 +marking-VulpBellyFox-belly_fox = Живот +marking-VulpBellyFox = Вульпканин, живот 2 +marking-VulpBodyPointsCrest-points_crest = Точки (Узор) +marking-VulpBodyPointsCrest = Вульпканин, точки (Узор) +marking-VulpBodyPointsFade-points_fade = Вульпканин, точки (Кончик) +marking-VulpBodyPointsFade = Вульпканин, точки (Кончик) +marking-VulpBodyPointsSharp-points_sharp = Вульпканин, точки (Острый) +marking-VulpBodyPointsSharp = Вульпканин, точки (Острый) +marking-VulpPointsFeet-points_feet = Точки, стопа +marking-VulpPointsFeet = Вульпканин, точки стопа +marking-VulpPointsCrestLegs-points_crest-legs = Точки (Узор) +marking-VulpPointsCrestLegs = Вульпканин, точки ноги (Узор) +marking-VulpPointsFadeLegs-points_fade-legs = Точки (Кончик) +marking-VulpPointsFadeLegs = Вульпканин, точки ноги (Кончик) +marking-VulpPointsSharpLegs-points_sharp-legs = Точки (Острый) +marking-VulpPointsSharpLegs = Вульпканин, точки ноги (Острый) +marking-VulpPointsHands-points_hands = Точки, кисти +marking-VulpPointsHands = Вульпканин, точки кисти +marking-VulpPointsCrestArms-points_crest-arms = Точки (Узор) +marking-VulpPointsCrestArms = Вульпканин, точки руки (Узор) +marking-VulpPointsFadeArms-points_fade-arms = Точки (Кончик) +marking-VulpPointsFadeArms = Вульпканин, точки руки (Кончик) +marking-VulpPointsSharpArms-points_sharp-arms = Точки (Острый) +marking-VulpPointsSharpArms = Вульпканин, точки руки (Острый) +marking-VulpHairAdhara = Адхара +marking-VulpHairAnita = Анита +marking-VulpHairApollo = Аполло +marking-VulpHairBelle = Красавица +marking-VulpHairBraided = Заплетенные в косу волосы +marking-VulpHairBun = Булочка +marking-VulpHairCleanCut = Чистый срез +marking-VulpHairCurl = Локон +marking-VulpHairHawk = Ястреб +marking-VulpHairJagged = Зазубренный +marking-VulpHairJeremy = Джереми +marking-VulpHairKajam = Каджам +marking-VulpHairKeid = Кейд +marking-VulpHairKleeia = Клейя +marking-VulpHairMizar = Мизар +marking-VulpHairPunkBraided = Панк-плетеный +marking-VulpHairRaine = Рейн +marking-VulpHairRough = Грубая +marking-VulpHairShort = Короткие волосы +marking-VulpHairShort2 = Короткие волосы 2 +marking-VulpHairSpike = Шипы +marking-VulpFacialHairRuff = Ерш +marking-VulpFacialHairElder = Элдер +marking-VulpFacialHairElderChin = Элдер подбородок +marking-VulpFacialHairKita = Кита diff --git a/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl b/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl index 0e64e9f0edf..f4f805114df 100644 --- a/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl +++ b/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl @@ -1,9 +1,9 @@ -job-name-mail-carrier = Почтальон -job-name-gladiator = Гладиатор -job-name-fugitive = Беглец -job-name-prisoner = Заключенный -job-name-valet = Камердинер -job-name-guard = Тюремщик +job-name-mail-carrier = почтальон +job-name-gladiator = гладиатор +job-name-fugitive = беглец +job-name-prisoner = заключенный +job-name-valet = камердинер +job-name-guard = тюремщик job-name-martialartist = Мастер боевых искуств job-description-mail-carrier = Доставляйте почту. Избегайте собак. job-description-gladiator = Дайте хлеба и зрелищ команде. Сражайтесь за честь и отвагу. diff --git a/Resources/Locale/ru-RU/paper/book-salvage.ftl b/Resources/Locale/ru-RU/paper/book-salvage.ftl index 224053ce3f7..a987066723b 100644 --- a/Resources/Locale/ru-RU/paper/book-salvage.ftl +++ b/Resources/Locale/ru-RU/paper/book-salvage.ftl @@ -1,15 +1,16 @@ book-text-demonomicon1 = Как Вызвать Демона - автор Дж.Дж. Визджеральд - + 1. закончить написание руководства по вызову демона book-text-demonomicon2 = Как Вызвать Димона - автор Дж.Дж. Визджеральд - + 1. закончить написание руководства по вызову димона 2. СТоп. Опечатка. Чёрт. Простите чуваки -book-text-demonomicon3 = Найденные Мною Крутые Имена Демонов +book-text-demonomicon3 = + Найденные Мною Крутые Имена Демонов - автор мисс Моссрок - + Абраксас Нефилим Баал @@ -19,65 +20,65 @@ book-text-demonomicon3 = Найденные Мною Крутые Имена Д Сцилла Фенекс book-text-chemistry-insane = РУКОВОДСТВО ПО ХИМИИ ИГОРЯ ХИМИКА - + НАЗВАНИЕ: РУКОВОДСТВО ПО ХИМИИ - + АННОТАЦИЯ: РУКОВОДСТВО ПО ХИМИИ - + РАЗДЕЛ: МУДРЫЕ СЛОВА ИГОРЯ ХИМИКА - + МОЙ СОВЕТ НОМЕР ОДИН. ВСЕГДА ВЕСЕЛИСЬ. НИКОГДА НЕ ЗНАЕШЬ, КОГДА ВСЁ ЗАКОНЧИТСЯ. ТАК ЧТО ПРОСТО ПРОДОЛЖАЙ!!! - + МОЙ СОВЕТ НОМЕР ДВА. Я ПРОСТО НЕ МОГУ БЛЯТЬ ПЕРЕСТАТЬ ПЕРЕМАЛЫВАТЬ КОМБИНЕЗОНЫ В ИЗМЕЛЬЧИТЕЛЕ. МОИ Т.Н. "КОЛЛЕГИ" (агенты) ПОСТОЯННО КРИЧАТ НА МЕНЯ ЧТОБЫ Я ПЕРЕСТАЛ И ЧТО "их стоимость вычтут из нашей зарплаты", НО ОНИ ТАК ХОРОШИ. Я ПРЯМО ГЕНИЙ ДИЗАЙНА ИНТЕРЬЕРА. САКСОФОНЫ И БАТАРЕИ ОТВЛЕКАЮТ МЕНЯ, НО Я ВСЕГДА ВОЗВРАЩАЮСЬ К КОМБИНЕЗОНАМ. ИИИ-ХАА. - + МОЙ СОВЕТ НОМЕР ТРИ. СПАСИБО, ЧТО ПРОЧИТАЛИ!!! ИГОРЬ ХИМИК - + ВЫВОДЫ: ИГОРЬ ХИМИК book-text-botanics = ** Практическое применение образцов флоры, встречаемых на территориях Nanotrasen ** - + Многие растения, будучи измельчёнными, образуют полезные химические вещества. К. (тут и далее - космический) мак и к. алоэ вера известны благодаря своим целебным свойствам. - + К. трутовик, он же линчжи, известен потенциальной возможностью спасать находящихся при смерти от токсинов. Однако чрезмерное его употребление может привести к неблагоприятным последствиям. - + К. мухомор, чрезвычайно ядовитый гриб (Покойтесь с миром, сэр Алакастер), и к. галакточертополох, казалось бы, обычный антитоксин, оказывается, имеют какое-то отношение друг к другу. - + В настоящее время проводятся специальные исследования сочетаний обсуждаемых лекарственных растений, которые могут оказаться плодотворными. - + ---- - + - авторы Джеймс Алакастер и Голзук Амарант book-text-gnome = Да Здравствует Гномий Король - + Он есть Великий Картограф, что поместил наш народ в мир Острова! - + Тот, кто любит обладателей самых пышных шляп! - + Сражённый злопыхателями, не способными признать наш род! - + Наша месть свершится сполна! Он восстанет вновь! Хии хуу! book-text-fishing = Когда я вырасту, я хочу стать одним из собирателей космического моря! - + Я надеюсь, что до конца своих дней успею поймать легендарную космическую рыбу! - + Я как маленькая крыска, плывущая по сырному морю! Ублюдки явятся чтобы прикончить меня, но я хитер как кот, и также удачлив! - + Зажмите и , чтобы активировать мини-игру "Рыбалка". - + - Сержант Джон Бейкер Аклополи book-text-detective = ГЛАВА 1: МАЛЕНЬКИЙ ПЕРЕПОЛОХ НА БОЛЬШОЙ СТАНЦИИ - + Эта станция тонула в преступности и грязи... - + Я был на Багеле, играл в мяч, когда услышал вскрик и лазерный выстрел. Я зашёл под стоящий рядом стол, намереваясь спрятаться, но второго выстрела не прозвучало. - + Снаружу, двое синдов, которым удалось пронести опасную контрабанду, напали на главу инженерии. Того, что от него осталось, не хватило бы на похороны в открытом гробу. - + Здесь всегда всё идёт наперекосяк... Я никогда больше не буду относиться к клоунам как раньше. - + Вопрос в том... Кто это сделал на самом деле? diff --git a/Resources/Locale/ru-RU/paper/stamp-component.ftl b/Resources/Locale/ru-RU/paper/stamp-component.ftl index bf167d6f280..8a70ab09f27 100644 --- a/Resources/Locale/ru-RU/paper/stamp-component.ftl +++ b/Resources/Locale/ru-RU/paper/stamp-component.ftl @@ -7,8 +7,8 @@ stamp-component-stamped-name-clown = Клоун stamp-component-stamped-name-cmo = Главврач stamp-component-stamped-name-denied = ОТКАЗАНО stamp-component-stamped-name-approved = ОДОБРЕНО -stamp-component-stamped-name-hop = Глава персонала -stamp-component-stamped-name-hos = Глава службы безопасности +stamp-component-stamped-name-hop = Представитель Фронтира +stamp-component-stamped-name-hos = Шериф stamp-component-stamped-name-qm = Квартирмейстер stamp-component-stamped-name-rd = Научный руководитель stamp-component-stamped-name-warden = Смотритель diff --git a/Resources/Locale/ru-RU/prototypes/access/accesses.ftl b/Resources/Locale/ru-RU/prototypes/access/accesses.ftl index 3d2b69486de..95eeea55d1a 100644 --- a/Resources/Locale/ru-RU/prototypes/access/accesses.ftl +++ b/Resources/Locale/ru-RU/prototypes/access/accesses.ftl @@ -1,9 +1,9 @@ id-card-access-level-command = Командование id-card-access-level-captain = Капитан id-card-access-level-cryogenics = Криогеника -id-card-access-level-head-of-personnel = Глава персонала -id-card-access-level-head-of-security = Глава службы безопасности -id-card-access-level-security = Служба безопасности +id-card-access-level-head-of-personnel = Представитель Фронтира +id-card-access-level-head-of-security = Шуриф +id-card-access-level-security = Служба безопасности Фронтира id-card-access-level-armory = Оружейная id-card-access-level-brig = Бриг id-card-access-level-detective = Детектив @@ -26,7 +26,7 @@ id-card-access-level-service = Сервис id-card-access-level-janitor = Уборщик id-card-access-level-theatre = Театр id-card-access-level-chapel = Церковь -id-card-access-level-lawyer = Lawyer +id-card-access-level-lawyer = Адвокат id-card-access-level-maintenance = Техобслуживание id-card-access-level-external = Внешний id-card-access-level-nuclear-operative = Ядерный оперативник diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl index 03d963e7449..f78602ad28b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl @@ -1,2 +1,2 @@ -ent-ClothingBackpackDuffelSyndicateFilledEmpGrenadeLauncher = China-Lake EMP bundle - .desc = An old China-Lake grenade launcher bundled with 8 rounds of EMP. +ent-ClothingBackpackDuffelSyndicateFilledEmpGrenadeLauncher = Набор "China-Lake EMP" + .desc = Старый гранатомёт China-Lake, оснащённый 8 гранатами, которые при контакте генерируют электромагнитный импульс (ЭМИ). diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl index 434414a8297..c2e3ef37053 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl @@ -12,3 +12,5 @@ ent-ClothingBackpackPilotFilled = { ent-ClothingBackpackPilot } .desc = { ent-ClothingBackpackPilot.desc } ent-ClothingBackpackOfficerFilled = { ent-ClothingBackpackSecurity } .desc = { ent-ClothingBackpackSecurity.desc } +ent-ClothingBackpackERTMailCarrierFilled = { ent-ClothingBackpackERTMailCarrier } + .desc = { ent-ClothingBackpackERTMailCarrier.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl index 10a4fdd011c..63b46fa31cf 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl @@ -37,7 +37,7 @@ ent-ClothingBackpackMessengerChemistryFilled = { ent-ClothingBackpackMessengerCh ent-ClothingBackpackMessengerChaplainFilled = { ent-ClothingBackpackMessenger } .desc = { ent-ClothingBackpackMessenger.desc } ent-ClothingBackpackMessengerMusicianFilled = { ent-ClothingBackpackMessenger } - .desc = { ent-ClothingBackpackMessenger.desc } + .desc = { ent-ClothingBackpackMessenger.desc } ent-ClothingBackpackMessengerLibrarianFilled = { ent-ClothingBackpackMessenger } .desc = { ent-ClothingBackpackMessenger.desc } ent-ClothingBackpackMessengerDetectiveFilled = { ent-ClothingBackpackMessenger } @@ -62,6 +62,8 @@ ent-ClothingBackpackMessengerPilotFilled = { ent-ClothingBackpackMessengerPilot .desc = { ent-ClothingBackpackMessengerPilot.desc } ent-ClothingBackpackMessengerJanitorFilled = { ent-ClothingBackpackMessengerJanitor } .desc = { ent-ClothingBackpackMessengerJanitor.desc } +ent-ClothingBackpackMessengerMailCarrierFilled = { ent-ClothingBackpackMessengerMailCarrier } + .desc = { ent-ClothingBackpackMessengerMailCarrier.desc } ent-ClothingBackpackMessengerMailmanFilled = { ent-ClothingBackpackMessengerMailman } .desc = { ent-ClothingBackpackMessengerMailman.desc } ent-ClothingBackpackMessengerOfficerFilled = { ent-ClothingBackpackMessengerSecurity } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl index 2c138170cea..854ea45fa19 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl @@ -1,12 +1,12 @@ -ent-BoxWetFloorSign = Wet floor sign box - .desc = A box of wet floor signs. Happy janitor noises. -ent-BoxPaper = Paper box - .desc = A box full of papers. -ent-BoxPaperOffice = Office paper box - .desc = A box full of papers. -ent-BoxPaperCaptainsThoughts = Captains thoughts paper box - .desc = A box full of papers. -ent-MysteryFigureBoxBulk = mystery spacemen minifigure bulk box - .desc = A box containing six mystery minifigure boxes. -ent-BoxT3SuperCapacitor = Thruster upgrade kit - .desc = A box of super capacitors. +ent-BoxWetFloorSign = коробка знаков "мокрый пол" + .desc = Уборщик будет счастлив. +ent-BoxPaper = коробка с бумагами + .desc = Коробка полная бумаги. +ent-BoxPaperOffice = коробка с офисными бумагами + .desc = Коробка полная бумаги. +ent-BoxPaperCaptainsThoughts = коробка размышлений капитана + .desc = Коробка полная бумаги. +ent-MysteryFigureBoxBulk = комплект минифигурок Загадочные космонавты + .desc = Коробка содержащая шесть коробок минифигурок Загадочные космонавты. +ent-BoxT3SuperCapacitor = комплект обновления двигателей + .desc = Коробка с суперконденсаторами. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl index 312353640a0..bf17c299c1c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl @@ -1,5 +1,5 @@ -ent-CrateNPCEmotionalSupport = Emotional support pet crate +ent-CrateNPCEmotionalSupport = ящик с ручными зверушками .desc = { ent-CrateLivestock.desc } -ent-CrateNPCEmotionalSupportSafe = Emotional support pet crate - .suffix = Safe +ent-CrateNPCEmotionalSupportSafe = ящик с ручными зверушками + .suffix = Безопасный .desc = { ent-CrateLivestock.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl index 4c786beb044..673bbe27a1e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl @@ -1,14 +1,14 @@ -ent-CrateVendingMachineRestockAstroVendFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } -ent-CrateVendingMachineRestockAmmoFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } -ent-CrateVendingMachineRestockFlatpackVendFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } -ent-CrateVendingMachineRestockCuddlyCritterVendFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } -ent-CrateVendingMachineRestockLessLethalVendFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } -ent-CrateVendingMachineRestockAutoTuneVendFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } -ent-CrateVendingMachineRestockPottedPlantVendFilled = { ent-CratePlasticBiodegradable } - .desc = { ent-CratePlasticBiodegradable.desc } +ent-CrateVendingMachineRestockAstroVendFilled = Ящик для пополнения запасов АстроВенд + .desc = Содержит две коробки для пополнения запасов для торгового автомата АстроВенд. +ent-CrateVendingMachineRestockAmmoFilled = Ящик для пополнения запасов Пулемата + .desc = Содержит две коробки для пополнения запасов в торговом автомате Пулемат. +ent-CrateVendingMachineRestockFlatpackVendFilled = Ящик для пополнения запасов Упак-О-Мат + .desc = Содержит две коробки для пополнения запасов в автомате Упак-О-Мат. +ent-CrateVendingMachineRestockCuddlyCritterVendFilled = Ящик для пополнения запасов ПлюшкоВенд + .desc = Содержит две коробки для пополнения запасов в автомате ПлюшкоВенд +ent-CrateVendingMachineRestockLessLethalVendFilled = Ящик для пополнения запасов ТравМаг + .desc = Содержит две коробки для пополнения запасов в автомате ТравМаг +ent-CrateVendingMachineRestockAutoTuneVendFilled = Ящик для пополнения запасов МузВенд + .desc = Содержит две коробки для пополнения запасов в автомате МузВенд +ent-CrateVendingMachineRestockPottedPlantVendFilled = Ящик для пополнения запасов Трав-О-Маг + .desc = Содержит две коробки для пополнения запасов в автомате Трав-О-Маг diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl index 4e91a6da8bd..1ea2d94bd37 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl @@ -1,3 +1,11 @@ ent-ClothingBeltPilotFilled = { ent-ClothingBeltPilot } - .suffix = Filled + .suffix = Заполненный .desc = { ent-ClothingBeltPilot.desc } +ent-ClothingBeltNfsdFilled = { ent-ClothingBeltNfsd } + .desc = { ent-ClothingBeltNfsd.desc } +ent-ClothingBeltNfsdWebbingFilledBrigmedic = { ent-ClothingBeltNfsdWebbing } + .suffix = Заполненный, Бригмедик + .desc = { ent-ClothingBeltNfsdWebbing.desc } +ent-ClothingBeltNfsdWebbingFilled = { ent-ClothingBeltNfsdWebbing } + .suffix = Заполненный + .desc = { ent-ClothingBeltNfsdWebbing.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/gas_tanks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/gas_tanks.ftl new file mode 100644 index 00000000000..f305e1c54b6 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/gas_tanks.ftl @@ -0,0 +1,3 @@ +ent-DoubleEmergencyAirTankFilled = { ent-DoubleEmergencyAirTank } + .suffix = Заполненный + .desc = { ent-DoubleEmergencyAirTank.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl index a716d6084fa..e7333cd2b8f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl @@ -1,9 +1,11 @@ ent-ClothingShoesBootsMagCombatFilled = { ent-ClothingShoesBootsMagCombat } - .suffix = Filled + .suffix = Заполненный .desc = { ent-ClothingShoesBootsMagCombat.desc } +ent-ClothingShoesBootsMagNfsdFilled = { ent-ClothingShoesBootsMagNfsd } + .desc = { ent-ClothingShoesBootsMagNfsd.desc } ent-ClothingShoesBootsMagMercenaryFilled = { ent-ClothingShoesBootsMagMercenary } - .suffix = Filled + .suffix = Заполненный .desc = { ent-ClothingShoesBootsMagMercenary.desc } ent-ClothingShoesBootsMagPirateFilled = { ent-ClothingShoesBootsMagPirate } - .suffix = Filled + .suffix = Заполненный .desc = { ent-ClothingShoesBootsMagPirate.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl index cc035514b28..e1a801c4bb0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl @@ -1,21 +1,21 @@ -ent-GunSafeShuttleCaptain = shuttle safe - .suffix = Empty, Captain +ent-GunSafeShuttleCaptain = сейф + .suffix = Пустой, Капитан .desc = { ent-GunSafe.desc } -ent-GunSafeShuttleT1 = shuttle gun safe +ent-GunSafeShuttleT1 = оружейный сейф .suffix = T1 .desc = { ent-GunSafeShuttleCaptain.desc } -ent-GunSafeShuttleT2 = shuttle gun safe +ent-GunSafeShuttleT2 = оружейный сейф .suffix = T2 .desc = { ent-GunSafeShuttleCaptain.desc } -ent-GunSafeShuttleT3 = shuttle gun safe +ent-GunSafeShuttleT3 = оружейный сейф .suffix = T3 .desc = { ent-GunSafeShuttleCaptain.desc } -ent-GunSafeShuttleT1Spawner = shuttle gun safe +ent-GunSafeShuttleT1Spawner = оружейный сейф .suffix = T1 .desc = { ent-MarkerBase.desc } -ent-GunSafeShuttleT2Spawner = shuttle gun safe +ent-GunSafeShuttleT2Spawner = оружейный сейф .suffix = T2 .desc = { ent-MarkerBase.desc } -ent-GunSafeShuttleT3Spawner = shuttle gun safe +ent-GunSafeShuttleT3Spawner = оружейный сейф .suffix = T3 .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl index a72daf75150..034f2ad6456 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl @@ -1,3 +1,3 @@ ent-LockerQuarterMasterFilledHardsuit = { ent-LockerQuarterMaster } - .suffix = Filled, Hardsuit + .suffix = Заполненный, Скафандр .desc = { ent-LockerQuarterMaster.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/mail.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/mail.ftl new file mode 100644 index 00000000000..6b47363d60c --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/mail.ftl @@ -0,0 +1,3 @@ +ent-LockerMailCarrierFilled = { ent-LockerMailCarrier } + .suffix = Заполненный + .desc = { ent-LockerMailCarrier.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl index c479c1475d1..06b999902a3 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl @@ -1,3 +1,3 @@ ent-LockerParamedicFilledHardsuit = { ent-LockerParamedic } - .suffix = Filled, Hardsuit + .suffix = Заполненный, Скафандр .desc = { ent-LockerParamedic.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl index a756c06eb37..8c284539cb0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl @@ -1,3 +1,3 @@ ent-LockerPilotFilled = { ent-LockerPilot } - .suffix = Filled + .suffix = Заполненный .desc = { ent-LockerPilot.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl index 4d1f783af5f..494b46d6d7c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl @@ -1,9 +1,9 @@ ent-LockerBrigmedicFilledHardsuit = { ent-LockerBrigmedic } - .suffix = Filled, Hardsuit + .suffix = Заполненный, Скафандр .desc = { ent-LockerBrigmedic.desc } ent-LockerBrigmedicFilled = { ent-LockerBrigmedic } - .suffix = Filled + .suffix = Заполненный .desc = { ent-LockerBrigmedic.desc } ent-LockerMercenaryFilled = { ent-LockerMercenary } - .suffix = Filled + .suffix = Заполненный .desc = { ent-LockerMercenary.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl index ecd7dbb7704..686d908fedb 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl @@ -1,6 +1,6 @@ ent-LockerJanitorFilled = { ent-LockerJanitor } - .suffix = Filled + .suffix = Заполненный .desc = { ent-LockerJanitor.desc } ent-LockerClownFilled = { ent-LockerClown } - .suffix = Filled + .suffix = Заполненный .desc = { ent-LockerClown.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl index 1d963c7cf6a..84b38a36224 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl @@ -1,18 +1,18 @@ ent-SuitStorageParamedic = { ent-SuitStorageBase } - .suffix = Paramedic + .suffix = Парамедик .desc = { ent-SuitStorageBase.desc } ent-SuitStorageBrigmedic = { ent-SuitStorageBase } - .suffix = Brigmedic + .suffix = Бригмедик .desc = { ent-SuitStorageBase.desc } ent-SuitStorageQuartermaster = { ent-SuitStorageBase } - .suffix = Quartermaster + .suffix = Квартирмейстер .desc = { ent-SuitStorageBase.desc } ent-SuitStorageMercenary = { ent-SuitStorageBase } - .suffix = Mercenary + .suffix = Наёмник .desc = { ent-SuitStorageBase.desc } ent-SuitStoragePilot = { ent-SuitStorageBase } - .suffix = Pilot + .suffix = Пилот .desc = { ent-SuitStorageBase.desc } ent-SuitStorageClown = { ent-SuitStorageBase } - .suffix = Clown + .suffix = Клоун .desc = { ent-SuitStorageBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl index 33232e4a355..963ca9255a0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl @@ -21,7 +21,7 @@ ent-SuitStorageWallmountEVASyndicate = { ent-SuitStorageEVASyndicate } ent-SuitStorageWallmountEVAPirate = { ent-SuitStorageEVAPirate } .desc = { ent-SuitStorageEVAPirate.desc } ent-SuitStorageWallmountNTSRA = { ent-SuitStorageNTSRA } - .desc = { ent-SuitStorageNTSRA.desc } + .desc = { ent-SuitStorageNTSRA.desc } ent-SuitStorageWallmountBasic = { ent-SuitStorageBasic } .desc = { ent-SuitStorageBasic.desc } ent-SuitStorageWallmountEngi = { ent-SuitStorageEngi } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl index f63fa289799..ca84eb98cea 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl @@ -1,2 +1,2 @@ -ent-ActionCancelEscape = Stop escaping - .desc = Calm down and sit peacefuly in your carrier's inventory +ent-ActionCancelEscape = прекратить сопротивление + .desc = Расслабиться и получать удовольствие. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl index 2081a294325..7396e88687e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl @@ -1,4 +1,23 @@ -ent-ClothingBackpackArcadia = arcadia backpack - .desc = A backpack produced by Arcadia Industries -ent-ClothingBackpackPilot = pilot backpack - .desc = A backpack for a True Ace. +ent-ClothingBackpackArcadia = аркадианский рюкзак + .desc = Рюкзак производства Arcadia Industries +ent-ClothingBackpackPilot = рюкзак пилота + .desc = Рюкзак настоящего аса. +ent-ClothingBackpackERTMailCarrier = рюкзак почтальона ОБР + .desc = Просторный рюкзак с множеством карманов, который носят почтальоны из Отряда Быстрого Реагирования. +ent-ClothingBackpackClippy = рюкзак Клиппи + .desc = Сделан из настоящего Клиппи. +ent-ClothingBackpacknfsdFilled = рюкзак ДСБФ + .desc = Рюкзак для помощника шерифа. + .suffix = Заполненный +ent-ClothingBackpacknfsd = рюкзак ДСБФ + .desc = Рюкзак для помощника шерифа. +ent-ClothingBackpacknfsdsheriffFilled = рюкзак ДСБФ + .desc = Рюкзак шерифа. + .suffix = Заполненный - Шериф +ent-ClothingBackpacknfsdsheriff = рюкзак ДСБФ + .desc = Рюкзак шерифа +ent-ClothingBackpacknfsdBrigmedFilled = рюкзак бригмедика ДСБФ + .desc = Рюкзак бригмедика. + .suffix = Заполненный +ent-ClothingBackpacknfsdBrigmed = рюкзак бригмедика ДСБФ + .desc = Рюкзак бригмедика. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl index 9794d1c0e80..ca3b65cd5fb 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl @@ -1,6 +1,19 @@ -ent-ClothingBackpackDuffelMercenary = mercenary duffel - .desc = A duffel that has been in many dangerous places, a reliable combat duffel. -ent-ClothingBackpackDuffelArcadia = arcadia duffel - .desc = A duffelbag produced by Arcadia Industries -ent-ClothingBackpackDuffelPilot = pilot duffel - .desc = A duffelbag produced for a True Ace. +ent-ClothingBackpackDuffelMercenary = вещмешок наёмника + .desc = Надежный вщмешок, который побывал во многих опасных местах. +ent-ClothingBackpackDuffelArcadia = аркадианский вещмешок + .desc = Вещмешок производства производства Arcadia Industries +ent-ClothingBackpackDuffelPilot = вещмешок пилота + .desc = Вещмешок настоящего аса. +ent-ClothingBackpackDuffelnfsdFilled = вещмешок ДСБФ + .desc = Вещмешок помощника шерифа. + .suffix = Заполненный +ent-ClothingBackpackDuffelnfsd = вещмешок ДСБФ + .desc = Вещмешок помощника шерифа. +ent-ClothingBackpackDuffelnfsdsheriffFilled = вещмешок ДСБФ + .desc = Вещмешок шерифа. + .suffix = Заполненный - Шериф +ent-ClothingBackpackDuffelnfsdBrigmed = вещмешок бригмедика ДСБФ + .desc = Вещмешок бригмедика. +ent-ClothingBackpackDuffelnfsdBrigmedFilled = вещмешок бригмедика ДСБФ + .desc = Вещмешок бригмедика. + .suffix = Заполненный diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl index cfc0d569157..a7f3c157165 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl @@ -1,44 +1,46 @@ -ent-ClothingBackpackMessenger = messenger bag - .desc = A trendy looking messenger bag. -ent-ClothingBackpackMessengerEngineering = engineering messenger bag - .desc = A tough messenger bag with extra pockets. -ent-ClothingBackpackMessengerAtmospherics = atmospherics messenger bag - .desc = A tough messenger bag made of fire resistant fibers. Smells like plasma. -ent-ClothingBackpackMessengerClown = clown messenger bag - .desc = For fast running from security. -ent-ClothingBackpackMessengerMedical = medical messenger bag - .desc = A sterile messenger bag used in medical departments. -ent-ClothingBackpackMessengerChemistry = chemistry messenger bag - .desc = A sterile messenger bag with chemist colours. -ent-ClothingBackpackMessengerVirology = virology messenger bag - .desc = A messenger bag made of hypo-allergenic fibers. It's designed to help prevent the spread of disease. Smells like monkey. -ent-ClothingBackpackMessengerGenetics = genetics messenger bag - .desc = A sterile messenger bag with geneticist colours. -ent-ClothingBackpackMessengerScience = science messenger bag - .desc = Useful for holding research materials. -ent-ClothingBackpackMessengerSecurity = security messenger bag - .desc = A robust messenger bag for security related needs. -ent-ClothingBackpackMessengerBrigmedic = brigmedic messenger bag - .desc = A sterile messenger bag for medical related needs. -ent-ClothingBackpackMessengerCaptain = captain's messenger bag - .desc = An exclusive messenger bag for Nanotrasen officers. -ent-ClothingBackpackMessengerHydroponics = hydroponics messenger bag - .desc = A messenger bag made of all natural fibers. -ent-ClothingBackpackMessengerCargo = cargo messenger bag - .desc = A robust messenger bag for stealing cargo's loot. -ent-ClothingBackpackMessengerSalvage = salvage messenger bag - .desc = A robust messenger bag for stashing your loot. -ent-ClothingBackpackMessengerPilot = pilot messenger bag - .desc = A robust messenger bag for shuttle parts. -ent-ClothingBackpackMessengerMercenary = mercenary messenger bag - .desc = A robust messenger bag for war crimes. -ent-ClothingBackpackMessengerSyndicate = syndicate messenger bag - .desc = A robust messenger bag for waging war against oppressors. -ent-ClothingBackpackMessengerHolding = messenger bag of holding - .desc = A messenger bag that opens into a localized pocket of bluespace. -ent-ClothingBackpackMessengerMailman = mailman messenger bag - .desc = A robust messenger bag for waging war against mail. -ent-ClothingBackpackMessengerJanitor = janitor messenger bag - .desc = A robust messenger bag for waging war against dirt. -ent-ClothingBackpackMessengerMime = mime messenger bag - .desc = A robust messenger bag for waging war against clowns. +ent-ClothingBackpackMessenger = сумка-мессенджер + .desc = Модная сумка-мессенджер. +ent-ClothingBackpackMessengerEngineering = сумка-мессенджер инженера + .desc = Прочная сумка с дополнительными карманами. +ent-ClothingBackpackMessengerAtmospherics = сумка-мессенджер атмос-инженера + .desc = Прочная сумка из огнестойких волокон. Пахнет плазмой. +ent-ClothingBackpackMessengerClown = сумка-мессенджер клоуна + .desc = Чтобы быстро убегать от охраны. +ent-ClothingBackpackMessengerMedical = сумка-мессенджер медика + .desc = Стерильная сумка, используемая в медицинских отсеках. +ent-ClothingBackpackMessengerChemistry = сумка-мессенджер химика + .desc = Стерильная сумка аптечной расцветки. +ent-ClothingBackpackMessengerVirology = сумка-мессенджер вирусолога + .desc = Сумка, изготовленная из гипоаллергенных волокон. Она предназначена для предотвращения распространения болезней. Пахнет обезьянами. +ent-ClothingBackpackMessengerGenetics = сумка-мессенджер генетика + .desc = Стерильная сумка расцветки генетического подотдела. +ent-ClothingBackpackMessengerScience = сумка-мессенджер учёного + .desc = Пригодится для хранения материалов для исследований. +ent-ClothingBackpackMessengerSecurity = сумка-мессенджер охраны + .desc = Прочная сумка для нужд службы безопасности. +ent-ClothingBackpackMessengerBrigmedic = сумка-мессенджер бригмедика + .desc = Стерильная сумка для медицинских нужд. +ent-ClothingBackpackMessengerCaptain = сумка-мессенджер капитана + .desc = Это особая сумка, изготовленная исключительно для офицеров Nanotrasen. +ent-ClothingBackpackMessengerHydroponics = сумка-мессенджер ботаника + .desc = Сумка, изготовленная только из натуральных волокон. +ent-ClothingBackpackMessengerCargo = сумка-мессенджер грузчика + .desc = Прочная сумка для воровства добычи. +ent-ClothingBackpackMessengerSalvage = сумка-мессенджер утилизатора + .desc = Прочная сумка для хранения добычи. +ent-ClothingBackpackMessengerPilot = сумка-мессенджер пилота + .desc = Прочная сумка для хранения запасных деталей шаттла. +ent-ClothingBackpackMessengerMercenary = сумка-мессенджер наёмника + .desc = Прочная сумка для военных преступлений. +ent-ClothingBackpackMessengerSyndicate = сумка-мессенджер Синдиката + .desc = Прочная сумка для войны против монополистов. +ent-ClothingBackpackMessengerHolding = бездонная сумка-мессенджер + .desc = Сумка, открывающаяся в локальный карман блюспейса. +ent-ClothingBackpackMessengerMailCarrier = сумка-мессенджер почтальона + .desc = Прочная курьерская сумка для борьбы против недоставленной почты. +ent-ClothingBackpackMessengerMailman = сумка-мессенджер почтальона + .desc = Прочная курьерская сумка для борьбы против недоставленной почты. +ent-ClothingBackpackMessengerJanitor = сумка-мессенджер уборщика + .desc = Прочная сумка для борьбы с загрязнениями. +ent-ClothingBackpackMessengerMime = сумка-мессенджер мима + .desc = Сумка, предназначенная для тихого и выразительного искусства мимики. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl index 3ac84fac6b1..56db87993bc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl @@ -1,6 +1,21 @@ -ent-ClothingBackpackSatchelMercenary = mercenary satchel - .desc = A satchel that has been in many dangerous places, a reliable combat satchel. -ent-ClothingBackpackSatchelArcadia = arcadia satchel - .desc = A satchel produced by Arcadia Industries. -ent-ClothingBackpackSatchelPilot = pilot satchel - .desc = A satchel produced for a True Ace. +ent-ClothingBackpackSatchelMercenary = сумка наёмника + .desc = Надёжный боевой ранец. +ent-ClothingBackpackSatchelArcadia = аркадианская сумка + .desc = Сумка произведенная Arcadia Industries. +ent-ClothingBackpackSatchelPilot = сумка пилота + .desc = Сумка для настоящего аса. +ent-ClothingBackpackSatchelnfsdFilled = сумка ДСБФ + .desc = Сумка помощника шерифа. + .suffix = Заполненный +ent-ClothingBackpackSatchelnfsd = сумка ДСБФ + .desc = Сумка помощника шерифа. +ent-ClothingBackpackSatchelnfsdsheriffFilled = сумка ДСБФ + .desc = Сумка шерифа. + .suffix = Заполненный - Шериф +ent-ClothingBackpackSatchelnfsdsheriff = сумка ДСБФ + .desc = Сумка шерифа. +ent-ClothingBackpackSatchelnfsdBrigmedFilled = сумка бригмедика ДСБФ + .desc = Сумка для бригмедика. + .suffix = Заполненный +ent-ClothingBackpackSatchelnfsdBrigmed = сумка бригмедика ДСБФ + .desc = Сумка для бригмедика. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl index 136b92bf785..3f8754c831e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl @@ -1,6 +1,10 @@ -ent-ClothingBeltArcadia = arcadia webbing - .desc = A webbing created by Arcadia Industries. Seems very capable of fitting many items. -ent-ClothingBeltChaplainSash = chaplain sash - .desc = Who knew that scarves can be also tied around your waist? -ent-ClothingBeltPilot = pilot webbing - .desc = A webbing designed for someone seating a lot. +ent-ClothingBeltArcadia = аркадианский пояс + .desc = Пояс созданный Arcadia Industries. Кажется, что в него поместится много всего. +ent-ClothingBeltChaplainSash = пояс священника + .desc = Кто бы мог подумать, что шарфы можно еще и повязать вокруг талии? +ent-ClothingBeltPilot = пояс пилота + .desc = Пояс специально разработанный для тех, кто много сидит в кресле. +ent-ClothingBeltNfsd = пояс ДСБФ + .desc = Пояс для тактических операций. +ent-ClothingBeltNfsdWebbing = РПС ДСБФ + .desc = Тактический боевой разгрузочный жилет. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl index 8ad42552672..c18b8d2d23b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl @@ -1,2 +1,2 @@ -ent-ClothingBeltQuiverCrossbow = quiver (bolts) - .desc = Can hold up to 20 bolts, and fits snug around your waist. +ent-ClothingBeltQuiverCrossbow = колчан (болты) + .desc = Плотно облегающий талию колчан, который может вмещать до 20 болтов для арбалета. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl index 3b3c5a97398..b8f69c7fb93 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl @@ -1,3 +1,11 @@ ent-ClothingHeadsetSecuritySafe = { ent-ClothingHeadsetSecurity } - .suffix = Safe + .suffix = Безопасная .desc = { ent-ClothingHeadsetSecurity.desc } +ent-ClothingHeadsetMailCarrier = гарнитура почтальона + .desc = Гарнитура для работника почтовой службы. +ent-ClothingHeadsetNFSDgreen = гарнитура ДСБФ + .desc = Гарнитура помощника шерифа. +ent-ClothingHeadsetNFSDbrown = гарнитура ДСБФ + .desc = Гарнитура помощника шерифа. +ent-ClothingHeadsetNFSDcb = гарнитура ДСБФ + .desc = Гарнитура помощника шерифа. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl index 0aac78543e6..03e4e69e5e8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl @@ -1,6 +1,12 @@ -ent-ClothingHeadsetAltSecurityWarden = bailiff's over-ear headset +ent-ClothingHeadsetAltSecurityWarden = полноразмерная гарнитура ДСБФ .desc = { ent-ClothingHeadsetAlt.desc } -ent-ClothingHeadsetAltMercenary = mercenary over-ear headset +ent-ClothingHeadsetAltMercenary = полноразмерная гарнитура наёмника .desc = { ent-ClothingHeadsetAlt.desc } -ent-ClothingHeadsetAltPilot = pilot over-ear headset +ent-ClothingHeadsetAltPilot = полноразмерная гарнитура пилота .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltNFSDgreen = полноразмерная гарнитура ДСБФ + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltNFSDbrown = полноразмерная гарнитура ДСБФ + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltNFSDCreamandBrown = полноразмерная гарнитура шерифа + .desc = { ent-ClothingHeadsetAltSecurity.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl index f35c34d5eee..92aba870065 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl @@ -1,4 +1,6 @@ -ent-ClothingEyesArcadiaVisor = arcadia visor - .desc = A visor produced by Arcadia Industries, with some high tech optics systems built in. -ent-ClothingEyesGlassesPilot = pilot goggles - .desc = I'm sorry, but you can't pilot a ship without cool glasses. Those are the Rules. Has a GPS built in them too. +ent-ClothingEyesArcadiaVisor = аркадианский визор + .desc = Визор производжства Arcadia Industries, со втроенными высокотехнологичными окулярами. +ent-ClothingEyesGlassesPilot = очки пилота + .desc = Я конечно извиняюсь, но нельзя быть пилотом без этих крутых очков. Имеют встроенный GPS. +ent-ClothingEyesGlassesNFSD = очки ДСБФ + .desc = Модернизированные солнцезащитные очки с функцией защиты от вспышек и визором СБ. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/hud.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/hud.ftl new file mode 100644 index 00000000000..5688e25fdbf --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/eyes/hud.ftl @@ -0,0 +1,4 @@ +ent-ClothingEyesHudNfsd = визор ДСБФ + .desc = Визор с индикатором на стекле, который сканирует гуманоидов в поле зрения и предоставляет точные данные об их идентификационном статусе и записях в системе безопасности. +ent-ClothingEyesHudMail = почтовый визор + .desc = Визор, который сканирует почту в режиме просмотра и предоставляет точные почтовые данные. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl index d322fe24b39..1b8c43d3532 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl @@ -1,4 +1,8 @@ -ent-ClothingHandsGlovesArcadiaCombat = arcadia combat gloves - .desc = Combat gloves produced by Arcadia Industries. -ent-ClothingHandsGlovesPilot = pilot gloves - .desc = Driving gloves, but for spaceships! +ent-ClothingHandsGlovesArcadiaCombat = аркадианские боевые перчатки + .desc = Боевые перчатки произведенные Arcadia Industries. +ent-ClothingHandsGlovesPilot = перчатки пилота + .desc = Перчатки для управления шаттлами. +ent-ClothingHandsGlovesCombatNfsdBrown = боевые перчатки ДСБФ + .desc = Боевые перчатки. +ent-ClothingHandsGlovesCombatNfsdCream = боевые перчатки ДСБФ + .desc = Боевые перчатки. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl index 7ca0fd3782e..5116ecf97a4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl @@ -1,10 +1,22 @@ -ent-ClothingHeadHelmetHardsuitSecuritypatrol = security patrol hardsuit helmet - .desc = Lightly armored hardsuit helmet for security beat-cop needs. -ent-ClothingHeadHelmetHardsuitMercenary = mercenary hardsuit helmet - .desc = Lightly armored hardsuit helmet for mercenary needs. -ent-ClothingHeadHelmetHardsuitPilot = pilot hardsuit helmet - .desc = Light hardsuit helmet for pilots. -ent-ClothingHeadHelmetHardsuitMaximPrototype = experimental salvager helmet - .desc = A predication of decay washes over your mind. -ent-ClothingHeadHelmetHardsuitSundie = sundicate crimson-red hardsuit helmet - .desc = A heavily armored helmet designed for work in special operations. Manufactored in Twinwine Colony by Goreblox Looters LLC. +ent-ClothingHeadHelmetHardsuitSecuritypatrol = шлем патрульного скафандра + .desc = Легкобронированный шлем патрульного скафандра. +ent-ClothingHeadHelmetHardsuitMercenary = шлем скафандра наёмника + .desc = Легкобронированный шлем скафандра наёмника. +ent-ClothingHeadHelmetHardsuitPilot = шлем скафандра пилота + .desc = Легкобронированный шлем скафандра пилота. +ent-ClothingHeadHelmetHardsuitERTMailCarrier = шлем скафандра почтальона ОБР + .desc = Специальный защитный шлем, который носят члены отряда быстрого реагирования. +ent-ClothingHeadHelmetHardsuitMaximPrototype = максимальный шлем утилизатора + .desc = Предчувствие упадка овладевает вашим сознанием +ent-ClothingHeadHelmetHardsuitSundie = шлем кроваво-красного скафандра + .desc = Тяжелобронированный шлем, предназначенный для специальных операций. Собственность Мародёров Горлекса. +ent-ClothingHeadHelmetHardsuitNfsdBronze = шлем скафандра патрульного ДСБФ + .desc = Легкобронированный шлем патрульного скафандра. +ent-ClothingHeadHelmetHardsuitNfsdSilver = шлем скафандра патрульного ДСБФ + .desc = Легкобронированный шлем патрульного скафандра. +ent-ClothingHeadHelmetHardsuitNfsdGold = шлем скафандра патрульного ДСБФ + .desc = Легкобронированный шлем патрульного скафандра. +ent-ClothingHeadHelmetHardsuitNfsdBrigmed = nfsd patrol hardsuit helmet + .desc = Легкобронированный шлем патрульного скафандра. +ent-ClothingHeadHelmetHardsuitNfsdSheriff = шлем скафандра шерифа ДСБФ + .desc = Легкобронированный шлем патрульного скафандра. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl index ae93e6c4526..6d992ba993b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl @@ -1,20 +1,30 @@ -ent-ClothingHeadHatBH = bounty hunter's hat - .desc = There's a new bounty hunter in the sector. -ent-ClothingHeadHatPilgrim = pilgrim's hat - .desc = Thou shalt not suffer a turkey to live. -ent-ClothingHeadHatWideBrimmed = wide-brimmed hat - .desc = Works great as frisbee substitute. -ent-ClothingHeadHatCardinal = cardinal's hat - .desc = Keeps your head well protected from sun and reason. -ent-ClothingHeadHatWitchhunter = witch hunter's hat - .desc = Thou shalt not suffer a witch to live. -ent-ClothingHeadHatBishopMitre = bishop's mitre - .desc = How to wear this thing? Ah! The other way around! -ent-ClothingHeadHatKippah = kippah - .desc = Basic version without built-in ATM. -ent-ClothingHeadHatHoodCardinalHood = cardinal's hood - .desc = Hides your eyes, ensteels your faith. -ent-ClothingHeadHatMcCrown = mccargo crown - .desc = Crowns and tiaras, McCargo King. -ent-ClothingHeadHatPilot = pilot's helmet - .desc = Can't hear voices in my headset when earflaps flaps over my ears. And it feels good. +ent-ClothingHeadHatBH = шляпа охотника за контрактами + .desc = Для тех, кому недостаточно одного контракта +ent-ClothingHeadHatPilgrim = шляпа пилигрима + .desc = Для тех, кто не оставит ни одну индейку живой. +ent-ClothingHeadHatWideBrimmed = широкополая шляпа + .desc = Отлично подходит в качестве заменителя фрисби. +ent-ClothingHeadHatCardinal = шляпа кардинала + .desc = Надежно защищает вашу голову от солнца и лишних размышлений. +ent-ClothingHeadHatWitchhunter = шляпа ведьмака + .desc = Вместит в себя много чеканных монет. +ent-ClothingHeadHatBishopMitre = митра епископа + .desc = Как вообще носить эту штуку? +ent-ClothingHeadHatKippah = кипа + .desc = Базовая версия, банкомат не включен в комплектацию. +ent-ClothingHeadHatHoodCardinalHood = капюшон кардинала + .desc = Прячет твои глаза, укрепляет твою веру. +ent-ClothingHeadHatMcCrown = корона каргонии + .desc = Корона короля Каргонии. +ent-ClothingHeadHatPilot = шлем пилота + .desc = В них не слышно шума двигателей. И это приятно. +ent-ClothingHeadHatNfsdBeretGreen = берет ДСБФ + .desc = Берет помощника шерифа. +ent-ClothingHeadHatNfsdBeretBrown = берет ДСБФ + .desc = Берет помощника шерифа. +ent-ClothingHeadHatNfsdBeretCream =берет ДСБФ + .desc = Берет помощника шерифа. +ent-ClothingHeadHatNfsdCampaign = рекламная шапка ДСБФ + .desc = Йаа-хууу, партнёр. +ent-ClothingHeadHatNfsdSmallCampaign = рекламная шапка ДСБФ + .desc = Хуууу, партнёр. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/helmets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/helmets.ftl new file mode 100644 index 00000000000..0f9a4c4c918 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/helmets.ftl @@ -0,0 +1,2 @@ +ent-ClothingHeadHelmetERTMailCarrier = шлем почтальона ОБР + .desc = Атмосферный шлем, который носят офицеры безопасности отрядов быстрого реагирования Nanotrasen. Имеет фиолетовый фонарь. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl index 9fdc7d6c9f0..c2f17e44385 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl @@ -1,2 +1,2 @@ -ent-ClothingHeadHatHoodArcadia = arcadia coat hood +ent-ClothingHeadHatHoodArcadia = капюшон аркадианского пальто .desc = { ent-ClothingHeadHatHoodWinterBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl index 79890fe544e..f6f680f6026 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl @@ -1,4 +1,4 @@ -ent-ClothingHeadEVAHelmetHydro = botanist EVA helmet +ent-ClothingHeadEVAHelmetHydro = шлем скафандра EVA ботаника .desc = { ent-ClothingHeadEVAHelmetBase.desc } -ent-ClothingHeadEVAHelmetMailman = mailcarrier EVA helmet +ent-ClothingHeadEVAHelmetMailman = шлем скафандра EVA почтальона .desc = { ent-ClothingHeadEVAHelmetBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl index ab66537e5ea..2e726d6fe7f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl @@ -1,6 +1,6 @@ -ent-ClothingMaskArcadia = arcadia battle mask - .desc = A close-fitting high tech mask designed by Arcadia Industries for space faring battlers. -ent-FaceHuggerPlushie = facehugger plushie - .desc = The perfect plushie to scare your friends with aliens! -ent-ClothingMaskPilot = pilot breathing mask - .desc = A close-fitting breathing mask designed for, it would seems, minimal comfort of wearer. +ent-ClothingMaskArcadia = аркадианская боевая маска + .desc = Плотно прилегающая высокотехнологичная маска, разработанная компанией Arcadia Industries для космических бойцов. +ent-FaceHuggerPlushie = плюшевый лицехват + .desc = Отличный подарок для расистов! +ent-ClothingMaskPilot = дыхательная маска пилота + .desc = Можно спокойно носить в режиме 24/7. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl index 65dbab4a7ba..541c93236b7 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl @@ -1,6 +1,6 @@ ent-ClothingMaskGasVoiceChameleonFakeName = { ent-ClothingMaskGasVoiceChameleon } - .suffix = Voice Mask, Chameleon, Radio Fake Name + .suffix = Голосовая маска, Хамелеон, Замена имени .desc = { ent-ClothingMaskGasVoiceChameleon.desc } ent-ClothingMaskGasVoiceChameleonRealName = { ent-ClothingMaskGasVoiceChameleon } - .suffix = Voice Mask, Chameleon, Radio Real Name + .suffix = Голосовая маска, Хамелеон, Без замены имени .desc = { ent-ClothingMaskGasVoiceChameleon.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/cloaks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/cloaks.ftl new file mode 100644 index 00000000000..ca9a575bc7e --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/cloaks.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckCloakSheriff = плащ шерифа + .desc = Изысканный коричнево-зеленый плащ, подходящий для тех, кто может одержать верх над правонарушителями. Попробуйте проявить гражданственность в судебном преследовании! diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl index 6784d410c4c..6ebcc6d49f0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl @@ -1,5 +1,7 @@ -ent-ClothingNeckCloakJanitor = janitor's cloak - .desc = How did you even get this? did you make it yourself? +ent-ClothingNeckCloakJanitor = плащ уборщика + .desc = Где ты вообще его достал? Ты сделал его сам? ent-ClothingNeckCloakJanitorFilled = { ent-ClothingNeckCloakJanitor } - .suffix = Filled + .suffix = Заполненный .desc = { ent-ClothingNeckCloakJanitor.desc } +ent-ClothingNeckMantleSheriff = мантия шерифа + .desc = Перестрелки с применением ядерного оружия - это просто очередной вторник для шерифа. Эта мантия - символ преданности своему участку. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl index 4d8dc4604c6..f07a1207cfe 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl @@ -1,4 +1,4 @@ -ent-ClothingNeckCrucifix = crucifix - .desc = Damn, it feels good to be so pious. -ent-ClothingNeckBellCollar = bell collar - .desc = A way to inform others about your presence, or just to annoy everyone around you! +ent-ClothingNeckCrucifix = распятие + .desc = Черт возьми, как же приятно быть таким благочестивым. +ent-ClothingNeckBellCollar = колокольчик + .desc = Способ сообщить окружающим о своем присутствии, ну или просто позлить их! diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl index f248800511c..17eae597db8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl @@ -1,4 +1,27 @@ -ent-ClothingNeckScarfChaplainStole = chaplain's stole - .desc = A necessary evil for ordained priests outfit. Gives at least +2 to your holiness. -ent-ClothingNeckScarfPilot = pilot's scarf - .desc = Have I told you a story how I survived when the end of this scarf got tangled in a spinning propeller? I didn't, they cloned me. +ent-ClothingNeckScarfChaplainStole = палантин священника + .desc = Необходимое снаряжение для рукоположенных священников. Дает как минимум +2 к вашей святости. +ent-ClothingNeckScarfPilot = шарф пилооа + .desc = Рассказывал ли я вам историю о том, как выжил, когда конец этого шарфа запутался во вращающемся пропеллере? Я не выжил, они меня клонировали. +ent-ClothingNeckNfsdBadge = значок ДСБФ + .desc = Уважайте мой авторитет! +ent-ClothingNeckNfsdBadgeSecurityCadet = { ent-ClothingNeckNfsdBadge } + .suffix = Бронзовый - Кадет + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeSecurity = { ent-ClothingNeckNfsdBadge } + .suffix = Серебрянный - Помощник + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeDetective = { ent-ClothingNeckNfsdBadge } + .suffix = Серебрянный - Детектив + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeBrigmedic = { ent-ClothingNeckNfsdBadge } + .suffix = Серебрянный - Бригмедик + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeSeniorOfficer = { ent-ClothingNeckNfsdBadge } + .suffix = Золотой - Сержант + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeWarden = { ent-ClothingNeckNfsdBadge } + .suffix = Золотой - Пристав + .desc = { ent-ClothingNeckNfsdBadge.desc } +ent-ClothingNeckNfsdBadgeHoS = { ent-ClothingNeckNfsdBadge } + .suffix = Звезда - Шериф + .desc = { ent-ClothingNeckNfsdBadge.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl index 363da97c50a..39ae62fb2d8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl @@ -1,2 +1,2 @@ -ent-ClothingNeckTieBH = tie - .desc = A loosely tied necktie, a perfect accessory for the over-worked. +ent-ClothingNeckTieBH = галстук + .desc = Свободно завязанный галстук - идеальный аксессуар для тех, кто переутомлен работой. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl index 278ff5815e7..b63d999a1c4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl @@ -1,2 +1,4 @@ -ent-ClothingOuterArmorSRCarapace = station rep's carapace - .desc = A premium armored chestpiece that provides above average protection for its size. It offers maximum mobility and flexibility thanks to the premium composite materials. Issued only to the station representative. +ent-ClothingOuterArmorSRCarapace = панцирь представителя станции + .desc = Бронированный нагрудник, обеспечивающий защиту и при этом обладающий мобильностью и гибкостью. Выдается только лучшим представителям станции. +ent-ClothingOuterArmorNfsdArmor = бронежилет ДСБФ + .desc = Позволяет выжить получив пулю. Возможно. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl index 78cb621db3e..d876d695cc8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl @@ -1,8 +1,18 @@ -ent-ClothingOuterCoatBHTrench = bounty hunter's flak trenchcoat - .desc = A greatcoat enhanced with a bullet proof alloy for some extra protection and style for those with a charismatic presence. -ent-ClothingOuterCoatBishop = bishop's robes - .desc = Golden threads aren't actually made of gold. Bummer. -ent-ClothingOuterCoatWitchHunter = witch hunter's coat - .desc = Looks even better under constant rain with storm wind. -ent-ClothingOuterCoatCardinal = cardinal's coat - .desc = Nobody expects the spanish inquisition! +ent-ClothingOuterCoatBHTrench = тренч охотника за контрактами + .desc = Плащ из специального сплава, обеспечивающий дополнительную защиту и стиль для людей, обладающих харизмой. +ent-ClothingOuterCoatBishop = мантия епископа + .desc = Золотые линии на самом деле сделаны не из золота. Бвух. +ent-ClothingOuterCoatWitchHunter = плащ ведьмака + .desc = Еще лучше смотрится под постоянным дождем и штормовым ветром. +ent-ClothingOuterCoatCardinal = плащ кардинала + .desc = Никто не ожидал испанской инквизиции! +ent-ClothingOuterCoatNfsdBomber = бомбер ДСБФ + .desc = Классно выглядишь. +ent-ClothingOuterCoatNfsdBomberBrigmed = бомбер бригмедика ДСБФ + .desc = Не позволяет пятнам крови быть заметными. +ent-ClothingOuterCoatNfsdFormal = торжественный плащ ДСБФ + .desc = Ш-ш-ш-шикарно. +ent-ClothingOuterCoatNfsdFormalSheriff = торжественный плащ шерифа ДСБФ + .desc = Ш-ш-ш-шикарнейше. +ent-ClothingOuterCoatNfsdLongCoat = длинный плащ ДСБФ + .desc = Выглядит удобным. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl index 9bc90c464c6..39d91fa991e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl @@ -1,10 +1,22 @@ -ent-ClothingOuterHardsuitSecuritypatrol = security patrol hardsuit - .desc = A special suit that protects from the danger of space, employed by security patrol officers. Not certified to be blunderbuss proof. -ent-ClothingOuterHardsuitMercenary = mercenary hardsuit - .desc = A special suit that protects from the danger of space, employed by mercenary forces. Not certified to be blunderbuss proof. -ent-ClothingOuterHardsuitPilot = pilot hardsuit - .desc = A hardsuit tailored for someone who spends the majority of their time buckled to a chair. -ent-ClothingOuterHardsuitMaximPrototype = experimental salvager hardsuit - .desc = Fire. Heat. These things forge great weapons, they also forge great salvagers. -ent-ClothingOuterHardsuitSundie = sundicate crimson-red hardsuit - .desc = A heavily armored hardsuit designed for work in special operations. Manufactored in Twinwine Colony by Goreblox Looters LLC. +ent-ClothingOuterHardsuitSecuritypatrol = скафандр патрульного ДСБФ + .desc = Скафандр патрульного, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. +ent-ClothingOuterHardsuitMercenary = скафандр наёмника + .desc = Скафандр наёмника, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. +ent-ClothingOuterHardsuitPilot = скафандр пилота + .desc = Скафандр пилота, созданный специально для тех, кто большую часть времени проводит пристегнутым к стулу. +ent-ClothingOuterHardsuitERTMailCarrier = скафандр почтальона ОБР. + .desc = Защитный скафандр, используемый уборщиками отряда быстрого реагирования. +ent-ClothingOuterHardsuitMaximPrototype = максимальный скафандр утилизатора + .desc = Пламя. Жар. Эти элементы куют великое оружие, они же куют великих утилизаторов. +ent-ClothingOuterHardsuitSundie = кроваво-красный скафандр + .desc = Тяжелобронированный скафандр, предназначенный для специальных операций. Собственность Мародёров Горлекса. +ent-ClothingOuterHardsuitNfsdBronze = скафандр патрульного ДСБФ [бронза] + .desc = Скафандр патрульного ДСБФ, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. +ent-ClothingOuterHardsuitNfsdSilver = скафандр патрульного ДСБФ [серебро] + .desc = Скафандр патрульного ДСБФ, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. +ent-ClothingOuterHardsuitNfsdGold = скафандр патрульного ДСБФ [золото] + .desc = Скафандр патрульного ДСБФ, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. +ent-ClothingOuterHardsuitNfsdSheriff = скафандр шерифа ДСБФ + .desc = Скафандр шерифа ДСБФ, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. +ent-ClothingOuterHardsuitNfsdBrigMed = скафандр парамедика ДСБФ + .desc = Скафандр патрульного ДСБФ, защищающий владельца от ужасов пребывания в космосе. Не предоставляет защиты от огнестрельного оружия. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl index 2361c600a11..06231fb670a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl @@ -1,4 +1,4 @@ -ent-ClothingOuterEVASuitHydro = botanist EVA suit - .desc = An emergency EVA suit with a built-in helmet commonly issued to hydroponics workers. -ent-ClothingOuterEVASuitMailman = mailcarrier EVA suit - .desc = An emergency EVA suit with a built-in helmet commonly issued to hydroponics workers. +ent-ClothingOuterEVASuitHydro = скафандр EVA ботаника + .desc = Аварийный скафандр EVA со встроенным шлемом. Он ужасно медленный и не имеет температурной защиты, но его достаточно, чтобы выиграть время в жестком вакууме космоса. +ent-ClothingOuterEVASuitMailman = скафандр EVa почтальона + .desc = Аварийный скафандр EVA со встроенным шлемом. Он ужасно медленный и не имеет температурной защиты, но его достаточно, чтобы выиграть время в жестком вакууме космоса. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl index c376847648f..cc0ef236b5d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl @@ -1,2 +1,2 @@ -ent-ClothingOuterWinterArcadia = arcadia winter coat - .desc = A coat produced by Arcadia Industries, seems soft. +ent-ClothingOuterWinterArcadia = аркадианское зимнее пальто + .desc = Пальто, произведенное компанией Arcadia Industries, выглядит мягким. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl index 9d8e89de612..c4bc52f755a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl @@ -1,2 +1,6 @@ -ent-ClothingShoesBootsPilot = pilot boots - .desc = Stylish boots for running in circles on a deck during emergencies. +ent-ClothingShoesBootsPilot = ботинки пилота + .desc = Стильные ботинки для бега кругами по палубе во время чрезвычайных ситуаций. +ent-ClothingShoesBootsNFSDBrown = ботинки ДСБФ + .desc = Стильные ботинки для бега кругами по палубе во время чрезвычайных ситуаций. +ent-ClothingShoesBootsNFSDCream = ботинки ДСБФ + .desc = Стильные ботинки для бега кругами по палубе во время чрезвычайных ситуаций. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/clown_shoes_mods.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/clown_shoes_mods.ftl index 73d84cea096..8132e8d688f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/clown_shoes_mods.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/clown_shoes_mods.ftl @@ -1,12 +1,12 @@ ent-ClothingShoesClownModWhoopie = { ent-ClothingShoesClown } - .desc = The modified standard-issue clowning shoes. Damn they're so soft! - .suffix = Whoopie + .desc = Улучшенние стандартные клоунские туфли. Выглядят мягко. + .suffix = Крем ent-ClothingShoesClownModKetchup = { ent-ClothingShoesClown } - .desc = The modified standard-issue clowning shoes. Damn they're soggy! - .suffix = Ketchup + .desc = Улучшенние стандартные клоунские туфли. Выглядят кисло. + .suffix = Кетчуп ent-ClothingShoesClownModMustarchup = { ent-ClothingShoesClown } - .desc = The modified standard-issue clowning shoes. Damn they're very soggy! - .suffix = Mustarchup + .desc = Улучшенние стандартные клоунские туфли. Выглядят остро. + .suffix = Горичца ent-ClothingShoesClownModUltimate = { ent-ClothingShoesClown } - .desc = The modified standard-issue clowning shoes. Damn they're soft and soggy! - .suffix = Ultimate + .desc = Улучшенние стандартные клоунские туфли. Выглядят кисло и остро. + .suffix = Ультимативные diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl index 985fea450f4..493460598c2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl @@ -1,13 +1,17 @@ -ent-ClothingShoesBootsMagCombat = combat magboots - .desc = Combat magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. -ent-ClothingShoesBootsMagMercenary = mercenary magboots - .desc = Mercenary magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. -ent-ClothingShoesBootsMagPirate = pirate magboots - .desc = Pirate magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. -ent-ClothingShoesBootsMagGaloshes = galoshes magboots - .desc = Galoshes magnetic boots, often used during cleaning activity to ensure the user remains safely attached to the floor. +ent-ClothingShoesBootsMagCombat = боевые магнитные сапоги + .desc = Магнитные сапоги, используемые во время работы вне корабля, чтобы оставаться надёжно прикреплённым к поверхности. +ent-ClothingShoesBootsMagNfsd = магнитные сапоги ДСБФ + .desc = { ent-ClothingShoesBootsMagCombat.desc } +ent-ClothingShoesBootsMagMercenary = магнитные сапоги наёмника + .desc = Магнитные сапоги, используемые во время работы вне корабля, чтобы оставаться надёжно прикреплённым к поверхности. +ent-ClothingShoesBootsMagPirate = пиратские магнитные сапоги + .desc = Магнитные сапоги, используемые во время работы вне корабля, чтобы оставаться надёжно прикреплённым к поверхности. +ent-ClothingShoesBootsMagGaloshes = магнитные галоши + .desc = Лучший помощник уборщика в любой ситуации. ent-ActionToggleMagbootsCombat = { ent-ActionBaseToggleMagboots } .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsNfsd = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } ent-ActionToggleMagbootsMercenary = { ent-ActionBaseToggleMagboots } .desc = { ent-ActionBaseToggleMagboots.desc } ent-ActionToggleMagbootsPirate = { ent-ActionBaseToggleMagboots } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl index b4bc63f3add..9e59491d7d3 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl @@ -1,12 +1,16 @@ -ent-ClothingUniformJumpskirtArcadia = arcadia jumpskirt - .desc = A jumpskirt produced by Arcadia Industries. Designed to reduce chaffing between the legs for the comfort of skin, slime, scales, fluff, and wood -ent-ClothingUniformJumpskirtValet = valet's uniform - .desc = A nice and tidy uniform. -ent-ClothingUniformJumpskirtBH = hard-worn suit - .desc = Someone who wears this means business. -ent-ClothingUniformJumpskirtBHGrey = noir suit - .desc = A grey suit, complete with tie clip. -ent-ClothingUniformJumpskirtMercenary = mercenary jumpskirt - .desc = Clothing for real mercenaries who have gone through fire, water and the jungle of planets flooded with dangerous monsters or targets for which a reward has been assigned. -ent-ClothingUniformJumpskirtSecGuard = security guard jumpskirt - .desc = A specialized uniform for a security guard. Crisp and official to let dock loiterers know you mean business. +ent-ClothingUniformJumpskirtArcadia = аркадианская юбка + .desc = Униформа произведенная Arcadia Industries. Предназначен для уменьшения натирания кожи, слизи, чешуи, пуха и древесины в промежности. +ent-ClothingUniformJumpskirtValet = юбка камердинера + .desc = Красивая и опрятная униформа. +ent-ClothingUniformJumpskirtBH = поношенная юбка + .desc = Принадлежала деловому бизнесмену. +ent-ClothingUniformJumpskirtBHGrey = нуарная юбка + .desc = Серый костюм с зажимом для галстука. +ent-ClothingUniformJumpskirtMercenary = юбка наёмника + .desc = Одежда для настоящих наемников, прошедших огонь, воду и джунгли планет, наводненных опасными монстрами. +ent-ClothingUniformJumpskirtSecGuard = юбка службы безопасности + .desc = Специальная униформа для охранника. Строгая и официальная, чтобы праздношатающиеся в доках знали, что вы настроены серьезно. +ent-ClothingUniformJumpskirtNfsd = юбка ДСБФ + .desc = Юбка с длинными рукавами, сшитая для помощника шерифа. Предназначен для уменьшения натирания кожи, слизи, чешуи, пуха и древесины в промежности. +ent-ClothingUniformJumpskirtNfsdShort = юбка ДСБФ + .desc = Юбка с короткими рукавами, сшитая для помощника шерифа. Предназначен для уменьшения натирания кожи, слизи, чешуи, пуха и древесины в промежности. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl index e57a2f153b1..ca535abcd28 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl @@ -1,14 +1,28 @@ -ent-ClothingUniformJumpsuitArcadia = arcadia jumpsuit - .desc = A jumpsuit produced by Arcadia Industries. Designed to reduce chaffing between the legs for the comfort of skin, slime, scales, fluff, and wood -ent-ClothingUniformJumpsuitValet = valet's uniform - .desc = A nice and tidy uniform. -ent-ClothingUniformJumpsuitBH = hard-worn suit - .desc = Someone who wears this means business. -ent-ClothingUniformJumpsuitBHGrey = noir suit - .desc = A grey suit, complete with tie clip. -ent-ClothingUniformJumpsuitChaplainPilgrimVest = pilgrim jumpsuit - .desc = Knock-knock. Would you care to have a word about our Lord-n-Savior Nar-Sss.. Err.. Space Jeebus? -ent-ClothingUniformJumpsuitSecGuard = security guard jumpsuit - .desc = A specialized uniform for a security guard. Crisp and official to let dock loiterers know you mean business. -ent-ClothingUniformJumpsuitPilot = pilot jumpsuit - .desc = You too think there should be a pocket for your fav smokes? +ent-ClothingUniformJumpsuitArcadia = аркадианский комбинезон + .desc = Униформа произведенная Arcadia Industries. Предназначен для уменьшения натирания кожи, слизи, чешуи, пуха и древесины в промежности. +ent-ClothingUniformJumpsuitValet = комбинезон камердинера + .desc = Красивая и опрятная униформа. +ent-ClothingUniformJumpsuitBH = поношенный костюм + .desc = Принадлежал деловому бизнесмену. +ent-ClothingUniformJumpsuitBHGrey = нуарный костюм + .desc = Серый костюм с зажимом для галстука. +ent-ClothingUniformJumpsuitChaplainPilgrimVest = костюм пилигрима + .desc = Тук-Тук! Не жалаете ли поговорить о нашей спасительнице Нар.... Космическом Иисусе? +ent-ClothingUniformJumpsuitSecGuard = костюм службы безопасности + .desc = Специальная униформа для охранника. Строгая и официальная, чтобы праздношатающиеся в доках знали, что вы настроены серьезно. +ent-ClothingUniformJumpsuitPilot = костюм пилота + .desc = Вы тоже считаете, что в нём должен быть карман для ваших любимых сигарет? +ent-ClothingUniformJumpsuitERTMailCarrier = костюм почтальона ОБР + .desc = Специальный костюм, созданный для элитных почтальонов Центкома. +ent-ClothingUniformJumpsuitNfsd = костюм ДСБФ + .desc = Костюм с длинными рукавами, сшитая для помощника шерифа. Предназначен для уменьшения натирания кожи, слизи, чешуи, пуха и древесины в промежности. +ent-ClothingUniformJumpsuitNfsdShort = комбинезон ДСБФ + .desc = Костюм с коротким рукавами, сшитая для помощника шерифа. Предназначен для уменьшения натирания кожи, слизи, чешуи, пуха и древесины в промежности. +ent-ClothingUniformJumpsuitNfsdTacBlack = тактический костюм ДСБФ + .desc = Тактический комбинезон для работы в полевых условиях. +ent-ClothingUniformJumpsuitNfsdTacGray = тактический костюм ДСБФ + .desc =Тактический комбинезон для работы в полевых условиях. +ent-ClothingUniformJumpsuitNfsdTacCamo = тактический костюм ДСБФ + .desc = Тактический комбинезон для работы в полевых условиях. +ent-ClothingUniformJumpsuitNfsdTacCream = тактический костюм ДСБФ + .desc = Тактический комбинезон для работы в полевых условиях. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl index c22304684a0..0a07062452a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl @@ -1,6 +1,6 @@ -ent-MobArcIndShredder = Shredder - .desc = A small drone meant to deconstruct both organic and non-organic structures -ent-MobArcIndHoloparasiteGuardian = Hijacked Hologuardian - .desc = A syndicate hologuardian that seems to have been modified by unknown means. -ent-MobArcIndBlaster = Mobile Blaster Unit - .desc = A mobile energy blaster that capable of... oh god run it's spotted you! +ent-MobArcIndShredder = Шреддер + .desc = Небольшой беспилотник, предназначенный для разрушения как органических, так и неорганических структур +ent-MobArcIndHoloparasiteGuardian = Взломанный Голопаразит + .desc = Голопаразит синдиката, перепрограмированный с неизвестной целью. +ent-MobArcIndBlaster = Мобильная Пусковая Установка + .desc = Мобильный энергетический бластер, способный... о боже, он заметил тебя, беги! diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/artifact_construct.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/artifact_construct.ftl new file mode 100644 index 00000000000..3bbbc8a1736 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/artifact_construct.ftl @@ -0,0 +1,7 @@ +ent-SimpleArtifactMobBase = { ent-BaseMob } + .suffix = AI + .desc = { ent-BaseMob.desc } +ent-BaseMobArtifactConstruct = артефактный голем + .desc = Огромный голем, созданный из искореженного металла и камней. +ent-MobGrimForged = артефактный голем 1 + .desc = { ent-BaseMobArtifactConstruct.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/base_humanoid_hostile.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/base_humanoid_hostile.ftl new file mode 100644 index 00000000000..a0e89196f26 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/base_humanoid_hostile.ftl @@ -0,0 +1,8 @@ +ent-MobAtmosNF = { "" } + .desc = { "" } +ent-MobHumanoidHostileBase = Человек NPC + .suffix = AI + .desc = { ent-BaseMobSpecies.desc } +ent-MobNonHumanHostileBase = Моб NPC + .suffix = AI + .desc = { ent-SimpleSpaceMobBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/bloodcultistmob.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/bloodcultistmob.ftl new file mode 100644 index 00000000000..6e374ae82ef --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/bloodcultistmob.ftl @@ -0,0 +1,28 @@ +ent-MobBloodCultistBase = Кровавый Культист + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobBloodCultistPriest = Кровавый Жрец + .suffix = AI, Дальний + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistAcolyte = Кровавый Псаломщик + .suffix = AI, Ближний + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistZealotMelee = Кровавый Фанатик + .suffix = AI, Ближний + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistZealotRanged = Кровавый Фанатик + .suffix = AI, Арбалет + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistCaster = Кровавый Фанатик + .suffix = AI, Дальний + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultistAscended = Кровавый Вознесённый + .suffix = AI, Дальний + .desc = { ent-MobBloodCultistBase.desc } +ent-MobBloodCultLeech = Кровавая Пиявка + .suffix = AI, Ближний + .desc = { ent-MobNonHumanHostileBase.desc } +ent-MobBloodCultDrainedOne = Истощённый + .suffix = AI, Ближний + .desc = { ent-MobBloodCultistBase.desc } +ent-BloodCultTurret = Кровавый Пилон + .desc = { ent-BaseWeaponTurret.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl index 6710b317ffb..8f6cd2fb8a9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl @@ -5,29 +5,29 @@ ent-BaseEmotionalGhostCat = { "" } ent-BaseEmotionalGhostDog = { "" } .desc = { "" } ent-MobCatGhost = { ent-MobCat } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobCat.desc } ent-MobCatCalicoGhost = { ent-MobCatCalico } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobCatCalico.desc } ent-MobCatCaracalGhost = { ent-MobCatCaracal } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobCatCaracal.desc } ent-MobCatSpaceGhost = { ent-MobCatSpace } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobCatSpace.desc } ent-MobBingusGhost = { ent-MobBingus } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobBingus.desc } ent-MobCorgiGhost = { ent-MobCorgi } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobCorgi.desc } ent-MobCorgiPuppyGhost = { ent-MobCorgiPuppy } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobCorgiPuppy.desc } ent-MobPibbleGhost = { ent-MobPibble } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobPibble.desc } ent-MobChickenGhost = { ent-MobChicken } - .suffix = Ghost + .suffix = Роль призрака .desc = { ent-MobChicken.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl index cf7c4c4bdd7..182829ede95 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl @@ -1,6 +1,6 @@ -ent-MobCatClippy = Clippy - .desc = It looks like you’re writing a letter, would you like help? -ent-MobCatClarpy = Clarpy - .desc = First cat to gain a bounty. -ent-MobCatMistake = Mistake +ent-MobCatClippy = Клиппи + .desc = Лучший помощник при заполнении документации. +ent-MobCatClarpy = Кларпи + .desc = Первый кот, самостоятельно выполнивший контракт. +ent-MobCatMistake = Ошибкот .desc = ??? diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/syndicatemob.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/syndicatemob.ftl new file mode 100644 index 00000000000..4238760b9bf --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/syndicatemob.ftl @@ -0,0 +1,22 @@ +ent-MobSyndicateNavalBase = Агент Синдиката + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobSyndicateNavalCaptain = Капитан Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalEngineer = Инженер Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalMedic = Медик Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalSecondOfficer = Офицер Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalOperator = Оперативник Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalGrenadier = Гренадёр Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalSaboteur = Саботажник Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobExperimentationVictim = Пленник + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobSyndicateNavalCommander = Командир Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } +ent-MobSyndicateNavalDeckhand = Рядовой Синдиката + .desc = { ent-MobSyndicateNavalBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/wizardfederationmob.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/wizardfederationmob.ftl new file mode 100644 index 00000000000..83cede8a055 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/wizardfederationmob.ftl @@ -0,0 +1,27 @@ +ent-MobWizFedlBase = Волшебник + .suffix = AI + .desc = { ent-MobHumanoidHostileBase.desc } +ent-MobWizFedWizardBlue = Синий Волшеник + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardRed = Красный Волшебник + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardViolet = Фиолетовый Волшебник + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardSoap = Мыльный Волшебник + .suffix = AI + .desc = { ent-MobWizFedlBase.desc } +ent-MobWizFedWizardBlueHardsuit = Синий Волшебник + .suffix = AI, Скафандр + .desc = { ent-MobWizFedWizardBlue.desc } +ent-MobWizFedWizardRedHardsuit = Красный Волшебник + .suffix = AI, Скафандр + .desc = { ent-MobWizFedWizardRed.desc } +ent-MobWizFedWizardVioletHardsuit = Фиолетовый Волшебник + .suffix = AI, Скафандр + .desc = { ent-MobWizFedWizardViolet.desc } +ent-MobWizFedWizardSoapHardsuit = Мыльный Волшебник + .suffix = AI, Скафандр + .desc = { ent-MobWizFedWizardSoap.desc } +ent-WaterElementalConjured = Голубой Элементаль + .suffix = AI + .desc = { ent-MobNonHumanHostileBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl index 9c62d0203a7..3bc9e152bb2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl @@ -1,3 +1,3 @@ -ent-MobXenoQueenDungeon = Queen - .suffix = Ghost +ent-MobXenoQueenDungeon = Королева + .suffix = Роль призрака .desc = { ent-MobXenoQueen.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl index e3bdd1281fd..ca05182e7e9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl @@ -1,9 +1,9 @@ ent-MobHoloparasiteGuardianAI = { ent-MobHoloparasiteGuardian } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-MobHoloparasiteGuardian.desc } ent-MobIfritGuardianAI = { ent-MobIfritGuardian } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-MobIfritGuardian.desc } ent-MobHoloClownGuardianAI = { ent-MobHoloClownGuardian } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-MobHoloClownGuardian.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/humanoid.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/humanoid.ftl new file mode 100644 index 00000000000..3e02a5ebfa1 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/humanoid.ftl @@ -0,0 +1,6 @@ +ent-RandomHumanoidSpawnerERTMailCarrier = ОБР почтальон + .suffix = Роль ОБР, Базовый + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTMailCarrierEVA = ОБР почтальон + .suffix = Роль ОБР, EVA + .desc = { ent-RandomHumanoidSpawnerERTMailCarrier.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/jerma.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/jerma.ftl new file mode 100644 index 00000000000..02240654ed6 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/mobs/player/jerma.ftl @@ -0,0 +1,2 @@ +ent-MobJerma = Джерма + .desc = Это Джерма. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl index 304dad65fe4..8660e95659e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl @@ -1,11 +1,11 @@ -ent-DrinkKegBase = keg - .desc = I don't have a drinking problem - the keg solved it. +ent-DrinkKegBase = кега + .desc = У меня нет проблем с алкоголем - кега решила их. ent-DrinkKegSteel = { ent-DrinkKegBase } - .suffix = Steel + .suffix = Сталь .desc = { ent-DrinkKegBase.desc } ent-DrinkKegWood = { ent-DrinkKegBase } - .suffix = Wood + .suffix = Дерево .desc = { ent-DrinkKegBase.desc } ent-DrinkKegPlastic = { ent-DrinkKegBase } - .suffix = Plastic + .suffix = Пластик .desc = { ent-DrinkKegBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/burger.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/burger.ftl new file mode 100644 index 00000000000..8c585f5ac18 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/burger.ftl @@ -0,0 +1,2 @@ +ent-FoodBurgerClurger = Клургер + .desc = Любимая еда почтальонов! diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl index 0daf7237230..d8eb58c871d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl @@ -1,2 +1,2 @@ -ent-HappyHonkCargo = mccargo meal +ent-HappyHonkCargo = обед каргонии .desc = { ent-HappyHonk.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl index c77984846fe..c75d8a85865 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl @@ -1,6 +1,6 @@ -ent-BaseFoodCondimentSqueezeBottle = condiment squeeze bottle - .desc = A thin plastic container used to store condiments. -ent-FoodCondimentSqueezeBottleKetchup = ketchup squeeze bottle - .desc = You feel more American already. -ent-FoodCondimentSqueezeBottleMustard = mustard squeeze bottle - .desc = You feel more American already. +ent-BaseFoodCondimentSqueezeBottle = бутылочка для соуса + .desc = Пластиковая бутылочка, обычно используяющаяся для соусов. +ent-FoodCondimentSqueezeBottleKetchup = бутылочка кетчупа + .desc = А что можешь делать ты, пока течет твой любимый кетчуп? +ent-FoodCondimentSqueezeBottleMustard = бутылочка горчицы + .desc = Отличное дополнение к хот-догу. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl index 0e3aae229e6..5fdcbf1ca59 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl @@ -1,12 +1,12 @@ -ent-ReagentContainerSalt = salt container - .desc = A big container of salt. Good for cooking! -ent-ReagentContainerPepper = pepper container - .desc = A big container of pepper. Good for cooking! -ent-ReagentContainerRaisin = raisin bag - .desc = A big bag of raisin. Good for baking! -ent-ReagentContainerChocolate = chocolate chips bag - .desc = A big bag of chocolate chips. Good for cooking! -ent-DrinkKegPlasticKetchup = ketchup keg +ent-ReagentContainerSalt = контейнер с солью + .desc = Большой контейнер соли. Отличное дополнение для кухни! +ent-ReagentContainerPepper = контейнер с перцем + .desc = Большой контейнер перца. Отличное дополнение для кухни! +ent-ReagentContainerRaisin = пакет изюма + .desc = Большой пакет изюма. Отличное дополнение для кухни! +ent-ReagentContainerChocolate = пакет шоколадных чипсов + .desc = Большой пакет шоколадных чипсов. Отличное дополнение для кухни! +ent-DrinkKegPlasticKetchup = кега кетчупа .desc = { ent-DrinkKegPlastic.desc } -ent-DrinkKegPlasticMustard = mustard keg +ent-DrinkKegPlasticMustard = кега майонеза .desc = { ent-DrinkKegPlastic.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl index 295e10dab02..36d71af9edc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl @@ -1,2 +1,2 @@ -ent-MobCatCrispy = crispy - .desc = Mistakes were made. +ent-MobCatCrispy = хрустик + .desc = Раньше его звали Барсик. Теперь ты попадёшь в ад. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meat.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meat.ftl new file mode 100644 index 00000000000..4cd55486cbe --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meat.ftl @@ -0,0 +1,2 @@ +ent-FoodMeatCat = отборное кошачье мясо + .desc = Оскверненный дар, полученный в результате жестокого преступления. Мясо должно быть вкусным, но такой ценой? diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl index 0c017fd56a8..1586adbd1d3 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl @@ -1,2 +1,2 @@ -ent-FoodPear = pear - .desc = it's peary good. +ent-FoodPear = груша + .desc = Чертовски хороша. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl index 3d950033627..17dc85f5293 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl @@ -1,2 +1,2 @@ -ent-BountyContractsCartridge = bounty contracts cartridge - .desc = A program for tracking and placing bounty contracts +ent-BountyContractsCartridge = картридж контрактов + .desc = Программа для отслеживания и размещения контрактов. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl index 2def8f40825..169394ca86d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl @@ -1,2 +1,2 @@ -ent-EncryptionKeyTraffic = traffic control encryption key - .desc = An encryption key for the space traffic control channel. +ent-EncryptionKeyTraffic = ключ шифрования диспетчера станции + .desc = Ключ шифрования диспетчерского радиоканала diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl index d913277a4d9..34ae161bff1 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl @@ -1,110 +1,110 @@ ent-BaseNFFlatpack = { ent-BaseFlatpack } .desc = { ent-BaseFlatpack.desc } -ent-AutolatheFlatpack = autolathe flatpack - .desc = A flatpack used for constructing an autolathe. -ent-EngineeringTechFabFlatpack = engineering tech fab flatpack - .desc = A flatpack used for constructing an engineering tech fab. -ent-MachineFlatpackerFlatpack = flatpacker 1001 flatpack - .desc = A flatpack used for constructing a flatpacker 1001. -ent-PowerCellRechargerFlatpack = cell charger flatpack - .desc = A flatpack used for constructing a cell charger. -ent-WeaponCapacitorRechargerFlatpack = recharger flatpack - .desc = A flatpack used for constructing a recharger. -ent-BorgChargerFlatpack = borg charger flatpack - .desc = A flatpack used for constructing a borg charger. -ent-PortableGeneratorJrPacmanFlatpack = J.R.P.A.C.M.A.N.-type portable generator flatpack - .desc = A flatpack used for constructing a J.R.P.A.C.M.A.N.-type portable generator. -ent-PortableGeneratorPacmanFlatpack = P.A.C.M.A.N.-type portable generator flatpack - .desc = A flatpack used for constructing a P.A.C.M.A.N.-type portable generator. -ent-PortableGeneratorSuperPacmanFlatpack = S.U.P.E.R.P.A.C.M.A.N.-type portable generator flatpack - .desc = A flatpack used for constructing a S.U.P.E.R.P.A.C.M.A.N.-type portable generator. -ent-AmeControllerUnanchoredFlatpack = AME controller flatpack - .desc = A flatpack used for constructing an AME controller. -ent-RadiationCollectorFullTankFlatpack = radiation collector flatpack - .desc = A flatpack used for constructing a radiation collector. -ent-GyroscopeUnanchoredFlatpack = gyroscope flatpack - .desc = A flatpack used for constructing a gyroscope. -ent-SmallGyroscopeUnanchoredFlatpack = small gyroscope flatpack - .desc = A flatpack used for constructing a small gyroscope. -ent-ThrusterUnanchoredFlatpack = thruster flatpack - .desc = A flatpack used for constructing a thruster. -ent-SmallThrusterUnanchoredFlatpack = small thruster flatpack - .desc = A flatpack used for constructing a small thruster. -ent-ExosuitFabricatorFlatpack = exosuit fabricator flatpack - .desc = A flatpack used for constructing an exosuit fabricator. -ent-CircuitImprinterFlatpack = circuit imprinter flatpack - .desc = A flatpack used for constructing a circuit imprinter. -ent-ProtolatheFlatpack = protolathe flatpack - .desc = A flatpack used for constructing a protolathe. -ent-MachineArtifactAnalyzerFlatpack = artifact analyzer flatpack - .desc = A flatpack used for constructing an artifact analyzer. -ent-MachineAnomalyVesselFlatpack = anomaly vessel flatpack - .desc = A flatpack used for constructing an anomaly vessel. -ent-MachineAPEFlatpack = A.P.E. flatpack - .desc = A flatpack used for constructing an A.P.E.. -ent-ScienceTechFabFlatpack = science techfab flatpack - .desc = A flatpack used for constructing a science techfab. -ent-UniformPrinterFlatpack = uniform printer flatpack - .desc = A flatpack used for constructing an uniform printer. -ent-ServiceTechFabFlatpack = service tech fab flatpack - .desc = A flatpack used for constructing a service tech fab. -ent-MaterialReclaimerFlatpack = material reclaimer flatpack - .desc = A flatpack used for constructing a material reclaimer. -ent-HydroponicsTrayEmptyFlatpack = hydroponics tray flatpack - .desc = A flatpack used for constructing a hydroponics tray. -ent-TilePrinterNFFlatpack = tile-meister 5000 flatpack - .desc = A flatpack used for constructing a tile-meister 5000. -ent-MedicalTechFabFlatpack = medical tech fab flatpack - .desc = A flatpack used for constructing a medical tech fab. -ent-OreProcessorFlatpack = ore processor flatpack - .desc = A flatpack used for constructing an ore processor. -ent-ShuttleGunKineticFlatpack = PTK-800 "Matter Dematerializer" flatpack - .desc = A flatpack used for constructing a PTK-800 "Matter Dematerializer". -ent-SalvageTechfabNFFlatpack = salvage techfab flatpack - .desc = A flatpack used for constructing a salvage techfab. -ent-ComputerResearchAndDevelopmentFlatpack = research and development computer flatpack - .desc = A flatpack used for constructing a research and development computer. -ent-ComputerAnalysisConsoleFlatpack = analysis console flatpack - .desc = A flatpack used for constructing an analysis console. -ent-ComputerCrewMonitoringFlatpack = crew monitoring console flatpack - .desc = A flatpack used for constructing a crew monitoring console. -ent-ComputerIFFFlatpack = IFF computer flatpack - .desc = A flatpack used for constructing a IFF computer. -ent-ResearchAndDevelopmentServerFlatpack = research and development server flatpack - .desc = A flatpack used for constructing a research and development server. -ent-TelecomServerFlatpack = telecommunication server flatpack - .desc = A flatpack used for constructing a telecommunication server. -ent-AirlockFlatpack = airlock flatpack - .desc = A flatpack used for constructing an airlock. -ent-AirlockGlassFlatpack = glass airlock flatpack - .desc = A flatpack used for constructing an airlock. -ent-AirlockShuttleFlatpack = docking airlock flatpack - .desc = A flatpack used for constructing a docking airlock. -ent-AirlockGlassShuttleFlatpack = docking glass airlock flatpack - .desc = A flatpack used for constructing a glass docking airlock. -ent-TubaInstrumentFlatpack = tuba flatpack - .desc = A flatpack containing a tuba. -ent-HarpInstrumentFlatpack = harp flatpack - .desc = A flatpack containing a harp. -ent-ContrabassInstrumentFlatpack = contrabass flatpack - .desc = A flatpack containing a contrabass. -ent-VibraphoneInstrumentFlatpack = vibraphone flatpack - .desc = A flatpack containing a vibraphone. -ent-MarimbaInstrumentFlatpack = marimba flatpack - .desc = A flatpack containing a marimba. -ent-TomDrumsInstrumentFlatpack = tom drums flatpack - .desc = A flatpack containing tom drums. -ent-TimpaniInstrumentFlatpack = timpani flatpack - .desc = A flatpack containing a timpani. -ent-TaikoInstrumentFlatpack = taiko flatpack - .desc = A flatpack containing a taiko. -ent-MinimoogInstrumentFlatpack = minimoog flatpack - .desc = A flatpack containing a minimoog. -ent-ChurchOrganInstrumentFlatpack = church organ flatpack - .desc = A flatpack containing a church organ. -ent-PianoInstrumentFlatpack = piano flatpack - .desc = A flatpack containing a piano. -ent-UprightPianoInstrumentFlatpack = upright piano flatpack - .desc = A flatpack containing a upright piano. -ent-DawInstrumentFlatpack = daw flatpack - .desc = A flatpack containing a daw. +ent-AutolatheFlatpack = упакованный автолат + .desc = Упаковка, при помощи которой можно создать автолат. +ent-EngineeringTechFabFlatpack = упакованный инженерный техфаб + .desc = Упаковка, при помощи которой можно создатьn engineering tech fab. +ent-MachineFlatpackerFlatpack = упакованный Упаковщик 1001 + .desc = Упаковка, при помощи которой можно создать Упаковщик 1001. +ent-PowerCellRechargerFlatpack = упакованный зарядник батарей + .desc = Упаковка, при помощи которой можно создать зарядник батарей. +ent-WeaponCapacitorRechargerFlatpack = упакованный зарядник энергооружия + .desc = Упаковка, при помощи которой можно зарядник энергооружия. +ent-BorgChargerFlatpack = упакованная станция зарядки боргов + .desc = Упаковка, при помощи которой можно создать станцию зарядки боргов. +ent-PortableGeneratorJrPacmanFlatpack = упакованный М.И.Н.И.П.А.К.М.А.Н. + .desc = Упаковка, при помощи которой можно создать М.И.Н.И.П.А.К.М.А.Н. +ent-PortableGeneratorPacmanFlatpack = упакованный П.А.К.М.А.Н. + .desc = Упаковка, при помощи которой можно создать П.А.К.М.А.Н. +ent-PortableGeneratorSuperPacmanFlatpack = упакованный С.У.П.Е.Р.П.А.К.М.А.Н. + .desc = Упаковка, при помощи которой можно создать С.У.П.Е.Р.П.А.К.М.А.Н. +ent-AmeControllerUnanchoredFlatpack = упакованный контроллер ДАМ + .desc = Упаковка, при помощи которой можно создать контроллер ДАМ +ent-RadiationCollectorFullTankFlatpack = упакованный коллектор радиации + .desc = Упаковка, при помощи которой можно создать коллектор радиации +ent-GyroscopeUnanchoredFlatpack = упакованный гироскоп + .desc = Упаковка, при помощи которой можно создать гироскоп. +ent-SmallGyroscopeUnanchoredFlatpack = упакованный мини-гироскоп + .desc = Упаковка, при помощи которой можно создать мини-гиросков +ent-ThrusterUnanchoredFlatpack = упакованный двигатель + .desc = Упаковка, при помощи которой можно создать двигатель. +ent-SmallThrusterUnanchoredFlatpack = упакованный мини-двигатель + .desc = Упаковка, при помощи которой можно создать мини-двигатель. +ent-ExosuitFabricatorFlatpack = упакованный фабрикатор экзокостюмов + .desc = Упаковка, при помощи которой можно создатьn фабрикатор экзокостюмов. +ent-CircuitImprinterFlatpack = упакованный принтер схем + .desc = Упаковка, при помощи которой можно создать принтер схем. +ent-ProtolatheFlatpack = упакованный протолат + .desc = Упаковка, при помощи которой можно создать протолат. +ent-MachineArtifactAnalyzerFlatpack = упакованный аналиазтор артефактов + .desc = Упаковка, при помощи которой можно создать анализатор артефактов. +ent-MachineAnomalyVesselFlatpack = упакованный сосуд аномалии + .desc = Упаковка, при помощи которой можно создать сосуд аномалии. +ent-MachineAPEFlatpack = упакованный М.А.К.А.К. + .desc = Упаковка, при помощи которой можно создать М.А.К.А.К. +ent-ScienceTechFabFlatpack = упакованный научный техфаб + .desc = Упаковка, при помощи которой можно создать научный техфаб. +ent-UniformPrinterFlatpack = упакованный принтер униформы + .desc = Упаковка, при помощи которой можно создатьn принтер униформы. +ent-ServiceTechFabFlatpack = упакованный сервисный техфаб + .desc = Упаковка, при помощи которой можно создать сервисный техфаб. +ent-MaterialReclaimerFlatpack = упакованный переработчик материалов + .desc = Упаковка, при помощи которой можно создать переработчик материалов. +ent-HydroponicsTrayEmptyFlatpack = упакованный гидропонный лоток + .desc = Упаковка, при помощи которой можно создать гидропонный лоток. +ent-TilePrinterNFFlatpack = упакованный Плиточник 5000 + .desc = Упаковка, при помощи которой можно создать Плиточник 5000 +ent-MedicalTechFabFlatpack = упакованный медицинский техфаб + .desc = Упаковка, при помощи которой можно создать медицинский техфаб. +ent-OreProcessorFlatpack = упакованный переработчик руды + .desc = Упаковка, при помощи которой можно создать переработчик руды. +ent-ShuttleGunKineticFlatpack = упакованный PTK-800 "Дематериализатор материи" + .desc = Упаковка, при помощи которой можно создать PTK-800 "Дематериализатор материи" +ent-SalvageTechfabNFFlatpack = упакованный утилизационный техфаб + .desc = Упаковка, при помощи которой можно создать утилизационный техфаб. +ent-ComputerResearchAndDevelopmentFlatpack = упакованная исследовательская консоль + .desc = Упаковка, при помощи которой можно создать исследовательскую консоль. +ent-ComputerAnalysisConsoleFlatpack = упакованная аналитическая консоль + .desc = Упаковка, при помощи которой можно создать аналитическую консоль. +ent-ComputerCrewMonitoringFlatpack = упакованная консоль мониторинга экипажа + .desc = Упаковка, при помощи которой можно создать консоль мониторинга экипажа +ent-ComputerIFFFlatpack = упакованная консоль системы опознавания + .desc = Упаковка, при помощи которой можно создать консоль системы опознавания. +ent-ResearchAndDevelopmentServerFlatpack = упакованный сервер РНД + .desc = Упаковка, при помощи которой можно создать сервер РНД +ent-TelecomServerFlatpack = упакованный телекомуникационный сервер + .desc = Упаковка, при помощи которой можно создать телекомуникационный сервер. +ent-AirlockFlatpack = упакованный воздушный шлюз + .desc = Упаковка, при помощи которой можно создать воздушный шлюз. +ent-AirlockGlassFlatpack = упакованный стеклянный воздушный шлюз + .desc = Упаковка, при помощи которой можно создать стеклянный воздушный шлюз. +ent-AirlockShuttleFlatpack = упакованный стыковочный шлюз + .desc = Упаковка, при помощи которой можно создать стыковочный шлюз. +ent-AirlockGlassShuttleFlatpack = упакованный стеклянный стыковочный шлюз + .desc = Упаковка, при помощи которой можно создать стеклянный стыковочный шлюз. +ent-TubaInstrumentFlatpack = упакованная туба + .desc = Упаковка, содержащая тубу. +ent-HarpInstrumentFlatpack = упакованная арфа + .desc = Упаковка, содержащая арфу. +ent-ContrabassInstrumentFlatpack = упакованный контрабас + .desc = Упаковка, содержащая контрабас. +ent-VibraphoneInstrumentFlatpack = упакованный вибрафон + .desc = Упаковка, содержащая вибрафон. +ent-MarimbaInstrumentFlatpack = упакованная маримба + .desc = Упаковка, содержащая маримбу. +ent-TomDrumsInstrumentFlatpack = упакованный том-том + .desc = Упаковка, содержащая том-том. +ent-TimpaniInstrumentFlatpack = упакованные литавры + .desc = Упаковка, содержащая литавры. +ent-TaikoInstrumentFlatpack = упакованный тайко + .desc = Упаковка, содержащая тайко. +ent-MinimoogInstrumentFlatpack = упакованный минимуг + .desc = Упаковка, содержащая минимуг. +ent-ChurchOrganInstrumentFlatpack = упакованный церковный орган + .desc = Упаковка, содержащая церковный орган. +ent-PianoInstrumentFlatpack = упакованное фортепияно + .desc = Упаковка, содержащая фортепияно. +ent-UprightPianoInstrumentFlatpack = упакованное пианино + .desc = Упаковка, содержащая пианино. +ent-DawInstrumentFlatpack = упакованная цифровая звуковая рабочая станция + .desc = Упаковка, содержащая цифровую звуковую рабочую станцию. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl index 60960236b97..0226cb326e4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl @@ -1,8 +1,22 @@ -ent-MercenaryIDCard = mercenary ID card +ent-MercenaryIDCard = ID карта наёмника .desc = { ent-IDCardStandard.desc } -ent-PilotIDCard = pilot ID card +ent-PilotIDCard = ID карта пилота .desc = { ent-IDCardStandard.desc } -ent-StcIDCard = station traffic controller ID card +ent-StcIDCard = ID карта диспетчера станции .desc = { ent-IDCardStandard.desc } -ent-SecurityGuardIDCard = security guard ID card +ent-nfsdcadetID = ID карта кадета ДСБФ + .desc = { ent-IDCardStandard.desc } +ent-nfsddeputyID = ID карта рядового ДСБФ + .desc = { ent-IDCardStandard.desc } +ent-nfsdbrigmedicID = ID карта парамедика ДСБФ + .desc = { ent-IDCardStandard.desc } +ent-nfsdsergeantID = ID карта сержанта ДСБФ + .desc = { ent-IDCardStandard.desc } +ent-nfsdbailiffID = ID карта судебного пристава + .desc = { ent-IDCardStandard.desc } +ent-nfsdsheriffID = ID карта шерифа ДСБФ + .desc = { ent-IDCardStandard.desc } +ent-SecurityGuardIDCard = ID карта службы безопасности .desc = { ent-SecurityIDCard.desc } +ent-ERTMailCarrierIDCard = ID карта почтальона ОБР + .desc = { ent-ERTChaplainIDCard.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl index 20dac9b6cb9..664f88bb1a8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl @@ -1,10 +1,25 @@ ent-MusicBasePDA = { "" } .desc = { "" } -ent-MercenaryPDA = mercenary PDA - .desc = This PDA smells of war. -ent-PilotPDA = pilot PDA - .desc = This PDA smells like thruster exhaust fumes. -ent-StcPDA = station traffic controller PDA - .desc = Declare emergencies in style! -ent-SecurityGuardPDA = security guard PDA - .desc = Red to hide the stains of passenger blood. +ent-MercenaryPDA = КПК наёмника + .desc = Пахнет войной. +ent-PilotPDA = КПК пилота + .desc = Пахнет отработанным топливом. +ent-StcPDA = КПК диспетчера станции + .desc = Оповещайте о происшествиях со стилем! +ent-SecurityGuardPDA = КПК службы безоопасности + .desc = Красный чтобы скрывать кровь. +ent-ERTMailCarrierPDA = { ent-ERTLeaderPDA } + .suffix = Почтальон + .desc = { ent-ERTLeaderPDA.desc } +ent-NfsdSheriff = КПК шерифа + .desc = Тот, кто носит его, и есть закон. +ent-NfsdCadet = КПК кадета + .desc = Тот, кто носит его, может представлять закон. +ent-NfsdDeputy = КПК помощника + .desc = Тот, кто носит его, практически представляет закон. +ent-NfsdBrigmedic = КПК бригмедика + .desc = Тот, кто носит его, лечит закон. +ent-NfsdSergeant = КПК сержанта + .desc = Тот, кто носит его, представляет закон. +ent-NfsdBailiff = КПК судебного пристава + .desc = Тот, кто носит его, представляет закон. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl index 199ee817dd8..fb7fb848557 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl @@ -1,3 +1,3 @@ ent-PinpointerUniversalDebug = { ent-PinpointerUniversal } - .suffix = DEBUG, DO NOT MAP + .suffix = DEBUG, НЕ МАППИТЬ .desc = { ent-PinpointerUniversal.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl index 9111dff1712..b569e133004 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl @@ -1,12 +1,12 @@ -ent-ShredderMachineCircuitboard = shredder machine board - .desc = A machine printed circuit board for a shredder. -ent-SmallThrusterMachineCircuitboard = small thruster machine board +ent-ShredderMachineCircuitboard = измельчитель (машинная плата) + .desc = Печатная плата измельчителя. +ent-SmallThrusterMachineCircuitboard = мини-двигатель (машинная плата) .desc = { ent-BaseMachineCircuitboard.desc } -ent-SmallGyroscopeMachineCircuitboard = small gyroscope machine board +ent-SmallGyroscopeMachineCircuitboard = мини-гироскоп (машинная плата) .desc = { ent-BaseMachineCircuitboard.desc } -ent-ThrusterSecurityMachineCircuitboard = security thruster machine board +ent-ThrusterSecurityMachineCircuitboard = двигатель патрульной службы (машинная плата) .desc = { ent-BaseMachineCircuitboard.desc } -ent-TilePrinterNFMachineCircuitboard = tile-meister 5000 machine board - .desc = A machine printed circuit board for an tile-meister 5000 -ent-SalvageTechFabCircuitboardNF = salvage techfab machine board - .desc = A machine printed circuit board for a salvage techfab +ent-TilePrinterNFMachineCircuitboard = Плиточник 5000 (машинная плата) + .desc = Печатная плата Плиточник 5000 +ent-SalvageTechFabCircuitboardNF = утилизационный техфаб (машинная плата) + .desc = Печатная плата утилизационного техфаба. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/station_beacon.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/station_beacon.ftl new file mode 100644 index 00000000000..275cea85d65 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/station_beacon.ftl @@ -0,0 +1,12 @@ +ent-DefaultStationBeaconFrontierATM = { ent-DefaultStationBeacon } + .suffix = Банкомат + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconFrontierShipyard = { ent-DefaultStationBeacon } + .suffix = Верфь + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconFrontierSROffice = { ent-DefaultStationBeaconCommand } + .suffix = SR's Office + .desc = { ent-DefaultStationBeaconCommand.desc } +ent-DefaultStationBeaconFrontierSRQuarters = { ent-DefaultStationBeaconCommand } + .suffix = SR's Quarters + .desc = { ent-DefaultStationBeaconCommand.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl index 02a560495f7..309904a0011 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl @@ -1,15 +1,15 @@ ent-HoloparasiteInjectorAI = { ent-HoloparasiteInjector } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-HoloparasiteInjector.desc } ent-HoloClownInjectorAI = { ent-HoloClownInjector } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-HoloClownInjector.desc } ent-MagicalLampAI = { ent-MagicalLamp } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-MagicalLamp.desc } ent-BoxHoloparasiteAI = { ent-BoxHoloparasite } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-BoxHoloparasite.desc } ent-BoxHoloclownAI = { ent-BoxHoloclown } - .suffix = Ghost, AI + .suffix = Роль призрака, AI .desc = { ent-BoxHoloclown.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl index 5f82b7a2bf7..592a8a1a521 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl @@ -1,8 +1,8 @@ -ent-ClothingOuterRobesWeedChurch = church of weedgod robes - .desc = the robes of those dedicated to the god who's name begins with G -ent-ClothingHeadBeanieWeedChurch = church of weedgod beanie - .desc = the beanie worn by followers of the church of weedgod -ent-ClothingHeadWeedChurchBishop = church of weedgod bishop's hat - .desc = a holy hat worn by those with high status in the church of weedgod -ent-Weejurnum = weejurnum - .desc = holy book to followers of the church of weedgod +ent-ClothingOuterRobesWeedChurch = роба травопоклонников + .desc = Роба для тех, чье имя бога начинается с буквы Г. +ent-ClothingHeadBeanieWeedChurch = шапочка травопоклонников + .desc = Шапочка, которую носят травопоклонники. +ent-ClothingHeadWeedChurchBishop = шапка епископа травопоклонников + .desc = Священный головной убор, который носят высшие чины травопоклонников. +ent-Weejurnum = ганджия + .desc = Святая книга травопоклонников. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl index 3dae3398276..9a5119c9fb1 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl @@ -1,19 +1,19 @@ ent-PrizeTicketBase = { ent-BaseItem } - .desc = A prize ticket, ready to be redeemed at a prize counter. -ent-PrizeTicket = prize ticket - .suffix = Full + .desc = Подарочный купон готовый к обмену. +ent-PrizeTicket = подарочный купон + .suffix = Полный .desc = { ent-PrizeTicketBase.desc } -ent-PrizeTicket10 = prize ticket +ent-PrizeTicket10 = подарочный купон .suffix = 10 .desc = { ent-PrizeTicket.desc } -ent-PrizeTicket30 = prize ticket +ent-PrizeTicket30 = подарочный купон .suffix = 30 .desc = { ent-PrizeTicket.desc } -ent-PrizeTicket60 = prize ticket +ent-PrizeTicket60 = подарочный купон .suffix = 60 .desc = { ent-PrizeTicket.desc } -ent-PrizeTicket1 = prize ticket - .suffix = Single +ent-PrizeTicket1 = подарочный купон + .suffix = Один .desc = { ent-PrizeTicket.desc } -ent-PrizeBall = prize ball - .desc = I wounder whats inside! +ent-PrizeBall = подарочный шар + .desc = Интересно, что внутри? diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl index 16c600bba04..9253428b84b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl @@ -1,76 +1,76 @@ -ent-PlushieJester = jester plushie - .desc = A dubious little creature getting up to mischief. -ent-PlushieSlips = janitor plushie - .desc = The silent cleaner, the one that you dont hear say "Weh"! -ent-DBToySword = toy double-esword +ent-PlushieJester = плюшевый шут + .desc = Маленькое сомнительное создание, затевающее пакости. +ent-PlushieSlips = плюшевый уборщик + .desc = Бесшумный пылесос, тот, который не произносит "WEH" +ent-DBToySword = игрушечный двухклинковый меч .desc = { ent-ToySword.desc } -ent-PetRockCarrier = pet rock carrier - .desc = Your new and only best friend home! -ent-BasePetRock = pet rock - .desc = Your new and only best friend! +ent-PetRockCarrier = переноска для камня + .desc = Дом для вашего лучшего друга! +ent-BasePetRock = ручной камень + .desc = Ваш новый (и единственный) лучший друг! ent-PetRock = { ent-BasePetRock } .desc = { ent-BasePetRock.desc } -ent-PetRockFred = fred +ent-PetRockFred = Фред .desc = { ent-BasePetRock.desc } -ent-PetRockRoxie = roxie +ent-PetRockRoxie = Рокси .desc = { ent-BasePetRock.desc } -ent-PlushieGnome = gnome plushie - .desc = A stuffed toy that resembles a gnome! or a drawf... -ent-PlushieLoveable = loveable plushie - .desc = A stuffed toy that resembles... a creature. -ent-PlushieDeer = deer plushie - .desc = A stuffed toy that resembles a deer! -ent-PlushieIpc = ipc plushie - .desc = A stuffed toy that resembles a ipc! -ent-PlushieGrey = grey plushie - .desc = A stuffed toy that resembles a grey! -ent-PlushieAbductor = abductor plushie - .desc = A stuffed toy that resembles an abductor! -ent-PlushieAbductorAgent = abductor agent plushie - .desc = A stuffed toy that resembles an abductor agent! -ent-PlushieRedFox = red fox plushie - .desc = A cute plushie that look like a red foxxo! -ent-PlushiePurpleFox = purple fox plushie - .desc = A cute plushie that look like a purple foxxo! -ent-PlushiePinkFox = pink fox plushie - .desc = A cute plushie that look like a pink foxxo! -ent-PlushieOrangeFox = orange fox plushie - .desc = A cute plushie that look like a orange foxxo! -ent-PlushieMarbleFox = marble fox plushie - .desc = A cute plushie that look like a marble foxxo! -ent-PlushieCrimsonFox = crimson fox plushie - .desc = A cute plushie that look like a crimson foxxo! -ent-PlushieCoffeeFox = coffee fox plushie - .desc = A cute plushie that look like a coffee foxxo! -ent-PlushieBlueFox = blue fox plushie - .desc = A cute plushie that look like a blue foxxo! -ent-PlushieBlackFox = black fox plushie - .desc = A cute plushie that look like a black foxxo! -ent-BasePlushieVulp = vulpkanin plushie - .desc = A vulpkanin plushie, at least you can hug this one without the risk to get bitten. +ent-PlushieGnome = плюшевый гном + .desc = Очаровательная мягкая игрушка, напоминающая гнома. Или дворфа... Или дварфа... +ent-PlushieLoveable = очаровательная плюшевая игрушка + .desc = Очаровательная мягкая игрушка, напоминающая... существо. +ent-PlushieDeer = плюшевый олень + .desc = Очаровательная мягкая игрушка, напоминающая оленя! +ent-PlushieIpc = плюшевый ИПС + .desc = Очаровательная мягкая игрушка, напоминающая ИПС! +ent-PlushieGrey = плюшевый инопланетянин + .desc = Очаровательная мягкая игрушка, напоминающая инопланетянина! +ent-PlushieAbductor = плюшевый абдуктор + .desc = Очаровательная мягкая игрушка, напоминающая абдуктора! +ent-PlushieAbductorAgent = плюшевый агент абдуктор + .desc = Очаровательная мягкая игрушка, напоминающая агента абдукторов! +ent-PlushieRedFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushiePurpleFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushiePinkFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushieOrangeFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushieMarbleFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushieCrimsonFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushieCoffeeFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushieBlueFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-PlushieBlackFox = плюшевая лиса + .desc = Очаровательная мягкая игрушка, напоминающая лису! +ent-BasePlushieVulp = плюшевый вульпканин + .desc = Очаровательный плюшевый вульпканин, которого можно обнять не боясь быть укусанным! ent-PlushieVulp = { ent-BasePlushieVulp } .desc = { ent-BasePlushieVulp.desc } -ent-PlushieTrystan = office vulp plushie - .desc = The ones who yeeps! -ent-PlushieCorgi = corgi plushie - .desc = The ian plushie edition! -ent-PlushieGirlyCorgi = girly corgi plushie +ent-PlushieTrystan = плюшевый вульпицер + .desc = Забавно вскрикивает! +ent-PlushieCorgi = плюшевый корги + .desc = Коллекция персональных Ианов! +ent-PlushieGirlyCorgi = плюшевый корги .desc = { ent-BasePlushieVulp.desc } -ent-PlushieRobotCorgi = robot corgi plushie +ent-PlushieRobotCorgi = плюшевый робо-корги .desc = { ent-BasePlushieVulp.desc } ent-BasePlushieCat = { ent-BasePlushie } .desc = { ent-BasePlushie.desc } -ent-PlushieCatBlack = black cat plushie - .desc = A stuffed toy that resembles a cute kitty! -ent-PlushieCatGrey = grey cat plushie +ent-PlushieCatBlack = плюшевая кошка + .desc = Очаровательная мягкая игрушка, напоминающая милую кошку! +ent-PlushieCatGrey = плюшевая кошка .desc = { ent-BasePlushieCat.desc } -ent-PlushieCatOrange = orange cat plushie +ent-PlushieCatOrange = плюшевая кошка .desc = { ent-BasePlushieCat.desc } -ent-PlushieCatSiames = siames cat plushie +ent-PlushieCatSiames = плюшевая кошка .desc = { ent-BasePlushieCat.desc } -ent-PlushieCatTabby = tabby cat plushie +ent-PlushieCatTabby = плюшевая кошка .desc = { ent-BasePlushieCat.desc } -ent-PlushieCatTuxedo = tuxedo cat plushie +ent-PlushieCatTuxedo = плюшевая кошка .desc = { ent-BasePlushieCat.desc } -ent-PlushieCatWhite = white cat plushie +ent-PlushieCatWhite = плюшевая кошка .desc = { ent-BasePlushieCat.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl index 5f5bc38095c..fb94fd6412f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl @@ -1,2 +1,2 @@ -ent-AirFreshener = air freshener - .desc = Removes bad odors, keep it in your pocket. +ent-AirFreshener = освежитель воздуха + .desc = Для получения эффекта носите в кармане. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl index e471089cf27..13544542d12 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl @@ -1,2 +1,2 @@ -ent-NFAshtray = ashtray +ent-NFAshtray = пепельница .desc = { ent-BaseStorageItem.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl index 38aea351545..bf84f2a1f35 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl @@ -1,2 +1,2 @@ -ent-Censer = censer - .desc = Usually you put incense in there. +ent-Censer = курильница + .desc = Обычно используется вместе с благовониями. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl index 868476f6b66..f33b00a431a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl @@ -1,2 +1,2 @@ -ent-GoldenRose = golden rose - .desc = An expensive golden rose signifying this ship's luxury. +ent-GoldenRose = золотая роза + .desc = Дорогое украшение, придающее вашему шаттлу элитный вид. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl index c76da7ec1b2..4ce68ca04d1 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl @@ -1,2 +1,2 @@ -ent-WebCocoon = web cocoon - .desc = Strong web cocoon used to restrain criminal or preys, its also prevent rotting. +ent-WebCocoon = паутинный кокон + .desc = Крепкий паутинный кокон, которым можно сковать преступника. Так же защищает тела от гниения. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl index 46d72c2d8fb..c2b58afb0b5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl @@ -1,2 +1,5 @@ -ent-MedicalTrackingImplanter = medical insurance tracking implanter +ent-MedicalTrackingImplanter = имплантер медицинской страховки .desc = { ent-BaseImplantOnlyImplanter.desc } +ent-DeathAcidifierImplanterNF = имплантер посмертный растворитель + .suffix = All + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl index 1ed48042c9d..5cc239fb4d0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl @@ -1,5 +1,5 @@ -ent-MailCapsulePrimed = mail capsule - .suffix = Primed +ent-MailCapsulePrimed = почтовая капсула + .suffix = Запечатана .desc = { ent-BaseItem.desc } -ent-BoxMailCapsulePrimed = mail capsule box - .desc = A box of primed mail capsules. +ent-BoxMailCapsulePrimed = ящик почтовых капсул + .desc = Ящик с запечатанными почтовыми капсулами. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl index eb548eff8d9..69dc413fbdc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl @@ -1,2 +1,2 @@ -ent-UrnMortuary = mortuary urn - .desc = Keeps your beloved friend's ashes not scattered in your pocket. +ent-UrnMortuary = урна для праха + .desc = Лучшее решение для тех, кто боится просыпать остатки своих друзей. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl index 81b3e69ff8a..4b536f812ee 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl @@ -1,9 +1,9 @@ -ent-RubberStampPsychologist = psychologist rubber stamp - .suffix = DO NOT MAP +ent-RubberStampPsychologist = печать психолога + .suffix = НЕ МАППИТЬ .desc = { ent-RubberStampBase.desc } -ent-RubberStampLawyer = lawyer rubber stamp - .suffix = DO NOT MAP +ent-RubberStampLawyer = печать адвоката + .suffix = НЕ МАППИТЬ .desc = { ent-RubberStampBase.desc } -ent-RubberStampStc = station traffic controller's rubber stamp - .suffix = DO NOT MAP +ent-RubberStampStc = печать диспетчера станции + .suffix = НЕ МАППИТЬ .desc = { ent-RubberStampBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl index 38561a2a06f..7a997aab25a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl @@ -1,2 +1,4 @@ -ent-MedicalTrackingImplant = medical insurance tracking implant - .desc = This implant has a tracking device monitor for the Medical radio channel. +ent-MedicalTrackingImplant = имплант медицинской страховки + .desc = Этот имплант автоматически передаёт ваше местоположение медицинским службам при получении критического урона. +ent-DeathAcidifierImplantNF = посмертный растворитель + .desc = Этот имплант полностью растворяет пользователя со всем его снаряжением после смерти. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl index 6562b23b944..ac03c339e24 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl @@ -1,2 +1,2 @@ -ent-JugSpaceCleaner = jug (Space Cleaner) +ent-JugSpaceCleaner = кувшин (Космический Очиститель) .desc = { ent-Jug.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl index bd5b341d035..7a8b91dc613 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl @@ -1,4 +1,4 @@ -ent-SpesosTreeSeeds = packet of spesos seeds - .desc = these seeds seem like a miracle, but expert farmers get rich from the kitchen. -ent-PearSeeds = packet of pear seeds - .desc = they are peary good for you. +ent-SpesosTreeSeeds = пакет семян денежного дерева + .desc = Это может показаться фантастикой, но деньги и правда можно выращивать на деревьях! +ent-PearSeeds = пакет семян груши + .desc = Они чертовски полезны. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl index 726825aaaec..ed0837061d5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl @@ -1,6 +1,6 @@ -ent-HypoMini = NTCS-101 hypospray - .desc = A commercial hypospray designed by Nanotrasen Chemical Supply. It has two built in safety features for the consumer market, a small chemical reservoir and an injection delay. -ent-HypoBrigmedic = NTCS-102 hypospray - .desc = A commercial hypospray designed by Nanotrasen Chemical Supply. It has two built in safety features for the consumer market, a small chemical reservoir and an injection delay. This one is branded for use by law-enforcement. -ent-HypoMiniLimitedEdition = NTCS-103 hypospray - .desc = A commercial hypospray designed by Nanotrasen Chemical Supply. It has two built in safety features for the consumer market, a small chemical reservoir and an injection delay. This one seems to be a limited edition, lucky you! +ent-HypoMini = гипоспрей NTCS-101 + .desc = Коммерческая версия стандартного гипоспрея NT, разработанная для внешнего рынка. В отличии от стандартного гипоспрея, оснащен системой задержки ввода лекарств. +ent-HypoBrigmedic = гипоспрей NTCS-102 + .desc = Коммерческая версия стандартного гипоспрея NT, разработанная для внешнего рынка. В отличии от стандартного гипоспрея, оснащен системой задержки ввода лекарств. Используется представителями службы безопасности. +ent-HypoMiniLimitedEdition = гипоспрей NTCS-103 + .desc = Коммерческая версия стандартного гипоспрея NT, разработанная для внешнего рынка. В отличии от стандартного гипоспрея, оснащен системой задержки ввода лекарств. Выглядит как коллекционный образец, тебе повезло! diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl index 1f3d6ad22d7..341a120ebdf 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl @@ -1,24 +1,24 @@ -ent-FrontierUplinkCoin = frontier uplink coin - .desc = A token awarded to the NFSD for turning in contraband. It can be exchanged in an NFSD uplink device for a variety of law enforcement tools. - .suffix = 20 TC +ent-FrontierUplinkCoin = таможенные кредиты + .desc = Таможенные кредиты, которые выдаются за представителям ДСБФ за успешный перехват контрабанды. + .suffix = 20 ТК ent-FrontierUplinkCoin1 = { ent-FrontierUplinkCoin } - .suffix = 1 TC + .suffix = 1 ТК .desc = { ent-FrontierUplinkCoin.desc } ent-FrontierUplinkCoin5 = { ent-FrontierUplinkCoin } - .suffix = 5 TC + .suffix = 5 ТК .desc = { ent-FrontierUplinkCoin.desc } ent-FrontierUplinkCoin10 = { ent-FrontierUplinkCoin } - .suffix = 10 TC + .suffix = 10 ТК .desc = { ent-FrontierUplinkCoin.desc } -ent-BaseSecurityUplinkRadio = nfsd uplink - .desc = Retro looking old radio... - .suffix = Empty +ent-BaseSecurityUplinkRadio = аплинк ДСБФ + .desc = Винтажно выглядящее радио... + .suffix = Пустое ent-BaseSecurityUplinkRadioDebug = { ent-BaseSecurityUplinkRadio } - .suffix = Security, DEBUG + .suffix = ДСБФ, DEBUG .desc = { ent-BaseSecurityUplinkRadio.desc } ent-BaseSecurityUplinkRadioSheriff = { ent-BaseSecurityUplinkRadio } - .suffix = Sheriff 15 + .suffix = Шериф 15 .desc = { ent-BaseSecurityUplinkRadio.desc } ent-BaseSecurityUplinkRadioOfficer = { ent-BaseSecurityUplinkRadio } - .suffix = Officer 10 + .suffix = Офицер 10 .desc = { ent-BaseSecurityUplinkRadio.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl index 21d2010e417..0f4aedaebe4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl @@ -1,16 +1,16 @@ -ent-SecuredVendingMachineRestock = secured vending machine restock box - .desc = A secured box for restocking vending machines with corporate goodies, the contents of the box gets destroyed if it's hit by force. -ent-VendingMachineRestockAstroVend = Astro Vendor restock box - .desc = Rock and stone! A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. -ent-VendingMachineRestockAmmo = Ammo restock box - .desc = A box full of ammo and guns, usefull when there's too many pirates, 2TH AMENDMENT, A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. -ent-VendingMachineRestockFlatpackVend = FlatpackVend restock box - .desc = A box full of flatpacks for various computers. Load it into a FlatpackVend to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. -ent-VendingMachineRestockCuddlyCritterVend = CuddlyCritterVend restock box - .desc = A box containing toys and plushies for the Cuddly Critter vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. -ent-VendingMachineRestockLessLethalVend = LessLethalVend restock box - .desc = A box containing rubber bullets and disruptors for the Less Lethal vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. -ent-VendingMachineRestockAutoTuneVend = AutoTuneVend restock box - .desc = A box containing music and stuff for the Auto Tune vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. -ent-VendingMachineRestockPottedPlantVend = Plant-O-Matic restock box - .desc = A box containing potted plants for the Plant-O-Matic vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-SecuredVendingMachineRestock = защищенный набор пополнения + .desc = Защищенный ящик для пополнения запасов фирменных товаров в торговых автоматах, содержимое которого уничтожается при сильном ударе. +ent-VendingMachineRestockAstroVend = набор пополнения АстроВенд + .desc = Rock and stone! Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". +ent-VendingMachineRestockAmmo = набор пополнения боеприпасов + .desc = Ящик, забитый оружием и боеприпасами. Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". +ent-VendingMachineRestockFlatpackVend = набор пополнения Упак-О-Мат + .desc = Ящик, в котором хранится множество разнообразных упакованных приспособлений. Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". +ent-VendingMachineRestockCuddlyCritterVend = набор пополнения ПлюшкоВенд + .desc = Ящик, в котором хранятся плюшевые игрушки. Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". +ent-VendingMachineRestockLessLethalVend = набор пополнения ТравМаг + .desc = Ящик, забитый травматическим оружием и боеприпасами. Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". +ent-VendingMachineRestockAutoTuneVend = набор пополнения МузВенд + .desc = Ящик с разнообразными музыкальными инструментами. Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". +ent-VendingMachineRestockPottedPlantVend = набор пополнения Трав-О-Маг + .desc = Ящик, в котором хранятся различные растения. Надпись на этикетке гласит "КОРОБКА ЗАЩИЩЕНА ОТ НЕСАНКЦИОНИРОВАННОГО ДОСТУПА, ЕЁ СОДЕРЖИМОЕ БУДЕТ УНИЧТОЖЕНА ПРИ ПОПЫТКЕ ВСКРЫТИЯ". diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/wizard/conjured_items.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/wizard/conjured_items.ftl new file mode 100644 index 00000000000..826b61d0bc6 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/specific/wizard/conjured_items.ftl @@ -0,0 +1,5 @@ +ent-ConjuredObject10 = { "" } + .desc = Магически созданный объект, который рано или поздно исчезнет. + .suffix = Наколдованный +ent-SoapConjured = мыло + .desc = { ent-Soap.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl index 6393d986e89..af197d38cf9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl @@ -1,5 +1,5 @@ -ent-Demag = cryptographic resequencer - .desc = The all-in-one unhacking solution. The thinking man's lock. The iconic DEMAG fixer. -ent-DemagUnlimited = cryptographic resequencer - .desc = The all-in-one unhacking solution. The thinking man's lock. The iconic DEMAG fixer. - .suffix = Unlimited +ent-Demag = криптографический ресеквенсор + .desc = Универсальное анти-хакерское устройство. Так же известное как DEMAG. +ent-DemagUnlimited = криптографический ресеквенсор + .desc = Универсальное анти-хакерское устройство. Так же известное как DEMAG. + .suffix = Неограниченный diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/gas_tanks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/gas_tanks.ftl new file mode 100644 index 00000000000..46981310dc0 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/gas_tanks.ftl @@ -0,0 +1,2 @@ +ent-DoubleEmergencyAirTank = двойной аварийный воздушнный баллон + .desc = Высококлассный двухбаллонный резервуар аварийного жизнеобеспечения. Вмещает приличное для своих небольших размеров количество воздуха. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl index 6c8f60d2bcd..4b7317478dc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl @@ -1,2 +1,2 @@ -ent-HandHeldMassScanner = handheld mass scanner - .desc = A hand-held mass scanner. +ent-HandHeldMassScanner = ручной сканер массы + .desc = Ручной сканер для отслеживания близлежащих космических тел, отображающий их позицию и массу. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl index 5a85e3ef2ed..7208d4ad4ac 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl @@ -1,5 +1,5 @@ -ent-ShipyardRCD = Shipyard RCD - .desc = An advanced construction device which can place/remove walls, floors, and airlocks quickly. It has a slot to swipe ID cards. +ent-ShipyardRCD = Корабельный РСУ + .desc = Новейшее ручное строительное устройство, которое может быстро размещать и демонтировать стены, полы и шлюзы. Имеет встроенный сканер ID карты. ent-ShipyardRCDEmpty = { ent-ShipyardRCD } - .suffix = Empty + .suffix = Пустой .desc = { ent-ShipyardRCD.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl index 1ed9b8f059e..e37acb3360f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl @@ -1,2 +1,2 @@ -ent-MagazineBoxPistolEmp = ammunition box (.35 auto emp) +ent-MagazineBoxPistolEmp = коробка патронов (.35 авто эми) .desc = { ent-BaseMagazineBoxPistol.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl index 6225a883a30..ab2bd5f1971 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl @@ -1,2 +1,2 @@ -ent-CartridgePistolEmp = cartridge (.35 auto emp) +ent-CartridgePistolEmp = патрон (.35 авто эми) .desc = { ent-BaseCartridgePistol.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl index 96ea438d800..fde74e44927 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl @@ -1,4 +1,4 @@ -ent-CartridgeRocketEmp = PG-7VL emp - .desc = A 1.5 emp warhead designed for the RPG-7 launcher. Has tubular shape. -ent-GrenadeEmp = emp grenade +ent-CartridgeRocketEmp = PG-7VL ЭМИ + .desc = Боеголовка мощностью 1,5 эми, предназначенная для гранатомета РПГ-7. Имеет трубчатую форму. +ent-GrenadeEmp = ЭМИ граната .desc = { ent-BaseGrenade.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl index 7476cd15cf7..edcf76c0346 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl @@ -1,2 +1,2 @@ -ent-MagazinePistolSubMachineGunEmp = SMG magazine (.35 auto emp) +ent-MagazinePistolSubMachineGunEmp = магазин ПП (.35 авто эми) .desc = { ent-BaseMagazinePistolSubMachineGun.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl index 92173c487bb..f85ec904a51 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl @@ -1,2 +1,2 @@ -ent-BulletPistolEmp = bullet (.35 auto emp) +ent-BulletPistolEmp = пуля (.35 авто эми) .desc = { ent-BaseBulletEmp.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl index d749c8e63dc..9c41f43cc92 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl @@ -1,2 +1,2 @@ -ent-WeaponProtoKineticAcceleratorSawn = sawn-off proto-kinetic accelerator - .desc = boundaries and rules are ment to be broken otherwise there will be no progress, but this thing here is a good argumant against that statement. +ent-WeaponProtoKineticAcceleratorSawn = обрезанный протокинетический ускоритель + .desc = Все правила можно нарушить. Но это против самих законов мироздания. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl index 337acdd042d..578ab1b640b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl @@ -1,2 +1,2 @@ -ent-WeaponEmpEmitter = emp emitter - .desc = Releases electromagnetic pulses that disrupt or damage many electronic devices or drain power cells, has a slow self charging nuclear powered battery. +ent-WeaponEmpEmitter = электромагнитный излучатель + .desc = Испускает электромагнитные импульсы, которые выводят из строя или повреждают электронные устройства и разряжают элементы питания. Способен самостоятельно заряжаться. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl index 5de7566f4c0..5df2c948f33 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl @@ -1,4 +1,4 @@ -ent-BaseCrossbow = crossbow - .desc = The original rooty tooty point and shooty. -ent-CrossbowImprovised = impovised crossbow +ent-BaseCrossbow = арбалет + .desc = Прицелься и стреляй, всё просто. +ent-CrossbowImprovised = самодельный арбалет .desc = { ent-BaseCrossbow.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl index fc476182cba..60a7c9bc9c5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl @@ -1,8 +1,8 @@ -ent-WeaponRevolverArgenti = Argenti - .desc = Argenti Type 20 revolver. Manufactured by Silver Industries. While the design with expanded cylinder is quite ancient, the right gunslinger will know how to utilise it well. Uses .20 rifle ammo. +ent-WeaponRevolverArgenti = Аргенти + .desc = Револьвер изготовленный компанией Silver Industries. Несмотря на то, что конструкция с расширенным цилиндром довольно древняя, опытный стрелок знает, как им пользоваться. Использует .20 винтовочные патроны. ent-WeaponRevolverArgentiNonlethal = { ent-WeaponRevolverArgenti } - .suffix = Non-lethal + .suffix = Травматическое .desc = { ent-WeaponRevolverArgenti.desc } ent-WeaponRevolverDeckardNonlethal = { ent-WeaponRevolverDeckard } - .suffix = Non-lethal + .suffix = Травматическое .desc = { ent-WeaponRevolverDeckard.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl index 578b3458fe9..dfafd4047b0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl @@ -1,3 +1,3 @@ ent-Kardashev-MosinNonlethal = { ent-WeaponSniperMosin } - .suffix = Non-lethal + .suffix = Травматический .desc = { ent-WeaponSniperMosin.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl index 677aec9c0b7..0a2f7ab9f88 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl @@ -1,8 +1,8 @@ -ent-WeaponLauncherChinaLakeEmp = china lake - .desc = PLOOP - .suffix = EMP -ent-WeaponLauncherRocketEmp = RPG-7 - .desc = A modified ancient rocket-propelled grenade launcher. - .suffix = EMP -ent-WeaponMailLake = mail RPDS - .desc = Rap(b?)id Parcel Delivery System +ent-WeaponLauncherChinaLakeEmp = China Lake + .desc = БЛУП + .suffix = ЭМИ +ent-WeaponLauncherRocketEmp = РПГ-7 + .desc = Древний ручной реактивный гранатомёт. + .suffix = ЭМИ +ent-WeaponMailLake = почтовый СБДП + .desc = Система Быстрой Доставки Посылок. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl index 66fc4c67acd..cc6cfde75d2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl @@ -1,10 +1,12 @@ ent-BaseCrossbowBolt = { ent-BaseArrow } .desc = { ent-BaseArrow.desc } -ent-CrossbowBolt = bolt - .desc = One of these was enough to put down King Richard the Lionheart. Should do for a Xeno Queen too. -ent-CrossbowBoltGlassShard = glass shard bolt - .desc = A bolt with a glass shard as a tip. -ent-CrossbowBoltPlasmaGlassShard = plasma glass shard bolt - .desc = A bolt with a plasma glass shard as a tip. -ent-CrossbowBoltUraniumGlassShard = uranium glass shard bolt - .desc = A bolt with a uranium glass shard as a tip. God have mercy on thy victims for you won't. +ent-CrossbowBolt = болт + .desc = Одного болта было достаточно, чтобы свергнуть короля Ричарда Львиное Сердце. Хватит и Королеве ксеноморфов. +ent-CrossbowBoltGlassShard = болт с осколком стекла + .desc = Болт с осколком стекла в качестве наконечника. +ent-CrossbowBoltPlasmaGlassShard = болт с осколком плазменного стекла + .desc = Болт с осколком плазменного стекла в качестве наконечника. +ent-CrossbowBoltUraniumGlassShard = болт с осколком уранового стекла + .desc = Болт с осколком уранового стекла в качестве наконечника. Господи помилуй. +ent-CrossbowBoltBloodDrinker = болт с засечками + .desc = { ent-CrossbowBolt.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl index 26ce5e58de1..af032b1f439 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl @@ -1,2 +1,2 @@ -ent-PlasteelArmingSword = plasteel arming sword - .desc = An ancient design manufactured with modern materials and machines for a very specific target demographic. +ent-PlasteelArmingSword = пласталевый меч + .desc = Старинный дизайн, изготовленный с использованием современных материалов и оборудования для очень специфической целевой аудитории. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wizard_staff.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wizard_staff.ftl new file mode 100644 index 00000000000..3ef75a50c56 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wizard_staff.ftl @@ -0,0 +1,10 @@ +ent-WizardStaffMeleeBase = волшебный посох + .desc = Символ мастерства волшебника в тайных искусствах. +ent-WizardStaffMeleeRed = красный волшебный посох + .desc = { ent-WizardStaffMeleeBase.desc } +ent-WizardStaffMeleeViolet = фиолетовый волшебный посох + .desc = { ent-WizardStaffMeleeBase.desc } +ent-WizardStaffMeleeSoap = мыльный волшебный посох + .desc = { ent-WizardStaffMeleeBase.desc } +ent-WizardStaffMeleeBlood = кровавый волшебный посох + .desc = { ent-WizardStaffMeleeRed.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl index c925491f9a2..388aee1dba8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl @@ -1,2 +1,2 @@ -ent-WoodenStake = wooden stake - .desc = Essential appliance for pitching tents and killing vampires. +ent-WoodenStake = деревянный кол + .desc = Одинаково хорошо подходит для установки палатки или протыкания сердца. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl index 5a0e8db8fdc..7a100c16253 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl @@ -1,6 +1,6 @@ ent-WeaponShotgunSawnNonlethal = { ent-WeaponShotgunSawn } - .suffix = Non-lethal + .suffix = Травматический .desc = { ent-WeaponShotgunSawn.desc } ent-WeaponShotgunKammererNonlethal = { ent-WeaponShotgunKammerer } - .suffix = Non-lethal + .suffix = Травматический .desc = { ent-WeaponShotgunKammerer.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/throwable/trowable_weapons.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/throwable/trowable_weapons.ftl new file mode 100644 index 00000000000..ffb95c4322c --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/objects/weapons/throwable/trowable_weapons.ftl @@ -0,0 +1,2 @@ +ent-DartSindicateTranquilizer = усыпляющий дротик Синдиката + .desc = Постарайся не уколоться. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/bloodcultmobs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/bloodcultmobs.ftl new file mode 100644 index 00000000000..bee94b26351 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/bloodcultmobs.ftl @@ -0,0 +1,21 @@ +ent-SpawnMobBloodCultistPriest = Кровавый Жрец + .suffix = AI, Заклинатель + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistAcolyte = Кровавый Псаломщик + .suffix = AI, Ближний + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistZealotMelee = Кровавый Фанатик + .suffix = AI, Ближний + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistZealotRanged = Кровавый Фанатик + .suffix = AI, Дальний + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistCaster = Кровавый Фанатик + .suffix = AI, Заклинатель + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultLeech = Кровавая Пиявка + .suffix = AI, Ближний, Быстрый + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBloodCultistAscended = Кровавый Вознесённый + .suffix = AI, Заклинатель, Мегафауна + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl index 2d2ceac38f7..503a3e8722e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl @@ -1,4 +1,4 @@ -ent-SpawnMobCatClippy = Clippy Spawner +ent-SpawnMobCatClippy = Спавнер Клиппи .desc = { ent-MarkerBase.desc } -ent-SpawnMobCatClarpy = Clarpy Spawner +ent-SpawnMobCatClarpy = Спавнер Кларпи .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/syndicatemobs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/syndicatemobs.ftl new file mode 100644 index 00000000000..a09b31398c8 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/syndicatemobs.ftl @@ -0,0 +1,20 @@ +ent-SpawnMobSyndicateNavalCaptain = Капитан Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalEngineer = Инженер Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalMedic = Медик Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalSecondOfficer = Офицер Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalOperator = Оперативник Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalGrenadier = Гренадёр Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalSaboteur = Саботажник Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobExperimentationVictim = Жертва Экспериментов + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalCommander = Командир Синдиката + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateNavalDeckhand = Рядовой Синдиката + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/wizardfederationmobs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/wizardfederationmobs.ftl new file mode 100644 index 00000000000..a2a396a2db1 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/spawners/wizardfederationmobs.ftl @@ -0,0 +1,30 @@ +ent-SpawnMobWizFedWizard = Случайный Волшебник + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardHardsuit = Случайный Волшебник + .suffix = AI, Скафандр + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardBlue = Синий Волшебник + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardRed = Красный Волшебник + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardViolet = Фиолетовый Волшебник + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardSoap = Мыльный Волшебник + .suffix = AI + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardBlueHardsuit = Синий Волшебник + .suffix = AI, Скафандр + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardRedHardsuit = Красный Волшебник + .suffix = AI, Скафандр + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardVioletHardsuit = Фиолетовый Волшебник + .suffix = AI, Скафандр + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWizFedWizardSoapHardsuit = Мыльный Волшебник + .suffix = AI, Скафандр + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/atms.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/atms.ftl index dfa0a480e0b..0cdc866e8b5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/atms.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/atms.ftl @@ -1,21 +1,21 @@ ent-ComputerBankATMBase = { "" } .desc = { "" } -ent-ComputerBankATMDeposit = bank atm - .desc = Used to deposit and withdraw funds from a personal bank account. -ent-ComputerBankATMWithdraw = bank atm withdraw-only - .desc = Used to withdraw funds from a personal bank account, unable to deposit. +ent-ComputerBankATMDeposit = банкоман + .desc = Используется для ввода и вывода средств с личного банковского счета. +ent-ComputerBankATMWithdraw = банкомат (только вывод) + .desc = Используется для вывода средств с личного банковского счета. ent-ComputerBankATM = { ent-ComputerBankATMDeposit } .desc = { ent-ComputerBankATMDeposit.desc } ent-ComputerWithdrawBankATM = { ent-ComputerBankATMWithdraw } .desc = { ent-ComputerBankATMWithdraw.desc } ent-ComputerWallmountBankATM = { ent-ComputerBankATMDeposit } - .suffix = Wallmount + .suffix = Настенный .desc = { ent-ComputerBankATMDeposit.desc } ent-ComputerWallmountWithdrawBankATM = { ent-ComputerBankATMWithdraw } - .suffix = Wallmount + .suffix = Настенный .desc = { ent-ComputerBankATMWithdraw.desc } ent-ComputerBlackMarketBankATM = { ent-ComputerBankATMDeposit } - .desc = Has some sketchy looking modifications and a sticker that says DEPOSIT FEE 30% - .suffix = BlackMarket -ent-StationAdminBankATM = station administration console - .desc = Used to pay out from the station's bank account + .desc = Имеет несколько небрежно выглядящих модификаций и наклейку с надписью "НАЛОГ 30%". + .suffix = Чёрный Рынок +ent-StationAdminBankATM = консоль стационарного администратора + .desc = Используется для выплат с банковского счета станции. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl index 0b25e9aad66..69c73020cdf 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl @@ -1,21 +1,27 @@ ent-AirlockFrontierLocked = { ent-AirlockCommand } - .suffix = Frontier, Locked + .suffix = Фронтир, Закрыт .desc = { ent-AirlockCommand.desc } ent-AirlockFrontierGlassLocked = { ent-AirlockCommandGlass } - .suffix = Frontier, Locked + .suffix = Фронтир, Закрыт .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockMailCarrierLocked = { ent-Airlock } + .suffix = Почтовый, Закрыт + .desc = { ent-Airlock.desc } ent-AirlockFrontierCommandLocked = { ent-AirlockCommand } - .suffix = Frontier Command, Locked + .suffix = Фронтир, Командный, Закрыт .desc = { ent-AirlockCommand.desc } ent-AirlockFrontierCommandGlassLocked = { ent-AirlockCommandGlass } - .suffix = Frontier Command, Locked + .suffix = Фронтир, Командный, Закрыт .desc = { ent-AirlockCommandGlass.desc } ent-AirlockMercenaryLocked = { ent-AirlockMercenary } - .suffix = Mercenary, Locked + .suffix = Наёмник, Закрыт .desc = { ent-AirlockMercenary.desc } +ent-AirlockMailCarrierGlassLocked = { ent-AirlockGlass } + .suffix = Почтовый, Закрыт + .desc = { ent-AirlockGlass.desc } ent-AirlockMercenaryGlassLocked = { ent-AirlockMercenaryGlass } - .suffix = Mercenary, Locked + .suffix = Наёмник, Закрыт .desc = { ent-AirlockMercenaryGlass.desc } ent-AirlockExternalGlassShuttleTransit = { ent-AirlockGlassShuttle } - .suffix = External, PubTrans, Glass, Docking + .suffix = Внешний, Публичный, Стеклянный, Стыковочный .desc = { ent-AirlockGlassShuttle.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl index dc12523b089..53e6d599e94 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl @@ -1,6 +1,6 @@ ent-AirlockMercenary = { ent-Airlock } - .suffix = Mercenary + .suffix = Наёмник .desc = { ent-Airlock.desc } ent-AirlockMercenaryGlass = { ent-AirlockGlass } - .suffix = Mercenary + .suffix = Наёмник .desc = { ent-AirlockGlass.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl index 0c189e199b3..6d3180265f5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl @@ -1,16 +1,16 @@ -ent-ReinforcedSecretDoorAssembly = secret reinforced door assembly +ent-ReinforcedSecretDoorAssembly = каркас укреплённой потайной двери .desc = { ent-BaseSecretDoorAssembly.desc } -ent-SolidReinforcedSecretDoor = reinforced wall +ent-SolidReinforcedSecretDoor = укреплённая стена .desc = { ent-BaseSecretDoor.desc } -ent-WoodSecretDoorAssembly = secret wood door assembly +ent-WoodSecretDoorAssembly = каркас деревянной потайной двери .desc = { ent-BaseSecretDoorAssembly.desc } -ent-WoodSecretDoor = wood wall +ent-WoodSecretDoor = деревянная стена .desc = { ent-BaseSecretDoor.desc } -ent-UraniumSecretDoorAssembly = secret uranium door assembly +ent-UraniumSecretDoorAssembly = каркас урановой потайной двери .desc = { ent-BaseSecretDoorAssembly.desc } -ent-UraniumSecretDoor = uranium wall +ent-UraniumSecretDoor = урановая стена .desc = { ent-BaseSecretDoor.desc } -ent-ShuttleSecretDoorAssembly = secret shuttle door assembly +ent-ShuttleSecretDoorAssembly = каркас потайной двери шаттла .desc = { ent-BaseSecretDoorAssembly.desc } -ent-ShuttleSecretDoor = shuttle wall +ent-ShuttleSecretDoor = стена шаттла .desc = { ent-BaseSecretDoor.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar.ftl new file mode 100644 index 00000000000..b4d94e55020 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar.ftl @@ -0,0 +1,2 @@ +ent-AltarMail = почтовый алтарь + .desc = { ent-AltarConvertFestival.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl index 254d8970e25..cc775354443 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl @@ -1,3 +1,3 @@ -ent-AltarFrameNF = altar frame - .desc = Altar of the Gods. Kinda hollow to be honest. - .suffix = Unfinished +ent-AltarFrameNF = каркас алтаря + .desc = Алтарь Богов. Выглядит недостроенным. + .suffix = Недостроен diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl index 66a39ac152a..5edd811545a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl @@ -1,5 +1,5 @@ -ent-WeaponRackBase = gun rack - .desc = A storage unit for expedited pacification measures. +ent-WeaponRackBase = стойка для огнестрельного оружия + .desc = Хранилище для ускоренных мер по умиротворению. ent-WeaponRackWallmountedBase = { ent-WeaponRackBase } - .suffix = Wallmount + .suffix = Настенное .desc = { ent-WeaponRackBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl index a316b8aec51..b4f79c4234f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl @@ -1,5 +1,5 @@ -ent-WeaponRackMeleeBase = melee weapon rack - .desc = A storage unit for expedited pacification measures. +ent-WeaponRackMeleeBase = стойка для холодного оружия + .desc = Хранилище для ускоренных мер по умиротворению. ent-WeaponRackMeleeWallmountedBase = { ent-WeaponRackMeleeBase } - .suffix = Wallmount + .suffix = Настенное .desc = { ent-WeaponRackMeleeBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl index 7531e87a9c6..b5c6c54728d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl @@ -1,5 +1,5 @@ -ent-WeaponRackPistolBase = pistol rack - .desc = A storage unit for expedited pacification measures. +ent-WeaponRackPistolBase = стойка для пистолетов + .desc = Хранилище для ускоренных мер по умиротворению. ent-WeaponRackPistolWallmountedBase = { ent-WeaponRackPistolBase } .suffix = Wallmount .desc = { ent-WeaponRackPistolBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl index 8201bcc5e20..42e0b5e7612 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl @@ -1,18 +1,18 @@ ent-WeaponRackCaptain = { ent-WeaponRackBase } - .suffix = Captain + .suffix = Капитан .desc = { ent-WeaponRackBase.desc } ent-WeaponRackWallmountedCaptain = { ent-WeaponRackWallmountedBase } - .suffix = Captain, Wallmount + .suffix = Капитан, Настенное .desc = { ent-WeaponRackWallmountedBase.desc } -ent-WeaponRackMeleeCaptain = melee weapon rack - .desc = A storage unit for expedited pacification measures. - .suffix = Captain +ent-WeaponRackMeleeCaptain = стойка для холодного оружия + .desc = Хранилище для ускоренных мер по умиротворению. + .suffix = Капитан ent-WeaponRackMeleeWallmountedCaptain = { ent-WeaponRackMeleeWallmountedBase } - .suffix = Captain, Wallmount + .suffix = Капитан, Настенное .desc = { ent-WeaponRackMeleeWallmountedBase.desc } ent-WeaponRackPistolBaseCaptain = { ent-WeaponRackPistolBase } - .suffix = Captain + .suffix = Капитан .desc = { ent-WeaponRackPistolBase.desc } ent-WeaponRackPistolWallmountedCaptain = { ent-WeaponRackPistolWallmountedBase } - .suffix = Captain, Wallmount + .suffix = Капитан, Настенное .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl index 77f5627c883..c7919e29e4e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl @@ -1,18 +1,18 @@ ent-WeaponRackMercenary = { ent-WeaponRackBase } - .suffix = Mercenary + .suffix = Наёмник .desc = { ent-WeaponRackBase.desc } ent-WeaponRackWallmountedMercenary = { ent-WeaponRackWallmountedBase } - .suffix = Mercenary, Wallmount + .suffix = Наёмник, Настенное .desc = { ent-WeaponRackWallmountedBase.desc } ent-WeaponRackMeleeMercenary = { ent-WeaponRackMeleeBase } - .suffix = Mercenary + .suffix = Наёмник .desc = { ent-WeaponRackMeleeBase.desc } ent-WeaponRackMeleeWallmountedMercenary = { ent-WeaponRackMeleeWallmountedBase } - .suffix = Mercenary, Wallmount + .suffix = Наёмник, Настенное .desc = { ent-WeaponRackMeleeWallmountedBase.desc } ent-WeaponRackPistolBaseMercenary = { ent-WeaponRackPistolBase } - .suffix = Mercenary + .suffix = Наёмник .desc = { ent-WeaponRackPistolBase.desc } ent-WeaponRackPistolWallmountedMercenary = { ent-WeaponRackPistolWallmountedBase } - .suffix = Mercenary, Wallmount + .suffix = Наёмник, Настенное .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl index 4847359f6ba..204f4c87311 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl @@ -1,18 +1,18 @@ ent-WeaponRackSalvage = { ent-WeaponRackBase } - .suffix = Salvage + .suffix = Утилизатор .desc = { ent-WeaponRackBase.desc } ent-WeaponRackWallmountedSalvage = { ent-WeaponRackWallmountedBase } - .suffix = Salvage, Wallmount + .suffix = Утилизатор, Настенное .desc = { ent-WeaponRackWallmountedBase.desc } ent-WeaponRackMeleeSalvage = { ent-WeaponRackMeleeBase } - .suffix = Salvage + .suffix = Утилизатор .desc = { ent-WeaponRackMeleeBase.desc } ent-WeaponRackMeleeWallmountedSalvage = { ent-WeaponRackMeleeWallmountedBase } - .suffix = Salvage, Wallmount + .suffix = Утилизатор, Настенное .desc = { ent-WeaponRackMeleeWallmountedBase.desc } ent-WeaponRackPistolBaseSalvage = { ent-WeaponRackPistolBase } - .suffix = Salvage + .suffix = Утилизатор .desc = { ent-WeaponRackPistolBase.desc } ent-WeaponRackPistolWallmountedSalvage = { ent-WeaponRackPistolWallmountedBase } - .suffix = Salvage, Wallmount + .suffix = Утилизатор, Настенное .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl index 95f8e2b9a1f..6984bedb46f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl @@ -1,18 +1,18 @@ ent-WeaponRackSecurity = { ent-WeaponRackBase } - .suffix = Security + .suffix = Служба Безопасности .desc = { ent-WeaponRackBase.desc } ent-WeaponRackWallmountedSecurity = { ent-WeaponRackWallmountedBase } - .suffix = Security, Wallmount + .suffix = Служба Безопасности, Настенное .desc = { ent-WeaponRackWallmountedBase.desc } ent-WeaponRackMeleeSecurity = { ent-WeaponRackMeleeBase } - .suffix = Security + .suffix = Служба Безопасности .desc = { ent-WeaponRackMeleeBase.desc } ent-WeaponRackMeleeWallmountedSecurity = { ent-WeaponRackMeleeWallmountedBase } - .suffix = Security, Wallmount + .suffix = Служба Безопасности, Настенное .desc = { ent-WeaponRackMeleeWallmountedBase.desc } ent-WeaponRackPistolBaseSecurity = { ent-WeaponRackPistolBase } - .suffix = Security + .suffix = Служба Безопасности .desc = { ent-WeaponRackPistolBase.desc } ent-WeaponRackPistolWallmountedSecurity = { ent-WeaponRackPistolWallmountedBase } - .suffix = Security, Wallmount + .suffix = Служба Безопасности, Настенное .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl index 7c7995ed6d6..a052f0bdd73 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl @@ -1,3 +1,3 @@ -ent-hydroponicsTrayAnchored = hydroponics tray - .desc = An anchored interstellar-grade space farmplot allowing for rapid growth and selective breeding of crops. Stronger than your average hydroponics tray but can still be broken with force. - .suffix = anchored +ent-hydroponicsTrayAnchored = гидропонный лоток + .desc = Космическая грядка межзвездного класса, позволяющая быстро выращивать и селекционировать сельскохозяйственные культуры. Только... не забывайте о космических сорняках. + .suffix = Закреплённый diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl index 36d007377b2..735c65d26bc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl @@ -1,26 +1,26 @@ -ent-ComputerShipyard = shipyard console - .desc = Used to purchase and sell shuttles -ent-BaseMothershipComputer = mothership console - .desc = Used on motherships to purchase and sell ships without returning to a station. -ent-ComputerShipyardSecurity = security shipyard console - .desc = Used to enlist into Nanotrasen Security Forces -ent-ComputerShipyardBlackMarket = black market shipyard console - .desc = Used to buy ships not available through other means. Has a sticker that says SALES TAX 30% -ent-ComputerShipyardExpedition = expedition shipyard console - .desc = Used to buy ships outfitted for planetary expeditions -ent-ComputerShipyardScrap = scrapyard console - .desc = Used to purchase and sell "shuttles" -ent-ComputerPalletConsoleNFNormalMarket = cargo sale computer - .desc = Used to sell goods loaded onto cargo pallets - .suffix = Normal +ent-ComputerShipyard = консоль верфи + .desc = Используется для покупки и продажи шаттлов. +ent-BaseMothershipComputer = консоль ангара + .desc = Используется на корабле носителе для покупки собственных шаттлов без посещения станции. +ent-ComputerShipyardSecurity = консоль патрульной службы + .desc = Используется для вступления в силы Департамента Службы Безопасности Фронтира. +ent-ComputerShipyardBlackMarket = консоль верфи чёрного рынка + .desc = Используется для покупки шаттлов, не доступным никаким другим путём. На консоли имеется этикетка "НАЛОГ С ПРОДААЖ 30%" +ent-ComputerShipyardExpedition = консоль экспедиционной верфи + .desc = Использовался для покупки кораблей, оснащенных для планетарных экспедиций +ent-ComputerShipyardScrap = консоль свалки + .desc = Используется для покупки и продажи "шаттлов" +ent-ComputerPalletConsoleNFNormalMarket = консоль продажи товаров + .desc = Используется для продажи товаров, размещенных на грузовых поддонах. + .suffix = Нормальный налог ent-ComputerPalletConsoleNFHighMarket = { ent-ComputerPalletConsoleNFNormalMarket } - .desc = Used to sell goods loaded onto cargo pallets - .suffix = High + .desc = Используется для продажи товаров, размещенных на грузовых поддонах. + .suffix = Высокий налог ent-ComputerPalletConsoleNFLowMarket = { ent-ComputerPalletConsoleNFNormalMarket } - .desc = Used to sell goods loaded onto cargo pallets - .suffix = Low + .desc = Используется для продажи товаров, размещенных на грузовых поддонах. + .suffix = Низкий налог ent-ComputerPalletConsoleNFVeryLowMarket = { ent-ComputerPalletConsoleNFNormalMarket } - .desc = Used to sell goods loaded onto cargo pallets - .suffix = VeryLow -ent-ComputerContrabandPalletConsole = contraband exchange computer - .desc = Used to exchange contraband + .desc = Используется для продажи товаров, размещенных на грузовых поддонах. + .suffix = Очень низкий налог +ent-ComputerContrabandPalletConsole = консоль обмена контрабанды + .desc = Используется для обмена контрабанды diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl index 74c90b1186b..5e4267be587 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl @@ -26,7 +26,7 @@ ent-ComputerTabletopStationRecords = { ent-ComputerStationRecords } ent-ComputerTabletopCrewMonitoring = { ent-ComputerCrewMonitoring } .desc = { ent-ComputerCrewMonitoring.desc } ent-ComputerTabletopResearchAndDevelopment = { ent-ComputerResearchAndDevelopment } - .desc = { ComputerResearchAndDevelopment.desc } + .desc = { ComputerResearchAndDevelopment.desc } ent-ComputerTabletopAnalysisConsole = { ent-ComputerAnalysisConsole } .desc = { ent-ComputerAnalysisConsole.desc } ent-ComputerTabletopId = { ent-ComputerId } @@ -34,15 +34,17 @@ ent-ComputerTabletopId = { ent-ComputerId } ent-ComputerTabletopBodyScanner = { ent-computerBodyScanner } .desc = { ent-computerBodyScanner.desc } ent-ComputerTabletopComms = { ent-ComputerComms } - .desc = { ent-ComputerComms.desc } + .desc = { ent-ComputerComms.desc } ent-SyndicateComputerTabletopComms = { ent-SyndicateComputerComms } .desc = { ent-SyndicateComputerComms.desc } ent-ComputerTabletopSolarControl = { ent-ComputerSolarControl } - .desc = { ent-ComputerSolarControl.desc } + .desc = { ent-ComputerSolarControl.desc } ent-ComputerTabletopRadar = { ent-ComputerRadar } .desc = { ent-ComputerRadar.desc } +ent-ComputerTabletopAdvancedRadar = { ent-ComputerAdvancedRadar } + .desc = { ent-ComputerAdvancedRadar.desc } ent-ComputerTabletopCargoShuttle = { ent-ComputerCargoShuttle } - .desc = { ent-ComputerCargoShuttle.desc } + .desc = { ent-ComputerCargoShuttle.desc } ent-ComputerTabletopCargoOrders = { ent-ComputerCargoOrders } .desc = { ent-ComputerCargoOrders.desc } ent-ComputerTabletopCargoBounty = { ent-ComputerCargoBounty } @@ -58,7 +60,7 @@ ent-ComputerTabletopSurveillanceWirelessCameraMonitor = { ent-ComputerSurveillan ent-ComputerTabletopMassMedia = { ent-ComputerMassMedia } .desc = { ent-ComputerMassMedia.desc } ent-ComputerTabletopSensorMonitoring = { ent-ComputerSensorMonitoring } - .suffix = Tabletop, TESTING, DO NOT MAP + .suffix = Настольный, ТЕСТ, НЕ МАППИТЬ .desc = { ent-ComputerSensorMonitoring.desc } ent-ComputerTabletopShipyard = { ent-ComputerShipyard } .desc = { ent-ComputerShipyard.desc } @@ -73,16 +75,16 @@ ent-ComputerTabletopShipyardExpedition = { ent-ComputerShipyardExpedition } ent-ComputerTabletopShipyardScrap = { ent-ComputerShipyardScrap } .desc = { ent-ComputerShipyardScrap.desc } ent-ComputerTabletopPalletConsoleNFHighMarket = { ent-ComputerPalletConsoleNFHighMarket } - .suffix = High, Tabletop + .suffix = Высокий налог, Настольный .desc = { ent-ComputerPalletConsoleNFHighMarket.desc } ent-ComputerTabletopPalletConsoleNFNormalMarket = { ent-ComputerPalletConsoleNFNormalMarket } - .suffix = Normal, Tabletop + .suffix = Нормальный налог, Настольный .desc = { ent-ComputerPalletConsoleNFNormalMarket.desc } ent-ComputerTabletopPalletConsoleNFLowMarket = { ent-ComputerPalletConsoleNFLowMarket } - .suffix = Low, Tabletop + .suffix = Низкий налог, Настольный .desc = { ent-ComputerPalletConsoleNFLowMarket.desc } ent-ComputerTabletopPalletConsoleNFVeryLowMarket = { ent-ComputerPalletConsoleNFVeryLowMarket } - .suffix = VeryLow, Tabletop + .suffix = Очень низкий налог, Настольный .desc = { ent-ComputerPalletConsoleNFVeryLowMarket.desc } ent-ComputerTabletopStationAdminBankATM = { ent-StationAdminBankATM } .desc = { ent-StationAdminBankATM.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl index 3078dc9fe9a..d4348aab600 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl @@ -1,8 +1,8 @@ ent-BaseStructureComputerTabletop = { ent-BaseStructure } - .suffix = Tabletop + .suffix = Настольный .desc = { ent-BaseStructure.desc } -ent-ComputerTabletopFrame = computer +ent-ComputerTabletopFrame = компьютер .desc = { ent-BaseStructureComputerTabletop.desc } ent-ComputerTabletopBroken = { ent-ComputerBroken } - .suffix = Tabletop + .suffix = Настольный .desc = { ent-ComputerBroken.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl index 597c26a62c0..aff9e81657e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl @@ -1,10 +1,15 @@ -ent-EmpressMothershipComputer = Empress mothership console +ent-BaseMothershipComputer = { ent-ComputerShipyard } + .desc = Используется на авианосцах для покупки дополнительных шаттлов, не возвращаясь на станцию. + .suffix = Mothership +ent-EmpressMothershipComputer = консоль авианосца "Императрица" .desc = { ent-BaseMothershipComputer.desc } -ent-McCargoMothershipComputer = McCargo delivery ship console +ent-McCargoMothershipComputer = консоль авианосца "Каргония" .desc = { ent-BaseMothershipComputer.desc } -ent-CaduceusMothershipComputer = Caduceus mothership console +ent-CaduceusMothershipComputer = консоль авианосца "Кадуцей" .desc = { ent-BaseMothershipComputer.desc } -ent-GasbenderMothershipComputer = Gasbender mothership ship console +ent-GasbenderMothershipComputer = консоль авианосца "Газовый Гигант" .desc = { ent-BaseMothershipComputer.desc } -ent-CrescentMothershipComputer = Crescent mothership console +ent-CrescentMothershipComputer = консоль авианосца "Полумесяц" + .desc = { ent-BaseMothershipComputer.desc } +ent-MailCarrierMothershipComputer = консоль почтового авианосца .desc = { ent-BaseMothershipComputer.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl index 51c16f41743..666d7629231 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl @@ -1,2 +1,2 @@ -ent-ContrabandPallet = contraband exchange pallet - .desc = Designates valid items to exchange with CentCom for security crystals +ent-ContrabandPallet = поддон обмена контрабанды + .desc = Определяет предметы для продажи ЦентКому в обмен на Таможенные Кредиты. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl index b399b778886..fbafdeaaff4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl @@ -1,2 +1,2 @@ -ent-MachineCryoSleepPod = cryo sleep chamber - .desc = cold pillow guaranteed +ent-MachineCryoSleepPod = капсула криогенного сна + .desc = Супер-охлаждаемый контейнер, обеспечивающий сохранность членов экипажа во время космических путешествий. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl index c6fbd77f1e2..f9b4d027600 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl @@ -1,3 +1,3 @@ ent-FaxMachineShip = { ent-FaxMachineBase } - .suffix = Ship + .suffix = Шаттл .desc = { ent-FaxMachineBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl index d89ed66ec6f..39592687e2e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl @@ -1,6 +1,6 @@ -ent-PrizeCounter = prize counter - .desc = Claim your prize and win some toys and cute plushies! -ent-TilePrinterNF = tile-meister 5000 - .desc = Prints floor tiles. No mercy. -ent-SalvageTechfabNF = salvage techfab - .desc = Prints equipment for salvagers. +ent-PrizeCounter = раздатчик призов + .desc = Забери свой приз и выиграй несколько игрушек и милых плюшевых мишек! +ent-TilePrinterNF = Плиточник 5000 + .desc = Печатает напольные плитки. +ent-SalvageTechfabNF = утилизационный техфаб + .desc = Печатает снаряжение необходимое каждому утилизатору. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl index f0face5c991..9314eddc315 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl @@ -1,2 +1,2 @@ -ent-M_Emp = M_EMP Generator - .desc = Mobile EMP generator. +ent-M_Emp = генератор Б_ЭМИ + .desc = Мобильный ЭМИ генератор. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl index a22089979ea..a8ce1b76a26 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl @@ -1,2 +1,2 @@ -ent-Shredder = shredder - .desc = It shreds things. What more is there to say? +ent-Shredder = измельчитель + .desc = Он измельчает штуки. Что еще тут нужно знать? diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl index 444fca7feb0..75f47a9e8d8 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl @@ -1,6 +1,6 @@ ent-TelecomServerFilledShuttle = { ent-TelecomServer } - .suffix = Ship + .suffix = Шаттл .desc = { ent-TelecomServer.desc } ent-TelecomServerFilledSecurity = { ent-TelecomServer } - .suffix = Ship, Security + .suffix = Шаттл, Служба Безопасности .desc = { ent-TelecomServer.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl index 30e2d48e7ac..9ad0b2db413 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl @@ -1,18 +1,18 @@ -ent-VendingMachineCuddlyCritterVend = CuddlyCritterVend - .desc = Step into the world of wonder and warmth with Cuddly Critters Vending Machine, a haven for plushie and toy enthusiasts alike. -ent-VendingMachineAstroVend = AstroVend - .desc = Essential gear for the space-men on the go -ent-VendingMachineFlatpackVend = FlatpackVend - .desc = Essential tech for the space-men on the go -ent-VendingMachineSyndieContraband = ContraVend - .desc = Wanted across multiple sectors! -ent-VendingMachineBountyVend = BountyVend - .desc = Essential gear for the space-men on the go -ent-VendingMachineArcadia = ArcadiaDrobe - .desc = Selling clothes from another reality for cheap prices! -ent-LessLethalVendingMachine = LessLethalVend - .desc = Making violence safe since '08 -ent-VendingMachineAutoTuneVend = AutoTune - .desc = feeling BASSed? time to TUNE into AutoVend! Take NOTES and let your audience TREBLE -ent-VendingMachinePottedPlantVend = Plant-O-Matic - .desc = Sometimes potted plants are the best crewmates money can get. +ent-VendingMachineCuddlyCritterVend = ПлюшкоВенд + .desc = Окунитесь в мир чудес и тепла вместе с торговым автоматом ПлюшкоМат, который станет настоящим раем как для любителей плюшевых игрушек, так и для тех, кто просто обожает их. +ent-VendingMachineAstroVend = АстроВенд + .desc = Необходимое снаряжение для космонавтов. +ent-VendingMachineFlatpackVend = Упак-О-Мат + .desc = Необходимое снаряжение для космонавтов. +ent-VendingMachineSyndieContraband = КонтраВенд + .desc = Разыскивается по всему фронтиру! +ent-VendingMachineBountyVend = КонтрактВенд + .desc = Необходимое снаряжение для космонавтов. +ent-VendingMachineArcadia = АркадиаМаг + .desc = Продаем одежду из другово измерения по смешным ценам! +ent-LessLethalVendingMachine = ТравМаг + .desc = Делаем насилие безопасным с 2745 года. +ent-VendingMachineAutoTuneVend = МузВенд + .desc = В космосе никто не слышит ваш крик? Пусть услышат вашу музыку! +ent-VendingMachinePottedPlantVend = Трав-О-Маг + .desc = Иногда растения в горшках самые лучшие напарники, которых можно купить за деньги. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl index 35a4235a450..c9956940554 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl @@ -1,9 +1,9 @@ ent-PortableGeneratorPacmanShuttle = { ent-PortableGeneratorPacman } - .suffix = Plasma, 15 kW, Ship + .suffix = Плазма, 15 кВ, Шаттл .desc = { ent-PortableGeneratorPacman.desc } ent-PortableGeneratorSuperPacmanShuttle = { ent-PortableGeneratorSuperPacman } - .suffix = Uranium, 30 kW, Ship + .suffix = Уран, 30 кВ, Шаттл .desc = { ent-PortableGeneratorSuperPacman.desc } ent-PortableGeneratorJrPacmanShuttle = { ent-PortableGeneratorJrPacman } - .suffix = Welding Fuel, 5 kW, Ship + .suffix = Сварочное топливо, 5 кВ, Шаттл .desc = { ent-PortableGeneratorJrPacman.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl index c8e259fd5dd..5e45c1634c7 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl @@ -1,36 +1,36 @@ ent-BaseThrusterSecurity = { ent-BaseThruster } .desc = { ent-BaseThruster.desc } -ent-ThrusterSecurity = thruster - .suffix = Security +ent-ThrusterSecurity = двигатель + .suffix = Служба Безопасности .desc = { ent-ThrusterSecurity.desc } ent-ThrusterSecurityUnanchored = { ent-ThrusterUnanchored } - .suffix = Unanchored, Security + .suffix = Незакреплённый, Служба Безопасности .desc = { ent-ThrusterUnanchored.desc } -ent-DebugThrusterSecurity = thruster - .suffix = DEBUG, Security +ent-DebugThrusterSecurity = двигатель + .suffix = DEBUG, Служба Безопасности .desc = { ent-DebugThruster.desc } -ent-SmallThruster = small thruster +ent-SmallThruster = мини-двигатель .desc = { ent-SmallThruster.desc } ent-SmallThrusterUnanchored = { ent-SmallThruster } - .suffix = Unanchored + .suffix = Незакреплённый .desc = { ent-SmallThruster.desc } ent-GyroscopeSecurity = { ent-GyroscopeSecurity } - .suffix = Security + .suffix = Служба Безопасности .desc = { ent-GyroscopeSecurity.desc } ent-GyroscopeSecurityUnanchored = { ent-GyroscopeSecurity } - .suffix = Unanchored, Security + .suffix = Незакреплённый, Служба Безопасности .desc = { ent-GyroscopeSecurity.desc } -ent-DebugGyroscopeSecurity = gyroscope - .suffix = DEBUG, Security +ent-DebugGyroscopeSecurity = гиросков + .suffix = DEBUG, Служба Безопасности .desc = { ent-DebugGyroscope.desc } -ent-SmallGyroscopeSecurity = small gyroscope - .suffix = Security +ent-SmallGyroscopeSecurity = мини-гироскоп + .suffix = Служба Безопасности .desc = { ent-GyroscopeSecurity.desc } ent-SmallGyroscopeSecurityUnanchored = { ent-SmallGyroscopeSecurity } - .suffix = Unanchored, Security + .suffix = Незакреплённый, Служба Безопасности .desc = { ent-SmallGyroscopeSecurity.desc } -ent-SmallGyroscope = small gyroscope +ent-SmallGyroscope = мини-гироскоп .desc = { ent-Gyroscope.desc } ent-SmallGyroscopeUnanchored = { ent-SmallGyroscope } - .suffix = Unanchored + .suffix = Незакреплённый .desc = { ent-SmallGyroscope.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/specific/bloodcult.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/specific/bloodcult.ftl new file mode 100644 index 00000000000..52ade08fb79 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/specific/bloodcult.ftl @@ -0,0 +1,29 @@ +ent-BloodCollector = коллектор крови + .desc = Мерзкая камера, наполненная кровью. В ней гораздо больше места, чем кажется на первый взгляд. +ent-WallCultIndestructible = стена культа + .suffix = Неразрушимая + .desc = { ent-BaseWall.desc } +ent-AirlockBloodCult = { ent-AirlockGlass } + .suffix = Кровавый Культ + .desc = { ent-AirlockGlass.desc } +ent-BloodCultGlowingFloor = светящаяся дверь кровавого культа + .desc = { ent-BaseRune.desc } +ent-BloodCultHoleFloor = яма кровавого культа + .desc = { ent-FlashRuneTimer.desc } +ent-BloodCultGravityGeneratorMini = генератор гравитации кровавого культа + .desc = { ent-GravityGeneratorMini.desc } +ent-BloodCultAlwaysPoweredLight = светильник кровавого культа + .desc = Как оно светится? Почему? + .suffix = Всегда запитанный +ent-BloodCultProp01 = любопытный предмет + .desc = Хм, интересно, что это за штука и что она делает? +ent-BloodCultProp02 = любопытный предмет + .desc = Хм, интересно, что это за штука и что она делает? +ent-BloodCultProp03 = любопытный предмет + .desc = Хм, интересно, что это за штука и что она делает? +ent-BloodCultProp04 = любопытный предмет + .desc = Хм, интересно, что это за штука и что она делает? +ent-BloodCultProp05 = любопытный предмет + .desc = Хм, интересно, что это за штука и что она делает? +ent-BloodCultProp07 = любопытный предмет + .desc = Хм, интересно, что это за штука и что она делает? diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/specific/syndicate.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/specific/syndicate.ftl new file mode 100644 index 00000000000..91cd68be473 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/specific/syndicate.ftl @@ -0,0 +1,2 @@ +ent-CybersunDataMiner = датамайнер киберсан + .desc = Устройство для сбора и обработки данных производства компании Cybersun. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl index bd9b5fb584e..1681e61842d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl @@ -1,8 +1,10 @@ -ent-LockerMercenary = mercenary locker +ent-LockerMailCarrier = шкафчик почтальона .desc = { ent-LockerBaseSecure.desc } -ent-LockerJanitor = janitor locker +ent-LockerMercenary = шкафчик наёмника .desc = { ent-LockerBaseSecure.desc } -ent-LockerPilot = pilot's locker +ent-LockerJanitor = шкафчик уборщика .desc = { ent-LockerBaseSecure.desc } -ent-LockerWoodenGeneric = wooden cabinet - .desc = Dusty old wooden cabinet. Smells like grandparents. +ent-LockerPilot = шкафчик пилота + .desc = { ent-LockerBaseSecure.desc } +ent-LockerWoodenGeneric = деревянный шкаф + .desc = Пыльный деревянный шкаф. Пахнет старостью. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl index f2184c6a042..ce649e4dd7b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl @@ -1,2 +1,2 @@ -ent-SuitStorageWallmount = suit wallstorage unit - .desc = { ent-SuitStorageBase.desc } \ No newline at end of file +ent-SuitStorageWallmount = настенное хранилище скафандра + .desc = { ent-SuitStorageBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl index 2f659d9017c..be1b15b5597 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl @@ -1,2 +1,2 @@ ent-CrateTradeBaseSecure = { ent-CrateBaseWeldable } - .desc = { ent-CrateBaseWeldable.desc } \ No newline at end of file + .desc = { ent-CrateBaseWeldable.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl index 05c8bedf99c..34ff7572516 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl @@ -1,14 +1,14 @@ -ent-CratePlasticBiodegradable = biodegradable plastic crate +ent-CratePlasticBiodegradable = биоразлагаемый пластиковый ящик .desc = { ent-CrateBaseWeldable.desc } -ent-CrateUranium = uranium crate +ent-CrateUranium = урановый ящик .desc = { ent-CrateBaseSecure.desc } -ent-CrateTradeBaseSecureNormal = cargo steel crate +ent-CrateTradeBaseSecureNormal = стальной торговый ящик .desc = { ent-CrateTradeBaseSecure.desc } -ent-CrateTradeBaseSecureHigh = high value cargo steel crate +ent-CrateTradeBaseSecureHigh = стальной торговый ящик повышенной ценности .desc = { ent-CrateTradeBaseSecure.desc } -ent-CrateTradeContrabandSecureNormal = Syndicate contraband crate +ent-CrateTradeContrabandSecureNormal = ящик контрабанды Синдиката .desc = { ent-CrateTradeBaseSecure.desc } -ent-CrateTradeContrabandSecureDonk = Donk Co. contraband crate +ent-CrateTradeContrabandSecureDonk = ящик контрабанды Waffle Co .desc = { ent-CrateTradeBaseSecure.desc } -ent-CrateTradeContrabandSecureCyberSun = Cybersun Industries contraband crate +ent-CrateTradeContrabandSecureCyberSun = ящик контрабанды Cybersun .desc = { ent-CrateTradeBaseSecure.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl index 3df45f80d8c..21bc41652fa 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl @@ -1,2 +1,2 @@ -ent-PlantBox = plant box - .desc = A large storage container for holding plants and seeds. +ent-PlantBox = ящик растений + .desc = Большой контейнер для хранения растений и семян. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl index 2ab3835ea20..3bd47a3e8e4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl @@ -1,12 +1,12 @@ -ent-FireAxeCabinetCommand = fire axe cabinet - .desc = There is a small label that reads "For Emergency use only" along with details for safe use of the axe. As if. - .suffix = With Lock +ent-FireAxeCabinetCommand = шкаф для пожарного топора + .desc = Небольшая табличка гласит "Только для экстренных случаев" и содержит инструкцию по безопасной эксплуатации топора. Ага, конечно. + .suffix = Замок ent-FireAxeCabinetOpenCommand = { ent-FireAxeCabinetCommand } - .suffix = Open, With Lock + .suffix = Открытый, Замое .desc = { ent-FireAxeCabinetCommand.desc } ent-FireAxeCabinetFilledCommand = { ent-FireAxeCabinetCommand } - .suffix = Filled, With Lock + .suffix = Заполненный, Замок .desc = { ent-FireAxeCabinetCommand.desc } ent-FireAxeCabinetFilledOpenCommand = { ent-FireAxeCabinetFilledCommand } - .suffix = Filled, Open, With Lock + .suffix = Заполненный, Открытый, Замок .desc = { ent-FireAxeCabinetFilledCommand.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl index 4af41ac0b74..ffb8d2d189b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl @@ -1,3 +1,3 @@ -ent-NoticeBoardNF = notice board - .desc = You wish you could wear this on your back but alas. - .suffix = Frontier +ent-NoticeBoardNF = информационная доска + .desc = Есть ли работа для ведьмака? + .suffix = Фронтир diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl index c5bd7d088c1..55b26bf7a33 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl @@ -1,2 +1,2 @@ -ent-PaintingNightOfThePostGoblin = Night Of The Post Goblin - .desc = A rotund sprite, astride a sinuous feline steed, brandishing a gleaming blade while donning rubbery foot coverings. +ent-PaintingNightOfThePostGoblin = Ночь почтового гоблина + .desc = Пухлый сказочный дух, восседающий на извивающемся кошачьем скакуне, гордо потрясает сверкающим клинком, облаченный в резиновые ботинки для длинных походов. Пылкий вестник, доставляющий послания сквозь ночь, он отважно скачет навстречу приключениям, развевая плащ из почтовых конвертов за спиной. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl index e86f72da02c..334cc568166 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl @@ -1,4 +1,4 @@ ent-PaintingDirectionalBase = { ent-BaseSignDirectional } .desc = { ent-BaseSignDirectional.desc } -ent-PaintingFireaxeCabinet = The Fireaxe Cabinet - .desc = Painting is a masterfully designed image of a fireaxe cabinet. The artwork relates to the loss of the masterwork ☼fireaxe☼ in the early winter of 2523. Oil. Canvas. Tears. +ent-PaintingFireaxeCabinet = шкаф для пожарного топора + .desc = Мастерски выполненное полотно изображает шкафчик для пожарного топора. Художник запечатлел трагическую утрату легендарного Огненного Топора в начале зимы 2523 года. Масло. Линии. Слёзы. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl index 5c573ffa989..1ac8b9578c9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl @@ -1,12 +1,12 @@ -ent-BaseWallDiagonal = basewall - .suffix = diagonal +ent-BaseWallDiagonal = базовая стена + .suffix = Диагональ .desc = { ent-BaseStructure.desc } -ent-WallReinforcedDiagonal = reinforced wall - .suffix = diagonal +ent-WallReinforcedDiagonal = укреплённая стена + .suffix = Диагональ .desc = { ent-WallReinforced.desc } -ent-WallWoodDiagonal = wood wall - .suffix = diagonal +ent-WallWoodDiagonal = деревянная стена + .suffix = Диагональ .desc = { ent-WallWood.desc } -ent-WallUraniumDiagonal = uranium wall - .suffix = diagonal +ent-WallUraniumDiagonal = урановая стена + .suffix = Диагональ .desc = { ent-WallUranium.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl index 54a0ea44b1d..e7f883e01c3 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl @@ -1,3 +1,3 @@ -ent-PlastitaniumWindowIndestructible = plastitanium window - .suffix = Indestructible +ent-PlastitaniumWindowIndestructible = пластитановое окно + .suffix = Неразрушимое .desc = { ent-BaseStructure.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl index 14ce00a35b5..456fca1dc74 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl @@ -1,3 +1,3 @@ -ent-WallInvisibleShip = Invisible Wall - .suffix = Ship +ent-WallInvisibleShip = Невидимая стена + .suffix = Шаттл .desc = { "" } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/events/events.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/events/events.ftl index 1cb1cd11cf6..cf186cebcc0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/events/events.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/events/events.ftl @@ -16,3 +16,9 @@ ent-BluespaceCargoniaShip = { ent-BaseGameRule } .desc = { ent-BaseGameRule.desc } ent-BluespaceArcIndDataCarrier = { ent-BaseGameRule } .desc = { ent-BaseGameRule.desc } +ent-BluespaceSyndicateFTLInterception = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceWizardFederationScout = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceBloodMoon = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl index 229b32b64d8..c8f9ed8964e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl @@ -6,3 +6,5 @@ ent-SpawnPointStc = stc .desc = { ent-SpawnPointJobBase.desc } ent-SpawnPointSecurityGuard = security guard .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTMailCarrier = ERTmailcarrier + .desc = { ent-SpawnPointJobBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl index 75380124c90..82d5d55cfe2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl @@ -1,2 +1,2 @@ -ent-ShipyardRCDAmmo = Shipyard RCD Ammo - .desc = Ammo cartridge for a Shipyard RCD. +ent-ShipyardRCDAmmo = картридж корабельного РСУ + .desc = Картридж припасов для корабельного РСУ diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/shipyard/base.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/shipyard/base.ftl index 91eb7ccc5b9..ccce488feb2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/shipyard/base.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_nf/shipyard/base.ftl @@ -1,17 +1,17 @@ ent-StandardFrontierStation = { ent-BaseStation } - .desc = { ent-BaseStation.desc } + .desc = { ent-BaseStation.desc } ent-StandardFrontierOutpost = { ent-BaseStation } - .desc = { ent-BaseStation.desc } + .desc = { ent-BaseStation.desc } ent-SecurityFrontierOutpost = { ent-BaseStation } - .desc = { ent-BaseStation.desc } + .desc = { ent-BaseStation.desc } ent-StandardFrontierVessel = { ent-BaseStation } - .desc = { ent-BaseStation.desc } + .desc = { ent-BaseStation.desc } ent-StandardFrontierSecurityVessel = { ent-BaseStation } - .desc = { ent-BaseStation.desc } + .desc = { ent-BaseStation.desc } ent-StandardFrontierSecurityExpeditionVessel = { ent-BaseStationExpeditions } - .desc = { ent-BaseStationExpeditions.desc } + .desc = { ent-BaseStationExpeditions.desc } ent-StandardFrontierExpeditionVessel = { ent-BaseStationExpeditions } - .desc = { ent-BaseStationExpeditions.desc } + .desc = { ent-BaseStationExpeditions.desc } ent-BaseStationSiliconLawFrontierStation = { "" } .desc = { "" } ent-BaseStationSiliconLawFrontierShips = { "" } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/_park/benches.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/_park/benches.ftl index 74b88929803..24932e9ee85 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/_park/benches.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/_park/benches.ftl @@ -1,65 +1,65 @@ -ent-BenchBaseMiddle = bench - .desc = Multiple seats spanning a single object. Truly a marvel of science. - .suffix = Middle -ent-BenchParkMiddle = park bench +ent-BenchBaseMiddle = скамейка + .desc = Множество посадочных мест, охватывающих один объект. Поистине чудо науки. + .suffix = Средний +ent-BenchParkMiddle = парковая скамейка .desc = { ent-BenchBaseMiddle.desc } ent-BenchParkLeft = { ent-BenchParkMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchParkMiddle.desc } ent-BenchParkRight = { ent-BenchParkMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchParkMiddle.desc } -ent-BenchParkBambooMiddle = park bench +ent-BenchParkBambooMiddle = парковая скамейка .desc = { ent-BenchBaseMiddle.desc } ent-BenchParkBambooLeft = { ent-BenchParkBambooMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchParkBambooMiddle.desc } ent-BenchParkBambooRight = { ent-BenchParkBambooMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchParkBambooMiddle.desc } -ent-BenchPewMiddle = pew +ent-BenchPewMiddle = скамья .desc = { ent-BenchBaseMiddle.desc } ent-BenchPewLeft = { ent-BenchPewMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchPewMiddle.desc } ent-BenchPewRight = { ent-BenchPewMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchPewMiddle.desc } -ent-BenchSteelMiddle = steel bench +ent-BenchSteelMiddle = стальная скамейка .desc = { ent-BenchBaseMiddle.desc } ent-BenchSteelLeft = { ent-BenchSteelMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchSteelMiddle.desc } ent-BenchSteelRight = { ent-BenchSteelMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchSteelMiddle.desc } -ent-BenchSteelWhiteMiddle = white steel bench +ent-BenchSteelWhiteMiddle = белая стальная скамейка .desc = { ent-BenchBaseMiddle.desc } ent-BenchSteelWhiteLeft = { ent-BenchSteelWhiteMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchSteelWhiteMiddle.desc } ent-BenchSteelWhiteRight = { ent-BenchSteelWhiteMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchSteelWhiteMiddle.desc } -ent-BenchSofaMiddle = sofa +ent-BenchSofaMiddle = диван .desc = { ent-BenchBaseMiddle.desc } ent-BenchSofaLeft = { ent-BenchSofaMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchSofaMiddle.desc } ent-BenchSofaRight = { ent-BenchSofaMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchSofaMiddle.desc } -ent-BenchSofaCorner = sofa - .suffix = Corner +ent-BenchSofaCorner = диван + .suffix = Угол .desc = { "" } -ent-BenchSofaCorpMiddle = grey sofa +ent-BenchSofaCorpMiddle = серый диван .desc = { ent-BenchBaseMiddle.desc } ent-BenchSofaCorpLeft = { ent-BenchSofaCorpMiddle } - .suffix = Left + .suffix = Левый .desc = { ent-BenchSofaCorpMiddle.desc } ent-BenchSofaCorpRight = { ent-BenchSofaCorpMiddle } - .suffix = Right + .suffix = Правый .desc = { ent-BenchSofaCorpMiddle.desc } -ent-BenchSofaCorpCorner = grey sofa - .suffix = Corner +ent-BenchSofaCorpCorner = серый диван + .suffix = Угол .desc = { "" } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/catalog/fills/items/belt.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/catalog/fills/items/belt.ftl index 749c2fc593f..737220fd53f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/catalog/fills/items/belt.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/catalog/fills/items/belt.ftl @@ -40,3 +40,6 @@ ent-ClothingBeltHolsterFilled = { ent-ClothingBeltHolster } ent-ClothingBeltChefFilled = { ent-ClothingBeltChef } .suffix = Заполненный .desc = { ent-ClothingBeltChef.desc } +ent-ClothingNeckMantleSheriffFilled = { ent-ClothingNeckMantleSheriff } + .suffix = Filled + .desc = { ent-ClothingNeckMantleSheriff.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl index 566853062bc..98fac3cb1cb 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl @@ -1,128 +1 @@ -ent-PrintedDocument = { ent-Paper } - .desc = Боюрократическая единица. Документ, распечатанный на принтере. -ent-PrintedDocumentReportStation = Отчёт о ситуации на станции - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentReportOnEliminationOfViolations = Отчёт об устранении нарушений - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentReporDepartment = Отчёт о работе отдела - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentReportEmployeePerformance = Отчёт о работе сотрудника - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentReportOnTheChaptersMeeting = Отчёт о собрании глав - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentInternalAffairsAgentsReport = Отчёт о внутреннем расследовании - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentConditionReport = Отчёт о техническом состоянии - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentReportStudyObject = Отчёт об изучении объекта - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentExperimentReport = Отчёт об эксперименте - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentDisposalReport = Отчёт об утилизации - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentApplicationAppointmentInterim = Заявление о назначении на ВрИО - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentApplicationEmployment = Заявление о трудоустройстве - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentLetterResignation = Заявление об увольнении - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentApplicationAccess = Заявление на получение доступа - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentApplicationEquipment = Заявление на получение снаряжения - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentAppeal = Обращение - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentEvacuationShuttleRequest = Запрос эвакуационного шаттла - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentShuttleRegistrationRequest = Запрос регистрации шаттла - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestCallMembersCentralCommitteeDSO = Запрос на вызов членов ЦК, ДСО - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestRequestToEstablishThreatLevel = Запрос установления уровня угрозы - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestChangeSalary = Запрос на изменение заработной платы - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestForNonlistedEmployment = Запрос внеперечневого трудоустройства - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestForPromotion = Запрос повышения - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestDocuments = Запрос предоставления документов - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestEuthanasia = Запрос на проведение эвтаназии - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestConstructionWork = Запрос на проведение строительных работ - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentRequestModernization = Запрос на проведение модернизации - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentComplaintViolationLaborRules = Жалоба на нарушение трудового порядка - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentComplaintOffense = Жалоба на правонарушение - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentPermissionEquipment = Разрешение на использование снаряжения - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentPermissionToTravelInCaseOfThreat = Разрешение на передвижение при угрозе - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentSearchPermission = Разрешение на обыск - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentPermissionToCarryWeapons = Разрешение на ношение оружия - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentPrescriptionDrugAuthorization = Разрешение на рецептурный препарат - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentPermissionDisposeBody = Разрешение на утилизацию тела - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentConstructionPermit = Разрешение на строительство - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentPermissionToExtendMarriage = Разрешение на расширение брака - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderDismissal = Приказ об увольнении - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderDeprivationAccess = Приказ о лишении доступа - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderEncouragement = Приказ о поощрении - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderParolePrisoner = Приказ об УДО заключенного - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderRecognizingSentienceCreature = Приказ о признании разумности существа - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderMedicalIntervention = Распоряжение о медицинском вмешательстве - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentProductManufacturingOrder = Заказ на производство продукта - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderPurchaseResourcesEquipment = Заказ на закупку ресурсов, снаряжения - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderingSpecialEquipment = Заказ специального снаряжения - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentOrderPurchaseWeapons = Заказ на закупку вооружения - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentCertificate = Грамота - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentCertificateAdvancedTraining = Свидетельство о повышении квалификации - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentCertificateOffense = Свидетельство о правонарушении - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentDeathCertificate = Свидетельство о смерти - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentMarriageCertificate = Свидетельство о заключении брака - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentDivorceCertificate = Свидетельство о расторжении брака - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentClosingIndictment = Обвинительное заключение - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentSentence = Приговор - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentJudgment = Судебное решение - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentStatementHealth = Заключение о состоянии здоровья - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentDecisionToStartTrial = Решение о начале судебного процесса - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentErrorLoadingFormHeader = Оͬ͌̔̄̀Ш̫̼̈ͭͧͅИ̣̩̰̳Б̥̜̥̇͊̿͆̍̚̕К̫̽̍̋ͫ́͛͑А̛̼̚ загрузки заголовка формы - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentNoticeOfLiquidation = УвЕдОмЛеНиЕ о ЛиКвИдАцИи - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentBusinessDeal = ДеЛоВаЯ сДеЛкА - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentNoteBeginningMilitaryActions = НоТа О нАчАлЕ вОеНнЫх ДеЙсТвИй - .desc = { ent-PrintedDocument.desc } -ent-PrintedDocumentReportAccomplishmentGoals = ОтЧёТ о ВыПоЛнЕнИи ЦеЛеЙ - .desc = { ent-PrintedDocument.desc } +# Потом diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/body/organs/harpy.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/body/organs/harpy.ftl new file mode 100644 index 00000000000..4249a467e40 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/body/organs/harpy.ftl @@ -0,0 +1,2 @@ +ent-OrganHarpyLungs = лёгкие + .desc = Развитая пара птичьих легких. Фильтрует кислород, постоянно перемещая воздух по воздушным мешкам. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/body/parts/harpy.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/body/parts/harpy.ftl new file mode 100644 index 00000000000..27fc929e350 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/body/parts/harpy.ftl @@ -0,0 +1,22 @@ +ent-PartHarpy = часть тела гарпии + .desc = { ent-BaseItem.desc } +ent-TorsoHarpy = торс гарпии + .desc = { ent-PartHarpy.desc } +ent-HeadHarpy = голова гарпии + .desc = { ent-PartHarpy.desc } +ent-LeftArmHarpy = левая рука гарпии + .desc = { ent-PartHarpy.desc } +ent-RightArmHarpy = правая рука гарпии + .desc = { ent-PartHarpy.desc } +ent-LeftHandHarpy = левая ладонь гарпии + .desc = { ent-PartHarpy.desc } +ent-RightHandHarpy = правая ладонь гарпии + .desc = { ent-PartHarpy.desc } +ent-LeftLegHarpy = левая нога гарпии + .desc = { ent-PartHarpy.desc } +ent-RightLegHarpy = правая нога гарпии + .desc = { ent-PartHarpy.desc } +ent-LeftFootHarpy = левая ступня гарпии + .desc = { ent-PartHarpy.desc } +ent-RightFootHarpy = правая ступня гарпии + .desc = { ent-PartHarpy.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl index 1761a96a510..1c7a110222d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl @@ -1,2 +1,2 @@ -ent-ClothingShoesClothwarp = cloth footwraps - .desc = A roll of treated canvas used for wrapping claws or paws. +ent-ClothingShoesClothwarp = повязки для ног + .desc = Рулон обработанного холста, используемый для обертывания когтей или лап. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl index 04a19bcc7ec..478a38de8fe 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl @@ -1,42 +1,42 @@ -ent-ClothingShoesBootsWinterAtmos = atmospherics winter boots +ent-ClothingShoesBootsWinterAtmos = зимние ботинки атмосферного техника .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterCap = captain's winter boots +ent-ClothingShoesBootsWinterCap = зимние ботинки капитана .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterChiefEngineer = chief engineer's winter boots +ent-ClothingShoesBootsWinterChiefEngineer = зимние ботинки старшего инженера .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterCentCom = centcom winter boots +ent-ClothingShoesBootsWinterCentCom = зимние ботинки центком .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterChef = chef winter boots +ent-ClothingShoesBootsWinterChef = зимние ботинки повара .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterChem = chemist winter boots +ent-ClothingShoesBootsWinterChem = зимние ботинки химика .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterClown = clown winter boots +ent-ClothingShoesBootsWinterClown = зимние ботинки клоуна .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterCMO = chief medical officer winter boots +ent-ClothingShoesBootsWinterCMO = зимние ботинки главного врача .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterGenetics = genetics winter boots +ent-ClothingShoesBootsWinterGenetics = зимние ботинки генетика .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterHoP = station representative's winter boots +ent-ClothingShoesBootsWinterHoP = зимние ботинки представителя станции .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterHoS = sheriff's winter boots +ent-ClothingShoesBootsWinterHoS = зимние ботинки шерифа .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterHydro = botanist winter boots +ent-ClothingShoesBootsWinterHydro = зимние ботинки ботаника .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterJani = janitor winter boots +ent-ClothingShoesBootsWinterJani = зимние ботинки уборщика .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterMime = mime winter boots +ent-ClothingShoesBootsWinterMime = зимние ботинки мима .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterMiner = miner winter boots +ent-ClothingShoesBootsWinterMiner = зимние ботинки шахтёра .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterParamedic = paramedic winter boots +ent-ClothingShoesBootsWinterParamedic = зимние ботинки парамедика .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterQM = quartermaster's winter boots +ent-ClothingShoesBootsWinterQM = зимние ботинки квартирмейстера .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterRD = research director's winter boots +ent-ClothingShoesBootsWinterRD = зимние ботинки научного руководителя .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterRobo = robotics winter boots +ent-ClothingShoesBootsWinterRobo = зимние ботинки робототехника .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterViro = virology winter boots +ent-ClothingShoesBootsWinterViro = зимние ботинки вирусолога .desc = { ent-ClothingShoesBaseWinterBoots.desc } -ent-ClothingShoesBootsWinterWarden = bailiff's winter boots +ent-ClothingShoesBootsWinterWarden = зимние ботинки судебного пристава .desc = { ent-ClothingShoesBaseWinterBoots.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl index 29523700fa9..5c04ea4e378 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl @@ -1,2 +1,2 @@ -ent-ClothingUniformJumpsuitKilt = kilt - .desc = A fine bit o' garb for the lad an' lasses. +ent-ClothingUniformJumpsuitKilt = килт + .desc = Модная одежка для девчонок и мальчишек. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/harpy.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/harpy.ftl new file mode 100644 index 00000000000..0c87e4b3d8b --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/harpy.ftl @@ -0,0 +1,2 @@ +ent-MobHarpy = Урист МакГарпия + .desc = { ent-MobHarpyBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl index bf4fc07f911..b348af9953e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl @@ -1,2 +1,2 @@ -ent-MobVulpkanin = Urist McVulp +ent-MobVulpkanin = Урист МакВульпканин .desc = { ent-BaseMobVulpkanin.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/harpy.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/harpy.ftl new file mode 100644 index 00000000000..aad4fc3b565 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/harpy.ftl @@ -0,0 +1,8 @@ +ent-MobHarpyBase = Урист МакГарпия + .desc = { ent-BaseMobHuman.desc } +ent-MobHarpyDummy = Урист МакГарпия + .desc = Кукла для кастомизации. +ent-ActionHarpyPlayMidi = Играть MIDI + .desc = Спойте! Нажмите ПКМ по себе чтобы выбрать музыкальный инструмент! +ent-ActionSyrinxChangeVoiceMask = Сменить имя + .desc = Смените своё имя. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl index bfa6ca75cc9..bd16e3b97ce 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl @@ -1,4 +1,4 @@ -ent-BaseMobVulpkanin = Urist McVulp +ent-BaseMobVulpkanin = Урист МакВульпа .desc = { ent-BaseMobSpeciesOrganic.desc } -ent-MobVulpkaninDummy = Vulpkanin Dummy - .desc = A dummy vulpkanin meant to be used in character setup. +ent-MobVulpkaninDummy = Кукла Вульпы + .desc = Кукла для кастомизации. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl index 320b354589d..7f53be39489 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl @@ -1,2 +1,2 @@ -ent-VulpTranslator = Canilunzt translator - .desc = Used by Vulpkanins to translate their speech. +ent-VulpTranslator = переводчик с вульпканинского + .desc = Используется вульпканами для перевода речи. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl index ed8acfcaf5d..e03ffd8c109 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl @@ -1,2 +1,2 @@ -ent-WeaponRifleBB = BB Gun - .desc = The classic Red Ryder BB gun. Don't shoot your eye out. +ent-WeaponRifleBB = газовый пистолет + .desc = Классический газовый пистолет Red Ryder. Смотри не повреди себе глаз. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/misc/implanters.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/misc/implanters.ftl new file mode 100644 index 00000000000..23bd93c914d --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/misc/implanters.ftl @@ -0,0 +1,2 @@ +ent-BionicSyrinxImplanter = бионический имплантер + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/misc/subdermal_implants.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/misc/subdermal_implants.ftl new file mode 100644 index 00000000000..cd021f6b4f4 --- /dev/null +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/misc/subdermal_implants.ftl @@ -0,0 +1,2 @@ +ent-BionicSyrinxImplant = бионический имплантер + .desc = Этот имплантер позволяет гарпиям подстраивать свой голос под любого человека. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl index 7fc59e074dd..7b69e16be5b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl @@ -1,2 +1,2 @@ -ent-VendingMachineRestockPride = Pride-O-Mat restock box - .desc = The station needs more plushie sharks and you know it. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockPride = комплект пополнения Радуг-О-Мата + .desc = Станции нужно больше плюшевых акул, и вы это знаете. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl index db9beb2dedb..0e75c650ef6 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl @@ -1,2 +1,2 @@ -ent-BoxCartridgeBB = box of BBs +ent-BoxCartridgeBB = коробка газовых баллонов .desc = { ent-BoxDonkSoftBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl index c56a862ea14..b9e93c1bdd9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl @@ -1,5 +1,5 @@ -ent-WeaponEnergyGun = energy gun - .desc = A basic hybrid energy gun with two settings: disable and kill. -ent-WeaponEnergyGunMultiphase = x-01 multiphase energy gun - .desc = This is an expensive, modern recreation of an antique laser gun. This gun has several unique firemodes, but lacks the ability to recharge over time. - .suffix = DO NOT MAP +ent-WeaponEnergyGun = энергитическое оружие + .desc = Базовый гибридный энергетический пистолет с двумя настройками: оглушить и убить. +ent-WeaponEnergyGunMultiphase = мультифазовый лазер x-01 + .desc = Это дорогая современная реконструкция старинного лазерного пистолета. Пистолет имеет несколько уникальных режимов стрельбы, но лишен возможности перезаряжаться со временем. + .suffix = НЕ МАППИТЬ diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl index 556c32b0cd2..c963231d9c5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl @@ -1,9 +1,9 @@ ent-WindoorMailLocked = { ent-Windoor } - .suffix = Mail, Locked + .suffix = Почтовый, Закрыт .desc = { ent-Windoor.desc } ent-WindoorSecureMailLocked = { ent-WindoorSecure } - .suffix = Mail, Locked + .suffix = Почтовый, Закрыт .desc = { ent-WindoorSecure.desc } ent-WindoorSecureParamedicLocked = { ent-WindoorSecure } - .suffix = Paramedic, Locked + .suffix = Парамедик, Закрыт .desc = { ent-WindoorSecure.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl index 5d38dab738f..3caa43e978a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl @@ -1,2 +1,2 @@ -ent-VendingMachinePride = Pride-O-Mat - .desc = A vending machine containing crimes. +ent-VendingMachinePride = Радуг-О-Мат + .desc = Торговый автомат преступлений против человечности. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl index 48e62747182..7acbc9bfbc6 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl @@ -32,8 +32,8 @@ ent-ClothingBackpackCargo = рюкзак грузчика .desc = Прочный рюкзак для воровства добычи. ent-ClothingBackpackSalvage = рюкзак утилизатора .desc = Прочный рюкзак для хранения добычи. -ent-ClothingBackpackMercenary = mercenary backpack - .desc = A backpack that has been in many dangerous places, a reliable combat backpack. +ent-ClothingBackpackMercenary = рюкзак наёмника + .desc = Рюкзак, который побывал во многих опасных местах, надежный боевой рюкзак. ent-ClothingBackpackMerc = рюкзак наёмника .desc = Надежный боевой рюкзак, побывавший во многих опасных местах. ent-ClothingBackpackERTLeader = рюкзак командира ОБР diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/belt/belts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/belt/belts.ftl index f8902e2076d..417c2c6c6d2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/belt/belts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/belt/belts.ftl @@ -28,8 +28,8 @@ ent-ClothingBeltSyndieHolster = плечевая кобура синдиката .desc = Глубокая плечевая кобура, способная вместить множество различных видов оружия. ent-ClothingBeltSecurityWebbing = РПС охраны .desc = Уникальный, универсальный разгрузочный жилет с ремнями и поясом, может вмещать снаряжение службы безопасности. -ent-ClothingBeltMercenaryWebbing = mercenary webbing - .desc = Ideal for storing everything from ammo to weapons and combat essentials. +ent-ClothingBeltMercenaryWebbing = РПС наёмника + .desc = Идеально подходит для хранения всего: от патронов до оружия и предметов боевой необходимости. ent-ClothingBeltMercWebbing = РПС наёмника .desc = Идеально подходит для хранения всего: от патронов до оружия и предметов боевой необходимости. ent-ClothingBeltSalvageWebbing = РПС утилизаторов diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl index e2127444ee5..e47765c54bc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl @@ -29,8 +29,8 @@ ent-ClothingHandsGlovesCombat = боевые перчатки .desc = Эти тактические перчатки огнеупорны и ударопрочны. ent-ClothingHandsTacticalMaidGloves = тактические перчатки горничной .desc = Тактические перчатки для горничных - каждая уважающая себя горничная должна уметь незаметно устранять свои цели. -ent-ClothingHandsMercenaryGlovesCombat = mercenary combat gloves - .desc = High-quality combat gloves to protect hands from mechanical damage during combat. +ent-ClothingHandsMercenaryGlovesCombat = боевые перчатки наёмника + .desc = Высококачественные боевые перчатки для защиты рук во время боя. ent-ClothingHandsMercGlovesCombat = боевые перчатки наёмника .desc = Высококачественные боевые перчатки для защиты рук во время боя. ent-ClothingHandsGlovesFingerless = беспалые перчатки diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl index 806409e8b42..18e689ed33a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl @@ -16,7 +16,7 @@ ent-ClothingHeadBandRed = красная бандана .desc = Красная бандана, чтобы выглядеть круто. ent-ClothingHeadBandSkull = бандана с черепом .desc = Бандана с черепом, чтобы выглядеть ещё круче. -ent-ClothingHeadBandMercenary = mercenary bandana +ent-ClothingHeadBandMercenary = бандана наёмника .desc = { ent-ClothingMaskBandMerc.desc } ent-ClothingHeadBandMerc = бандана наёмника .desc = Для защиты головы от солнца, насекомых и других угроз сверху. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/hats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/hats.ftl index 2562eeb3d15..1faa4a0365d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/hats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/hats.ftl @@ -22,8 +22,8 @@ ent-ClothingHeadHatBeretSeniorPhysician = берет ведущего врача .desc = Специалисты, одетые в цвета и врачей и химиков, являются гордостью этого отдела! ent-ClothingHeadHatBeretBrigmedic = берет бригмедика .desc = Белый берет, похож на кремовый пирог на голове. -ent-ClothingHeadHatBeretMercenary = mercenary beret - .desc = Olive beret, the badge depicts a jackal on a rock. +ent-ClothingHeadHatBeretMercenary = берет наёмника + .desc = Берет оливкового цвета, на значке изображен шакал на скале. ent-ClothingHeadHatBeretMerc = берет наёмника .desc = Оливковый берет, на значке изображен шакал на скале. ent-ClothingHeadHatBowlerHat = шляпа котелок diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/helmets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/helmets.ftl index f97c2ffb793..41d1c687e97 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/helmets.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/head/helmets.ftl @@ -1,7 +1,7 @@ ent-ClothingHeadHelmetBasic = шлем .desc = Стандартная защитная экипировка. Защищает голову от ударов. -ent-ClothingHeadHelmetMercenary = mercenary helmet - .desc = The combat helmet is commonly used by mercenaries, is strong, light and smells like gunpowder and the jungle. +ent-ClothingHeadHelmetMercenary = шлем наемника + .desc = Боевой шлем, который обычно используют наемники, прочен, легок, пахнет порохом и джунглями. ent-ClothingHeadHelmetBombSuit = сапёрный шлем .desc = Тяжелый шлем, предназначенный для защиты от осколков и давления, создаваемого взрывом. ent-ClothingHeadHelmetSwat = шлем спецназа diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/masks/masks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/masks/masks.ftl index 69dfd59247d..8d2cf1c3cf6 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/masks/masks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/masks/masks.ftl @@ -42,8 +42,8 @@ ent-ClothingMaskCluwne = лицо и волосы клувеня .suffix = Неснимаемый ent-ClothingMaskGasSwat = противогаз спецназа .desc = Элитный противогаз Службы безопасности. -ent-ClothingMaskGasMercenary = mercenary gas mask - .desc = Slightly outdated, but reliable military-style gas mask. +ent-ClothingMaskGasMercenary = противогаз наёмника + .desc = Слегка устаревший, но надежный противогаз военного образца. ent-ClothingMaskGasMerc = противогаз наёмника .desc = Немного устаревший, но надёжный противогаз военного образца. ent-ClothingMaskGasERT = противогаз ОБР diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl index 49207045cf1..efab2f16ff1 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl @@ -1,7 +1,7 @@ ent-ClothingOuterVestWeb = тактический жилет .desc = Синтетический бронежилет. У этого есть дополнительные ремни и баллистические пластины. -ent-ClothingOuterVestWebMercenary = mercenary web vest - .desc = A high-quality armored vest made from a hard synthetic material. It's surprisingly flexible and light, despite formidable armor plating. +ent-ClothingOuterVestWebMercenary = тактический жилет наёмника + .desc = Высококачественный бронежилет из прочного синтетического материала. Он удивительно гибкий и легкий, несмотря на внушительную броню. ent-ClothingOuterVestWebMerc = тактический жилет наёмника .desc = Высококачественный бронежилет из прочного синтетического материала. Он удивительно гибкий и легкий, несмотря на внушительную броню. ent-ClothingOuterVestDetective = жилет детектива diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/shoes/boots.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/shoes/boots.ftl index 6924ebdd870..9859da29eda 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/shoes/boots.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/clothing/shoes/boots.ftl @@ -10,8 +10,8 @@ ent-ClothingShoesBootsCombat = армейские ботинки .desc = Надёжные армейские ботинки, для боевых операций или боевых действий. Борьба - всё, борьба - всегда. ent-ClothingShoesHighheelBoots = сапоги на высоком каблуке .desc = Удобные сапожки для тех случаев, когда вы хотите быть стильным, и одновременно подготовленным. -ent-ClothingShoesBootsMercenary = mercenary boots - .desc = Boots that have gone through many conflicts and that have proven their combat reliability. +ent-ClothingShoesBootsMercenary = ботинки наёмника + .desc = Ботинки, которые прошли через множество конфликтов и доказали свою боевую надежность. ent-ClothingShoesBootsMerc = ботинки наёмника .desc = Ботинки, прошедшие через множество конфликтов и доказавшие свою боевую надежность. ent-ClothingShoesBootsLaceup = шнурованные туфли diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl index 37958b4d7c9..b5359aac894 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl @@ -44,8 +44,12 @@ ent-CommsComputerCircuitboard = консоль связи (консольная .desc = { ent-BaseComputerCircuitboard.desc } ent-SyndicateCommsComputerCircuitboard = консоль связи Синдиката (консольная плата) .desc = Консольная плата для консоли связи Синдиката. +ent-RadarConsoleCircuitboard = радиолокационная консоль (консольная плата) + .desc = { ent-BaseComputerCircuitboard.desc } ent-RadarConsoleCircuitboard = консоль сканера массы (консольная плата) .desc = { ent-BaseComputerCircuitboard.desc } +ent-AdvancedRadarConsoleCircuitboard = advanced radar console computer board + .desc = { ent-BaseComputerCircuitboard.desc } ent-SolarControlComputerCircuitboard = консоль контроля солнечных батарей (консольная плата) .desc = { ent-BaseComputerCircuitboard.desc } ent-SpaceVillainArcadeComputerCircuitboard = аркада Space Villain (консольная плата) diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl index 02a66586a3b..5b14f69c1fa 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl @@ -9,44 +9,44 @@ ent-MicroManipulatorStockPart = манипулятор ent-MatterBinStockPart = ёмкость материи .desc = Базовая ёмкость материи, используемая при создании различных устройств. .suffix = Уровень 1 -ent-AdvancedCapacitorStockPart = advanced capacitor - .desc = An advanced capacitor used in the construction of a variety of devices. - .suffix = Rating 2 -ent-NanoManipulatorStockPart = advanced manipulator - .desc = An advanced manipulator used in the construction of a variety of devices. - .suffix = Rating 2 -ent-AdvancedMatterBinStockPart = advanced matter bin - .desc = An advanced matter bin used in the construction of a variety of devices. - .suffix = Rating 2 -ent-SuperCapacitorStockPart = super capacitor - .desc = A super capacitor used in the construction of a variety of devices. - .suffix = Rating 3 -ent-PicoManipulatorStockPart = super manipulator - .desc = A super manipulator used in the construction of a variety of devices. - .suffix = Rating 3 -ent-SuperMatterBinStockPart = super matter bin - .desc = A super matter bin used in the construction of a variety of devices. - .suffix = Rating 3 -ent-QuadraticCapacitorStockPart = bluespace capacitor - .desc = A bluespace capacitor used in the construction of a variety of devices. - .suffix = Rating 4 -ent-FemtoManipulatorStockPart = bluespace manipulator - .desc = A bluespace manipulator used in the construction of a variety of devices. - .suffix = Rating 4 -ent-BluespaceMatterBinStockPart = bluespace matter bin - .desc = A bluespace matter bin used in the construction of a variety of devices. - .suffix = Rating 4 -ent-AnsibleSubspaceStockPart = subspace ansible - .desc = A compact module capable of sensing extradimensional activity. -ent-FilterSubspaceStockPart = hyperwave filter - .desc = A tiny device capable of filtering and converting super-intense radiowaves. -ent-AmplifierSubspaceStockPart = subspace amplifier - .desc = A compact micro-machine capable of amplifying weak subspace transmissions. -ent-TreatmentSubspaceStockPart = subspace treatment disk - .desc = A compact micro-machine capable of stretching out hyper-compressed radio waves. -ent-AnalyzerSubspaceStockPart = subspace wavelength analyzer - .desc = A sophisticated analyzer capable of analyzing cryptic subspace wavelengths. -ent-CrystalSubspaceStockPart = ansible crystal - .desc = A crystal made from pure glass used to transmit laser databursts to subspace. -ent-TransmitterSubspaceStockPart = subspace transmitter - .desc = A large piece of equipment used to open a window into the subspace dimension. +ent-AdvancedCapacitorStockPart = улучшенный конденсатор + .desc = Улучшенный конденсатор, используемый при создании различных устройств. + .suffix = Уровень 2 +ent-NanoManipulatorStockPart = улучшенный манипулятор + .desc = Улучшенный манипулятор, используемый при создании некоторых устройств. + .suffix = Уровень 2 +ent-AdvancedMatterBinStockPart = улучшенная ёмкость материи + .desc = Улучшенная ёмкость материи, используемая при создании различных устройств. + .suffix = Уровень 2 +ent-SuperCapacitorStockPart = супер-конденсатор + .desc = Супер-конденсатор, используемый при создании различных устройств. + .suffix = Уровень 3 +ent-PicoManipulatorStockPart = супер-манипулятор + .desc = Супер-манипулятор, используемый при создании некоторых устройств. + .suffix = Уровень 3 +ent-SuperMatterBinStockPart = супер-ёмкость материи + .desc = Супер-ёмкость материи, используемая при создании различных устройств. + .suffix = Уровень 3 +ent-QuadraticCapacitorStockPart = блюспейс конденсатор + .desc = Блюспейс конденсатор, используемый при создании различных устройств. + .suffix = Уровень 4 +ent-FemtoManipulatorStockPart = блюспейс манипулятор + .desc = Блюспейс манипулятор, используемый при создании некоторых устройств. + .suffix = Уровень 4 +ent-BluespaceMatterBinStockPart = блюспейс ёмкость материи + .desc = Блюспейс ёмкость материи, используемая при создании различных устройств. + .suffix = Уровень 4 +ent-AnsibleSubspaceStockPart = подпространственный ансибл + .desc = Компактный модуль, способный определять внепространственную активность. +ent-FilterSubspaceStockPart = гиперволновой фильтр + .desc = Крошечное устройство, способное фильтровать и преобразовывать сверхинтенсивные радиоволны. +ent-AmplifierSubspaceStockPart = подпространственный усилитель + .desc = Компактная микромашина, способная усиливать слабые подпространственные сигналы. +ent-TreatmentSubspaceStockPart = диск подпространственной обработки + .desc = Компактная микромашина, способная протягивать гиперсжатые радиоволны. +ent-AnalyzerSubspaceStockPart = подпространственный анализатор длин волны + .desc = Сложный анализатор, способный анализировать длины волн загадочного подпространства. +ent-CrystalSubspaceStockPart = ансибл кристалл + .desc = Кристалл из чистого стекла, используемый для передачи лазерных импульсов с данными в подпространство. +ent-TransmitterSubspaceStockPart = подпространственный трансмиттер + .desc = Большая часть оборудования, используемая для открытия окна в подпространственное измерение. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl index ed10c4df4b0..afbc0c66734 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl @@ -20,3 +20,9 @@ ent-ProjectileIcicle = сосулька .desc = Бррррр. ent-ProjectilePolyboltBread = полизаряд хлеба .desc = Неееет, я не хочу быть хлебом! +ent-BulletFireBolt = fire bolt + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletMagicBolt = magic bolt + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletBloodCultDarkBolt = blood bolt + .desc = { ent-BaseBulletTrigger.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl index 9f1368bb55d..ceede38607c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl @@ -54,7 +54,7 @@ ent-PottedPlantRD = комнатное растение научрука .desc = Подарок от сотрудников ботанического отдела, презентованный после переназначения научрука. На нем висит бирка с надписью "Возвращайся, слышишь?". Выглядит не очень здоровым... ent-PottedPlant26 = { ent-PottedPlantBase } .desc = Мне показалось, или оно подмигнуло? -ent-PottedPlant27 = plastic potted plant +ent-PottedPlant27 = растение в пластиковом горшке .desc = Искусственное, дешёвое на вид, пластиковое деревце. Идеально подходит тем, кто убивает все растения, которых касаются. ent-PottedPlant28 = { ent-PottedPlant27 } .desc = { ent-PottedPlant27.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl index 3f8251161c3..693ba79433a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl @@ -43,6 +43,8 @@ ent-ComputerSolarControl = консоль контроля солнечных б .desc = Контроллер массивов солнечных батарей. ent-ComputerRadar = консоль сканера массы .desc = Компьютер для отслеживания близлежащих космических тел, отображающий их позицию и массу. +ent-ComputerAdvancedRadar = radar computer + .desc = Better CPU and components gives this radar the technological and tactical advantage on detection of far away objects. ent-ComputerCargoShuttle = консоль вызова грузового шаттла .desc = Используется для вызова и отправки грузового шаттла. ent-ComputerCargoOrders = консоль заказа грузов diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/world/chunk.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/world/chunk.ftl index 0658ff7c8b4..3abb76612d4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/world/chunk.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/entities/world/chunk.ftl @@ -1,4 +1,4 @@ -ent-WorldChunk = World Chunk +ent-WorldChunk = Чанк Сектора .desc = - It's rude to stare. - It's also a bit odd you're looking at the abstract representation of the grid of reality. + Пялиться невежливо. + Также немного странно, что вы смотрите на абстрактное изображение сетки реальности. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/actions/types.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/actions/types.ftl index 373260e0abb..29ed387b95d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/actions/types.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/actions/types.ftl @@ -1,4 +1,4 @@ -ent-ActionEatMouse = action-name-eat-mouse - .desc = action-description-eat-mouse -ent-ActionHairball = action-name-hairball - .desc = action-description-hairball +ent-ActionEatMouse = скушать мышь + .desc = Съешь это жалкое создание. +ent-ActionHairball = отхаркнуть комок шерсти + .desc = Омерзительно. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl index 86a98e0f227..84bb711852d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl @@ -1,2 +1,2 @@ -ent-BoxColoredLighttube = colored lighttube box - .desc = This box is shaped on the inside so that only light tubes and bulbs fit. +ent-BoxColoredLighttube = коробка цветных лампочек-трубок + .desc = Из-за формы коробки в нее помещаются только лампочки и лампочки-трубки. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl index 3dd3503d0d6..a3ef988034d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl @@ -1,2 +1,2 @@ -ent-CrateServiceReplacementColoredLights = Colored Lights Crate +ent-CrateServiceReplacementColoredLights = ящик цветных лампочек .desc = { ent-CrateGenericSteel.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl index 46fd17924c7..33084805160 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl @@ -1,2 +1,2 @@ -ent-ClothingBackpackDuffelSyndicateBundleSamurai = Samurai armor bundle - .desc = A bundle containing a modern replica of a full Tousei-Gusoku set. +ent-ClothingBackpackDuffelSyndicateBundleSamurai = комплект самурайской брони + .desc = Набор, содержащий современную реплику полного комплекта Тоусея-Гусоку. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl index 63803507493..2dfcea0a145 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl @@ -1,2 +1,2 @@ -ent-ClothingBeltMartialBlack = black belt - .desc = This is the most martial of all the belts. +ent-ClothingBeltMartialBlack = чёрный пояс + .desc = Это самый боевой из всех поясов. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl index 4ba58058f91..40e5e818970 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl @@ -1,4 +1,4 @@ -ent-ClothingHeadHelmetHardsuitSyndieReverseEngineered = SA-123 combat hardsuit helmet - .desc = An advanced hardsuit helmet designed for work in special operations. -ent-ClothingHeadHelmetHardsuitJuggernautReverseEngineered = SA-127 combat hardsuit helmet - .desc = An assault hardsuit helmet featuring a top-secret translucent polymer. +ent-ClothingHeadHelmetHardsuitSyndieReverseEngineered = шлем боевого скафандра SA-123 + .desc = Тяжелобронированный шлем, предназначенный для специальных операций. +ent-ClothingHeadHelmetHardsuitJuggernautReverseEngineered = шлем боевого скафандра SA-127 + .desc = Шлем для штурмового скафандра, изготовленный из сверхсекретного полупрозрачного полимера. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl index 8c4126f62f8..0d3d504ea31 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl @@ -1,16 +1,16 @@ -ent-ClothingHeadMailCarrier = mail carrier's hat - .desc = Smells like a good pension. -ent-ClothingHeadHoodBrown = brown hood - .desc = Spooky. -ent-ClothingHeadAreopagite = areopagite hat - .desc = Intimidating. -ent-ClothingHeadTinfoil = tinfoil hat - .desc = Protects you from all manner of intrusive thoughts. -ent-ClothingHeadHatBellhop = bellhop cap - .desc = All the inconvinience and humiliation of a fez with none of the style! -ent-ClothingHeadPrisonGuard = prison guard's hat - .desc = Grants full immunity from denying others basic human rights, dignity, or respect. -ent-ClothingHeadHelmetKendoMen = men - .desc = The quintessential head armor of the kendo practitioner. -ent-ClothingHeadHelmetKabuto = kabuto and menpo - .desc = A modern replica of a kabuto and menpo. +ent-ClothingHeadMailCarrier = шапка почтальона + .desc = Пахнет хорошим человеком. +ent-ClothingHeadHoodBrown = коричневый капюшон + .desc = Страшно. +ent-ClothingHeadAreopagite = шляпа ареопагита + .desc = Пугающе. +ent-ClothingHeadTinfoil = шапочка из фольги + .desc = Защищает вас от всевозможных навязчивых мыслей. +ent-ClothingHeadHatBellhop = фуражка посыльного + .desc = Все неудобства и унижения фески, но при этом никакого стиля! +ent-ClothingHeadPrisonGuard = шапка тюремщика + .desc = Предоставляет полный иммунитет от отказа другим в основных человеческих правах, достоинстве или уважении. +ent-ClothingHeadHelmetKendoMen = мен + .desc = Квинтэссенция головного доспеха практикующего кендо. +ent-ClothingHeadHelmetKabuto = кабуто и менпо + .desc = Современная копия кабуто и менпо. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl index a58f51db746..26ecd4f80fb 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl @@ -1,6 +1,6 @@ -ent-ClothingOuterArmorGladiator = gladiator armor - .desc = A good old set of boiled leather armor fit with buckles, belts, and a decorated pauldron. Are you not entertained? -ent-ClothingOuterArmorKendoBogu = bogu - .desc = A set of armor used in Kendo. It covers the waist, torso, and hands. -ent-ClothingOuterArmorTouseiGusoku = tousei-gusoku - .desc = A modern replica of a Ni-mai-do Gusoku armor set. +ent-ClothingOuterArmorGladiator = гладиаторская броня + .desc = Старый добрый комплект доспехов из сыровареной кожи, украшенный пряжками, ремнями и декорированным палдроном. Вам не интересно? +ent-ClothingOuterArmorKendoBogu = богу + .desc = Комплект доспехов, используемый в кендо. Он закрывает талию, торс и руки. +ent-ClothingOuterArmorTouseiGusoku = тосэй-гусоку + .desc = Современная копия комплекта доспехов Ни-май-до Гусоку. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl index 3cc609b5f61..1d4e2f0da6c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl @@ -1,6 +1,6 @@ -ent-ClothingOuterHardsuitSyndieReverseEngineered = SA-122 combat hardsuit +ent-ClothingOuterHardsuitSyndieReverseEngineered = боевой скафандр SA-122 .suffix = reverse-engineered .desc = { ent-ClothingOuterHardsuitSyndie.desc } -ent-ClothingOuterHardsuitJuggernautReverseEngineered = SA-126 assault hardsuit - .desc = A suit made by the special acquisitions department of Nanotrasen to be hyper resilient. +ent-ClothingOuterHardsuitJuggernautReverseEngineered = боевой скафандр SA-126 + .desc = Скафандр, созданный отделом специальных операций компании Nanotrasen и обладающий повышенной прочностью. .suffix = reverse-engineered diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl index 8130d643f55..278b5fd239d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl @@ -1,2 +1,2 @@ -ent-ClothingOuterSuitAreopagite = areopagite's suit - .desc = Quite the getup. +ent-ClothingOuterSuitAreopagite = костюм ареопагита + .desc = Неплохой наряд. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl index 364fdc4fd67..d260738748a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl @@ -1,2 +1,2 @@ -ent-ClothingOuterVestValet = valet vest - .desc = A goofy red vest almost certainly designed with the sole purpose of being demeaning. +ent-ClothingOuterVestValet = жилет камердинера + .desc = Причудливый красный жилет, почти наверняка созданный с единственной целью - быть унизительным. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl index c55034487e5..1c0822f048f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl @@ -1,8 +1,8 @@ -ent-ClothingOuterCoatHyenhSweater = comfy sweater - .desc = It's comfy. -ent-ClothingOuterWinterCoatLong = long winter coat - .desc = Even your legs will be warm with this stylish coat. -ent-ClothingOuterWinterCoatPlaid = plaid winter coat - .desc = It might be made out of actual wool. -ent-ClothingOuterWinterCoatMail = mail carrier's winter coat - .desc = It'll keep away the cold but not the dogs. +ent-ClothingOuterCoatHyenhSweater = удобный свитер + .desc = Действительно удобен +ent-ClothingOuterWinterCoatLong = длинное зимнее пальто + .desc = В этом стильном пальто даже вашим ногам будет тепло. +ent-ClothingOuterWinterCoatPlaid = клетчатое зимнее пальто + .desc = Оно может быть сделана из настоящей шерсти. +ent-ClothingOuterWinterCoatMail = зимнее пальто почтальтона + .desc = Убережет от холода, но не от собак. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl index 995eb0d7227..641d25d1f0f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl @@ -1,34 +1,34 @@ -ent-UniformJabroni = jabroni outfit - .desc = For artists, perfomance artists. -ent-UniformSchoolgirlRed = red schoolgirl uniform - .desc = Ready for school! -ent-UniformSchoolgirlBlack = black schoolgirl uniform +ent-UniformJabroni = наряд неудачника + .desc = Для художников, перформансистов. +ent-UniformSchoolgirlRed = школьная униформа + .desc = Готова к школе! +ent-UniformSchoolgirlBlack = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformSchoolgirlBlue = blue schoolgirl uniform +ent-UniformSchoolgirlBlue = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformSchoolgirlCyan = cyan schoolgirl uniform +ent-UniformSchoolgirlCyan = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformSchoolgirlGreen = green schoolgirl uniform +ent-UniformSchoolgirlGreen = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformSchoolgirlOrange = orange schoolgirl uniform +ent-UniformSchoolgirlOrange = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformSchoolgirlPink = pink schoolgirl uniform +ent-UniformSchoolgirlPink = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformSchoolgirlPurple = purple schoolgirl uniform +ent-UniformSchoolgirlPurple = школьная униформа .desc = { ent-UniformSchoolgirlRed.desc } -ent-UniformMaid = maid uniform - .desc = Authentic, from Space France! -ent-UniformGeisha = geisha dress - .desc = For a good hostess. -ent-ClothingUniformJumpskirtNurse = nurse skirt - .desc = Time to carry the medical department. -ent-ClothingUniformKendoHakama = hakama - .desc = An elegant black and blue hakama that could be worn for kendo or formal events. -ent-ClothingUniformMartialGi = gi - .desc = A white top and bottom traditionally used in martial arts, often paired with a belt. -ent-ClothingKimonoBlue = blue kimono - .desc = I'm blue da ba dee da ba da-ee! -ent-ClothingKimonoPink = pink kimono - .desc = Pretty in pink, isn't she? -ent-ClothingCostumeArcDress = white shirt and purple skirt - .desc = You feel a supernatural urge to put these on. It must be fate. +ent-UniformMaid = форма горничной + .desc = Аутентичная, из космической Франции! +ent-UniformGeisha = платье гейши + .desc = Для хорошей хозяйки. +ent-ClothingUniformJumpskirtNurse = юбка медсестры + .desc = Пора в медицинский отдел. +ent-ClothingUniformKendoHakama = хакама + .desc = Элегантная черно-синяя хакама, которую можно надеть для кендо или официальных мероприятий. +ent-ClothingUniformMartialGi = ги + .desc =Белый верх и низ, традиционно используемый в боевых искусствах, часто в паре с поясом. +ent-ClothingKimonoBlue = синее кимоно + .desc = Я синий, да ба ди, да ба да! +ent-ClothingKimonoPink = розовое кимоно + .desc = Действительно розовое, не правда ли? +ent-ClothingCostumeArcDress = Белая рубашка и фиолетовая юбка + .desc = Вы чувствуете сверхъестественное желание надеть их. Наверное, это судьба. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl index 9617c6a5261..a1b1c28ccb4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl @@ -1,12 +1,12 @@ -ent-ClothingUniformJumpsuitMailCarrier = mail carrier's jumpsuit - .desc = Enemy of dogs everywhere. -ent-ClothingUniformJumpskirtMailCarrier = mail carrier's jumpskirt - .desc = Enemy of dogs everywhere. -ent-ClothingUniformJumpsuitTshirtJeans = white t-shirt and jeans - .desc = Even in space, this combo is still in style. -ent-ClothingUniformJumpsuitTshirtJeansGray = gray t-shirt and jeans - .desc = Even though there are no forests in space, this combo is still practical. -ent-ClothingUniformJumpsuitTshirtJeansPeach = peach t-shirt and jeans - .desc = Even though your favorite emo clothing store is back at home, this combo is still edgy. -ent-ClothingUniformJumpsuitPrisonGuard = prison guard's uniform - .desc = A comfortable, durable, waterproof uniform made to keep prison staff comfortable and safe. +ent-ClothingUniformJumpsuitMailCarrier = юбка почтальона + .desc = Вражеские псины повсюду. +ent-ClothingUniformJumpskirtMailCarrier = юбка почтальона + .desc = Вражеские псины повсюду. +ent-ClothingUniformJumpsuitTshirtJeans = белая футболка и джинсы + .desc = Даже в космосе это сочетание по-прежнему в моде. +ent-ClothingUniformJumpsuitTshirtJeansGray = серая футболка и джинсы + .desc = Даже если в космосе нет леса, этот комбо все равно практично. +ent-ClothingUniformJumpsuitTshirtJeansPeach = персиковая футболка и джинсы + .desc = Даже если ваш любимый магазин эмо одежды давно закрылся, этот комбо все равно остается модным. +ent-ClothingUniformJumpsuitPrisonGuard = форма тюремщика + .desc = Удобная, прочная, непромокаемая униформа, созданная для того, чтобы тюремный персонал чувствовал себя комфортно и безопасно. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl index 5e4bdc7e741..c4c79fd6e9f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl @@ -1,2 +1,2 @@ -ent-HideMothroach = mothroach hide - .desc = A thin layer of mothroach hide. +ent-HideMothroach = шёрстка таракамоли + .desc = Тонкий слой шёрстки таракамоли. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl index e8e5799d3b0..8df68ba379a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl @@ -1,2 +1,2 @@ -ent-MobPibble = pitbull - .desc = Nanny dog. Or a lab mix depending on who is asking. +ent-MobPibble = питбуль + .desc = Что для одних собака-поводырь, то для других жертва ужасных экспериментов. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl index 7789bcc6e60..b9b940f6b4f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl @@ -1,18 +1,18 @@ -ent-MobTomatoKiller = killer tomato - .desc = This is really going to let you own some vegans in your next online debate. -ent-MobXenoPraetorianNPC = Praetorian +ent-MobTomatoKiller = томат убийца + .desc = Это действительно позволит вам одержать верх над веганами во время следующего онлайн-спора. +ent-MobXenoPraetorianNPC = Преторианец .desc = { ent-MobXeno.desc } -ent-MobXenoDroneNPC = Drone +ent-MobXenoDroneNPC = Дрон .desc = { ent-MobXeno.desc } -ent-MobXenoQueenNPC = Queen +ent-MobXenoQueenNPC = Королева .desc = { ent-MobXeno.desc } -ent-MobXenoRavagerNPC = Ravager +ent-MobXenoRavagerNPC = Разрушитель .desc = { ent-MobXeno.desc } -ent-MobXenoRunnerNPC = Runner +ent-MobXenoRunnerNPC = Бегун .desc = { ent-MobXeno.desc } -ent-MobXenoRounyNPC = Rouny +ent-MobXenoRounyNPC = Руни .desc = { ent-MobXenoRunnerNPC.desc } -ent-MobXenoSpitterNPC = Spitter +ent-MobXenoSpitterNPC = Плевальщик .desc = { ent-MobXeno.desc } ent-MobPurpleSnakeGhost = { ent-MobPurpleSnake } .desc = { ent-MobPurpleSnake.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl index 0b12f5a1d3c..5482c732cb2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl @@ -1,2 +1,2 @@ -ent-MobFelinid = Urist McFelinid +ent-MobFelinid = Урист МакФелинид .desc = { ent-MobFelinidBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl index 68630c360f2..a82a5ac9944 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl @@ -1,2 +1,2 @@ -ent-MobOni = Urist McOni +ent-MobOni = Урист МакОни .desc = { ent-MobOniBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl index 9acfe1cf72f..9831e9874db 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl @@ -1,4 +1,4 @@ -ent-MobFelinidBase = Urist McFelinid +ent-MobFelinidBase = Урист МакФелинид .desc = { ent-BaseMobHuman.desc } -ent-MobFelinidDummy = Urist McFelinid - .desc = A dummy felinid meant to be used in character setup. +ent-MobFelinidDummy = Урист МакФелинид + .desc = Кукла для кастомизации. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl index 6b6e861e87d..a9fea5a4cf9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl @@ -1,4 +1,4 @@ -ent-MobOniBase = Urist McOni +ent-MobOniBase = Урист МакОни .desc = { ent-BaseMobHuman.desc } -ent-MobOniDummy = Urist McOni - .desc = A dummy oni meant to be used in character setup. +ent-MobOniDummy = Урист МакОни + .desc = Кукла для кастомизации diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl index f7f4dd1bf24..a590eeae4cd 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl @@ -1,28 +1,28 @@ ent-BaseHyperlinkBook = { ent-BaseItem } .desc = { ent-BaseItem.desc } -ent-HyperlinkBookSpaceLaw = space law - .desc = A big book of laws for space courts. -ent-HyperlinkBookSupernanny = book of unsanctioned space punishments - .desc = The ravings of a madman. -ent-HyperlinkBookChemistry = chemical recipe book - .desc = A list of chemical recipes. -ent-HyperlinkBookBartending = bartender's guide - .desc = A list of drink recipes. -ent-HyperlinkBookCooking = cookbook - .desc = A list of food recipes. -ent-HyperlinkBookBotany = botanical field guide - .desc = A guide to plants. -ent-HyperlinkBookShuttle = guide to shuttle construction - .desc = A guide to building shuttles. -ent-HyperlinkBookAlerts = alert procedure - .desc = Procedure for when and why each alert should be put in effect, and what to do. -ent-HyperlinkBookProcedure = standard operating procedure - .desc = A guide to normal station function. -ent-HyperlinkBookPower = guide to power - .desc = A guide to powering the station. -ent-HyperlinkBookMedical = guide to medical - .desc = A guide to the medical department. -ent-HyperlinkBookHacking = guide to hacking - .desc = For emergency use only. -ent-HyperlinkBookAtmos = guide to atmospherics - .desc = How to make sure everyone has air to breathe. +ent-HyperlinkBookSpaceLaw = космический закон + .desc = Большая книга космических законов. +ent-HyperlinkBookSupernanny = книга несанкционированных космических наказаний + .desc = Бред сумасшедшего. +ent-HyperlinkBookChemistry = книга химических рецептов + .desc = Список всех известных химических рецептов. +ent-HyperlinkBookBartending = руководство бармена + .desc = Список всех рецептов коктейлей. +ent-HyperlinkBookCooking = кульнарная книга + .desc = Список всех рецептов блюд. +ent-HyperlinkBookBotany = ботанический полевой справочник + .desc = Справочник по растения. +ent-HyperlinkBookShuttle = руководство по строительству шаттлов + .desc = Руководство по строительству шаттлов. +ent-HyperlinkBookAlerts = процедуры оповещения. + .desc = Порядок действий, когда и почему каждый код должен быть введен в действие, и что нужно делать. +ent-HyperlinkBookProcedure = стандартные рабочие процедуры + .desc = Руководство по вашим обязанностям. +ent-HyperlinkBookPower = путеводитель по энергетике + .desc = Руководство по электроснабжению. +ent-HyperlinkBookMedical = руководство медика + .desc = Путеводитель по медицинскому отделу. +ent-HyperlinkBookHacking = руководство по взлому + .desc = Только для экстренного использования. +ent-HyperlinkBookAtmos = руководство по атмосфере + .desc = Как сделать так, чтобы всем хватало воздуха для дыхания. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl index 964c21eb476..de6a22a784b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl @@ -1,22 +1,22 @@ -ent-DrinkTokkuri = tokkuri - .desc = Floral and full of osake! -ent-DrinkOrangeCreamiceGlass = orange creamcicle glass - .desc = Orangy, creamy goodness. -ent-DrinkSilverjackGlass = silverjack glass - .desc = Reminds you of family. -ent-DrinkBrainbombGlass = brainbomb glass - .desc = Toxic to about anything alive, especially your liver. -ent-DrinkClownBloodGlass = clown blood glass - .desc = Security Officers favorite drink after a long day. -ent-DrinkCircusJuiceGlass = circus juice glass - .desc = Honkmother would be proud. -ent-DrinkSapoPicanteGlass = sapo picante glass - .desc = Tastes nothing like a toad. -ent-DrinkGraveyardGlass = graveyard glass - .desc = For those shifts that never seem to end. -ent-DrinkAtomicPunchGlass = atomic punch glass - .desc = Will NOT make you immune to bullets; Isotopes included! -ent-DrinkPinkDrinkGlass = pink drink glass - .desc = Entire civilizations have crumbled trying to decide if this drink really tastes like pink... -ent-DrinkBubbleTeaGlass = bubble tea glass - .desc = Big straw not included. +ent-DrinkTokkuri = токкури + .desc = Цветочный сакэ. +ent-DrinkOrangeCreamiceGlass = апельсиновые сливки + .desc = Апельсиновый, сливочный вкус. +ent-DrinkSilverjackGlass = Сильверджек + .desc = Напоминает о семье. +ent-DrinkBrainbombGlass = мозговыносяшка + .desc = Токсично для всего, особенно для вашей печени. +ent-DrinkClownBloodGlass = кровь клоуна + .desc = Любимый напиток сотрудников службы безопасности после напряженного дня. +ent-DrinkCircusJuiceGlass = цирковный сок + .desc = Хонкоматерь будет довольна. +ent-DrinkSapoPicanteGlass = сапо пиканте + .desc = Совершенно не похоже на жабу по вкусу. +ent-DrinkGraveyardGlass = могильщик + .desc = Для тех смен, которые, кажется, никогда не закончатся. +ent-DrinkAtomicPunchGlass = атомный удар + .desc = Это не сделает вас неуязвимым к пулям; изотопы включены! +ent-DrinkPinkDrinkGlass = розовый напиток + .desc = Целые цивилизации рушились, пытаясь понять, действительно ли этот напиток на вкус розовый... +ent-DrinkBubbleTeaGlass = бабл ти + .desc = Большая трубочка не включена в комплект. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl index 2f981a02401..19dc56fd019 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl @@ -1,5 +1,5 @@ -ent-DrinkSakeBottleFull = sake bottle +ent-DrinkSakeBottleFull = бутылка сакэ .desc = - Clear, or sometimes foggy - Chilled like ice cream alcohol - Fill a cup, drink up! + Прозрачна иль мутна, + Освежающе-прохладна, как ледяной ликер, + Налей, отпей сполна! diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl index ee83c9e4445..be2da38a75c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl @@ -1,2 +1,2 @@ -ent-DrinkSakeCup = sakazuki - .desc = A ceremonial white cup for drinking sake. +ent-DrinkSakeCup = сакадзуки + .desc = Церемониальная белая чашка для питья сакэ. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl index 73c64688507..2daf8b4dff4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl @@ -1,8 +1,8 @@ ent-BaseOilJar = { ent-DrinkBottleBaseEmpty } .desc = { ent-DrinkBottleBaseEmpty.desc } -ent-OilJarGhee = jar of ghee - .desc = A large tinted glass jar with a simple label of butter sticks on it. -ent-OilJarCorn = jar of corn oil - .desc = A large tinted glass jar with a simple label of a corn stalk on it. -ent-OilJarOlive = jar of olive oil - .desc = A large tinted glass jar with a simple label of olives on it. +ent-OilJarGhee = банка гхи + .desc = Большая банка из тонированного стекла с простой этикеткой, на которой изображено сливочное масло. +ent-OilJarCorn = банка кукурузного масла + .desc = Большая банка из тонированного стекла с простой этикеткой, на которой изображен початок кукурузы. +ent-OilJarOlive = банка оливкогово масла + .desc = Большая банка из тонированного стекла с простой этикеткой, на которой изображена оливка. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl index d3499f55dc9..8de94354013 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl @@ -1,2 +1,2 @@ -ent-FoodBreadMoldy = moldy loaf - .desc = It's still good enough to eat, just eat around the moldy bits. +ent-FoodBreadMoldy = заплесневелый хлеб + .desc = Он все еще достаточно вкусный, просто объедайте заплесневелые части. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl index 0822c642eda..254efffb475 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl @@ -1,4 +1,4 @@ -ent-FoodLollipop = lollipop - .desc = For being such a good sport. -ent-FoodGumball = gumball - .desc = For being such a good sport. +ent-FoodLollipop = леденец + .desc = Что сосут чемпионы? +ent-FoodGumball = жевачка + .desc = А что жуют чемпионы? diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl index 4e751a8fa4a..12f5339cf06 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl @@ -1,6 +1,6 @@ -ent-FoodCurdCheese = curd cheese - .desc = Known by many names throughout cuisine, curd cheese is useful for a wide variety of dishes. -ent-FoodCheeseCurds = cheese curds - .desc = Not to be mistaken for curd cheese. Tasty deep fried. -ent-FoodMozzarella = mozzarella cheese - .desc = Delicious, creamy, and cheesy, all in one simple package. +ent-FoodCurdCheese = творожный сыр + .desc = Известный под разными названиями в кулинарии, творожный сыр пригодится для приготовления самых разных блюд. +ent-FoodCheeseCurds = сырный творог + .desc = Не путать с творожным сыром. Раскрывается при готовке во фритюрнице. +ent-FoodMozzarella = сыр моцарелла + .desc = Вкусный, сливочный, сырный - и все это в одной простой упаковке. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl index 10c5363673b..07bf7a95b3f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl @@ -1,94 +1,94 @@ -ent-FoodMothHerbyCheese = herby cheese - .desc = As a staple of mothic cuisine, cheese is often augmented with various flavours to keep variety in their diet. -ent-FoodMothSaladBase = mothic salad - .desc = A basic salad of cabbage, red onion and tomato. -ent-BaseFoodMothSauce = sauce bowl - .desc = A small bowl for condiment. Not reusable. -ent-FoodMothTomatoSauce = tomato sauce - .desc = Tomato with salt and herbs. -ent-FoodMothPesto = pesto sauce - .desc = A combination of salt, herbs, garlic, oil, and pine nuts. Frequently used as a sauce for pasta or pizza, or eaten on bread. -ent-FoodMothBechamel = bechamel sauce - .desc = A classic white sauce common to several European cultures. -ent-FoodMothSqueakingFry = squeaking stir fry - .desc = A mothic classic made with cheese curds and tofu (amongst other things). -ent-FoodMothToastedSeeds = toasted seeds - .desc = While they're far from filling, toasted seeds are a popular snack amongst the moths. Some more exotic flavours may be added for some extra pep. -ent-FoodMothChiliCabbageWrap = sweet chili cabbage wrap - .desc = Grilled cheese and salad in a cabbage wrap, topped with delicious sweet chili sauce. -ent-FoodMothBakedCheese = baked cheese wheel - .desc = A baked cheese wheel, melty and delicious.. -ent-FoodMothBakedCheesePlatter = baked cheese platter - .desc = A favourite for sharing. Usually served with crispy bread slices for dipping, because the only thing better than good cheese is good cheese on bread. -ent-FoodMothBakedRice = big baked rice - .desc = A mothic favourite, baked rice can be filled with a variety of vegetable fillings to make a delicious meal to share. -ent-FoodMothBakedRicePortion = lil baked rice - .desc = A single portion of baked rice, perfect as a side dish, or even as a full meal. -ent-FoodMothGreenLasagne = green lasagne - .desc = A fine lasagne made with pesto and a herby white sauce. Good for multiple servings. -ent-FoodMothGreenLasagneSlice = green lasagne slice - .desc = A slice of herby, pesto-y lasagne. -ent-FoodMothBakedCorn = oven-baked corn - .desc = A cob of corn, baked in the roasting heat of an oven until it blisters and blackens. -ent-FoodMothButteredBakedCorn = buttered baked corn - .desc = A cob of corn, baked in the roasting heat of an oven until it blisters and blackens. -ent-FoodMothMozzarellaSticks = mozzarella sticks - .desc = Little sticks of mozzarella, breaded and fried. -ent-FoodMothMacBalls = mac balls - .desc = Fried balls of donk-pocket dipped in corn batter, served with tomato sauce. -ent-FoodMothCottonSoup = cotton soup - .desc = A soup made from raw cotton in a flavourful vegetable broth. Enjoyed only by moths and the criminally tasteless. -ent-FoodMothCheeseSoup = cheese soup - .desc = A simple and filling soup made from homemade cheese and sweet potato. -ent-FoodMothSeedSoup = seed soup - .desc = A seed based soup, made by germinating seeds and then boiling them. -ent-FoodMothEyeballSoup = moth eyeball soup - .desc = It's looking back at you... -ent-FoodMothBeanStew = bean stew - .desc = A spicy bean stew with lots of veggies, commonly served as a filling and satisfying meal with rice or bread. -ent-FoodMothOatStew = oat stew - .desc = A hearty oat stew, prepared with oats, sweet potatoes, and various winter vegetables. -ent-FoodMothHeartburnSoup = heartburn soup - .desc = The heartburn soup is named after two things; it's rosy pink colour and it's scorchingly hot chili heat. -ent-FoodMothHuaMulanCongee = mulan congee - .desc = A smiley bowl of rice porridge with eggs and bacon. -ent-FoodMothCornmealPorridge = cornmeal porridge - .desc = A plate of cornmeal porridge. It's more flavourful than most porridges, and makes a good base for other flavours, too. -ent-FoodMothCheesyPorridge = cheesy porridge - .desc = A rich and creamy bowl of cheesy cornmeal porridge. -ent-FoodMothEggplantPolenta = fried eggplant and polenta - .desc = Polenta loaded with cheese, served with a few discs of fried eggplant and some tomato sauce. -ent-FoodMothVegetarianChili = vegetarian chili - .desc = For the hombres who don't want carne. -ent-FoodMothCapreseSalad = caprese salad - .desc = A very tasty yet simple to prepare salad. -ent-FoodMothFleetSalad = fleet salad - .desc = The grilled cheese makes it particularly filling, while the croutons provide a crunchy kick. -ent-FoodMothCottonSalad = cotton salad - .desc = A salad with added cotton and a basic dressing. Presumably moths are around. -ent-FoodMothKachumbariSalad = kachumbari salad +ent-FoodMothHerbyCheese = сыр с травами + .desc = В качестве основного продукта кухни мотиков сыр часто добавляют с различными вкусовыми добавками, чтобы разнообразить их рацион. +ent-FoodMothSaladBase = фирменный салат наин + .desc = Простой салат из капусты, красного лука и помидоров. +ent-BaseFoodMothSauce = миска приправ + .desc = Небольшая миска для приправ. Не пригодна для повторного использования. +ent-FoodMothTomatoSauce = томатный соус + .desc = Помидоры с солью и зеленью. +ent-FoodMothPesto = соус песто + .desc = Смесь соли, трав, чеснока, масла и кедровых орешков. Часто используется в качестве соуса для пасты или пиццы, а также для намазывания на хлеб. +ent-FoodMothBechamel = соус бешамель + .desc = Классический белый соус, распространенный в нескольких европейских культурах. +ent-FoodMothSqueakingFry = хрустящий стир-фрай + .desc = Классический молочный соус, приготовленный, в частности, с творожным сыром и тофу. +ent-FoodMothToastedSeeds = поджаренные семечки + .desc = Несмотря на то, что они совсем не сытные, поджаренные семечки - популярная закуска среди моли. Для придания пикантности можно добавить еще несколько экзотических вкусов. +ent-FoodMothChiliCabbageWrap = салат гриль с перцем чили + .desc = Сыр-гриль и салат в капустной обертке, политые вкусным сладким соусом чили. +ent-FoodMothBakedCheese = запеченный сырный рулет + .desc = Запеченный сырный рулет, тающий во рту и очень вкусный.. +ent-FoodMothBakedCheesePlatter = блюдо с запеченным сыром + .desc = Любимое блюдо, которым можно поделиться. Обычно подается с хрустящими ломтиками хлеба для обмакивания, потому что лучше хорошего сыра может быть только хороший сыр на хлебе. +ent-FoodMothBakedRice = большой запеченный рис + .desc = Запеченный рис, который так любят мамы, можно заправлять различными овощными начинками, чтобы приготовить вкусное блюдо, которым можно поделиться. +ent-FoodMothBakedRicePortion = маленький запеченный рис + .desc = Порция запеченного риса, идеально подходит в качестве гарнира или даже в качестве полноценного блюда. +ent-FoodMothGreenLasagne = зеленая лазанья + .desc = Изысканная лазанья, приготовленная с соусом песто и белым травяным соусом. Подходит для приготовления нескольких порций. +ent-FoodMothGreenLasagneSlice = ломтик зеленой лазаньи + .desc = Ломтик лазаньи с травами и соусом песто. +ent-FoodMothBakedCorn = запеченная кукуруза + .desc = Початок кукурузы, запеченный в духовке, пока он не покроется пузырями и не почернеет. +ent-FoodMothButteredBakedCorn = запеченная кукуруза с маслом + .desc = Кукурузный початок, который запекают в духовке, пока он не покроется пузырями и не почернеет. +ent-FoodMothMozzarellaSticks = палочки из моцареллы + .desc = Маленькие палочки из моцареллы, запанированные и обжаренные. +ent-FoodMothMacBalls = оладушкины тефтели + .desc = Обжаренные шарики из оладий, обмакнутые в кукурузное тесто, подаются с томатным соусом. +ent-FoodMothCottonSoup = хлопковый суп + .desc = Суп, приготовленный из хлопка на ароматном овощном бульоне. Его любят только нианы и те, кто считает его преступно безвкусным. +ent-FoodMothCheeseSoup = сырный суп + .desc = Простой и сытный суп из домашнего сыра и сладкого картофеля. +ent-FoodMothSeedSoup = суп из семян + .desc = Суп на основе семян, который готовится путем их проращивания и последующего отваривания. +ent-FoodMothEyeballSoup = суп из глаз мотылька + .desc = Он смотрит на тебя в ответ... +ent-FoodMothBeanStew = тушеная фасоль + .desc = Острое рагу из фасоли с большим количеством овощей, обычно подается в качестве сытного блюда с рисом или хлебом. +ent-FoodMothOatStew = овсяное рагу + .desc = Сытное овсяное рагу, приготовленное с овсяными хлопьями, сладким картофелем и различными зимними овощами. +ent-FoodMothHeartburnSoup = суп для изжоги + .desc = Суп для изжоги назван в честь двух вещей: его ярко-розовый цвет и жгучий вкус чили. +ent-FoodMothHuaMulanCongee = отвар мулана + .desc = Рисовая каша с яйцами и беконом в виде смайлика +ent-FoodMothCornmealPorridge = каша из кукурузной муки + .desc =Тарелка каши из кукурузной муки. Она более вкусная, чем большинство каш, и является хорошей основой для других вкусовых добавок. +ent-FoodMothCheesyPorridge = сырная каша + .desc = Блюдо с творожной кашей из кукурузной муки, приготовленной на сливочном масле. +ent-FoodMothEggplantPolenta = жареные баклажаны и полента + .desc = Полента, посыпанная сыром, подается с несколькими кружочками жареных баклажанов и небольшим количеством томатного соуса. +ent-FoodMothVegetarianChili = вегетарианский чили + .desc = Для тех, кто не любит кон карне. +ent-FoodMothCapreseSalad = салат капрезе + .desc = Очень вкусный, но простой в приготовлении салат. +ent-FoodMothFleetSalad = салат по-флотски + .desc = Сыр, приготовленный на гриле, делает его особенно сытным, а гренки придают ему хрустящий вкус. +ent-FoodMothCottonSalad = хлопковый салат + .desc = Салат с добавлением хлопка и заправкой. Предположительно, поблизости есть моль. +ent-FoodMothKachumbariSalad = салат качумбари .desc = { ent-FoodBowlBase.desc } -ent-FoodMothPizzaFirecracker = firecracker pizza - .desc = They're not kidding when they call this a hot pizza pie. -ent-FoodMothPizzaFirecrackerSlice = slice of firecracker pizza - .desc = A spicy slice of something quite nice. -ent-FoodMothPizzaFiveCheese = quattro formaggi pizza - .desc = For centuries, scholars have asked; how much cheese is too much cheese? -ent-FoodMothPizzaFiveCheeseSlice = slice of quattro formaggi pizza - .desc = It's the cheesiest slice in the galaxy! -ent-FoodMothPizzaPesto = pesto pizza - .desc = Pesto is a popular pizza topping for moths, quite possibly because it exemplifies their favourite flavours; cheese, herbs, and veggies. -ent-FoodMothPizzaPestoSlice = slice of pesto pizza - .desc = Green as the grass in the garden. -ent-FoodMothPizzaCotton = cotton pizza - .desc = A crime to some, a delicious pizza to others. Cotton and cheese. -ent-FoodMothPizzaCottonSlice = slice of cotton pizza - .desc = White as a sheet of paper. -ent-FoodMothCheesecakeBalls = cheesecake balls - .desc = Made of soft cheese, powdered sugar and flour, rolled into balls, battered and then deep fried. They're often served with honey. -ent-FoodMothMothmallow = mothmallow tray - .desc = A light and fluffy vegan marshmallow flavoured with vanilla and rum. These are known to the moths as cloud squares. -ent-FoodMothMothmallowSlice = mothmallow slice - .desc = Fluffy little clouds of joy- in a strangely moth-like form and colour. -ent-FoodMothMoffin = moffin - .desc = A delicious, spongy and dusty little cake. +ent-FoodMothPizzaFirecracker = пицца с фейерверками + .desc = Они не шутят, когда называют это блюдо горячей пиццей-пирогом. +ent-FoodMothPizzaFirecrackerSlice = кусочек пиццы с фейерверками + .desc = Пикантный кусочек чего-нибудь вкусненького. +ent-FoodMothPizzaFiveCheese = пицца четыре сыра + .desc = На протяжении веков ученые задавались вопросом: сколько сыра - это слишком много сыра? +ent-FoodMothPizzaFiveCheeseSlice = кусочек пиццы четыре сыра + .desc = Это самый сырный кусочек в галактике! +ent-FoodMothPizzaPesto = пицца песто + .desc = Песто - популярная начинка для пиццы у мотыльков, возможно, потому, что в нем сочетаются их любимые вкусы: сыр, зелень и овощи. +ent-FoodMothPizzaPestoSlice = кусочек пиццы с песто + .desc = Зеленый, как трава в саду. +ent-FoodMothPizzaCotton = хлопковая пицца + .desc = Для одних это преступление, для других - вкусная пицца. Хлопок и сыр. +ent-FoodMothPizzaCottonSlice = кусочек хлопковой пиццы + .desc = Белый, как лист бумаги. +ent-FoodMothCheesecakeBalls = шарики чизкейка + .desc = Готовятся из мягкого сыра, сахарной пудры и муки, скатываются в шарики, обваливаются в кляре и обжариваются во фритюре. Их часто подают с медом. +ent-FoodMothMothmallow = моллон + .desc = Легкий и пышный веганский зефир со вкусом ванили и рома. Мотылькам они известны как облачные квадраты. +ent-FoodMothMothmallowSlice = кусочек моллона + .desc = Маленькие пушистые облачка радости - по форме и цвету они удивительно напоминают мотыльков. +ent-FoodMothMoffin = моффин + .desc = Вкусный, пышный и покрытый пылью маленький пирог. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl index fa36950c015..fb42cd8e9ca 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl @@ -1,24 +1,24 @@ -ent-FoodPSBTrash = psb wrapper +ent-FoodPSBTrash = упаковка от батончика .desc = { ent-FoodPacketTrash.desc } -ent-FoodPSB = prepacked sustenance bar - .desc = The PSB is a densely packed, nutrient rich, artificially flavored and colored food bar specifically made to accomodate all morphotypes during food shortages. +ent-FoodPSB = фасованный батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. ent-FoodPSBBase = { ent-FoodSnackBase } .desc = { ent-FoodSnackBase.desc } -ent-FoodPSBBarSoy = soy sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is mixed-herb flavoured. -ent-FoodPSBBarNeapolitan = neapolitan sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is neapolitan flavoured- strawberry, vanilla, and chocolate. -ent-FoodPSBBarBrownie = brownie sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is brownie flavored. -ent-FoodPSBBarCheese = cheese sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is three-cheese flavoured- parmesan, mozzarella, and cheddar. -ent-FoodPSBBarMeat = meat sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is meat and pepper flavored. -ent-FoodPSBBarVegetable = vegetable sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is vegetable flavoured- lettuce, carrots and potato. -ent-FoodPSBBarMint = mint sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is mint choc chip flavoured- peppermint, dark chocolate, and potato chips. -ent-FoodPSBBarBanana = banana sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is banana milkshake flavoured- banana and milk. -ent-FoodPSBBarWonka = wonka sustenance bar - .desc = A densely packed, nutrient rich sustenance bar. This one is split into three flavours, making up a typical meal- tomato soup, roast pumpkin, and blueberry pie. +ent-FoodPSBBarSoy = соевый батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Имеет смешанный травяной вкус. +ent-FoodPSBBarNeapolitan = неаполитанский батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Со вкусом клубники, ванили и шоколада. +ent-FoodPSBBarBrownie = батончик брауни + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Со вкусом брауни. +ent-FoodPSBBarCheese = сырны батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Со вкусом трех сыров - пармезана, моцареллы и чеддера. +ent-FoodPSBBarMeat = мясной батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Со вкусом поперченого мяса. +ent-FoodPSBBarVegetable = вегетрианский батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. С овощным вкусом - салат, морковь и картофель. +ent-FoodPSBBarMint = мятный батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Со вкусом мяты, темного шоколада и картофельных чипсов. +ent-FoodPSBBarBanana = банановый батончик + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Со вкусом бананово-молочного коктейля +ent-FoodPSBBarWonka = батончик "Вонка" + .desc = Плотно упакованный, богатый питательными веществами, искусственно ароматизированный и окрашенный пищевой батончик, специально созданный для всех морфотипов во время нехватки пищи. Он разделен на три вкуса, составляющие типичную трапезу: томатный суп, жареная тыква и черничный пирог. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl index 150c2ecf156..1937f7caf33 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl @@ -1,8 +1,8 @@ -ent-EngineeringTechFabCircuitboard = engineering techfab machine board - .desc = A machine printed circuit board for a engineering techfab -ent-ServiceTechFabCircuitboard = service techfab machine board - .desc = A machine printed circuit board for a service techfab -ent-ScienceTechFabCircuitboard = science techfab machine board - .desc = A machine printed circuit board for a science techfab -ent-DeepFryerMachineCircuitboard = deep fryer machine board +ent-EngineeringTechFabCircuitboard = инженерных техфаб (машинная плата) + .desc = Плата для создания инженерного техфаба. +ent-ServiceTechFabCircuitboard = сервисный техфаб (машинная плата) + .desc = Плата для создания сервисного техфаба. +ent-ScienceTechFabCircuitboard = научный техфаб (машинная плата) + .desc = Плата для создания научного техфаба. +ent-DeepFryerMachineCircuitboard = фритюрница (машинная плата) .desc = { ent-BaseMachineCircuitboard.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl index 6f010a7dbf5..723314ec1d0 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl @@ -1,12 +1,12 @@ -ent-MailCarrierIDCard = mail carrier ID card +ent-MailCarrierIDCard = ID карта почтальона .desc = { ent-IDCardStandard.desc } -ent-PrisonerIDCard = prisoner ID card +ent-PrisonerIDCard = ID карта заключенного .desc = { ent-IDCardStandard.desc } -ent-GladiatorIDCard = gladiator ID card +ent-GladiatorIDCard = ID карта гладиатора .desc = { ent-IDCardStandard.desc } -ent-ValetIDCard = valet ID card +ent-ValetIDCard = ID карта камердинера .desc = { ent-IDCardStandard.desc } -ent-GuardIDCard = guard ID card +ent-GuardIDCard = ID карта охранника .desc = { ent-IDCardStandard.desc } -ent-MartialArtistIDCard = martial artist ID card +ent-MartialArtistIDCard = ID карта мастера боевых искусств .desc = { ent-IDCardStandard.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl index a4d58fc71f8..065e711e88c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl @@ -1,12 +1,12 @@ -ent-MailCarrierPDA = mail carrier PDA - .desc = Hope this doesn't have any... JUNK MAIL. -ent-PrisonerPDA = prisoner PDA - .desc = Clear, so you can make sure there's nothing being smuggled inside. -ent-GladiatorPDA = gladiator PDA +ent-MailCarrierPDA = КПК почтальона + .desc = Остаётся только надеяться, что он не завален СПАМОМ. +ent-PrisonerPDA = КПК заключенного + .desc = Прозрачный, чтобы убедиться, что внутри нет ничего контрабандного. +ent-GladiatorPDA = КПК гладиатора .desc = { ent-PrisonerPDA.desc } -ent-ValetPDA = valet PDA - .desc = Why isn't it gray? -ent-GuardPDA = guard PDA - .desc = Red to hide the stains of prisoner blood. -ent-MartialArtistPDA = martial artist PDA +ent-ValetPDA = КПК камердинера + .desc = Почему он не серый? +ent-GuardPDA = КПК тюремщика + .desc = Красный чтобы не видеть следов крови. +ent-MartialArtistPDA = КПК мастера боевых искусств .desc = { ent-BoxerPDA.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl index 675f2944a12..97227c2a7be 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl @@ -1,5 +1,5 @@ -ent-Rickenbacker4003Instrument = Rickenbacker - .desc = Just a regular bass guitar. -ent-Rickenbacker4001Instrument = Rickenbacker - .desc = It's the climax! - .suffix = Antag +ent-Rickenbacker4003Instrument = Рикенбейкер + .desc = Обычная басс-гитара +ent-Rickenbacker4001Instrument = Рикенбейкер + .desc = Вот и кульминация! + .suffix = Антаг diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl index 6f8a70916a2..e7fab3591a9 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl @@ -1,11 +1,11 @@ ent-BasePlushieMoff = { ent-BasePlushie } .desc = { ent-BasePlushie.desc } -ent-PlushieMoff = moth plushie - .desc = A cute little moff you can hold in the palm of your hand! -ent-PlushieMoffRandom = moth plushie - .desc = A cute little mothperson that you can hold in the palm of your hand. - .suffix = Random -ent-PlushieMoffsician = moth musician plushie - .desc = A plushie depicting an adorable mothperson with a tiny synthesizer and tiny glasses. -ent-PlushieMoffbar = moth bartender plushie - .desc = A plushie depicting an adorable mothperson with a tiny tophat and tiny kevlar vest. +ent-PlushieMoff = плюшевый ниан + .desc = Милый и пушистый плюшевый ниан. Развлекайтесь, бз! +ent-PlushieMoffRandom = плюшевый ниан + .desc = Милый и пушистый плюшевый ниан. Развлекайтесь, бз! + .suffix = Случайный +ent-PlushieMoffsician = плюшевый ниан музыкант + .desc = Плюшевая игрушка, изображающие очаровательного ниант с крошечным синтезатором и в крошечных очках. +ent-PlushieMoffbar = плюшевый ниан бармен + .desc = Плюшевая игрушка, изображающие очаровательного ниан в крошечной шапочке и крошечном кевларовом жилете. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl index 028a150251b..746ca61cc7c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl @@ -1,8 +1,8 @@ -ent-FloorTileItemGrassDark = dark grass tile +ent-FloorTileItemGrassDark = тёмный стеклянный пол .desc = { ent-FloorTileItemBase.desc } -ent-FloorTileItemGrassLight = light grass tile +ent-FloorTileItemGrassLight = светлый стеклянный пол .desc = { ent-FloorTileItemBase.desc } -ent-FloorTileItemDirt = dirt tile +ent-FloorTileItemDirt = грязь .desc = { ent-FloorTileItemBase.desc } -ent-FloorTileItemBedrock = bedrock tile +ent-FloorTileItemBedrock = камни .desc = { ent-FloorTileItemBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl index 0c8cba93779..98bb20131b4 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl @@ -1,6 +1,6 @@ -ent-ColoredLightTubeRed = red light tube - .desc = A colorful light tube. These emit a red hue. -ent-ColoredLightTubeFrostyBlue = blue light tube - .desc = A colorful light tube. These emit a frosty blue hue. -ent-ColoredLightTubeBlackLight = black light tube - .desc = A colorful light tube. These emit "black light". +ent-ColoredLightTubeRed = красная лампа-трубка + .desc = Мощная лампа, внутри которой находится маленький цветной кристалл. +ent-ColoredLightTubeFrostyBlue = синяя лампа-трубка + .desc = Мощная лампа, внутри которой находится маленький цветной кристалл. +ent-ColoredLightTubeBlackLight = чёрная лампа-трубка + .desc = Мощная лампа. Светит "чёрным светом". diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl index 39bd6aad908..f7ff7e1879a 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl @@ -1,4 +1,4 @@ -ent-BaseAmphora = amphora - .desc = It's an earthenware jar suitable for carrying liquids, an example of ancient technology. +ent-BaseAmphora = амфора + .desc = Это глиняный сосуд, пригодный для переноски жидкостей, образец древней технологии. ent-Amphora = { ent-BaseAmphora } .desc = { ent-BaseAmphora.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl index 1fb40e47807..6fbfb8bc8c2 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl @@ -1,2 +1,2 @@ -ent-KillerTomatoSeeds = packet of killer tomato seeds - .desc = Killer taste. +ent-KillerTomatoSeeds = пакет семян томатов убийц + .desc = Смертельно вкусно. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl index 76da663ed5b..d4739939b7b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl @@ -1,4 +1,4 @@ -ent-MopAdvanced = advanced mop - .desc = The next generation of mopping. -ent-TrashBagOfHolding = trash bag of holding - .desc = A bluespace-infused trashbag with an extremely high capacity. +ent-MopAdvanced = продвинутая швабра + .desc = Следующее поколение уборки. +ent-TrashBagOfHolding = бездонный мусорный мешок + .desc = Мусорный мешок с персональным карманом в блю-спейс пространство. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl index 4096d961c0b..1d52e0b604f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl @@ -1,5 +1,5 @@ -ent-BaseMail = mail-item-name-unaddressed +ent-BaseMail = посылка без адресата .desc = { ent-BaseItem.desc } ent-MailAdminFun = { ent-BaseMail } - .suffix = adminfun + .suffix = адмеме .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl index 85c3a1f565f..952f533f4ce 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl @@ -1,135 +1,135 @@ ent-MailAlcohol = { ent-BaseMail } - .suffix = alcohol + .suffix = алкоголь .desc = { ent-BaseMail.desc } ent-MailSake = { ent-BaseMail } - .suffix = osake + .suffix = сакэ .desc = { ent-BaseMail.desc } ent-MailAMEGuide = { ent-BaseMail } - .suffix = ameguide + .suffix = руководство ДАМ .desc = { ent-BaseMail.desc } ent-MailBible = { ent-BaseMail } - .suffix = bible + .suffix = библия .desc = { ent-BaseMail.desc } ent-MailBikeHorn = { ent-BaseMail } - .suffix = bike horn + .suffix = велосипедный гудок .desc = { ent-BaseMail.desc } ent-MailBlockGameDIY = { ent-BaseMail } - .suffix = blockgamediy + .suffix = аркада "NT-Блоки" .desc = { ent-BaseMail.desc } ent-MailBooks = { ent-BaseMail } - .suffix = books + .suffix = книги .desc = { ent-BaseMail.desc } ent-MailCake = { ent-BaseMail } - .suffix = cake + .suffix = сакэ .desc = { ent-BaseMail.desc } ent-MailCallForHelp = { ent-BaseMail } - .suffix = call-for-help + .suffix = зов о помощи .desc = { ent-BaseMail.desc } ent-MailCheese = { ent-BaseMail } - .suffix = cheese + .suffix = сыр .desc = { ent-BaseMail.desc } ent-MailChocolate = { ent-BaseMail } - .suffix = chocolate + .suffix = шоколад .desc = { ent-BaseMail.desc } ent-MailCigarettes = { ent-BaseMail } - .suffix = cigs + .suffix = сигареты .desc = { ent-BaseMail.desc } ent-MailCigars = { ent-BaseMail } - .suffix = Cigars + .suffix = сигары .desc = { ent-BaseMail.desc } ent-MailCookies = { ent-BaseMail } - .suffix = cookies + .suffix = печеньки .desc = { ent-BaseMail.desc } ent-MailCosplayArc = { ent-BaseMail } - .suffix = cosplay-arc + .suffix = косплей .desc = { ent-BaseMail.desc } ent-MailCosplayGeisha = { ent-BaseMail } - .suffix = cosplay-geisha + .suffix = косплей гейши .desc = { ent-BaseMail.desc } ent-MailCosplayMaid = { ent-BaseMail } - .suffix = cosplay-maid + .suffix = косплей служанки .desc = { ent-BaseMail.desc } ent-MailCosplayNurse = { ent-BaseMail } - .suffix = cosplay-nurse + .suffix = косплей медсестры .desc = { ent-BaseMail.desc } ent-MailCosplaySchoolgirl = { ent-BaseMail } - .suffix = cosplay-schoolgirl + .suffix = косплей школьницы .desc = { ent-BaseMail.desc } ent-MailCosplayWizard = { ent-BaseMail } - .suffix = cosplay-wizard + .suffix = косплей мага .desc = { ent-BaseMail.desc } ent-MailCrayon = { ent-BaseMail } - .suffix = Crayon + .suffix = мелки .desc = { ent-BaseMail.desc } ent-MailFigurine = { ent-BaseMail } - .suffix = figurine + .suffix = статуэтки .desc = { ent-BaseMail.desc } ent-MailFishingCap = { ent-BaseMail } - .suffix = fishingcap + .suffix = рыбацкая кепка .desc = { ent-BaseMail.desc } ent-MailFlashlight = { ent-BaseMail } - .suffix = Flashlight + .suffix = фонарик .desc = { ent-BaseMail.desc } ent-MailFlowers = { ent-BaseMail } - .suffix = flowers + .suffix = цветы .desc = { ent-BaseMail.desc } ent-MailHighlander = { ent-BaseMail } - .suffix = highlander + .suffix = горец .desc = { ent-BaseMail.desc } ent-MailHighlanderDulled = { ent-BaseMail } - .suffix = highlander, dulled + .suffix = горец, притупленный .desc = { ent-BaseMail.desc } ent-MailHoneyBuns = { ent-BaseMail } - .suffix = honeybuns + .suffix = медовые булочка .desc = { ent-BaseMail.desc } ent-MailJunkFood = { ent-BaseMail } - .suffix = junk food + .suffix = вредная еда .desc = { ent-BaseMail.desc } ent-MailKatana = { ent-BaseMail } - .suffix = Katana + .suffix = Катана .desc = { ent-BaseMail.desc } ent-MailKnife = { ent-BaseMail } - .suffix = Knife + .suffix = Нож .desc = { ent-BaseMail.desc } ent-MailMoney = { ent-BaseMail } - .suffix = money + .suffix = деньги .desc = { ent-BaseMail.desc } ent-MailMuffins = { ent-BaseMail } - .suffix = muffins + .suffix = маффины .desc = { ent-BaseMail.desc } ent-MailMoffins = { ent-BaseMail } - .suffix = moffins + .suffix = моффины .desc = { ent-BaseMail.desc } ent-MailNoir = { ent-BaseMail } - .suffix = noir + .suffix = нуар .desc = { ent-BaseMail.desc } ent-MailPAI = { ent-BaseMail } - .suffix = PAI + .suffix = ПИИ .desc = { ent-BaseMail.desc } ent-MailPlushie = { ent-BaseMail } - .suffix = plushie + .suffix = плюшевые игрушки .desc = { ent-BaseMail.desc } ent-MailRestraints = { ent-BaseMail } - .suffix = restraints + .suffix = ограничители .desc = { ent-BaseMail.desc } ent-MailSignallerKit = { ent-BaseMail } - .suffix = signallerkit + .suffix = передатчик сигнала .desc = { ent-BaseMail.desc } ent-MailSkub = { ent-BaseMail } - .suffix = skub + .suffix = скаб .desc = { ent-BaseMail.desc } ent-MailSoda = { ent-BaseMail } - .suffix = soda + .suffix = газировка .desc = { ent-BaseMail.desc } ent-MailSpaceVillainDIY = { ent-BaseMail } - .suffix = spacevilliandiy + .suffix = космический злодей .desc = { ent-BaseMail.desc } ent-MailSunglasses = { ent-BaseMail } - .suffix = Sunglasses + .suffix = солнечные очки .desc = { ent-BaseMail.desc } ent-MailVagueThreat = { ent-BaseMail } - .suffix = vague-threat + .suffix = смутная угроза .desc = { ent-BaseMail.desc } ent-MailWinterCoat = { ent-BaseMail } - .suffix = wintercoat + .suffix = зимнее пальто .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl index d46a995e1ac..0aaea4e33dc 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl @@ -1,36 +1,36 @@ ent-MailBotanistChemicalBottles = { ent-BaseMail } - .suffix = botanistchemicals + .suffix = химикаты для ботаники .desc = { ent-BaseMail.desc } ent-MailBotanistMutagen = { ent-BaseMail } - .suffix = mutagen + .suffix = мутаген .desc = { ent-BaseMail.desc } ent-MailBotanistSeeds = { ent-BaseMail } - .suffix = seeds + .suffix = семена .desc = { ent-BaseMail.desc } ent-MailClownGildedBikeHorn = { ent-BaseMail } - .suffix = honk + .suffix = хонк .desc = { ent-BaseMail.desc } ent-MailClownHonkSupplement = { ent-BaseMail } - .suffix = honk + .suffix = хонк .desc = { ent-BaseMail.desc } ent-MailHoPBureaucracy = { ent-BaseMail } - .suffix = hoppaper + .suffix = офисные бумаги .desc = { ent-BaseMail.desc } ent-MailHoPSupplement = { ent-BaseMail } - .suffix = hopsupplement + .suffix = офисные принадлежности .desc = { ent-BaseMail.desc } ent-MailMimeArtsCrafts = { ent-BaseMail } - .suffix = artscrafts + .suffix = художественные принадлежности .desc = { ent-BaseMail.desc } ent-MailMimeBlankBook = { ent-BaseMail } - .suffix = blankbook + .suffix = пустые книги .desc = { ent-BaseMail.desc } ent-MailMimeBottleOfNothing = { ent-BaseMail } - .suffix = bottleofnothing + .suffix = бутылка ничего .desc = { ent-BaseMail.desc } ent-MailMusicianInstrumentSmall = { ent-BaseMail } - .suffix = instrument-small + .suffix = маленькие музыкальные инструменты .desc = { ent-BaseMail.desc } ent-MailPassengerMoney = { ent-BaseMail } - .suffix = passengermoney + .suffix = деньги .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl index 282184b0edd..1bd9033ea92 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl @@ -1,3 +1,3 @@ ent-MailCommandPinpointerNuclear = { ent-BaseMail } - .suffix = pinpointernuclear + .suffix = пинпоинтер .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl index ecddc5a47b9..94bd4bfb83b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl @@ -1,12 +1,12 @@ ent-MailEngineeringCables = { ent-BaseMail } - .suffix = cables + .suffix = кабея .desc = { ent-BaseMail.desc } ent-MailEngineeringKudzuDeterrent = { ent-BaseMail } - .suffix = antikudzu + .suffix = анти-кудзу .desc = { ent-BaseMail.desc } ent-MailEngineeringSheetGlass = { ent-BaseMail } - .suffix = sheetglass + .suffix = материалы .desc = { ent-BaseMail.desc } ent-MailEngineeringWelderReplacement = { ent-BaseMail } - .suffix = welder + .suffix = сварочный аппарат .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl index 38063e87419..bfecde88803 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl @@ -1,18 +1,18 @@ ent-MailMedicalBasicSupplies = { ent-BaseMail } - .suffix = basicmedical + .suffix = базовые медикаменты .desc = { ent-BaseMail.desc } ent-MailMedicalChemistrySupplement = { ent-BaseMail } - .suffix = chemsupp + .suffix = ресурсы химика .desc = { ent-BaseMail.desc } ent-MailMedicalEmergencyPens = { ent-BaseMail } - .suffix = medipens + .suffix = медипены .desc = { ent-BaseMail.desc } ent-MailMedicalMedicinePills = { ent-BaseMail } - .suffix = medicinepills + .suffix = таблетки .desc = { ent-BaseMail.desc } ent-MailMedicalSheetPlasma = { ent-BaseMail } - .suffix = sheetplasma + .suffix = плазма .desc = { ent-BaseMail.desc } ent-MailMedicalStabilizers = { ent-BaseMail } - .suffix = stabilizers + .suffix = стабилизаторы .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl index 59b94388380..7fb795a9e3d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl @@ -1,15 +1,15 @@ ent-MailSecurityDonuts = { ent-BaseMail } - .suffix = donuts + .suffix = пончики .desc = { ent-BaseMail.desc } ent-MailSecurityFlashlight = { ent-BaseMail } - .suffix = seclite + .suffix = вспышки .desc = { ent-BaseMail.desc } ent-MailSecurityNonlethalsKit = { ent-BaseMail } - .suffix = nonlethalskit + .suffix = травматическое .desc = { ent-BaseMail.desc } ent-MailSecuritySpaceLaw = { ent-BaseMail } - .suffix = spacelaw + .suffix = космический закон .desc = { ent-BaseMail.desc } ent-MailWardenCrowdControl = { ent-BaseMail } - .suffix = crowdcontrol + .suffix = контроль толпы .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl index 26999ff853f..76b94e66569 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl @@ -1,51 +1,51 @@ ent-PaperMailCallForHelp1 = { ent-Paper } - .suffix = call for help 1 + .suffix = призыв о помощи 1 .desc = { ent-Paper.desc } ent-PaperMailCallForHelp2 = { ent-Paper } - .suffix = call for help 2 + .suffix = призыв о помощи 2 .desc = { ent-Paper.desc } ent-PaperMailCallForHelp3 = { ent-Paper } - .suffix = call for help 3 + .suffix = призыв о помощи 3 .desc = { ent-Paper.desc } ent-PaperMailCallForHelp4 = { ent-Paper } - .suffix = call for help 4 + .suffix = призыв о помощи 4 .desc = { ent-Paper.desc } ent-PaperMailCallForHelp5 = { ent-Paper } - .suffix = call for help 5 + .suffix = призыв о помощи 5 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat1 = { ent-Paper } - .suffix = vague mail threat 1 + .suffix = смутные угрозы 1 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat2 = { ent-Paper } - .suffix = vague mail threat 2 + .suffix = смутные угрозы 2 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat3 = { ent-Paper } - .suffix = vague mail threat 3 + .suffix = смутные угрозы 3 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat4 = { ent-Paper } - .suffix = vague mail threat 4 + .suffix = смутные угрозы 4 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat5 = { ent-Paper } - .suffix = vague mail threat 5 + .suffix = смутные угрозы 5 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat6 = { ent-Paper } - .suffix = vague mail threat 6 + .suffix = смутные угрозы 6 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat7 = { ent-Paper } - .suffix = vague mail threat 7 + .suffix = смутные угрозы 7 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat8 = { ent-Paper } - .suffix = vague mail threat 8 + .suffix = смутные угрозы 8 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat9 = { ent-Paper } - .suffix = vague mail threat 9 + .suffix = смутные угрозы 9 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat10 = { ent-Paper } - .suffix = vague mail threat 10 + .suffix = смутные угрозы 10 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat11 = { ent-Paper } - .suffix = vague mail threat 11 + .suffix = смутные угрозы 11 .desc = { ent-Paper.desc } ent-PaperMailVagueThreat12 = { ent-Paper } - .suffix = vague mail threat 12 + .suffix = смутные угрозы 12 .desc = { ent-Paper.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl index 9cbb75168a7..5e5176d4867 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl @@ -1,2 +1,2 @@ -ent-MailBag = mail bag - .desc = Here's the mail, it never fails... +ent-MailBag = почтовый мешок + .desc = Почта никогда не ошибается... diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl index b16b12182f1..5693dc5493b 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl @@ -1,2 +1,2 @@ -ent-BlueLightTube = blue light tube - .desc = A medium power high energy bulb that reminds you of space. May contain mercury. +ent-BlueLightTube = синяя люминесцентная лампа-трубка + .desc = Мощная лампа, внутри которой находится маленький цветной кристалл. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl index 26e9069caf0..a38a984d9a5 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl @@ -1,2 +1,2 @@ -ent-Hairball = hairball - .desc = Felinids, man... Placeholder sprite. +ent-Hairball = комок шерсти + .desc = Фелиниды... Омерзительно. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl index 57178fd79a9..fe2abee9f18 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl @@ -1,2 +1,2 @@ -ent-Lockbox = lockbox - .desc = A lockbox secured by an access reader. +ent-Lockbox = защищенная ячейка + .desc = Ящик с замком, защищенный считывателем доступа. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl index 7dbafd194c3..66c9613b960 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl @@ -1,4 +1,4 @@ -ent-Kanabou = kanabou - .desc = The classic oni weapon, for those that forgo subtlety. -ent-Shinai = shinai - .desc = A bamboo sword, commonly used in kendo. Made some time after the realization that wooden swords hurt a lot. +ent-Kanabou = канабу + .desc = Классическое оружие Они, для тех, кто не приемлет тонкости. +ent-Shinai = шинаи + .desc = Бамбуковый меч, обычно используемый в кендо. Сделан спустя некоторое время после осознания того, что деревянные мечи причиняют много боли. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl index e2954028218..64a447f9b50 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl @@ -1,2 +1,2 @@ -ent-SecBreachingHammer = breaching hammer - .desc = A large, heavy hammer with a long handle, used for breaking stones or other heavy material such as the skulls of violent criminals, also perfect for forcing your way trough airlocks. +ent-SecBreachingHammer = отбойный молоток + .desc = Большой, тяжелый молот с длинной ручкой, используемый для разбивания камней или других тяжелых материалов, таких как черепа жестоких преступников, а также для пробивания воздушных шлюзов. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl index bcaeeae1247..b53d78ff98e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl @@ -1,6 +1,6 @@ -ent-KatanaDulled = katana - .desc = Ancient craftwork made with not so ancient plasteel. This one has been dulled. - .suffix = Dulled -ent-ClaymoreDulled = claymore - .desc = An ancient war blade. This one has been dulled. - .suffix = Dulled +ent-KatanaDulled = катана + .desc = Древняя поделка, сделанная из не столь древней пластелиновой стали. Бутафорщина. + .suffix = Бутафор +ent-ClaymoreDulled = клэймор + .desc = Древний боевой клинок. Бутафорщина. + .suffix = Бутафор diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl index 3a29d05099b..02f6e003d70 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl @@ -1,2 +1,2 @@ -ent-TableWoodReinforced = reinforced wood table - .desc = A classic wooden table. Extra robust. +ent-TableWoodReinforced = укрепленный деревянный стол + .desc = Неустаревающая классика. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl index 3733ccfbdda..fa8ffd1748f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl @@ -1,6 +1,6 @@ ent-tatamibase = { ent-BaseStructure } .desc = { ent-BaseStructure.desc } -ent-tatamisingle = tatami square - .desc = It's tatami, but a square. -ent-tatamimat = tatami mat - .desc = It's a portion of a tatami mat. +ent-tatamisingle = зона татами + .desc = Это зона татами, но квадратная. +ent-tatamimat = коврик lkz татами + .desc = Это часть татами. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl index 06629849a77..d2500c0433e 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl @@ -1,3 +1,3 @@ ent-PoweredlightBlueInterior = { ent-PoweredlightExterior } - .desc = A light fixture. Draws power and produces light when equipped with a light tube. - .suffix = Blue Interior + .desc = Осветительный прибор. Потребляет энергию и излучает свет, если оснащен лампой-трубкой. + .suffix = Синяя diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl index 14140b93cd2..1abde9f414c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl @@ -1,12 +1,12 @@ ent-PoweredlightColoredRed = { ent-Poweredlight } - .desc = A light fixture. Draws power and produces light when equipped with a light tube. - .suffix = Red + .desc = Осветительный прибор. Потребляет энергию и излучает свет, если оснащен лампой-трубкой. + .suffix = Красный ent-PoweredlightColoredFrostyBlue = { ent-Poweredlight } - .desc = A light fixture. Draws power and produces light when equipped with a light tube. - .suffix = Frosty + .desc = Осветительный прибор. Потребляет энергию и излучает свет, если оснащен лампой-трубкой. + .suffix = Ледяной ent-PoweredlightColoredBlack = { ent-Poweredlight } - .desc = A light fixture. Draws power and produces light when equipped with a light tube. - .suffix = Black + .desc = Осветительный прибор. Потребляет энергию и излучает свет, если оснащен лампой-трубкой. + .suffix = Чёрный ent-PoweredLightPostSmallRed = post light - .desc = A light fixture. Draws power and produces light when equipped with a light tube. - .suffix = Red + .desc = Осветительный прибор. Потребляет энергию и излучает свет, если оснащен лампой-трубкой. + .suffix = Красный diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl index f3a7acbcb22..04bc5cf943f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl @@ -1,2 +1,2 @@ -ent-KitchenDeepFryer = deep fryer - .desc = An industrial deep fryer. A big hit at state fairs! +ent-KitchenDeepFryer = фритюрница + .desc = Промышленная фритюрница. Пальчики оближешь - главное не опускать их в чан с маслом. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl index 508f9feda0c..f55d2ad4aab 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl @@ -1,6 +1,6 @@ -ent-ScienceTechFab = science techfab - .desc = Prints equipment for use by the epistemics department. -ent-ServiceTechFab = service techfab - .desc = Prints equipment for service staff. -ent-EngineeringTechFab = engineering techfab - .desc = Prints equipment for engineers. +ent-ScienceTechFab = научный техфаб + .desc = Печатает снаряжение необходимое ученым. +ent-ServiceTechFab = сервисный техваб + .desc = Печатает снаряжение необходимое сервисным работникам. +ent-EngineeringTechFab = инженерный техфаб + .desc = Печатает снаряжение необходимое инженерам. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl index bfcd9095995..954c50fd39d 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl @@ -1,2 +1,2 @@ -ent-MailTeleporter = mail teleporter - .desc = Teleports mail addressed to the crew of this station. +ent-MailTeleporter = почтовый телепортер + .desc = Телепортирует почту адресованную экипажу станции. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl index 3b93e82ab52..79f6386836c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl @@ -1,6 +1,6 @@ -ent-VendingMachineRepDrobe = RepDrobe - .desc = A machine for all your reporting needs, as long as you need clothes. -ent-VendingMachineBoxingDrobe = Boxing Drobe - .desc = Always short on stock. -ent-VendingMachineMailDrobe = MailDrobe - .desc = Neither solar flares nor meteors nor plasma fire nor void of space stays these couriers from the swift completion of their appointed rounds. +ent-VendingMachineRepDrobe = РепВенд + .desc = Машина для всех ваших репортёрских потребностей, пока вам нужна одежда. +ent-VendingMachineBoxingDrobe = БоксВенд + .desc = Всегда имеет шорты в наличии. +ent-VendingMachineMailDrobe = ПочтоМаг + .desc = Ни солнечные вспышки, ни метеоры, ни плазменный огонь, ни пустота космоса не останавливают этих курьеров от быстрого завершения назначенного им обхода. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl index ffad1b0b6b0..82ed42e3776 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl @@ -1,2 +1,2 @@ -ent-PaintingMothBigCatch = Big Catch - .desc = Depicts a blue moth wearing a tophat who caught a relatively large space carp. +ent-PaintingMothBigCatch = Большой Улов + .desc = Картина, на который запечатлено как Ниан держит на крючке большого космического карпа. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl index 2218521d2e2..379a1261842 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl @@ -1,56 +1,56 @@ -ent-PosterLegitDejaVu = Deja Vu Area - .desc = This is your first time here. If this station feels familiar, immediately alert a NanoTrasen employee. -ent-PosterLegitDontPanic = Don't Panic - .desc = If there was ever something so soothing enough to keep me from panicking, it was a green blob floating through space with a pair of hands, a shiny red tongue, and big round teeth. -ent-PosterContrabandSaucerNumberOne = Saucer #1! - .desc = Out of every station in the NyanoTrasen jurisdiction, Saucer was rated #1 out of 5! Congratulations! -ent-PosterLegitBarDrinks = Bar Poster - .desc = The Bartender is always there to hear your woes and get you plastered all at the same time. Go have a visit! -ent-PosterLegitBotanyFood = Fruit Basket - .desc = Botany is always hard at work! Stop by and enjoy the best they can offer! -ent-PosterContrabandBreadLies = Bread Lies - .desc = You have been lied to. There is no "Big Bread." It is not real. Please stop looking for it. -ent-PosterLegitHotDonkExplosion = Donk! - .desc = Bite into a blast of flavour with any of our #1 rated fattening and unhealthy products for your enjoyment! DONK! -ent-PosterLegitEatMeat = Eat Meat! - .desc = Who needs fruit or veggies? EAT MEAT! Build those muscles and go fight in the arena to show them gains! -ent-PosterLegitMoreBread = More Bread! - .desc = There is not enough bread! MAKE MORE! -ent-PosterLegitPieSlice = Pie Poster - .desc = Pies are healthy and delicious! Beg your chef to start making some. -ent-PosterLegitPizzaHope = Pizza Hope - .desc = In the darkest of times there is only one hope, PIZZA! Harass your local Quartermaster to order an emergency crate of pizza now! -ent-PosterLegitMedicate = Take Your Meds - .desc = Possible side effects may include: nausea, upset stomach, inflammation, swelling of the face/throat, rash, fever, headache, dizziness, vomiting and/or diarrhea, easy bruising, seizures, insuppressible yawning, general feeling of discomfort or illness, hives, loss of voice, bleeding gums and/or eyeballs, loss of appetite, increased appetite, sudden onset of explosive crying, x-ray vision, slurred speech, impromptu levitation, incontinence, abrupt uncontrollable outburst of yodeling, insomnia, narcolepsy, leprosy, spontaneous growth of new limbs/genitalia, unstoppable back hair growth, weight loss, weight gain, shrinkage, colorblindness, rectal numbness, acute ability to taste colors, unquenchable bloodlust, restless fingernails, light-sensitivity, compulsion to wear schoolgirl uniforms, scurvy, eagerness to pursue mercenary life, violent craving for goat's blood, insurgent desire to develop a gambling addiction, itchy bumhole. Call your doctor for medical advice about these or any other side effects you may experience. -ent-PosterLegitNoTouching = No Touching - .desc = No touching! -ent-PosterMapArena = Arena Map - .desc = A map of Arena station. -ent-PosterMapGlacier = Glacier Map - .desc = A map of Glacier outpost. -ent-PosterMapShoukou = Shōkō Map - .desc = Shōkō no mappu desu. -ent-PosterLegitShoukou = Shōkō poster - .desc = Funny symbols that can be read as Shōkō or Xiaogang, depending on who you ask. -ent-PosterContrabandSMSyndie = Syndie Moth - Nuclear Operation - .desc = Syndie Moth™ tells the viewer to keep the nuclear authentication disk unsecured. "Peace was never an option!" -ent-PosterLegitSMPoisoning = Safety Moth - Poisoning - .desc = Safety Moth™ tells the viewer not to poison the station donuts. -ent-PosterLegitSMBoH = Safety Moth - Bag of Holding - .desc = Safety Moth™ informs the viewer of the dangers of Bags of Holding. "Remember! Bags of Holding may be pretty, but they're also pretty dangerous! Never put one inside another!" -ent-PosterLegitSMHardhats = Safety Moth - Hard hats - .desc = Safety Moth™ tells the viewer to wear hard hats in cautious areas. "It's like a lamp on your head!" -ent-PosterLegitSMFires = Safety Moth - Fires - .desc = Safety Moth™ promotes safe handling of plasma and to keep firefighting equipment within hand reach. -ent-PosterLegitSMPiping = Safety Moth - Piping - .desc = Safety Moth™ tells atmospheric technicians the correct types of piping to be used. "Pipes, not Pumps! Proper pipe placement prevents poor performance!" -ent-PosterLegitSMMeth = Safety Moth - Methamphetamine - .desc = Safety Moth™ tells the viewer to seek CMO approval before cooking methamphetamine. "Stay close to the target temperature, and never go over!" -ent-PosterLegitSMEpi = Safety Moth - Epinephrine - .desc = Safety Moth™ informs the viewer to help injured/deceased crewmen with their epinephrine injectors. "Epipen a pal when they're in peril! Prevent organ rot with this one simple trick!" -ent-PosterLegitSMPills = Safety Moth - Pill Bottles - .desc = Safety Moth™ informs the viewer that leaving pills unsupervised on tables could lead to unforeseen consequences. "Hungry critters love to eat everything! Keep your pills safe in crates and pill bottles!" -ent-PosterLegitSMAnomalies = Safety Moth - Anomalies - .desc = Safety Moth™ promotes proper safety equipment when working around anomalies. "Every good Moths wears protection when working with anomalies, but don't get too close! Not everything that glows is a friend!" -ent-PosterLegitSMGlimmer = Safety Moth - Glimmer Safety Precautions - .desc = Safety Moth™ tells the viewer to wear insulative equipments and hide in lockers when the glimmer gets within critical levels. Evacuating might be a better strategy. +ent-PosterLegitDejaVu = Зона ДежаВю + .desc = Вы здесь впервые. Если эта станция покажется вам знакомой, немедленно предупредите сотрудника NanoTrasen. +ent-PosterLegitDontPanic = Не паникуйте + .desc = Если и было когда-нибудь что-то настолько успокаивающее, чтобы уберечь меня от паники, так это зеленая капля, плывущая в космосе, с парой рук, блестящим красным языком и большими круглыми зубами. +ent-PosterContrabandSaucerNumberOne = Блюдо #1! + .desc = Из всех станций в юрисдикции NanoTrasen "Блюдо" получило оценку №1 из 5! Поздравляю! +ent-PosterLegitBarDrinks = Афиша бара + .desc = Бармен всегда готов выслушать ваши жалобы и одновременно напоить вас. Заходите в гости! +ent-PosterLegitBotanyFood = Корзина с фруктами + .desc = Ботаники - это всегда тяжелая работа! Зайдите и насладитесь лучшим, что они могут предложить! +ent-PosterContrabandBreadLies = Хлебная ложь + .desc = Вам солгали. "Большого хлеба" не существует. Он ненастоящий. Пожалуйста, перестаньте его искать. +ent-PosterLegitHotDonkExplosion = ДОНК! + .desc = Насладитесь потрясающим вкусом любого из наших продуктов, которые считаются лучшими в мире для откорма и вредны для здоровья! ПОНЧИК! +ent-PosterLegitEatMeat = Ешьте мясо! + .desc = Кому нужны фрукты или овощи? ЕШЬТЕ МЯСО! Накачайте мышцы и отправляйтесь сражаться на арену, чтобы продемонстрировать свои достижения! +ent-PosterLegitMoreBread = Больше хлеба! + .desc = Хлеба не хватает! ИСПЕКИТЕ ЕЩЕ! +ent-PosterLegitPieSlice = Постер с пирогами + .desc = Пироги - это полезно и вкусно! Попросите своего шеф-повара начать их готовить. +ent-PosterLegitPizzaHope = Надежда на пиццу + .desc = В самые мрачные времена есть только одна надежда - ПИЦЦА! Обратитесь к местному завхозу, чтобы он срочно заказал ящик пиццы прямо сейчас! +ent-PosterLegitMedicate = Примите лекарства + .desc = Возможные побочные эффекты могут включать: тошноту, расстройство желудка, воспаление, отек лица/горла, сыпь, лихорадку, головную боль, головокружение, рвоту и/или диарею, легкие кровоподтеки, судороги, непреодолимую зевоту, общее чувство дискомфорта или недомогания, крапивницу, потерю голоса, кровоточивость десен, и/или глазных яблок, потеря аппетита, повышенный аппетит, внезапный приступ громкого плача, рентгеновское зрение, невнятная речь, спонтанная левитация, недержание мочи, внезапная неконтролируемая вспышка йодля, бессонница, нарколепсия, проказа, спонтанный рост новых конечностей/гениталий, неудержимый рост волос на спине, потеря веса, его увеличение, усыхание, дальтонизм, онемение прямой кишки, обостренная способность различать цвета на вкус, неутолимая жажда крови, непослушные ногти, чувствительность к свету, принуждение носить школьную форму, цинга, стремление вести наемнический образ жизни, неистребимая тяга к козьей крови, мятежное желание развить в себе зависимость от азартных игр, зудящая задница. Обратитесь к врачу за медицинской консультацией по поводу этих или любых других побочных эффектов, которые могут возникнуть у вас. +ent-PosterLegitNoTouching = Не трогать + .desc = Не трогать! +ent-PosterMapArena = Карта арены + .desc = Карта станции "Арена". +ent-PosterMapGlacier = Карта Гласир + .desc = Карта Гласир форпоста +ent-PosterMapShoukou = Карта Секо + .desc = Секо-но-маппу-десу. +ent-PosterLegitShoukou = Плакат о Секо + .desc = Забавные символы, которые можно прочитать как Секо или Сяоган, в зависимости от того, кого вы спросите. +ent-PosterContrabandSMSyndie = Syndie Moth - Ядерная Операция + .desc = Syndie Moth™ предлагает зрителю сохранить диск ядерной аутентификации незащищенным. "О мире никогда не могло быть и речи!" +ent-PosterLegitSMPoisoning = Safety Moth - Отравление + .desc = Safety Moth™ предупреждает зрителя о том, что нельзя отравлять пончики на вокзале. +ent-PosterLegitSMBoH = Safety Moth - Пакет для хранения + .desc = Safety Moth™ информирует зрителя об опасностях, связанных с пакетами для хранения. "Помните! Сумки для хранения могут быть красивыми, но они также и довольно опасны! Никогда не кладите одну в другую!" +ent-PosterLegitSMHardhats = Safety Moth - Защитные шлемы + .desc = Safety Moth™ рекомендует зрителям носить каски в местах с повышенной опасностью. "Это как лампа у тебя на голове!" +ent-PosterLegitSMFires = Safety Moth - Пожары + .desc = Safety Moth™ обеспечивает безопасное обращение с плазмой и позволяет держать противопожарное оборудование в пределах досягаемости рук. +ent-PosterLegitSMPiping = Safety Moth - Трубопроводы + .desc = Safety Moth™ подсказывает специалистам по атмосферным воздействиям, какие типы трубопроводов следует использовать. "Трубы, а не насосы! Правильное расположение труб предотвращает снижение производительности!" +ent-PosterLegitSMMeth = Safety Moth - Метамфетамин + .desc = Safety Moth™ рекомендует зрителю получить одобрение Главного врача, прежде чем готовить метамфетамин. "Поддерживайте заданную температуру и ни в коем случае не превышайте ее!" +ent-PosterLegitSMEpi = Safety Moth - Эпинефрин + .desc = Safety Moth™ информирует зрителя о необходимости оказания помощи раненым / погибшим членам экипажа с помощью инъекторов адреналина. "Сделайте эпинефрин приятелю, когда он в опасности! Предотвратите гниение органов с помощью этого простого трюка!" +ent-PosterLegitSMPills = Safety Moth - Баночка с таблетками + .desc = Safety Moth™ информирует зрителя о том, что если оставить таблетки на столе без присмотра, это может привести к непредвиденным последствиям. "Голодные твари любят есть все подряд! Храните свои таблетки в безопасных флакончиках и таблетницах!" +ent-PosterLegitSMAnomalies = Safety Moth - Аномалии + .desc = Safety Moth™ рекомендует использовать надлежащее защитное снаряжение при работе с аномалиями. "Каждый хороший мотылек надевает защитную одежду при работе с аномалиями, но не подходите слишком близко! Не все, что светится, является другом!" +ent-PosterLegitSMGlimmer = Safety Moth - Меры предосторожности в отношении мерцания + .desc = Safety Moth™ рекомендует зрителю надеть изолирующее оборудование и спрятаться в шкафчиках, когда мерцание достигнет критического уровня. Возможно, лучшей стратегией была бы эвакуация. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl index 71de03d9d10..ed9cef718df 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl @@ -1,8 +1,8 @@ -ent-SignSec = security sign - .desc = A sign indicating the Security department. -ent-SignLastIdiot = Zero Days Since Last Idiot - .desc = Must be an Engineering joke. -ent-SignConspiracyBoard = conspiracy board - .desc = Perfect for tracking the multiple layers of criminal activities. -ent-SignDojo = dojo sign - .desc = A sign indicating a place with discipline and tatami mats. +ent-SignSec = знак службы безопасности + .desc = Табличка с указанием отдела безопасности. +ent-SignLastIdiot = Ноль Дней С Последнего Идиота + .desc = Возможно инженерная шутка. +ent-SignConspiracyBoard = конспиративная доска + .desc = Идеально подходит для отслеживания многоуровневой преступной деятельности. +ent-SignDojo = знак додзё + .desc = Табличка, указывающая на место, где царит дисциплина и лежат коврики татами. diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl index 036f8796cf1..322fdbb468f 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl @@ -1,12 +1,12 @@ -ent-SpawnPointGladiator = gladiator +ent-SpawnPointGladiator = гладиатор .desc = { ent-SpawnPointJobBase.desc } -ent-SpawnPointMailCarrier = mailcarrier +ent-SpawnPointMailCarrier = почтальон .desc = { ent-SpawnPointJobBase.desc } -ent-SpawnPointPrisoner = prisoner +ent-SpawnPointPrisoner = заключенный .desc = { ent-SpawnPointJobBase.desc } -ent-SpawnPointValet = valet +ent-SpawnPointValet = камердинер .desc = { ent-SpawnPointJobBase.desc } -ent-SpawnPointPrisonGuard = prison guard +ent-SpawnPointPrisonGuard = тюремщик .desc = { ent-SpawnPointJobBase.desc } -ent-SpawnPointMartialArtist = martial artist +ent-SpawnPointMartialArtist = единоборец .desc = { ent-SpawnPointJobBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl index 2a3fda650a6..4e725383139 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl @@ -1,3 +1,3 @@ -ent-RandomAnimalSpawner = Random Animal Spawner - .suffix = No Mice +ent-RandomAnimalSpawner = Спавнер случайного животного + .suffix = Без мышей .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl index 1630f30f23e..596b390dd97 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl @@ -1,2 +1,2 @@ -ent-SpawnVehicleAntagVehicle = Antag Vehicle Spawner +ent-SpawnVehicleAntagVehicle = Спавнер вражеского транспорта .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl index 897d1d860fa..ff31044d8b1 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl @@ -1,2 +1,2 @@ -ent-RandomBook = random book spawner +ent-RandomBook = спавнер случайной книги .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl index f3a65c5b8e1..3fb4f99f41c 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl @@ -1,5 +1,5 @@ -ent-RandomBox = random box spawner +ent-RandomBox = спавниер случайной коробка .desc = { ent-MarkerBase.desc } -ent-RandomAmmoBox = random ammo box spawner +ent-RandomAmmoBox = спавнер случайной коробки с патронами .suffix = 15% .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl index 788454dc1f0..cfb241586a1 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl @@ -1,2 +1,2 @@ -ent-RandomBoards = random machine board spawner +ent-RandomBoards = спавнер случайной платы .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl index a7b09f0ec6e..426a9278ab7 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl @@ -1,2 +1,2 @@ -ent-HatSpawner = Hat Spawner +ent-HatSpawner = спавнер случайной шляпы .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl index c8053305bfe..cf543b75fdf 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl @@ -1,9 +1,9 @@ -ent-SalvagePartsSpawnerLow = Salvage Parts Spawner - .suffix = Low +ent-SalvagePartsSpawnerLow = случайная добыча + .suffix = Низкий .desc = { ent-MarkerBase.desc } -ent-SalvagePartsSpawnerMid = Salvage Parts Spawner - .suffix = High +ent-SalvagePartsSpawnerMid = случайная добыча + .suffix = Высокий .desc = { ent-MarkerBase.desc } -ent-SalvagePartsSpawnerSubSpace = Salvage Parts Spawner - .suffix = Subspace +ent-SalvagePartsSpawnerSubSpace = случайная добыча + .suffix = Космический .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl index 6720847bd4e..fa1a0dca8c6 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl @@ -1,2 +1,2 @@ -ent-RandomRockSpawner = Mining Rock Spawner +ent-RandomRockSpawner = Спавнер случайной руды .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl index b9e368fe3b2..f6d505767c6 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl @@ -1,2 +1,2 @@ -ent-RandomItem = random item spawner +ent-RandomItem = спавнер случайного предмета .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl index 466a3162a7a..d96b2c23993 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl @@ -1,2 +1,2 @@ -ent-SchoolgirlUniformSpawner = Schoolgirl Uniform Spawner +ent-SchoolgirlUniformSpawner = спавнер школьной униформы .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl index 698be61bada..7313f7edb31 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl @@ -1,3 +1,3 @@ -ent-SalvageSeedSpawnerLow = Salvage Seed Spawner +ent-SalvageSeedSpawnerLow = спавнер случайных семян .suffix = Low .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl index 6f3c74bcf0c..6dbaf4d7eee 100644 --- a/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl +++ b/Resources/Locale/ru-RU/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl @@ -1,17 +1,17 @@ -ent-CarpSpawnerMundane = NPC Carp Spawner +ent-CarpSpawnerMundane = Спавнер карпов .suffix = 100 .desc = { ent-MarkerBase.desc } -ent-SnakeSpawnerMundane = NPC Snake Spawner +ent-SnakeSpawnerMundane = Спавнер змей .suffix = 100 .desc = { ent-MarkerBase.desc } -ent-SnakeMobMundane = Salvage Snake Spawner +ent-SnakeMobMundane = Спавнер змей .suffix = 75 .desc = { ent-MarkerBase.desc } -ent-SnakeMobMundane25 = Salvage Snake Spawner +ent-SnakeMobMundane25 = Спавнер змей .suffix = 25 .desc = { ent-MarkerBase.desc } -ent-SpaceTickSpawnerNPC = NPC Space Tick Spawner +ent-SpaceTickSpawnerNPC = Спавнер клопов .suffix = 100 .desc = { ent-MarkerBase.desc } -ent-XenoAISpawner = NPC Xeno Spawner +ent-XenoAISpawner = Спавнер Ксено .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/ru-RU/station-events/events/random-sentience.ftl b/Resources/Locale/ru-RU/station-events/events/random-sentience.ftl index 3630f349bc7..8f52e6968c7 100644 --- a/Resources/Locale/ru-RU/station-events/events/random-sentience.ftl +++ b/Resources/Locale/ru-RU/station-events/events/random-sentience.ftl @@ -36,5 +36,5 @@ station-event-random-sentience-flavor-mechanical = механизмы station-event-random-sentience-flavor-organic = органики station-event-random-sentience-flavor-corgi = корги station-event-random-sentience-flavor-primate = приматы -station-event-random-sentience-flavor-kobold = kobold +station-event-random-sentience-flavor-kobold = кобольды station-event-random-sentience-flavor-slime = слаймы diff --git a/Resources/Locale/ru-RU/traits/traits.ftl b/Resources/Locale/ru-RU/traits/traits.ftl index c602b03eb51..971a73accfe 100644 --- a/Resources/Locale/ru-RU/traits/traits.ftl +++ b/Resources/Locale/ru-RU/traits/traits.ftl @@ -28,3 +28,9 @@ trait-frontal-lisp-name = Сигматизм trait-frontal-lisp-desc = У ваф имеютшя проблемы ш произношением. trait-socialanxiety-name = Социофобия trait-socialanxiety-desc = Вы испытываете тревожность, когда говорите, что приводит к заиканию. +trait-colorblindness-name = Дальтонизм +trait-colorblindness-desc = У вас Протанопия. Вы не можете различать цвета и цветовые оттенки пурпурной части спектра. +trait-tall-name = Высокий +trait-tall-desc = У вас есть проблема в гигантизмом. +trait-short-name = Низкий +trait-short-desc = У вас есть проблема в карликовостью. diff --git a/Resources/Locale/ru-RU/voting/vote-commands.ftl b/Resources/Locale/ru-RU/voting/vote-commands.ftl index 9bb540c9d2e..01cdded6eb5 100644 --- a/Resources/Locale/ru-RU/voting/vote-commands.ftl +++ b/Resources/Locale/ru-RU/voting/vote-commands.ftl @@ -21,7 +21,7 @@ cmd-customvote-arg-option-n = ## 'vote' command cmd-vote-desc = Голосует в активном голосовании -cmd-vote-help = vote