diff --git a/Content.Shared/Humanoid/NamingSystem.cs b/Content.Shared/Humanoid/NamingSystem.cs index 4601c84fe51..af4e20fd997 100644 --- a/Content.Shared/Humanoid/NamingSystem.cs +++ b/Content.Shared/Humanoid/NamingSystem.cs @@ -31,17 +31,14 @@ public string GetName(string species, Gender? gender = null) ("first", GetFirstName(speciesProto, gender))); case SpeciesNaming.TheFirstofLast: return Loc.GetString("namepreset-thefirstoflast", - ("first", GetFirstName(speciesProto, gender)), ("last", GetLastName(speciesProto))); + ("first", GetFirstName(speciesProto, gender)), ("last", GetLastName(speciesProto, gender))); // Corvax-LastnameGender case SpeciesNaming.FirstDashFirst: return Loc.GetString("namepreset-firstdashfirst", ("first1", GetFirstName(speciesProto, gender)), ("first2", GetFirstName(speciesProto, gender))); - case SpeciesNaming.XnoY: - return Loc.GetString("namepreset-x-no-y", - ("first", GetFirstName(speciesProto, gender)), ("last", GetLastName(speciesProto))); case SpeciesNaming.FirstLast: default: return Loc.GetString("namepreset-firstlast", - ("first", GetFirstName(speciesProto, gender)), ("last", GetLastName(speciesProto))); + ("first", GetFirstName(speciesProto, gender)), ("last", GetLastName(speciesProto, gender))); // Corvax-LastnameGender } } @@ -61,9 +58,22 @@ public string GetFirstName(SpeciesPrototype speciesProto, Gender? gender = null) } } - public string GetLastName(SpeciesPrototype speciesProto) + // Corvax-LastnameGender-Start: Added custom gender split logic + public string GetLastName(SpeciesPrototype speciesProto, Gender? gender = null) { - return _random.Pick(_prototypeManager.Index(speciesProto.LastNames).Values); + switch (gender) + { + case Gender.Male: + return _random.Pick(_prototypeManager.Index(speciesProto.MaleLastNames).Values); + case Gender.Female: + return _random.Pick(_prototypeManager.Index(speciesProto.FemaleLastNames).Values); + default: + if (_random.Prob(0.5f)) + return _random.Pick(_prototypeManager.Index(speciesProto.MaleLastNames).Values); + else + return _random.Pick(_prototypeManager.Index(speciesProto.FemaleLastNames).Values); + } } + // Corvax-LastnameGender-End } -} +} \ No newline at end of file diff --git a/Content.Shared/Humanoid/Prototypes/SpeciesPrototype.cs b/Content.Shared/Humanoid/Prototypes/SpeciesPrototype.cs index ee570f5905f..35316db64c3 100644 --- a/Content.Shared/Humanoid/Prototypes/SpeciesPrototype.cs +++ b/Content.Shared/Humanoid/Prototypes/SpeciesPrototype.cs @@ -31,6 +31,14 @@ public sealed partial class SpeciesPrototype : IPrototype /// [DataField("roundStart", required: true)] public bool RoundStart { get; private set; } = false; + + // Corvax-Sponsors-Start + /// + /// Whether the species is available only for sponsors + /// + [DataField] + public bool SponsorOnly { get; private set; } = false; + // Corvax-Sponsors-End // The below two are to avoid fetching information about the species from the entity // prototype. @@ -87,8 +95,13 @@ public sealed partial class SpeciesPrototype : IPrototype [DataField("femaleFirstNames")] public string FemaleFirstNames { get; private set; } = "names_first_female"; - [DataField("lastNames")] - public string LastNames { get; private set; } = "names_last"; + // Corvax-LastnameGender-Start: Split lastname field by gender + [DataField] + public string MaleLastNames { get; private set; } = "names_last_male"; + + [DataField] + public string FemaleLastNames { get; private set; } = "names_last_female"; + // Corvax-LastnameGender-End [DataField("naming")] public SpeciesNaming Naming { get; private set; } = SpeciesNaming.FirstLast; diff --git a/Content.Shared/Localizations/ContentLocalizationManager.cs b/Content.Shared/Localizations/ContentLocalizationManager.cs index 0a06d9ba4f3..04e0b947f1d 100644 --- a/Content.Shared/Localizations/ContentLocalizationManager.cs +++ b/Content.Shared/Localizations/ContentLocalizationManager.cs @@ -10,7 +10,8 @@ public sealed class ContentLocalizationManager [Dependency] private readonly ILocalizationManager _loc = default!; // If you want to change your codebase's language, do it here. - private const string Culture = "en-US"; + private const string Culture = "ru-RU"; // Corvax-Localization + private const string FallbackCulture = "en-US"; // Corvax-Localization /// /// Custom format strings used for parsing and displaying minutes:seconds timespans. @@ -26,8 +27,11 @@ public sealed class ContentLocalizationManager public void Initialize() { var culture = new CultureInfo(Culture); + var fallbackCulture = new CultureInfo(FallbackCulture); // Corvax-Localization _loc.LoadCulture(culture); + _loc.LoadCulture(fallbackCulture); // Corvax-Localization + _loc.SetFallbackCluture(fallbackCulture); // Corvax-Localization _loc.AddFunction(culture, "PRESSURE", FormatPressure); _loc.AddFunction(culture, "POWERWATTS", FormatPowerWatts); _loc.AddFunction(culture, "POWERJOULES", FormatPowerJoules); @@ -36,6 +40,7 @@ public void Initialize() _loc.AddFunction(culture, "LOC", FormatLoc); _loc.AddFunction(culture, "NATURALFIXED", FormatNaturalFixed); _loc.AddFunction(culture, "NATURALPERCENT", FormatNaturalPercent); + _loc.AddFunction(culture, "MANY", FormatMany); // TODO: Temporary fix for MANY() fluent errors. Remove after resolve errors. /* @@ -208,4 +213,4 @@ private static ILocValue FormatUnits(LocArgs args) return new LocValueString(res); } } -} +} \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl new file mode 100644 index 00000000000..03d963e7449 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag.ftl @@ -0,0 +1,2 @@ +ent-ClothingBackpackDuffelSyndicateFilledEmpGrenadeLauncher = China-Lake EMP bundle + .desc = An old China-Lake grenade launcher bundled with 8 rounds of EMP. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag_guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag_guns.ftl new file mode 100644 index 00000000000..8f82bf4a3a7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/duffelbag_guns.ftl @@ -0,0 +1,37 @@ +ent-ClothingBackpackDuffelShuttle = { ent-ClothingBackpackDuffelMercenary } + .suffix = Shuttle Guns + .desc = { ent-ClothingBackpackDuffelMercenary.desc } +ent-ShuttleWeaponLaserGun = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponDisabler = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponRevolverArgenti = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponRevolverArgentiNonlethal = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponSniperMosin = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleKardashev-MosinNonlethal = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponPistolMk58 = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponPistolMk58Nonlethal = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponRevolverDeckard = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponRevolverDeckardNonlethal = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponShotgunDoubleBarreled = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponShotgunDoubleBarreledRubber = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponShotgunSawn = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponShotgunSawnNonlethal = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponEnergyGun = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponShotgunKammerer = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } +ent-ShuttleWeaponShotgunKammererNonlethal = { ent-ClothingBackpackDuffelShuttle } + .desc = { ent-ClothingBackpackDuffelShuttle.desc } 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 new file mode 100644 index 00000000000..434414a8297 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/backpack.ftl @@ -0,0 +1,14 @@ +ent-ClothingBackpackMercenaryFilled = { ent-ClothingBackpackMercenary } + .desc = { ent-ClothingBackpackMercenary.desc } +ent-ClothingBackpackReporterFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackPsychologistFilled = { ent-ClothingBackpackMedical } + .desc = { ent-ClothingBackpackMedical.desc } +ent-ClothingBackpackLawyerFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackStcFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackPilotFilled = { ent-ClothingBackpackPilot } + .desc = { ent-ClothingBackpackPilot.desc } +ent-ClothingBackpackOfficerFilled = { ent-ClothingBackpackSecurity } + .desc = { ent-ClothingBackpackSecurity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/duffelbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/duffelbag.ftl new file mode 100644 index 00000000000..ae46929198c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/duffelbag.ftl @@ -0,0 +1,14 @@ +ent-ClothingBackpackDuffelMercenaryFilled = { ent-ClothingBackpackDuffelMercenary } + .desc = { ent-ClothingBackpackDuffelMercenary.desc } +ent-ClothingBackpackDuffelReporterFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelPsychologistFilled = { ent-ClothingBackpackDuffelMedical } + .desc = { ent-ClothingBackpackDuffelMedical.desc } +ent-ClothingBackpackDuffelLawyerFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelStcFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelPilotFilled = { ent-ClothingBackpackDuffelPilot } + .desc = { ent-ClothingBackpackDuffelPilot.desc } +ent-ClothingBackpackDuffelOfficerFilled = { ent-ClothingBackpackDuffelSecurity } + .desc = { ent-ClothingBackpackDuffelSecurity.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 new file mode 100644 index 00000000000..0f541fe0f5b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/messenger.ftl @@ -0,0 +1,68 @@ +ent-ClothingBackpackMessengerFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerClownFilled = { ent-ClothingBackpackMessengerClown } + .desc = { ent-ClothingBackpackMessengerClown.desc } +ent-ClothingBackpackMessengerSecurityFilled = { ent-ClothingBackpackMessengerSecurity } + .desc = { ent-ClothingBackpackMessengerSecurity.desc } +ent-ClothingBackpackMessengerSecurityFilledDetective = { ent-ClothingBackpackMessengerSecurity } + .desc = { ent-ClothingBackpackMessengerSecurity.desc } +ent-ClothingBackpackMessengerMedicalFilled = { ent-ClothingBackpackMessengerMedical } + .desc = { ent-ClothingBackpackMessengerMedical.desc } +ent-ClothingBackpackMessengerCaptainFilled = { ent-ClothingBackpackMessengerCaptain } + .desc = { ent-ClothingBackpackMessengerCaptain.desc } +ent-ClothingBackpackMessengerChiefEngineerFilled = { ent-ClothingBackpackMessengerEngineering } + .desc = { ent-ClothingBackpackMessengerEngineering.desc } +ent-ClothingBackpackMessengerResearchDirectorFilled = { ent-ClothingBackpackMessengerScience } + .desc = { ent-ClothingBackpackMessengerScience.desc } +ent-ClothingBackpackMessengerHOPFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerCMOFilled = { ent-ClothingBackpackMessengerMedical } + .desc = { ent-ClothingBackpackMessengerMedical.desc } +ent-ClothingBackpackMessengerQuartermasterFilled = { ent-ClothingBackpackMessengerCargo } + .desc = { ent-ClothingBackpackMessengerCargo.desc } +ent-ClothingBackpackMessengerHOSFilled = { ent-ClothingBackpackMessengerSecurity } + .desc = { ent-ClothingBackpackMessengerSecurity.desc } +ent-ClothingBackpackMessengerEngineeringFilled = { ent-ClothingBackpackMessengerEngineering } + .desc = { ent-ClothingBackpackMessengerEngineering.desc } +ent-ClothingBackpackMessengerAtmosphericsFilled = { ent-ClothingBackpackMessengerAtmospherics } + .desc = { ent-ClothingBackpackMessengerAtmospherics.desc } +ent-ClothingBackpackMessengerScienceFilled = { ent-ClothingBackpackMessengerScience } + .desc = { ent-ClothingBackpackMessengerScience.desc } +ent-ClothingBackpackMessengerHydroponicsFilled = { ent-ClothingBackpackMessengerHydroponics } + .desc = { ent-ClothingBackpackMessengerHydroponics.desc } +ent-ClothingBackpackMessengerMimeFilled = { ent-ClothingBackpackMessengerMime } + .desc = { ent-ClothingBackpackMessengerMime.desc } +ent-ClothingBackpackMessengerChemistryFilled = { ent-ClothingBackpackMessengerChemistry } + .desc = { ent-ClothingBackpackMessengerChemistry.desc } +ent-ClothingBackpackMessengerChaplainFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerMusicianFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerLibrarianFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerDetectiveFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerCargoFilled = { ent-ClothingBackpackMessengerCargo } + .desc = { ent-ClothingBackpackMessengerCargo.desc } +ent-ClothingBackpackMessengerSalvageFilled = { ent-ClothingBackpackMessengerSalvage } + .desc = { ent-ClothingBackpackMessengerSalvage.desc } +ent-ClothingBackpackMessengerBrigmedicFilled = { ent-ClothingBackpackMessengerBrigmedic } + .desc = { ent-ClothingBackpackMessengerBrigmedic.desc } +ent-ClothingBackpackMessengerMercenaryFilled = { ent-ClothingBackpackMessengerMercenary } + .desc = { ent-ClothingBackpackMessengerMercenary.desc } +ent-ClothingBackpackMessengerReporterFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerPsychologistFilled = { ent-ClothingBackpackMessengerMedical } + .desc = { ent-ClothingBackpackMessengerMedical.desc } +ent-ClothingBackpackMessengerLawyerFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerStcFilled = { ent-ClothingBackpackMessenger } + .desc = { ent-ClothingBackpackMessenger.desc } +ent-ClothingBackpackMessengerPilotFilled = { ent-ClothingBackpackMessengerPilot } + .desc = { ent-ClothingBackpackMessengerPilot.desc } +ent-ClothingBackpackMessengerJanitorFilled = { ent-ClothingBackpackMessengerJanitor } + .desc = { ent-ClothingBackpackMessengerJanitor.desc } +ent-ClothingBackpackMessengerMailmanFilled = { ent-ClothingBackpackMessengerMailman } + .desc = { ent-ClothingBackpackMessengerMailman.desc } +ent-ClothingBackpackMessengerOfficerFilled = { ent-ClothingBackpackMessengerSecurity } + .desc = { ent-ClothingBackpackMessengerSecurity.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/satchel.ftl new file mode 100644 index 00000000000..210f37b8ead --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/backpacks/startergear/satchel.ftl @@ -0,0 +1,14 @@ +ent-ClothingBackpackSatchelMercenaryFilled = { ent-ClothingBackpackSatchelMercenary } + .desc = { ent-ClothingBackpackSatchelMercenary.desc } +ent-ClothingBackpackSatchelReporterFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelPsychologistFilled = { ent-ClothingBackpackSatchelMedical } + .desc = { ent-ClothingBackpackSatchelMedical.desc } +ent-ClothingBackpackSatchelLawyerFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelStcFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelPilotFilled = { ent-ClothingBackpackSatchelPilot } + .desc = { ent-ClothingBackpackSatchelPilot.desc } +ent-ClothingBackpackSatchelOfficerFilled = { ent-ClothingBackpackSatchelSecurity } + .desc = { ent-ClothingBackpackSatchelSecurity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl new file mode 100644 index 00000000000..2c138170cea --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/boxes/general.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/chemistry.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/chemistry.ftl new file mode 100644 index 00000000000..74499cd6e96 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/chemistry.ftl @@ -0,0 +1,2 @@ +ent-CrateSpaceCleaner = { ent-CrateGenericSteel } + .desc = { ent-CrateGenericSteel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/engines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/engines.ftl new file mode 100644 index 00000000000..49350dddeb3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/engines.ftl @@ -0,0 +1,8 @@ +ent-CrateGyroscope = { ent-CrateEngineering } + .desc = { ent-CrateEngineering.desc } +ent-CrateThruster = { ent-CrateEngineering } + .desc = { ent-CrateEngineering.desc } +ent-CrateSmallGyroscope = { ent-CrateEngineering } + .desc = { ent-CrateEngineering.desc } +ent-CrateSmallThruster = { ent-CrateEngineering } + .desc = { ent-CrateEngineering.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/fun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/fun.ftl new file mode 100644 index 00000000000..478e3a3aa9e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/fun.ftl @@ -0,0 +1,2 @@ +ent-CrateFloorsFun = { ent-CrateGenericSteel } + .desc = { ent-CrateGenericSteel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/materials.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/materials.ftl new file mode 100644 index 00000000000..559fc5e2294 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/materials.ftl @@ -0,0 +1,2 @@ +ent-CrateMaterials = { ent-CrateGenericSteel } + .desc = { ent-CrateGenericSteel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl new file mode 100644 index 00000000000..312353640a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/npc.ftl @@ -0,0 +1,5 @@ +ent-CrateNPCEmotionalSupport = Emotional support pet crate + .desc = { ent-CrateLivestock.desc } +ent-CrateNPCEmotionalSupportSafe = Emotional support pet crate + .suffix = Safe + .desc = { ent-CrateLivestock.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/science.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/science.ftl new file mode 100644 index 00000000000..d5aa7955ab8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/science.ftl @@ -0,0 +1,2 @@ +ent-CrateScienceLabBundle = { ent-CrateScienceSecure } + .desc = { ent-CrateScienceSecure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/service.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/service.ftl new file mode 100644 index 00000000000..4fafb4939d9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/service.ftl @@ -0,0 +1,4 @@ +ent-CrateServiceJanitorialSupplies2 = { ent-CratePlastic } + .desc = { ent-CratePlastic.desc } +ent-CrateVehicleJanicart = { ent-CrateLivestock } + .desc = { ent-CrateLivestock.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/syndicate.ftl new file mode 100644 index 00000000000..7cdceb83b42 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/syndicate.ftl @@ -0,0 +1,2 @@ +ent-CrateSyndicateLightSurplusBundle = { ent-CrateSyndicate } + .desc = { ent-CrateSyndicate.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/trade.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/trade.ftl new file mode 100644 index 00000000000..aca4a654d37 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/trade.ftl @@ -0,0 +1,10 @@ +ent-CrateTradeSecureNormalFilled = { ent-CrateTradeBaseSecureNormal } + .desc = { ent-CrateTradeBaseSecureNormal.desc } +ent-CrateTradeSecureHighFilled = { ent-CrateTradeBaseSecureHigh } + .desc = { ent-CrateTradeBaseSecureHigh.desc } +ent-CrateTradeContrabandSecureNormalFilled = { ent-CrateTradeContrabandSecureNormal } + .desc = { ent-CrateTradeContrabandSecureNormal.desc } +ent-CrateTradeContrabandSecureDonkFilled = { ent-CrateTradeContrabandSecureDonk } + .desc = { ent-CrateTradeContrabandSecureDonk.desc } +ent-CrateTradeContrabandSecureCyberSunFilled = { ent-CrateTradeContrabandSecureCyberSun } + .desc = { ent-CrateTradeContrabandSecureCyberSun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl new file mode 100644 index 00000000000..4c786beb044 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/crates/vending.ftl @@ -0,0 +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 } 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 new file mode 100644 index 00000000000..4e91a6da8bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/belt.ftl @@ -0,0 +1,3 @@ +ent-ClothingBeltPilotFilled = { ent-ClothingBeltPilot } + .suffix = Filled + .desc = { ent-ClothingBeltPilot.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 new file mode 100644 index 00000000000..a716d6084fa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/items/misc.ftl @@ -0,0 +1,9 @@ +ent-ClothingShoesBootsMagCombatFilled = { ent-ClothingShoesBootsMagCombat } + .suffix = Filled + .desc = { ent-ClothingShoesBootsMagCombat.desc } +ent-ClothingShoesBootsMagMercenaryFilled = { ent-ClothingShoesBootsMagMercenary } + .suffix = Filled + .desc = { ent-ClothingShoesBootsMagMercenary.desc } +ent-ClothingShoesBootsMagPirateFilled = { ent-ClothingShoesBootsMagPirate } + .suffix = Filled + .desc = { ent-ClothingShoesBootsMagPirate.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl new file mode 100644 index 00000000000..cc035514b28 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/guns.ftl @@ -0,0 +1,21 @@ +ent-GunSafeShuttleCaptain = shuttle safe + .suffix = Empty, Captain + .desc = { ent-GunSafe.desc } +ent-GunSafeShuttleT1 = shuttle gun safe + .suffix = T1 + .desc = { ent-GunSafeShuttleCaptain.desc } +ent-GunSafeShuttleT2 = shuttle gun safe + .suffix = T2 + .desc = { ent-GunSafeShuttleCaptain.desc } +ent-GunSafeShuttleT3 = shuttle gun safe + .suffix = T3 + .desc = { ent-GunSafeShuttleCaptain.desc } +ent-GunSafeShuttleT1Spawner = shuttle gun safe + .suffix = T1 + .desc = { ent-MarkerBase.desc } +ent-GunSafeShuttleT2Spawner = shuttle gun safe + .suffix = T2 + .desc = { ent-MarkerBase.desc } +ent-GunSafeShuttleT3Spawner = shuttle gun safe + .suffix = T3 + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl new file mode 100644 index 00000000000..a72daf75150 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/heads.ftl @@ -0,0 +1,3 @@ +ent-LockerQuarterMasterFilledHardsuit = { ent-LockerQuarterMaster } + .suffix = Filled, Hardsuit + .desc = { ent-LockerQuarterMaster.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl new file mode 100644 index 00000000000..c479c1475d1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/medical.ftl @@ -0,0 +1,3 @@ +ent-LockerParamedicFilledHardsuit = { ent-LockerParamedic } + .suffix = Filled, Hardsuit + .desc = { ent-LockerParamedic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl new file mode 100644 index 00000000000..a756c06eb37 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/pilot.ftl @@ -0,0 +1,3 @@ +ent-LockerPilotFilled = { ent-LockerPilot } + .suffix = Filled + .desc = { ent-LockerPilot.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl new file mode 100644 index 00000000000..4d1f783af5f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/security.ftl @@ -0,0 +1,9 @@ +ent-LockerBrigmedicFilledHardsuit = { ent-LockerBrigmedic } + .suffix = Filled, Hardsuit + .desc = { ent-LockerBrigmedic.desc } +ent-LockerBrigmedicFilled = { ent-LockerBrigmedic } + .suffix = Filled + .desc = { ent-LockerBrigmedic.desc } +ent-LockerMercenaryFilled = { ent-LockerMercenary } + .suffix = Filled + .desc = { ent-LockerMercenary.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl new file mode 100644 index 00000000000..ecd7dbb7704 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/service.ftl @@ -0,0 +1,6 @@ +ent-LockerJanitorFilled = { ent-LockerJanitor } + .suffix = Filled + .desc = { ent-LockerJanitor.desc } +ent-LockerClownFilled = { ent-LockerClown } + .suffix = Filled + .desc = { ent-LockerClown.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl new file mode 100644 index 00000000000..1d963c7cf6a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage.ftl @@ -0,0 +1,18 @@ +ent-SuitStorageParamedic = { ent-SuitStorageBase } + .suffix = Paramedic + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageBrigmedic = { ent-SuitStorageBase } + .suffix = Brigmedic + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageQuartermaster = { ent-SuitStorageBase } + .suffix = Quartermaster + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageMercenary = { ent-SuitStorageBase } + .suffix = Mercenary + .desc = { ent-SuitStorageBase.desc } +ent-SuitStoragePilot = { ent-SuitStorageBase } + .suffix = Pilot + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageClown = { ent-SuitStorageBase } + .suffix = Clown + .desc = { ent-SuitStorageBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl new file mode 100644 index 00000000000..33232e4a355 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/catalog/fills/lockers/suit_storage_wallmount.ftl @@ -0,0 +1,54 @@ +ent-SuitStorageWallmountParamedic = { ent-SuitStorageParamedic } + .desc = { ent-SuitStorageParamedic.desc } +ent-SuitStorageWallmountBrigmedic = { ent-SuitStorageBrigmedic } + .desc = { ent-SuitStorageBrigmedic.desc } +ent-SuitStorageWallmountQuartermaster = { ent-SuitStorageQuartermaster } + .desc = { ent-SuitStorageQuartermaster.desc } +ent-SuitStorageWallmountMercenary = { ent-SuitStorageMercenary } + .desc = { ent-SuitStorageMercenary.desc } +ent-SuitStorageWallmountPilot = { ent-SuitStoragePilot } + .desc = { ent-SuitStoragePilot.desc } +ent-SuitStorageWallmountEVA = { ent-SuitStorageEVA } + .desc = { ent-SuitStorageEVA.desc } +ent-SuitStorageWallmountEVAAlternate = { ent-SuitStorageEVAAlternate } + .desc = { ent-SuitStorageEVAAlternate.desc } +ent-SuitStorageWallmountEVAEmergency = { ent-SuitStorageEVAEmergency } + .desc = { ent-SuitStorageEVAEmergency.desc } +ent-SuitStorageWallmountEVAPrisoner = { ent-SuitStorageEVAPrisoner } + .desc = { ent-SuitStorageEVAPrisoner.desc } +ent-SuitStorageWallmountEVASyndicate = { ent-SuitStorageEVASyndicate } + .desc = { ent-SuitStorageEVASyndicate.desc } +ent-SuitStorageWallmountEVAPirate = { ent-SuitStorageEVAPirate } + .desc = { ent-SuitStorageEVAPirate.desc } +ent-SuitStorageWallmountNTSRA = { ent-SuitStorageNTSRA } + .desc = { ent-SuitStorageNTSRA.desc } +ent-SuitStorageWallmountBasic = { ent-SuitStorageBasic } + .desc = { ent-SuitStorageBasic.desc } +ent-SuitStorageWallmountEngi = { ent-SuitStorageEngi } + .desc = { ent-SuitStorageEngi.desc } +ent-SuitStorageWallmountAtmos = { ent-SuitStorageAtmos } + .desc = { ent-SuitStorageAtmos.desc } +ent-SuitStorageWallmountSec = { ent-SuitStorageSec } + .desc = { ent-SuitStorageSec.desc } +ent-SuitStorageWallmountCE = { ent-SuitStorageCE } + .desc = { ent-SuitStorageCE.desc } +ent-SuitStorageWallmountCMO = { ent-SuitStorageCMO } + .desc = { ent-SuitStorageCMO.desc } +ent-SuitStorageWallmountRD = { ent-SuitStorageRD } + .desc = { ent-SuitStorageRD.desc } +ent-SuitStorageWallmountHOS = { ent-SuitStorageHOS } + .desc = { ent-SuitStorageHOS.desc } +ent-SuitStorageWallmountWarden = { ent-SuitStorageWarden } + .desc = { ent-SuitStorageWarden.desc } +ent-SuitStorageWallmountCaptain = { ent-SuitStorageCaptain } + .desc = { ent-SuitStorageCaptain.desc } +ent-SuitStorageWallmountSalv = { ent-SuitStorageSalv } + .desc = { ent-SuitStorageSalv.desc } +ent-SuitStorageWallmountSyndie = { ent-SuitStorageSyndie } + .desc = { ent-SuitStorageSyndie.desc } +ent-SuitStorageWallmountPirateCap = { ent-SuitStoragePirateCap } + .desc = { ent-SuitStoragePirateCap.desc } +ent-SuitStorageWallmountWizard = { ent-SuitStorageWizard } + .desc = { ent-SuitStorageWizard.desc } +ent-SuitStorageWallmountClown = { ent-SuitStorageClown } + .desc = { ent-SuitStorageClown.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl new file mode 100644 index 00000000000..f63fa289799 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/actions/cancel-escape-inventory.ftl @@ -0,0 +1,2 @@ +ent-ActionCancelEscape = Stop escaping + .desc = Calm down and sit peacefuly in your carrier's inventory 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 new file mode 100644 index 00000000000..2081a294325 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/backpacks.ftl @@ -0,0 +1,4 @@ +ent-ClothingBackpackArcadia = arcadia backpack + .desc = A backpack produced by Arcadia Industries +ent-ClothingBackpackPilot = pilot backpack + .desc = A backpack for a True Ace. 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 new file mode 100644 index 00000000000..9794d1c0e80 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/duffel.ftl @@ -0,0 +1,6 @@ +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. 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 new file mode 100644 index 00000000000..cfc0d569157 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/messenger.ftl @@ -0,0 +1,44 @@ +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. 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 new file mode 100644 index 00000000000..3ac84fac6b1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/back/satchel.ftl @@ -0,0 +1,6 @@ +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. 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 new file mode 100644 index 00000000000..136b92bf785 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/belts.ftl @@ -0,0 +1,6 @@ +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl new file mode 100644 index 00000000000..8ad42552672 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/belt/crossbow_bolt_quiver.ftl @@ -0,0 +1,2 @@ +ent-ClothingBeltQuiverCrossbow = quiver (bolts) + .desc = Can hold up to 20 bolts, and fits snug around your waist. 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 new file mode 100644 index 00000000000..3b3c5a97398 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets.ftl @@ -0,0 +1,3 @@ +ent-ClothingHeadsetSecuritySafe = { ent-ClothingHeadsetSecurity } + .suffix = Safe + .desc = { ent-ClothingHeadsetSecurity.desc } 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 new file mode 100644 index 00000000000..0aac78543e6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/ears/headsets_alt.ftl @@ -0,0 +1,6 @@ +ent-ClothingHeadsetAltSecurityWarden = bailiff's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltMercenary = mercenary over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltPilot = pilot over-ear headset + .desc = { ent-ClothingHeadsetAlt.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 new file mode 100644 index 00000000000..f35c34d5eee --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/eyes/glasses.ftl @@ -0,0 +1,4 @@ +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. 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 new file mode 100644 index 00000000000..d322fe24b39 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/hands/gloves.ftl @@ -0,0 +1,4 @@ +ent-ClothingHandsGlovesArcadiaCombat = arcadia combat gloves + .desc = Combat gloves produced by Arcadia Industries. +ent-ClothingHandsGlovesPilot = pilot gloves + .desc = Driving gloves, but for spaceships! 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 new file mode 100644 index 00000000000..7ca0fd3782e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hardsuit-helmets.ftl @@ -0,0 +1,10 @@ +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. 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 new file mode 100644 index 00000000000..ae93e6c4526 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hats.ftl @@ -0,0 +1,20 @@ +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl new file mode 100644 index 00000000000..9fdc7d6c9f0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/hoods.ftl @@ -0,0 +1,2 @@ +ent-ClothingHeadHatHoodArcadia = arcadia coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl new file mode 100644 index 00000000000..79890fe544e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/head/softsuit-helmets.ftl @@ -0,0 +1,4 @@ +ent-ClothingHeadEVAHelmetHydro = botanist EVA helmet + .desc = { ent-ClothingHeadEVAHelmetBase.desc } +ent-ClothingHeadEVAHelmetMailman = mailcarrier EVA helmet + .desc = { ent-ClothingHeadEVAHelmetBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl new file mode 100644 index 00000000000..ab66537e5ea --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/masks/masks.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl new file mode 100644 index 00000000000..65dbab4a7ba --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/masks/specific.ftl @@ -0,0 +1,6 @@ +ent-ClothingMaskGasVoiceChameleonFakeName = { ent-ClothingMaskGasVoiceChameleon } + .suffix = Voice Mask, Chameleon, Radio Fake Name + .desc = { ent-ClothingMaskGasVoiceChameleon.desc } +ent-ClothingMaskGasVoiceChameleonRealName = { ent-ClothingMaskGasVoiceChameleon } + .suffix = Voice Mask, Chameleon, Radio Real Name + .desc = { ent-ClothingMaskGasVoiceChameleon.desc } 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 new file mode 100644 index 00000000000..6784d410c4c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/mantles.ftl @@ -0,0 +1,5 @@ +ent-ClothingNeckCloakJanitor = janitor's cloak + .desc = How did you even get this? did you make it yourself? +ent-ClothingNeckCloakJanitorFilled = { ent-ClothingNeckCloakJanitor } + .suffix = Filled + .desc = { ent-ClothingNeckCloakJanitor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl new file mode 100644 index 00000000000..4d8dc4604c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/misc.ftl @@ -0,0 +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! 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 new file mode 100644 index 00000000000..f248800511c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/scarfs.ftl @@ -0,0 +1,4 @@ +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl new file mode 100644 index 00000000000..363da97c50a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/neck/ties.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckTieBH = tie + .desc = A loosely tied necktie, a perfect accessory for the over-worked. 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 new file mode 100644 index 00000000000..278ff5815e7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/armor.ftl @@ -0,0 +1,2 @@ +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. 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 new file mode 100644 index 00000000000..78cb621db3e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/coats.ftl @@ -0,0 +1,8 @@ +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! 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 new file mode 100644 index 00000000000..9bc90c464c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/hardsuits.ftl @@ -0,0 +1,10 @@ +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl new file mode 100644 index 00000000000..2361c600a11 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/softsuits.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl new file mode 100644 index 00000000000..c376847648f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/outerclothing/wintercoats.ftl @@ -0,0 +1,2 @@ +ent-ClothingOuterWinterArcadia = arcadia winter coat + .desc = A coat produced by Arcadia Industries, seems soft. 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 new file mode 100644 index 00000000000..9d8e89de612 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/boots.ftl @@ -0,0 +1,2 @@ +ent-ClothingShoesBootsPilot = pilot 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/clown_shoes_mods.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/clown_shoes_mods.ftl new file mode 100644 index 00000000000..73d84cea096 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/clown_shoes_mods.ftl @@ -0,0 +1,12 @@ +ent-ClothingShoesClownModWhoopie = { ent-ClothingShoesClown } + .desc = The modified standard-issue clowning shoes. Damn they're so soft! + .suffix = Whoopie +ent-ClothingShoesClownModKetchup = { ent-ClothingShoesClown } + .desc = The modified standard-issue clowning shoes. Damn they're soggy! + .suffix = Ketchup +ent-ClothingShoesClownModMustarchup = { ent-ClothingShoesClown } + .desc = The modified standard-issue clowning shoes. Damn they're very soggy! + .suffix = Mustarchup +ent-ClothingShoesClownModUltimate = { ent-ClothingShoesClown } + .desc = The modified standard-issue clowning shoes. Damn they're soft and soggy! + .suffix = Ultimate 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 new file mode 100644 index 00000000000..985fea450f4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/shoes/magboots.ftl @@ -0,0 +1,16 @@ +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-ActionToggleMagbootsCombat = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsMercenary = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsPirate = { 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 new file mode 100644 index 00000000000..b4bc63f3add --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpskirts.ftl @@ -0,0 +1,12 @@ +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. 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 new file mode 100644 index 00000000000..e57a2f153b1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/clothing/uniforms/jumpsuits.ftl @@ -0,0 +1,14 @@ +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? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/anti_anomaly_zone.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/anti_anomaly_zone.ftl new file mode 100644 index 00000000000..795b6bdd27e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/anti_anomaly_zone.ftl @@ -0,0 +1,12 @@ +ent-AntiAnomalyZone = anti anomaly zone + .desc = Anomalies will not be able to appear within a 10 block radius of this point. + .suffix = range 10 +ent-AntiAnomalyZone20 = { ent-AntiAnomalyZone } + .desc = Anomalies will not be able to appear within a 20 block radius of this point. + .suffix = range 20 +ent-AntiAnomalyZone50 = { ent-AntiAnomalyZone } + .desc = Anomalies will not be able to appear within a 50 block radius of this point. + .suffix = range 50 +ent-AntiAnomalyZone200 = { ent-AntiAnomalyZone } + .desc = Anomalies will not be able to appear within a 200 block radius of this point. + .suffix = range 200 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/atmos_blocker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/atmos_blocker.ftl new file mode 100644 index 00000000000..fc512069ce5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/atmos_blocker.ftl @@ -0,0 +1,11 @@ +ent-AtmosFixShuttleOxygenMarker = Atmos Fix Oxygen Marker + .desc = Oxygen at lower presure + .suffix = Shuttle +ent-AtmosFixShuttleNitrogenMarker = Atmos Fix Nitrogen Marker + .desc = Nitrogen at lower presure + .suffix = Shuttle +ent-AtmosFixShuttlePlasmaMarker = Atmos Fix Plasma Marker + .desc = Plasma at lower presure + .suffix = Shuttle +ent-AtmosFixSaunaMarker = Atmos Fix Sauna Marker + .desc = Sauna diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/shuttle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/shuttle.ftl new file mode 100644 index 00000000000..b70ab6febcc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/shuttle.ftl @@ -0,0 +1,3 @@ +ent-ShuttleDeedIDCard = shuttle deed + .suffix = DO NOT MAP + .desc = { ent-IDCardStandard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/mobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/mobs.ftl new file mode 100644 index 00000000000..7de3e49154f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/mobs.ftl @@ -0,0 +1,6 @@ +ent-SpawnMobArcIndShredder = Arcadia Industries Shredder Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobArcIndHoloparasiteGuardian = Arcadia Industries Guardian Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobArcIndBlaster = Arcadia Industries Blaster Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/cargo.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/cargo.ftl new file mode 100644 index 00000000000..e01e84563c4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/cargo.ftl @@ -0,0 +1,8 @@ +ent-RandomCargoSpawner = random cargo spawner + .desc = { ent-MarkerBase.desc } +ent-RandomCargoGenericSpawner = random cargo spawner + .suffix = Generic + .desc = { ent-MarkerBase.desc } +ent-RandomCargoAnimalSpawner = random cargo spawner + .suffix = Animal + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/generator.ftl new file mode 100644 index 00000000000..dc41dd7fdd3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/generator.ftl @@ -0,0 +1,3 @@ +ent-RandomDungeonPortableGeneratorSpawner = random portable generator spawner + .suffix = Dungeon + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/salvage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/salvage.ftl new file mode 100644 index 00000000000..f33dc1bb783 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/spawners/random/salvage.ftl @@ -0,0 +1,2 @@ +ent-SalvageLiquidCanisterSpawner = Salvage Liquid Canister Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/warp_point.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/warp_point.ftl new file mode 100644 index 00000000000..4638ae79b17 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/markers/warp_point.ftl @@ -0,0 +1,3 @@ +ent-WarpPointShip = { ent-WarpPoint } + .suffix = ship + .desc = { ent-WarpPoint.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl new file mode 100644 index 00000000000..c22304684a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/arcadiaindustries.ftl @@ -0,0 +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! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/argocyte.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/argocyte.ftl new file mode 100644 index 00000000000..691f852173c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/argocyte.ftl @@ -0,0 +1,2 @@ +ent-ArgocyteAISpawner = NPC Argocyte Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl new file mode 100644 index 00000000000..6710b317ffb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/emotionalsupportanimals.ftl @@ -0,0 +1,33 @@ +ent-BaseEmotionalGhost = { "" } + .desc = { "" } +ent-BaseEmotionalGhostCat = { "" } + .desc = { "" } +ent-BaseEmotionalGhostDog = { "" } + .desc = { "" } +ent-MobCatGhost = { ent-MobCat } + .suffix = Ghost + .desc = { ent-MobCat.desc } +ent-MobCatCalicoGhost = { ent-MobCatCalico } + .suffix = Ghost + .desc = { ent-MobCatCalico.desc } +ent-MobCatCaracalGhost = { ent-MobCatCaracal } + .suffix = Ghost + .desc = { ent-MobCatCaracal.desc } +ent-MobCatSpaceGhost = { ent-MobCatSpace } + .suffix = Ghost + .desc = { ent-MobCatSpace.desc } +ent-MobBingusGhost = { ent-MobBingus } + .suffix = Ghost + .desc = { ent-MobBingus.desc } +ent-MobCorgiGhost = { ent-MobCorgi } + .suffix = Ghost + .desc = { ent-MobCorgi.desc } +ent-MobCorgiPuppyGhost = { ent-MobCorgiPuppy } + .suffix = Ghost + .desc = { ent-MobCorgiPuppy.desc } +ent-MobPibbleGhost = { ent-MobPibble } + .suffix = Ghost + .desc = { ent-MobPibble.desc } +ent-MobChickenGhost = { ent-MobChicken } + .suffix = Ghost + .desc = { ent-MobChicken.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl new file mode 100644 index 00000000000..cf7c4c4bdd7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/pets.ftl @@ -0,0 +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 + .desc = ??? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/simplemob.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/simplemob.ftl new file mode 100644 index 00000000000..dbe2dec97e8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/simplemob.ftl @@ -0,0 +1,3 @@ +ent-SimpleSpaceSuitMobBase = { ent-SimpleSpaceMobBase } + .suffix = AI + .desc = { ent-SimpleSpaceMobBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl new file mode 100644 index 00000000000..9c62d0203a7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/npcs/xeno.ftl @@ -0,0 +1,3 @@ +ent-MobXenoQueenDungeon = Queen + .suffix = Ghost + .desc = { ent-MobXenoQueen.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl new file mode 100644 index 00000000000..e3bdd1281fd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/mobs/player/guardian.ftl @@ -0,0 +1,9 @@ +ent-MobHoloparasiteGuardianAI = { ent-MobHoloparasiteGuardian } + .suffix = Ghost, AI + .desc = { ent-MobHoloparasiteGuardian.desc } +ent-MobIfritGuardianAI = { ent-MobIfritGuardian } + .suffix = Ghost, AI + .desc = { ent-MobIfritGuardian.desc } +ent-MobHoloClownGuardianAI = { ent-MobHoloClownGuardian } + .suffix = Ghost, AI + .desc = { ent-MobHoloClownGuardian.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl new file mode 100644 index 00000000000..304dad65fe4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/drinks/drinks_keg.ftl @@ -0,0 +1,11 @@ +ent-DrinkKegBase = keg + .desc = I don't have a drinking problem - the keg solved it. +ent-DrinkKegSteel = { ent-DrinkKegBase } + .suffix = Steel + .desc = { ent-DrinkKegBase.desc } +ent-DrinkKegWood = { ent-DrinkKegBase } + .suffix = Wood + .desc = { ent-DrinkKegBase.desc } +ent-DrinkKegPlastic = { ent-DrinkKegBase } + .suffix = Plastic + .desc = { ent-DrinkKegBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl new file mode 100644 index 00000000000..0daf7237230 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/box.ftl @@ -0,0 +1,2 @@ +ent-HappyHonkCargo = mccargo meal + .desc = { ent-HappyHonk.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl new file mode 100644 index 00000000000..c77984846fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/containers/condiments.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl new file mode 100644 index 00000000000..0e3aae229e6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/ingredients.ftl @@ -0,0 +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 + .desc = { ent-DrinkKegPlastic.desc } +ent-DrinkKegPlasticMustard = mustard keg + .desc = { ent-DrinkKegPlastic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl new file mode 100644 index 00000000000..295e10dab02 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/meals.ftl @@ -0,0 +1,2 @@ +ent-MobCatCrispy = crispy + .desc = Mistakes were made. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl new file mode 100644 index 00000000000..0c017fd56a8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/produce.ftl @@ -0,0 +1,2 @@ +ent-FoodPear = pear + .desc = it's peary good. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/snacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/snacks.ftl new file mode 100644 index 00000000000..bcefde527d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/consumable/food/snacks.ftl @@ -0,0 +1,4 @@ +ent-VendPriceFoodBase200 = { "" } + .desc = { "" } +ent-VendPriceFoodBase100 = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl new file mode 100644 index 00000000000..3d950033627 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/cartridges.ftl @@ -0,0 +1,2 @@ +ent-BountyContractsCartridge = bounty contracts cartridge + .desc = A program for tracking and placing bounty contracts diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl new file mode 100644 index 00000000000..2def8f40825 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/encryption_keys.ftl @@ -0,0 +1,2 @@ +ent-EncryptionKeyTraffic = traffic control encryption key + .desc = An encryption key for the space traffic control channel. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl new file mode 100644 index 00000000000..d913277a4d9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/flatpacks.ftl @@ -0,0 +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. 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 new file mode 100644 index 00000000000..60960236b97 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/misc/identification_cards.ftl @@ -0,0 +1,8 @@ +ent-MercenaryIDCard = mercenary ID card + .desc = { ent-IDCardStandard.desc } +ent-PilotIDCard = pilot ID card + .desc = { ent-IDCardStandard.desc } +ent-StcIDCard = station traffic controller ID card + .desc = { ent-IDCardStandard.desc } +ent-SecurityGuardIDCard = security guard ID card + .desc = { ent-SecurityIDCard.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 new file mode 100644 index 00000000000..20dac9b6cb9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pda.ftl @@ -0,0 +1,10 @@ +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl new file mode 100644 index 00000000000..199ee817dd8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/pinpointer.ftl @@ -0,0 +1,3 @@ +ent-PinpointerUniversalDebug = { ent-PinpointerUniversal } + .suffix = DEBUG, DO NOT MAP + .desc = { ent-PinpointerUniversal.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl new file mode 100644 index 00000000000..9111dff1712 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/production.ftl @@ -0,0 +1,12 @@ +ent-ShredderMachineCircuitboard = shredder machine board + .desc = A machine printed circuit board for a shredder. +ent-SmallThrusterMachineCircuitboard = small thruster machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-SmallGyroscopeMachineCircuitboard = small gyroscope machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ThrusterSecurityMachineCircuitboard = security thruster machine board + .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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl new file mode 100644 index 00000000000..02a560495f7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl @@ -0,0 +1,15 @@ +ent-HoloparasiteInjectorAI = { ent-HoloparasiteInjector } + .suffix = Ghost, AI + .desc = { ent-HoloparasiteInjector.desc } +ent-HoloClownInjectorAI = { ent-HoloClownInjector } + .suffix = Ghost, AI + .desc = { ent-HoloClownInjector.desc } +ent-MagicalLampAI = { ent-MagicalLamp } + .suffix = Ghost, AI + .desc = { ent-MagicalLamp.desc } +ent-BoxHoloparasiteAI = { ent-BoxHoloparasite } + .suffix = Ghost, AI + .desc = { ent-BoxHoloparasite.desc } +ent-BoxHoloclownAI = { ent-BoxHoloclown } + .suffix = Ghost, AI + .desc = { ent-BoxHoloclown.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl new file mode 100644 index 00000000000..5f82b7a2bf7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/faction/churchofweedgod.ftl @@ -0,0 +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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl new file mode 100644 index 00000000000..3dae3398276 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/fun/prizeticket.ftl @@ -0,0 +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-PrizeTicketBase.desc } +ent-PrizeTicket10 = prize ticket + .suffix = 10 + .desc = { ent-PrizeTicket.desc } +ent-PrizeTicket30 = prize ticket + .suffix = 30 + .desc = { ent-PrizeTicket.desc } +ent-PrizeTicket60 = prize ticket + .suffix = 60 + .desc = { ent-PrizeTicket.desc } +ent-PrizeTicket1 = prize ticket + .suffix = Single + .desc = { ent-PrizeTicket.desc } +ent-PrizeBall = prize ball + .desc = I wounder whats inside! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl new file mode 100644 index 00000000000..16c600bba04 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/fun/toys.ftl @@ -0,0 +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 + .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-PetRock = { ent-BasePetRock } + .desc = { ent-BasePetRock.desc } +ent-PetRockFred = fred + .desc = { ent-BasePetRock.desc } +ent-PetRockRoxie = roxie + .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-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 + .desc = { ent-BasePlushieVulp.desc } +ent-PlushieRobotCorgi = robot corgi plushie + .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 + .desc = { ent-BasePlushieCat.desc } +ent-PlushieCatOrange = orange cat plushie + .desc = { ent-BasePlushieCat.desc } +ent-PlushieCatSiames = siames cat plushie + .desc = { ent-BasePlushieCat.desc } +ent-PlushieCatTabby = tabby cat plushie + .desc = { ent-BasePlushieCat.desc } +ent-PlushieCatTuxedo = tuxedo cat plushie + .desc = { ent-BasePlushieCat.desc } +ent-PlushieCatWhite = white cat plushie + .desc = { ent-BasePlushieCat.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl new file mode 100644 index 00000000000..5f5bc38095c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/air_freshener.ftl @@ -0,0 +1,2 @@ +ent-AirFreshener = air freshener + .desc = Removes bad odors, keep it in your pocket. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl new file mode 100644 index 00000000000..e471089cf27 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/ashtray.ftl @@ -0,0 +1,2 @@ +ent-NFAshtray = ashtray + .desc = { ent-BaseStorageItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl new file mode 100644 index 00000000000..38aea351545 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/censer.ftl @@ -0,0 +1,2 @@ +ent-Censer = censer + .desc = Usually you put incense in there. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl new file mode 100644 index 00000000000..868476f6b66 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/goldenrose.ftl @@ -0,0 +1,2 @@ +ent-GoldenRose = golden rose + .desc = An expensive golden rose signifying this ship's luxury. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl new file mode 100644 index 00000000000..c76da7ec1b2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/handcuffs.ftl @@ -0,0 +1,2 @@ +ent-WebCocoon = web cocoon + .desc = Strong web cocoon used to restrain criminal or preys, its also prevent rotting. 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 new file mode 100644 index 00000000000..46d72c2d8fb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/implanters.ftl @@ -0,0 +1,2 @@ +ent-MedicalTrackingImplanter = medical insurance tracking implanter + .desc = { ent-BaseImplantOnlyImplanter.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl new file mode 100644 index 00000000000..1ed48042c9d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/mail_capsule.ftl @@ -0,0 +1,5 @@ +ent-MailCapsulePrimed = mail capsule + .suffix = Primed + .desc = { ent-BaseItem.desc } +ent-BoxMailCapsulePrimed = mail capsule box + .desc = A box of primed mail capsules. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl new file mode 100644 index 00000000000..eb548eff8d9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/mortuary_urn.ftl @@ -0,0 +1,2 @@ +ent-UrnMortuary = mortuary urn + .desc = Keeps your beloved friend's ashes not scattered in your pocket. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl new file mode 100644 index 00000000000..81b3e69ff8a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/paper.ftl @@ -0,0 +1,9 @@ +ent-RubberStampPsychologist = psychologist rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampLawyer = lawyer rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampStc = station traffic controller's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.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 new file mode 100644 index 00000000000..38561a2a06f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/misc/subdermal_implants.ftl @@ -0,0 +1,2 @@ +ent-MedicalTrackingImplant = medical insurance tracking implant + .desc = This implant has a tracking device monitor for the Medical radio channel. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl new file mode 100644 index 00000000000..6562b23b944 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/chemical-containers.ftl @@ -0,0 +1,2 @@ +ent-JugSpaceCleaner = jug (Space Cleaner) + .desc = { ent-Jug.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl new file mode 100644 index 00000000000..bd5b341d035 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/hydroponics/seeds.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl new file mode 100644 index 00000000000..726825aaaec --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/medical/hypospray.ftl @@ -0,0 +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! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl new file mode 100644 index 00000000000..1f3d6ad22d7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/security.ftl @@ -0,0 +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-FrontierUplinkCoin1 = { ent-FrontierUplinkCoin } + .suffix = 1 TC + .desc = { ent-FrontierUplinkCoin.desc } +ent-FrontierUplinkCoin5 = { ent-FrontierUplinkCoin } + .suffix = 5 TC + .desc = { ent-FrontierUplinkCoin.desc } +ent-FrontierUplinkCoin10 = { ent-FrontierUplinkCoin } + .suffix = 10 TC + .desc = { ent-FrontierUplinkCoin.desc } +ent-BaseSecurityUplinkRadio = nfsd uplink + .desc = Retro looking old radio... + .suffix = Empty +ent-BaseSecurityUplinkRadioDebug = { ent-BaseSecurityUplinkRadio } + .suffix = Security, DEBUG + .desc = { ent-BaseSecurityUplinkRadio.desc } +ent-BaseSecurityUplinkRadioSheriff = { ent-BaseSecurityUplinkRadio } + .suffix = Sheriff 15 + .desc = { ent-BaseSecurityUplinkRadio.desc } +ent-BaseSecurityUplinkRadioOfficer = { ent-BaseSecurityUplinkRadio } + .suffix = Officer 10 + .desc = { ent-BaseSecurityUplinkRadio.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl new file mode 100644 index 00000000000..21d2010e417 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/specific/service/vending_machine_restock.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl new file mode 100644 index 00000000000..6393d986e89 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/emag.ftl @@ -0,0 +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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl new file mode 100644 index 00000000000..6c8f60d2bcd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/handheld_mass_scanner.ftl @@ -0,0 +1,2 @@ +ent-HandHeldMassScanner = handheld mass scanner + .desc = A hand-held mass scanner. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl new file mode 100644 index 00000000000..5a85e3ef2ed --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/tools/shipyard_rcd.ftl @@ -0,0 +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-ShipyardRCDEmpty = { ent-ShipyardRCD } + .suffix = Empty + .desc = { ent-ShipyardRCD.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl new file mode 100644 index 00000000000..1ed9b8f059e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/boxes/pistol.ftl @@ -0,0 +1,2 @@ +ent-MagazineBoxPistolEmp = ammunition box (.35 auto emp) + .desc = { ent-BaseMagazineBoxPistol.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl new file mode 100644 index 00000000000..6225a883a30 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/cartridges/pistol.ftl @@ -0,0 +1,2 @@ +ent-CartridgePistolEmp = cartridge (.35 auto emp) + .desc = { ent-BaseCartridgePistol.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl new file mode 100644 index 00000000000..96ea438d800 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/explosives.ftl @@ -0,0 +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 + .desc = { ent-BaseGrenade.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl new file mode 100644 index 00000000000..7476cd15cf7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/magazines/pistol.ftl @@ -0,0 +1,2 @@ +ent-MagazinePistolSubMachineGunEmp = SMG magazine (.35 auto emp) + .desc = { ent-BaseMagazinePistolSubMachineGun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl new file mode 100644 index 00000000000..92173c487bb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/ammunition/projectiles/pistol.ftl @@ -0,0 +1,2 @@ +ent-BulletPistolEmp = bullet (.35 auto emp) + .desc = { ent-BaseBulletEmp.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl new file mode 100644 index 00000000000..d749c8e63dc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/basic/sawn_pka.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl new file mode 100644 index 00000000000..337acdd042d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/battery/battery_guns.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl new file mode 100644 index 00000000000..5de7566f4c0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/bow/crossbow.ftl @@ -0,0 +1,4 @@ +ent-BaseCrossbow = crossbow + .desc = The original rooty tooty point and shooty. +ent-CrossbowImprovised = impovised crossbow + .desc = { ent-BaseCrossbow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl new file mode 100644 index 00000000000..fc476182cba --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/revolvers.ftl @@ -0,0 +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-WeaponRevolverArgentiNonlethal = { ent-WeaponRevolverArgenti } + .suffix = Non-lethal + .desc = { ent-WeaponRevolverArgenti.desc } +ent-WeaponRevolverDeckardNonlethal = { ent-WeaponRevolverDeckard } + .suffix = Non-lethal + .desc = { ent-WeaponRevolverDeckard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl new file mode 100644 index 00000000000..578b3458fe9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/guns/snipers.ftl @@ -0,0 +1,3 @@ +ent-Kardashev-MosinNonlethal = { ent-WeaponSniperMosin } + .suffix = Non-lethal + .desc = { ent-WeaponSniperMosin.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl new file mode 100644 index 00000000000..677aec9c0b7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/launchers/launchers.ftl @@ -0,0 +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 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 new file mode 100644 index 00000000000..66fc4c67acd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/guns/projectiles/crossbow_bolts.ftl @@ -0,0 +1,10 @@ +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl new file mode 100644 index 00000000000..26ce5e58de1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/sword.ftl @@ -0,0 +1,2 @@ +ent-PlasteelArmingSword = plasteel arming sword + .desc = An ancient design manufactured with modern materials and machines for a very specific target demographic. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl new file mode 100644 index 00000000000..c925491f9a2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/melee/wooden_stake.ftl @@ -0,0 +1,2 @@ +ent-WoodenStake = wooden stake + .desc = Essential appliance for pitching tents and killing vampires. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl new file mode 100644 index 00000000000..5a0e8db8fdc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/objects/weapons/shotguns/shotguns.ftl @@ -0,0 +1,6 @@ +ent-WeaponShotgunSawnNonlethal = { ent-WeaponShotgunSawn } + .suffix = Non-lethal + .desc = { ent-WeaponShotgunSawn.desc } +ent-WeaponShotgunKammererNonlethal = { ent-WeaponShotgunKammerer } + .suffix = Non-lethal + .desc = { ent-WeaponShotgunKammerer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl new file mode 100644 index 00000000000..2d2ceac38f7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/spawners/mobs.ftl @@ -0,0 +1,4 @@ +ent-SpawnMobCatClippy = Clippy Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatClarpy = Clarpy Spawner + .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 new file mode 100644 index 00000000000..dfa0a480e0b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/atms.ftl @@ -0,0 +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-ComputerBankATM = { ent-ComputerBankATMDeposit } + .desc = { ent-ComputerBankATMDeposit.desc } +ent-ComputerWithdrawBankATM = { ent-ComputerBankATMWithdraw } + .desc = { ent-ComputerBankATMWithdraw.desc } +ent-ComputerWallmountBankATM = { ent-ComputerBankATMDeposit } + .suffix = Wallmount + .desc = { ent-ComputerBankATMDeposit.desc } +ent-ComputerWallmountWithdrawBankATM = { ent-ComputerBankATMWithdraw } + .suffix = Wallmount + .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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/base_structure.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/base_structure.ftl new file mode 100644 index 00000000000..150911eb11a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/base_structure.ftl @@ -0,0 +1,14 @@ +ent-BaseStructureDisableToolUse = { "" } + .desc = { "" } +ent-BaseStructureUnanchorable = { "" } + .desc = { "" } +ent-BaseStructureDestructible = { "" } + .desc = { "" } +ent-BaseStructureIndestructible = { "" } + .desc = { "" } +ent-BaseStructureWallmount = { "" } + .desc = { "" } +ent-BaseStructureLockImmuneToEmag = { "" } + .desc = { "" } +ent-BaseStructureAccessReaderImmuneToEmag = { "" } + .desc = { "" } 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 new file mode 100644 index 00000000000..0b25e9aad66 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/access.ftl @@ -0,0 +1,21 @@ +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-AirlockMercenaryLocked = { ent-AirlockMercenary } + .suffix = Mercenary, Locked + .desc = { ent-AirlockMercenary.desc } +ent-AirlockMercenaryGlassLocked = { ent-AirlockMercenaryGlass } + .suffix = Mercenary, Locked + .desc = { ent-AirlockMercenaryGlass.desc } +ent-AirlockExternalGlassShuttleTransit = { ent-AirlockGlassShuttle } + .suffix = External, PubTrans, Glass, Docking + .desc = { ent-AirlockGlassShuttle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl new file mode 100644 index 00000000000..dc12523b089 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/airlocks/airlocks.ftl @@ -0,0 +1,6 @@ +ent-AirlockMercenary = { ent-Airlock } + .suffix = Mercenary + .desc = { ent-Airlock.desc } +ent-AirlockMercenaryGlass = { ent-AirlockGlass } + .suffix = Mercenary + .desc = { ent-AirlockGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl new file mode 100644 index 00000000000..0c189e199b3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/secret_door.ftl @@ -0,0 +1,16 @@ +ent-ReinforcedSecretDoorAssembly = secret reinforced door assembly + .desc = { ent-BaseSecretDoorAssembly.desc } +ent-SolidReinforcedSecretDoor = reinforced wall + .desc = { ent-BaseSecretDoor.desc } +ent-WoodSecretDoorAssembly = secret wood door assembly + .desc = { ent-BaseSecretDoorAssembly.desc } +ent-WoodSecretDoor = wood wall + .desc = { ent-BaseSecretDoor.desc } +ent-UraniumSecretDoorAssembly = secret uranium door assembly + .desc = { ent-BaseSecretDoorAssembly.desc } +ent-UraniumSecretDoor = uranium wall + .desc = { ent-BaseSecretDoor.desc } +ent-ShuttleSecretDoorAssembly = secret shuttle door assembly + .desc = { ent-BaseSecretDoorAssembly.desc } +ent-ShuttleSecretDoor = shuttle wall + .desc = { ent-BaseSecretDoor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/windoors/windoor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/windoors/windoor.ftl new file mode 100644 index 00000000000..aea42c5b3e9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/doors/windoors/windoor.ftl @@ -0,0 +1,12 @@ +ent-WindoorSecureMercenaryLocked = { ent-WindoorSecure } + .suffix = Mercenary, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureFrontierLocked = { ent-WindoorSecure } + .suffix = Frontier, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureFrontierCommandLocked = { ent-WindoorSecure } + .suffix = Frontier Command, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureHeadOfSecurityLocked = { ent-WindoorSecure } + .suffix = Sheriff, Locked + .desc = { ent-WindoorSecure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl new file mode 100644 index 00000000000..254d8970e25 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/altar_frame.ftl @@ -0,0 +1,3 @@ +ent-AltarFrameNF = altar frame + .desc = Altar of the Gods. Kinda hollow to be honest. + .suffix = Unfinished diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl new file mode 100644 index 00000000000..66a39ac152a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/gun_racks_base.ftl @@ -0,0 +1,5 @@ +ent-WeaponRackBase = gun rack + .desc = A storage unit for expedited pacification measures. +ent-WeaponRackWallmountedBase = { ent-WeaponRackBase } + .suffix = Wallmount + .desc = { ent-WeaponRackBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl new file mode 100644 index 00000000000..a316b8aec51 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/melee_weaapon_racks_base.ftl @@ -0,0 +1,5 @@ +ent-WeaponRackMeleeBase = melee weapon rack + .desc = A storage unit for expedited pacification measures. +ent-WeaponRackMeleeWallmountedBase = { ent-WeaponRackMeleeBase } + .suffix = Wallmount + .desc = { ent-WeaponRackMeleeBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl new file mode 100644 index 00000000000..7531e87a9c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/pistol_racks_base.ftl @@ -0,0 +1,5 @@ +ent-WeaponRackPistolBase = pistol rack + .desc = A storage unit for expedited pacification measures. +ent-WeaponRackPistolWallmountedBase = { ent-WeaponRackPistolBase } + .suffix = Wallmount + .desc = { ent-WeaponRackPistolBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl new file mode 100644 index 00000000000..8201bcc5e20 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_captain.ftl @@ -0,0 +1,18 @@ +ent-WeaponRackCaptain = { ent-WeaponRackBase } + .suffix = Captain + .desc = { ent-WeaponRackBase.desc } +ent-WeaponRackWallmountedCaptain = { ent-WeaponRackWallmountedBase } + .suffix = Captain, Wallmount + .desc = { ent-WeaponRackWallmountedBase.desc } +ent-WeaponRackMeleeCaptain = melee weapon rack + .desc = A storage unit for expedited pacification measures. + .suffix = Captain +ent-WeaponRackMeleeWallmountedCaptain = { ent-WeaponRackMeleeWallmountedBase } + .suffix = Captain, Wallmount + .desc = { ent-WeaponRackMeleeWallmountedBase.desc } +ent-WeaponRackPistolBaseCaptain = { ent-WeaponRackPistolBase } + .suffix = Captain + .desc = { ent-WeaponRackPistolBase.desc } +ent-WeaponRackPistolWallmountedCaptain = { ent-WeaponRackPistolWallmountedBase } + .suffix = Captain, Wallmount + .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl new file mode 100644 index 00000000000..77f5627c883 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_mercenary.ftl @@ -0,0 +1,18 @@ +ent-WeaponRackMercenary = { ent-WeaponRackBase } + .suffix = Mercenary + .desc = { ent-WeaponRackBase.desc } +ent-WeaponRackWallmountedMercenary = { ent-WeaponRackWallmountedBase } + .suffix = Mercenary, Wallmount + .desc = { ent-WeaponRackWallmountedBase.desc } +ent-WeaponRackMeleeMercenary = { ent-WeaponRackMeleeBase } + .suffix = Mercenary + .desc = { ent-WeaponRackMeleeBase.desc } +ent-WeaponRackMeleeWallmountedMercenary = { ent-WeaponRackMeleeWallmountedBase } + .suffix = Mercenary, Wallmount + .desc = { ent-WeaponRackMeleeWallmountedBase.desc } +ent-WeaponRackPistolBaseMercenary = { ent-WeaponRackPistolBase } + .suffix = Mercenary + .desc = { ent-WeaponRackPistolBase.desc } +ent-WeaponRackPistolWallmountedMercenary = { ent-WeaponRackPistolWallmountedBase } + .suffix = Mercenary, Wallmount + .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl new file mode 100644 index 00000000000..4847359f6ba --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_salvage.ftl @@ -0,0 +1,18 @@ +ent-WeaponRackSalvage = { ent-WeaponRackBase } + .suffix = Salvage + .desc = { ent-WeaponRackBase.desc } +ent-WeaponRackWallmountedSalvage = { ent-WeaponRackWallmountedBase } + .suffix = Salvage, Wallmount + .desc = { ent-WeaponRackWallmountedBase.desc } +ent-WeaponRackMeleeSalvage = { ent-WeaponRackMeleeBase } + .suffix = Salvage + .desc = { ent-WeaponRackMeleeBase.desc } +ent-WeaponRackMeleeWallmountedSalvage = { ent-WeaponRackMeleeWallmountedBase } + .suffix = Salvage, Wallmount + .desc = { ent-WeaponRackMeleeWallmountedBase.desc } +ent-WeaponRackPistolBaseSalvage = { ent-WeaponRackPistolBase } + .suffix = Salvage + .desc = { ent-WeaponRackPistolBase.desc } +ent-WeaponRackPistolWallmountedSalvage = { ent-WeaponRackPistolWallmountedBase } + .suffix = Salvage, Wallmount + .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl new file mode 100644 index 00000000000..95f8e2b9a1f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/furniture/armory/weapon_racks_security.ftl @@ -0,0 +1,18 @@ +ent-WeaponRackSecurity = { ent-WeaponRackBase } + .suffix = Security + .desc = { ent-WeaponRackBase.desc } +ent-WeaponRackWallmountedSecurity = { ent-WeaponRackWallmountedBase } + .suffix = Security, Wallmount + .desc = { ent-WeaponRackWallmountedBase.desc } +ent-WeaponRackMeleeSecurity = { ent-WeaponRackMeleeBase } + .suffix = Security + .desc = { ent-WeaponRackMeleeBase.desc } +ent-WeaponRackMeleeWallmountedSecurity = { ent-WeaponRackMeleeWallmountedBase } + .suffix = Security, Wallmount + .desc = { ent-WeaponRackMeleeWallmountedBase.desc } +ent-WeaponRackPistolBaseSecurity = { ent-WeaponRackPistolBase } + .suffix = Security + .desc = { ent-WeaponRackPistolBase.desc } +ent-WeaponRackPistolWallmountedSecurity = { ent-WeaponRackPistolWallmountedBase } + .suffix = Security, Wallmount + .desc = { ent-WeaponRackPistolWallmountedBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl new file mode 100644 index 00000000000..7c7995ed6d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/hydro_tray.ftl @@ -0,0 +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 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 new file mode 100644 index 00000000000..36d007377b2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers.ftl @@ -0,0 +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-ComputerPalletConsoleNFHighMarket = { ent-ComputerPalletConsoleNFNormalMarket } + .desc = Used to sell goods loaded onto cargo pallets + .suffix = High +ent-ComputerPalletConsoleNFLowMarket = { ent-ComputerPalletConsoleNFNormalMarket } + .desc = Used to sell goods loaded onto cargo pallets + .suffix = Low +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 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 new file mode 100644 index 00000000000..74c90b1186b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/computers_tabletop.ftl @@ -0,0 +1,90 @@ +ent-ComputerTabletopAlert = { ent-ComputerAlert } + .desc = { ent-ComputerAlert.desc } +ent-ComputerTabletopEmergencyShuttle = { ent-ComputerEmergencyShuttle } + .desc = { ent-ComputerEmergencyShuttle.desc } +ent-ComputerTabletopShuttle = { ent-ComputerShuttle } + .desc = { ent-ComputerShuttle.desc } +ent-ComputerTabletopShuttleSyndie = { ent-ComputerShuttleSyndie } + .desc = { ent-ComputerShuttleSyndie.desc } +ent-ComputerTabletopShuttleCargo = { ent-ComputerShuttleCargo } + .desc = { ent-ComputerShuttleCargo.desc } +ent-ComputerTabletopShuttleSalvage = { ent-ComputerShuttleSalvage } + .desc = { ent-ComputerShuttleSalvage.desc } +ent-ComputerTabletopIFF = { ent-ComputerIFF } + .desc = { ent-ComputerIFF.desc } +ent-ComputerTabletopIFFSyndicate = { ent-ComputerIFFSyndicate } + .suffix = Syndicate, Tabletop + .desc = { ent-ComputerIFFSyndicate.desc } +ent-ComputerTabletopPowerMonitoring = { ent-ComputerPowerMonitoring } + .desc = { ent-ComputerPowerMonitoring.desc } +ent-ComputerTabletopMedicalRecords = { ent-ComputerMedicalRecords } + .desc = { ent-ComputerMedicalRecords.desc } +ent-ComputerTabletopCriminalRecords = { ent-ComputerCriminalRecords } + .desc = { ent-ComputerCriminalRecords.desc } +ent-ComputerTabletopStationRecords = { ent-ComputerStationRecords } + .desc = { ent-ComputerStationRecords.desc } +ent-ComputerTabletopCrewMonitoring = { ent-ComputerCrewMonitoring } + .desc = { ent-ComputerCrewMonitoring.desc } +ent-ComputerTabletopResearchAndDevelopment = { ent-ComputerResearchAndDevelopment } + .desc = { ComputerResearchAndDevelopment.desc } +ent-ComputerTabletopAnalysisConsole = { ent-ComputerAnalysisConsole } + .desc = { ent-ComputerAnalysisConsole.desc } +ent-ComputerTabletopId = { ent-ComputerId } + .desc = { ent-ComputerId.desc } +ent-ComputerTabletopBodyScanner = { ent-computerBodyScanner } + .desc = { ent-computerBodyScanner.desc } +ent-ComputerTabletopComms = { ent-ComputerComms } + .desc = { ent-ComputerComms.desc } +ent-SyndicateComputerTabletopComms = { ent-SyndicateComputerComms } + .desc = { ent-SyndicateComputerComms.desc } +ent-ComputerTabletopSolarControl = { ent-ComputerSolarControl } + .desc = { ent-ComputerSolarControl.desc } +ent-ComputerTabletopRadar = { ent-ComputerRadar } + .desc = { ent-ComputerRadar.desc } +ent-ComputerTabletopCargoShuttle = { ent-ComputerCargoShuttle } + .desc = { ent-ComputerCargoShuttle.desc } +ent-ComputerTabletopCargoOrders = { ent-ComputerCargoOrders } + .desc = { ent-ComputerCargoOrders.desc } +ent-ComputerTabletopCargoBounty = { ent-ComputerCargoBounty } + .desc = { ent-ComputerCargoBounty.desc } +ent-ComputerTabletopCloningConsole = { ent-ComputerCloningConsole } + .desc = { ent-ComputerCloningConsole.desc } +ent-ComputerTabletopSalvageExpedition = { ent-BaseStructureComputerTabletop } + .desc = { ent-ComputerSalvageExpedition.desc } +ent-ComputerTabletopSurveillanceCameraMonitor = { ent-ComputerSurveillanceCameraMonitor } + .desc = { ent-ComputerSurveillanceCameraMonitor.desc } +ent-ComputerTabletopSurveillanceWirelessCameraMonitor = { ent-ComputerSurveillanceWirelessCameraMonitor } + .desc = { ent-ComputerSurveillanceWirelessCameraMonitor.desc } +ent-ComputerTabletopMassMedia = { ent-ComputerMassMedia } + .desc = { ent-ComputerMassMedia.desc } +ent-ComputerTabletopSensorMonitoring = { ent-ComputerSensorMonitoring } + .suffix = Tabletop, TESTING, DO NOT MAP + .desc = { ent-ComputerSensorMonitoring.desc } +ent-ComputerTabletopShipyard = { ent-ComputerShipyard } + .desc = { ent-ComputerShipyard.desc } +ent-BaseMothershipComputerTabletop = { ent-BaseMothershipComputer } + .desc = { ent-BaseMothershipComputer.desc } +ent-ComputerTabletopShipyardSecurity = { ent-ComputerShipyardSecurity } + .desc = { ent-ComputerShipyardSecurity.desc } +ent-ComputerTabletopShipyardBlackMarket = { ent-ComputerShipyardBlackMarket } + .desc = { ent-ComputerShipyardBlackMarket.desc } +ent-ComputerTabletopShipyardExpedition = { ent-ComputerShipyardExpedition } + .desc = { ent-ComputerShipyardExpedition.desc } +ent-ComputerTabletopShipyardScrap = { ent-ComputerShipyardScrap } + .desc = { ent-ComputerShipyardScrap.desc } +ent-ComputerTabletopPalletConsoleNFHighMarket = { ent-ComputerPalletConsoleNFHighMarket } + .suffix = High, Tabletop + .desc = { ent-ComputerPalletConsoleNFHighMarket.desc } +ent-ComputerTabletopPalletConsoleNFNormalMarket = { ent-ComputerPalletConsoleNFNormalMarket } + .suffix = Normal, Tabletop + .desc = { ent-ComputerPalletConsoleNFNormalMarket.desc } +ent-ComputerTabletopPalletConsoleNFLowMarket = { ent-ComputerPalletConsoleNFLowMarket } + .suffix = Low, Tabletop + .desc = { ent-ComputerPalletConsoleNFLowMarket.desc } +ent-ComputerTabletopPalletConsoleNFVeryLowMarket = { ent-ComputerPalletConsoleNFVeryLowMarket } + .suffix = VeryLow, Tabletop + .desc = { ent-ComputerPalletConsoleNFVeryLowMarket.desc } +ent-ComputerTabletopStationAdminBankATM = { ent-StationAdminBankATM } + .desc = { ent-StationAdminBankATM.desc } +ent-ComputerTabletopContrabandPalletConsole = { ent-ComputerContrabandPalletConsole } + .desc = { ent-ComputerContrabandPalletConsole.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl new file mode 100644 index 00000000000..3078dc9fe9a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/frame_tabletop.ftl @@ -0,0 +1,8 @@ +ent-BaseStructureComputerTabletop = { ent-BaseStructure } + .suffix = Tabletop + .desc = { ent-BaseStructure.desc } +ent-ComputerTabletopFrame = computer + .desc = { ent-BaseStructureComputerTabletop.desc } +ent-ComputerTabletopBroken = { ent-ComputerBroken } + .suffix = Tabletop + .desc = { ent-ComputerBroken.desc } 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 new file mode 100644 index 00000000000..597c26a62c0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/computers/mothership-computers.ftl @@ -0,0 +1,10 @@ +ent-EmpressMothershipComputer = Empress mothership console + .desc = { ent-BaseMothershipComputer.desc } +ent-McCargoMothershipComputer = McCargo delivery ship console + .desc = { ent-BaseMothershipComputer.desc } +ent-CaduceusMothershipComputer = Caduceus mothership console + .desc = { ent-BaseMothershipComputer.desc } +ent-GasbenderMothershipComputer = Gasbender mothership ship console + .desc = { ent-BaseMothershipComputer.desc } +ent-CrescentMothershipComputer = Crescent mothership console + .desc = { ent-BaseMothershipComputer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl new file mode 100644 index 00000000000..51c16f41743 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/contraband_pallet.ftl @@ -0,0 +1,2 @@ +ent-ContrabandPallet = contraband exchange pallet + .desc = Designates valid items to exchange with CentCom for security crystals diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl new file mode 100644 index 00000000000..b399b778886 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/cryo_sleep_pod.ftl @@ -0,0 +1,2 @@ +ent-MachineCryoSleepPod = cryo sleep chamber + .desc = cold pillow guaranteed diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl new file mode 100644 index 00000000000..c6fbd77f1e2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/fax_machine.ftl @@ -0,0 +1,3 @@ +ent-FaxMachineShip = { ent-FaxMachineBase } + .suffix = Ship + .desc = { ent-FaxMachineBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl new file mode 100644 index 00000000000..d89ed66ec6f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/lathe.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl new file mode 100644 index 00000000000..f0face5c991 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/m_emp.ftl @@ -0,0 +1,2 @@ +ent-M_Emp = M_EMP Generator + .desc = Mobile EMP generator. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl new file mode 100644 index 00000000000..a22089979ea --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/shredder.ftl @@ -0,0 +1,2 @@ +ent-Shredder = shredder + .desc = It shreds things. What more is there to say? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl new file mode 100644 index 00000000000..444fca7feb0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/telecomms.ftl @@ -0,0 +1,6 @@ +ent-TelecomServerFilledShuttle = { ent-TelecomServer } + .suffix = Ship + .desc = { ent-TelecomServer.desc } +ent-TelecomServerFilledSecurity = { ent-TelecomServer } + .suffix = Ship, Security + .desc = { ent-TelecomServer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl new file mode 100644 index 00000000000..30e2d48e7ac --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/machines/vending_machines.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl new file mode 100644 index 00000000000..35a4235a450 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/power/generation/portable_generator.ftl @@ -0,0 +1,9 @@ +ent-PortableGeneratorPacmanShuttle = { ent-PortableGeneratorPacman } + .suffix = Plasma, 15 kW, Ship + .desc = { ent-PortableGeneratorPacman.desc } +ent-PortableGeneratorSuperPacmanShuttle = { ent-PortableGeneratorSuperPacman } + .suffix = Uranium, 30 kW, Ship + .desc = { ent-PortableGeneratorSuperPacman.desc } +ent-PortableGeneratorJrPacmanShuttle = { ent-PortableGeneratorJrPacman } + .suffix = Welding Fuel, 5 kW, Ship + .desc = { ent-PortableGeneratorJrPacman.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 new file mode 100644 index 00000000000..c8e259fd5dd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/shuttles/thrusters.ftl @@ -0,0 +1,36 @@ +ent-BaseThrusterSecurity = { ent-BaseThruster } + .desc = { ent-BaseThruster.desc } +ent-ThrusterSecurity = thruster + .suffix = Security + .desc = { ent-ThrusterSecurity.desc } +ent-ThrusterSecurityUnanchored = { ent-ThrusterUnanchored } + .suffix = Unanchored, Security + .desc = { ent-ThrusterUnanchored.desc } +ent-DebugThrusterSecurity = thruster + .suffix = DEBUG, Security + .desc = { ent-DebugThruster.desc } +ent-SmallThruster = small thruster + .desc = { ent-SmallThruster.desc } +ent-SmallThrusterUnanchored = { ent-SmallThruster } + .suffix = Unanchored + .desc = { ent-SmallThruster.desc } +ent-GyroscopeSecurity = { ent-GyroscopeSecurity } + .suffix = Security + .desc = { ent-GyroscopeSecurity.desc } +ent-GyroscopeSecurityUnanchored = { ent-GyroscopeSecurity } + .suffix = Unanchored, Security + .desc = { ent-GyroscopeSecurity.desc } +ent-DebugGyroscopeSecurity = gyroscope + .suffix = DEBUG, Security + .desc = { ent-DebugGyroscope.desc } +ent-SmallGyroscopeSecurity = small gyroscope + .suffix = Security + .desc = { ent-GyroscopeSecurity.desc } +ent-SmallGyroscopeSecurityUnanchored = { ent-SmallGyroscopeSecurity } + .suffix = Unanchored, Security + .desc = { ent-SmallGyroscopeSecurity.desc } +ent-SmallGyroscope = small gyroscope + .desc = { ent-Gyroscope.desc } +ent-SmallGyroscopeUnanchored = { ent-SmallGyroscope } + .suffix = Unanchored + .desc = { ent-SmallGyroscope.desc } 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 new file mode 100644 index 00000000000..bd9b5fb584e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/lockers/lockers.ftl @@ -0,0 +1,8 @@ +ent-LockerMercenary = mercenary locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerJanitor = janitor locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerPilot = pilot's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerWoodenGeneric = wooden cabinet + .desc = Dusty old wooden cabinet. Smells like grandparents. 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 new file mode 100644 index 00000000000..f2184c6a042 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/closets/suit_storage_wall.ftl @@ -0,0 +1,2 @@ +ent-SuitStorageWallmount = suit wallstorage unit + .desc = { ent-SuitStorageBase.desc } \ No newline at end of file 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 new file mode 100644 index 00000000000..2f659d9017c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/base_structurecrates.ftl @@ -0,0 +1,2 @@ +ent-CrateTradeBaseSecure = { ent-CrateBaseWeldable } + .desc = { ent-CrateBaseWeldable.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl new file mode 100644 index 00000000000..05c8bedf99c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/crates/crates.ftl @@ -0,0 +1,14 @@ +ent-CratePlasticBiodegradable = biodegradable plastic crate + .desc = { ent-CrateBaseWeldable.desc } +ent-CrateUranium = uranium crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateTradeBaseSecureNormal = cargo steel crate + .desc = { ent-CrateTradeBaseSecure.desc } +ent-CrateTradeBaseSecureHigh = high value cargo steel crate + .desc = { ent-CrateTradeBaseSecure.desc } +ent-CrateTradeContrabandSecureNormal = Syndicate contraband crate + .desc = { ent-CrateTradeBaseSecure.desc } +ent-CrateTradeContrabandSecureDonk = Donk Co. contraband crate + .desc = { ent-CrateTradeBaseSecure.desc } +ent-CrateTradeContrabandSecureCyberSun = Cybersun Industries contraband crate + .desc = { ent-CrateTradeBaseSecure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl new file mode 100644 index 00000000000..3df45f80d8c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/storage/plant_box.ftl @@ -0,0 +1,2 @@ +ent-PlantBox = plant box + .desc = A large storage container for holding plants and seeds. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl new file mode 100644 index 00000000000..2ab3835ea20 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/fireaxe_cabinet.ftl @@ -0,0 +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-FireAxeCabinetOpenCommand = { ent-FireAxeCabinetCommand } + .suffix = Open, With Lock + .desc = { ent-FireAxeCabinetCommand.desc } +ent-FireAxeCabinetFilledCommand = { ent-FireAxeCabinetCommand } + .suffix = Filled, With Lock + .desc = { ent-FireAxeCabinetCommand.desc } +ent-FireAxeCabinetFilledOpenCommand = { ent-FireAxeCabinetFilledCommand } + .suffix = Filled, Open, With Lock + .desc = { ent-FireAxeCabinetFilledCommand.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl new file mode 100644 index 00000000000..4af41ac0b74 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/notice_board.ftl @@ -0,0 +1,3 @@ +ent-NoticeBoardNF = notice board + .desc = You wish you could wear this on your back but alas. + .suffix = Frontier diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/contraband.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/contraband.ftl new file mode 100644 index 00000000000..95014ff58da --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/contraband.ftl @@ -0,0 +1,180 @@ +ent-PosterContrabandFreeTontoDD = { ent-PosterContrabandFreeTonto } + .suffix = DeadDrop + .desc = { ent-PosterContrabandFreeTonto.desc } +ent-PosterContrabandAtmosiaDeclarationIndependenceDD = { ent-PosterContrabandAtmosiaDeclarationIndependence } + .suffix = DeadDrop + .desc = { ent-PosterContrabandAtmosiaDeclarationIndependence.desc } +ent-PosterContrabandFunPoliceDD = { ent-PosterContrabandFunPolice } + .suffix = DeadDrop + .desc = { ent-PosterContrabandFunPolice.desc } +ent-PosterContrabandLustyExomorphDD = { ent-PosterContrabandLustyExomorph } + .suffix = DeadDrop + .desc = { ent-PosterContrabandLustyExomorph.desc } +ent-PosterContrabandSyndicateRecruitmentDD = { ent-PosterContrabandSyndicateRecruitment } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSyndicateRecruitment.desc } +ent-PosterContrabandClownDD = { ent-PosterContrabandClown } + .suffix = DeadDrop + .desc = { ent-PosterContrabandClown.desc } +ent-PosterContrabandSmokeDD = { ent-PosterContrabandSmoke } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSmoke.desc } +ent-PosterContrabandGreyTideDD = { ent-PosterContrabandGreyTide } + .suffix = DeadDrop + .desc = { ent-PosterContrabandGreyTide.desc } +ent-PosterContrabandMissingGlovesDD = { ent-PosterContrabandMissingGloves } + .suffix = DeadDrop + .desc = { ent-PosterContrabandMissingGloves.desc } +ent-PosterContrabandHackingGuideDD = { ent-PosterContrabandHackingGuide } + .suffix = DeadDrop + .desc = { ent-PosterContrabandHackingGuide.desc } +ent-PosterContrabandRIPBadgerDD = { ent-PosterContrabandRIPBadger } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRIPBadger.desc } +ent-PosterContrabandAmbrosiaVulgarisDD = { ent-PosterContrabandAmbrosiaVulgaris } + .suffix = DeadDrop + .desc = { ent-PosterContrabandAmbrosiaVulgaris.desc } +ent-PosterContrabandDonutCorpDD = { ent-PosterContrabandDonutCorp } + .suffix = DeadDrop + .desc = { ent-PosterContrabandDonutCorp.desc } +ent-PosterContrabandEATDD = { ent-PosterContrabandEAT } + .suffix = DeadDrop + .desc = { ent-PosterContrabandEAT.desc } +ent-PosterContrabandToolsDD = { ent-PosterContrabandTools } + .suffix = DeadDrop + .desc = { ent-PosterContrabandTools.desc } +ent-PosterContrabandPowerDD = { ent-PosterContrabandPower } + .suffix = DeadDrop + .desc = { ent-PosterContrabandPower.desc } +ent-PosterContrabandSpaceCubeDD = { ent-PosterContrabandSpaceCube } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSpaceCube.desc } +ent-PosterContrabandCommunistStateDD = { ent-PosterContrabandCommunistState } + .suffix = DeadDrop + .desc = { ent-PosterContrabandCommunistState.desc } +ent-PosterContrabandLamarrDD = { ent-PosterContrabandLamarr } + .suffix = DeadDrop + .desc = { ent-PosterContrabandLamarr.desc } +ent-PosterContrabandBorgFancyDD = { ent-PosterContrabandBorgFancy } + .suffix = DeadDrop + .desc = { ent-PosterContrabandBorgFancy.desc } +ent-PosterContrabandBorgFancyv2DD = { ent-PosterContrabandBorgFancyv2 } + .suffix = DeadDrop + .desc = { ent-PosterContrabandBorgFancyv2.desc } +ent-PosterContrabandKosmicheskayaStantsiyaDD = { ent-PosterContrabandKosmicheskayaStantsiya } + .suffix = DeadDrop + .desc = { ent-PosterContrabandKosmicheskayaStantsiya.desc } +ent-PosterContrabandRebelsUniteDD = { ent-PosterContrabandRebelsUnite } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRebelsUnite.desc } +ent-PosterContrabandC20rDD = { ent-PosterContrabandC20r } + .suffix = DeadDrop + .desc = { ent-PosterContrabandC20r.desc } +ent-PosterContrabandHaveaPuffDD = { ent-PosterContrabandHaveaPuff } + .suffix = DeadDrop + .desc = { ent-PosterContrabandHaveaPuff.desc } +ent-PosterContrabandRevolverDD = { ent-PosterContrabandRevolver } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRevolver.desc } +ent-PosterContrabandDDayPromoDD = { ent-PosterContrabandDDayPromo } + .suffix = DeadDrop + .desc = { ent-PosterContrabandDDayPromo.desc } +ent-PosterContrabandSyndicatePistolDD = { ent-PosterContrabandSyndicatePistol } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSyndicatePistol.desc } +ent-PosterContrabandEnergySwordsDD = { ent-PosterContrabandEnergySwords } + .suffix = DeadDrop + .desc = { ent-PosterContrabandEnergySwords.desc } +ent-PosterContrabandRedRumDD = { ent-PosterContrabandRedRum } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRedRum.desc } +ent-PosterContrabandCC64KAdDD = { ent-PosterContrabandCC64KAd } + .suffix = DeadDrop + .desc = { ent-PosterContrabandCC64KAd.desc } +ent-PosterContrabandPunchShitDD = { ent-PosterContrabandPunchShit } + .suffix = DeadDrop + .desc = { ent-PosterContrabandPunchShit.desc } +ent-PosterContrabandTheGriffinDD = { ent-PosterContrabandTheGriffin } + .suffix = DeadDrop + .desc = { ent-PosterContrabandTheGriffin.desc } +ent-PosterContrabandFreeDroneDD = { ent-PosterContrabandFreeDrone } + .suffix = DeadDrop + .desc = { ent-PosterContrabandFreeDrone.desc } +ent-PosterContrabandBustyBackdoorExoBabes6DD = { ent-PosterContrabandBustyBackdoorExoBabes6 } + .suffix = DeadDrop + .desc = { ent-PosterContrabandBustyBackdoorExoBabes6.desc } +ent-PosterContrabandRobustSoftdrinksDD = { ent-PosterContrabandRobustSoftdrinks } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRobustSoftdrinks.desc } +ent-PosterContrabandShamblersJuiceDD = { ent-PosterContrabandShamblersJuice } + .suffix = DeadDrop + .desc = { ent-PosterContrabandShamblersJuice.desc } +ent-PosterContrabandPwrGameDD = { ent-PosterContrabandPwrGame } + .suffix = DeadDrop + .desc = { ent-PosterContrabandPwrGame.desc } +ent-PosterContrabandSunkistDD = { ent-PosterContrabandSunkist } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSunkist.desc } +ent-PosterContrabandSpaceColaDD = { ent-PosterContrabandSpaceCola } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSpaceCola.desc } +ent-PosterContrabandSpaceUpDD = { ent-PosterContrabandSpaceUp } + .suffix = DeadDrop + .desc = { ent-PosterContrabandSpaceUp.desc } +ent-PosterContrabandKudzuDD = { ent-PosterContrabandKudzu } + .suffix = DeadDrop + .desc = { ent-PosterContrabandKudzu.desc } +ent-PosterContrabandMaskedMenDD = { ent-PosterContrabandMaskedMen } + .suffix = DeadDrop + .desc = { ent-PosterContrabandMaskedMen.desc } +ent-PosterContrabandUnreadableAnnouncementDD = { ent-PosterContrabandUnreadableAnnouncement } + .suffix = DeadDrop + .desc = { ent-PosterContrabandUnreadableAnnouncement.desc } +ent-PosterContrabandFreeSyndicateEncryptionKeyDD = { ent-PosterContrabandFreeSyndicateEncryptionKey } + .suffix = DeadDrop + .desc = { ent-PosterContrabandFreeSyndicateEncryptionKey.desc } +ent-PosterContrabandBountyHuntersDD = { ent-PosterContrabandBountyHunters } + .suffix = DeadDrop + .desc = { ent-PosterContrabandBountyHunters.desc } +ent-PosterContrabandTheBigGasTruthDD = { ent-PosterContrabandTheBigGasTruth } + .suffix = DeadDrop + .desc = { ent-PosterContrabandTheBigGasTruth.desc } +ent-PosterContrabandWehWatchesDD = { ent-PosterContrabandWehWatches } + .suffix = DeadDrop + .desc = { ent-PosterContrabandWehWatches.desc } +ent-PosterContrabandVoteWehDD = { ent-PosterContrabandVoteWeh } + .suffix = DeadDrop + .desc = { ent-PosterContrabandVoteWeh.desc } +ent-PosterContrabandBeachStarYamamotoDD = { ent-PosterContrabandBeachStarYamamoto } + .suffix = DeadDrop + .desc = { ent-PosterContrabandBeachStarYamamoto.desc } +ent-PosterContrabandHighEffectEngineeringDD = { ent-PosterContrabandHighEffectEngineering } + .suffix = DeadDrop + .desc = { ent-PosterContrabandHighEffectEngineering.desc } +ent-PosterContrabandNuclearDeviceInformationalDD = { ent-PosterContrabandNuclearDeviceInformational } + .suffix = DeadDrop + .desc = { ent-PosterContrabandNuclearDeviceInformational.desc } +ent-PosterContrabandRiseDD = { ent-PosterContrabandRise } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRise.desc } +ent-PosterContrabandRevoltDD = { ent-PosterContrabandRevolt } + .suffix = DeadDrop + .desc = { ent-PosterContrabandRevolt.desc } +ent-PosterContrabandMothDD = { ent-PosterContrabandMoth } + .suffix = DeadDrop + .desc = { ent-PosterContrabandMoth.desc } +ent-PosterContrabandCybersun600DD = { ent-PosterContrabandCybersun600 } + .suffix = DeadDrop + .desc = { ent-PosterContrabandCybersun600.desc } +ent-PosterContrabandDonkDD = { ent-PosterContrabandDonk } + .suffix = DeadDrop + .desc = { ent-PosterContrabandDonk.desc } +ent-PosterContrabandEnlistGorlexDD = { ent-PosterContrabandEnlistGorlex } + .suffix = DeadDrop + .desc = { ent-PosterContrabandEnlistGorlex.desc } +ent-PosterContrabandInterdyneDD = { ent-PosterContrabandInterdyne } + .suffix = DeadDrop + .desc = { ent-PosterContrabandInterdyne.desc } +ent-PosterContrabandWaffleCorpDD = { ent-PosterContrabandWaffleCorp } + .suffix = DeadDrop + .desc = { ent-PosterContrabandWaffleCorp.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl new file mode 100644 index 00000000000..c5bd7d088c1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl new file mode 100644 index 00000000000..e86f72da02c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/wallmounts/signs/paintings_directional.ftl @@ -0,0 +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. 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 new file mode 100644 index 00000000000..5c573ffa989 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/walls/diagonal_walls.ftl @@ -0,0 +1,12 @@ +ent-BaseWallDiagonal = basewall + .suffix = diagonal + .desc = { ent-BaseStructure.desc } +ent-WallReinforcedDiagonal = reinforced wall + .suffix = diagonal + .desc = { ent-WallReinforced.desc } +ent-WallWoodDiagonal = wood wall + .suffix = diagonal + .desc = { ent-WallWood.desc } +ent-WallUraniumDiagonal = uranium wall + .suffix = diagonal + .desc = { ent-WallUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl new file mode 100644 index 00000000000..54a0ea44b1d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/windows/plastitanium.ftl @@ -0,0 +1,3 @@ +ent-PlastitaniumWindowIndestructible = plastitanium window + .suffix = Indestructible + .desc = { ent-BaseStructure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl new file mode 100644 index 00000000000..14ce00a35b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/entities/structures/windows/window.ftl @@ -0,0 +1,3 @@ +ent-WallInvisibleShip = Invisible Wall + .suffix = Ship + .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 new file mode 100644 index 00000000000..1cb1cd11cf6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/events/events.ftl @@ -0,0 +1,18 @@ +ent-BluespaceCargo = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceSyndicateCrate = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceCacheError = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceVaultError = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceVaultSmallError = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceAsteroid = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceAsteroidBunker = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceCargoniaShip = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceArcIndDataCarrier = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/crates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/crates.ftl new file mode 100644 index 00000000000..2470af20906 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/crates.ftl @@ -0,0 +1,2 @@ +ent-N14ContrabandCrateSpawner = Contraband Crate Spawner + .desc = { ent-MarkerBase.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 new file mode 100644 index 00000000000..229b32b64d8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/jobs.ftl @@ -0,0 +1,8 @@ +ent-SpawnPointMercenary = mercenary + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointPilot = pilot + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointStc = stc + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointSecurityGuard = security guard + .desc = { ent-SpawnPointJobBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/posters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/posters.ftl new file mode 100644 index 00000000000..3767fef7953 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/posters.ftl @@ -0,0 +1,3 @@ +ent-RandomPosterContrabandDeadDrop = random contraband poster spawner + .suffix = DeadDrop + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/untimedAISpawners.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/untimedAISpawners.ftl new file mode 100644 index 00000000000..0e1ba1c7455 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/markers/spawners/untimedAISpawners.ftl @@ -0,0 +1,12 @@ +ent-XenoAISpawnerEasy = NPC Xeno Spawner + .suffix = Easy + .desc = { ent-MarkerBase.desc } +ent-XenoAISpawnerMedium = NPC Xeno Spawner + .suffix = Medium + .desc = { ent-MarkerBase.desc } +ent-XenoAISpawnerHard = NPC Xeno Spawner + .suffix = Hard + .desc = { ent-MarkerBase.desc } +ent-XenoAISpawnerQueen = NPC Xeno Spawner + .suffix = Queen + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl new file mode 100644 index 00000000000..75380124c90 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/recipes/lathes/tools.ftl @@ -0,0 +1,2 @@ +ent-ShipyardRCDAmmo = Shipyard RCD Ammo + .desc = Ammo cartridge for a Shipyard RCD. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_nf/shipyard/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/shipyard/base.ftl new file mode 100644 index 00000000000..91eb7ccc5b9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_nf/shipyard/base.ftl @@ -0,0 +1,24 @@ +ent-StandardFrontierStation = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-StandardFrontierOutpost = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-SecurityFrontierOutpost = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-StandardFrontierVessel = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-StandardFrontierSecurityVessel = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-StandardFrontierSecurityExpeditionVessel = { ent-BaseStationExpeditions } + .desc = { ent-BaseStationExpeditions.desc } +ent-StandardFrontierExpeditionVessel = { ent-BaseStationExpeditions } + .desc = { ent-BaseStationExpeditions.desc } +ent-BaseStationSiliconLawFrontierStation = { "" } + .desc = { "" } +ent-BaseStationSiliconLawFrontierShips = { "" } + .desc = { "" } +ent-BaseStationRenameFaxes = { "" } + .desc = { "" } +ent-BaseStationRenameWarpPoints = { "" } + .desc = { "" } +ent-BaseStationEmpImmune = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/_park/benches.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/_park/benches.ftl new file mode 100644 index 00000000000..74b88929803 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/_park/benches.ftl @@ -0,0 +1,65 @@ +ent-BenchBaseMiddle = bench + .desc = Multiple seats spanning a single object. Truly a marvel of science. + .suffix = Middle +ent-BenchParkMiddle = park bench + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchParkLeft = { ent-BenchParkMiddle } + .suffix = Left + .desc = { ent-BenchParkMiddle.desc } +ent-BenchParkRight = { ent-BenchParkMiddle } + .suffix = Right + .desc = { ent-BenchParkMiddle.desc } +ent-BenchParkBambooMiddle = park bench + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchParkBambooLeft = { ent-BenchParkBambooMiddle } + .suffix = Left + .desc = { ent-BenchParkBambooMiddle.desc } +ent-BenchParkBambooRight = { ent-BenchParkBambooMiddle } + .suffix = Right + .desc = { ent-BenchParkBambooMiddle.desc } +ent-BenchPewMiddle = pew + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchPewLeft = { ent-BenchPewMiddle } + .suffix = Left + .desc = { ent-BenchPewMiddle.desc } +ent-BenchPewRight = { ent-BenchPewMiddle } + .suffix = Right + .desc = { ent-BenchPewMiddle.desc } +ent-BenchSteelMiddle = steel bench + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchSteelLeft = { ent-BenchSteelMiddle } + .suffix = Left + .desc = { ent-BenchSteelMiddle.desc } +ent-BenchSteelRight = { ent-BenchSteelMiddle } + .suffix = Right + .desc = { ent-BenchSteelMiddle.desc } +ent-BenchSteelWhiteMiddle = white steel bench + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchSteelWhiteLeft = { ent-BenchSteelWhiteMiddle } + .suffix = Left + .desc = { ent-BenchSteelWhiteMiddle.desc } +ent-BenchSteelWhiteRight = { ent-BenchSteelWhiteMiddle } + .suffix = Right + .desc = { ent-BenchSteelWhiteMiddle.desc } +ent-BenchSofaMiddle = sofa + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchSofaLeft = { ent-BenchSofaMiddle } + .suffix = Left + .desc = { ent-BenchSofaMiddle.desc } +ent-BenchSofaRight = { ent-BenchSofaMiddle } + .suffix = Right + .desc = { ent-BenchSofaMiddle.desc } +ent-BenchSofaCorner = sofa + .suffix = Corner + .desc = { "" } +ent-BenchSofaCorpMiddle = grey sofa + .desc = { ent-BenchBaseMiddle.desc } +ent-BenchSofaCorpLeft = { ent-BenchSofaCorpMiddle } + .suffix = Left + .desc = { ent-BenchSofaCorpMiddle.desc } +ent-BenchSofaCorpRight = { ent-BenchSofaCorpMiddle } + .suffix = Right + .desc = { ent-BenchSofaCorpMiddle.desc } +ent-BenchSofaCorpCorner = grey sofa + .suffix = Corner + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/borgs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/borgs.ftl new file mode 100644 index 00000000000..8e102f58df5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/borgs.ftl @@ -0,0 +1,2 @@ +ent-ActionViewLaws = View Laws + .desc = View the laws that you must follow. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/crit.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/crit.ftl new file mode 100644 index 00000000000..bfdbbcd2a16 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/crit.ftl @@ -0,0 +1,6 @@ +ent-ActionCritSuccumb = Succumb + .desc = Accept your fate. +ent-ActionCritFakeDeath = Fake Death + .desc = Pretend to take your final breath while staying alive. +ent-ActionCritLastWords = Say Last Words + .desc = Whisper your last words to anyone nearby, and then succumb to your fate. You only have 30 characters to work with. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/diona.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/diona.ftl new file mode 100644 index 00000000000..58dcfb8c8c2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/diona.ftl @@ -0,0 +1,4 @@ +ent-DionaGibAction = Gib Yourself! + .desc = Split apart into 3 nymphs. +ent-DionaReformAction = Reform + .desc = Reform back into a whole Diona. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/internals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/internals.ftl new file mode 100644 index 00000000000..3e141f718aa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/internals.ftl @@ -0,0 +1,2 @@ +ent-ActionToggleInternals = Toggle Internals + .desc = Breathe from the equipped gas tank. Also requires equipped breath mask. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/item_actions.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/item_actions.ftl new file mode 100644 index 00000000000..0215e8fb905 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/item_actions.ftl @@ -0,0 +1,3 @@ +ent-ItemActionExample = item action example + .desc = for testing item actions + .suffix = DEBUG diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/mech.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/mech.ftl new file mode 100644 index 00000000000..13245dd5186 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/mech.ftl @@ -0,0 +1,6 @@ +ent-ActionMechCycleEquipment = Cycle + .desc = Cycles currently selected equipment +ent-ActionMechOpenUI = Control Panel + .desc = Opens the control panel for the mech +ent-ActionMechEject = Eject + .desc = Ejects the pilot from the mech diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/ninja.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/ninja.ftl new file mode 100644 index 00000000000..23565b0aff2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/ninja.ftl @@ -0,0 +1,12 @@ +ent-ActionToggleNinjaGloves = Toggle ninja gloves + .desc = Toggles all glove actions on left click. Includes your doorjack, draining power, stunning enemies, downloading research and calling in a threat. +ent-ActionCreateThrowingStar = Create throwing star + .desc = Channels suit power into creating a throwing star that deals extra stamina damage. +ent-ActionRecallKatana = Recall katana + .desc = Teleports the Energy Katana linked to this suit to its wearer, cost based on distance. +ent-ActionNinjaEmp = EM Burst + .desc = Disable any nearby technology with an electro-magnetic pulse. +ent-ActionTogglePhaseCloak = Phase cloak + .desc = Toggles your suit's phase cloak. Beware that if you are hit, all abilities are disabled for 5 seconds, including your cloak! +ent-ActionEnergyKatanaDash = Katana dash + .desc = Teleport to anywhere you can see, if your Energy Katana is in your hand. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/polymorph.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/polymorph.ftl new file mode 100644 index 00000000000..93ca4b34eb8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/polymorph.ftl @@ -0,0 +1,4 @@ +ent-ActionRevertPolymorph = Revert + .desc = Revert back into your original form. +ent-ActionPolymorph = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/revenant.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/revenant.ftl new file mode 100644 index 00000000000..6526def39e7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/revenant.ftl @@ -0,0 +1,8 @@ +ent-ActionRevenantShop = Shop + .desc = Opens the ability shop. +ent-ActionRevenantDefile = Defile + .desc = Costs 30 Essence. +ent-ActionRevenantOverloadLights = Overload Lights + .desc = Costs 40 Essence. +ent-ActionRevenantMalfunction = Malfunction + .desc = Costs 60 Essence. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/speech.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/speech.ftl new file mode 100644 index 00000000000..261816c5bed --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/speech.ftl @@ -0,0 +1,2 @@ +ent-ActionConfigureMeleeSpeech = Set Battlecry + .desc = Set a custom battlecry for when you attack! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/spider.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/spider.ftl new file mode 100644 index 00000000000..f21ff4401a8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/spider.ftl @@ -0,0 +1,4 @@ +ent-ActionSpiderWeb = Spider Web + .desc = Spawns a web that slows your prey down. +ent-ActionSericulture = Weave silk + .desc = Weave a bit of silk for use in arts and crafts. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/actions/types.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/actions/types.ftl new file mode 100644 index 00000000000..70d8858d267 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/actions/types.ftl @@ -0,0 +1,52 @@ +ent-ActionScream = Scream + .desc = AAAAAAAAAAAAAAAAAAAAAAAAA +ent-ActionTurnUndead = Turn Undead + .desc = Succumb to your infection and become a zombie. +ent-ActionToggleLight = Toggle Light + .desc = Turn the light on and off. +ent-ActionOpenStorageImplant = Open Storage Implant + .desc = Opens the storage implant embedded under your skin +ent-ActionActivateMicroBomb = Activate Microbomb + .desc = Activates your internal microbomb, completely destroying you and your equipment +ent-ActionActivateDeathAcidifier = Activate Death-Acidifier + .desc = Activates your death-acidifier, completely melting you and your equipment +ent-ActionActivateFreedomImplant = Break Free + .desc = Activating your freedom implant will free you from any hand restraints +ent-ActionOpenUplinkImplant = Open Uplink + .desc = Opens the syndicate uplink embedded under your skin +ent-ActionActivateEmpImplant = Activate EMP + .desc = Triggers a small EMP pulse around you +ent-ActionActivateScramImplant = SCRAM! + .desc = Randomly teleports you within a large distance. +ent-ActionActivateDnaScramblerImplant = Scramble DNA + .desc = Randomly changes your name and appearance. +ent-ActionToggleSuitPiece = Toggle Suit Piece + .desc = Remember to equip the important pieces of your suit before going into action. +ent-ActionCombatModeToggle = [color=red]Combat Mode[/color] + .desc = Enter combat mode +ent-ActionCombatModeToggleOff = [color=red]Combat Mode[/color] + .desc = Enter combat mode +ent-ActionChangeVoiceMask = Set name + .desc = Change the name others hear to something else. +ent-ActionVendingThrow = Dispense Item + .desc = Randomly dispense an item from your stock. +ent-ActionArtifactActivate = Activate Artifact + .desc = Immediately activates your current artifact node. +ent-ActionToggleBlock = Block + .desc = Raise or lower your shield. +ent-ActionClearNetworkLinkOverlays = Clear network link overlays + .desc = Clear network link overlays. +ent-ActionAnimalLayEgg = Lay egg + .desc = Uses hunger to lay an egg. +ent-ActionSleep = Sleep + .desc = Go to sleep. +ent-ActionWake = Wake up + .desc = Stop sleeping. +ent-ActionActivateHonkImplant = Honk + .desc = Activates your honking implant, which will produce the signature sound of the clown. +ent-ActionFireStarter = Ignite + .desc = Ignites enemies in a radius around you. +ent-ActionToggleEyes = Open/Close eyes + .desc = Close your eyes to protect your peepers, or open your eyes to enjoy the pretty lights. +ent-ActionToggleWagging = action-name-toggle-wagging + .desc = action-description-toggle-wagging diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/human.ftl new file mode 100644 index 00000000000..daafef35e27 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/human.ftl @@ -0,0 +1,33 @@ +ent-BaseHumanOrgan = { ent-BaseItem } + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-OrganHumanBrain = brain + .desc = The source of incredible, unending intelligence. Honk. + .suffix = { "" } +ent-OrganHumanEyes = eyes + .desc = I see you! + .suffix = { "" } +ent-OrganHumanTongue = tongue + .desc = A fleshy muscle mostly used for lying. + .suffix = { "" } +ent-OrganHumanAppendix = appendix + .desc = { ent-BaseHumanOrgan.desc } + .suffix = { "" } +ent-OrganHumanEars = ears + .desc = There are three parts to the ear. Inner, middle and outer. Only one of these parts should normally be visible. + .suffix = { "" } +ent-OrganHumanLungs = lungs + .desc = Filters oxygen from an atmosphere, which is then sent into the bloodstream to be used as an electron carrier. + .suffix = { "" } +ent-OrganHumanHeart = heart + .desc = I feel bad for the heartless bastard who lost this. + .suffix = { "" } +ent-OrganHumanStomach = stomach + .desc = Gross. This is hard to stomach. + .suffix = { "" } +ent-OrganHumanLiver = liver + .desc = Pairing suggestion: chianti and fava beans. + .suffix = { "" } +ent-OrganHumanKidneys = kidneys + .desc = Filters toxins from the bloodstream. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/rat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/rat.ftl new file mode 100644 index 00000000000..ddf35dfc7bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/rat.ftl @@ -0,0 +1,6 @@ +ent-OrganRatLungs = { ent-OrganHumanLungs } + .suffix = rat + .desc = { ent-OrganHumanLungs.desc } +ent-OrganRatStomach = { ent-OrganAnimalStomach } + .suffix = rat + .desc = { ent-OrganAnimalStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/reptilian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/reptilian.ftl new file mode 100644 index 00000000000..93e3ce09707 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/reptilian.ftl @@ -0,0 +1,3 @@ +ent-OrganReptilianStomach = { ent-OrganAnimalStomach } + .desc = { ent-OrganAnimalStomach.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/slime.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/slime.ftl new file mode 100644 index 00000000000..f0060b6d3b7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/slime.ftl @@ -0,0 +1,6 @@ +ent-SentientSlimeCore = sentient slime core + .desc = The source of incredible, unending gooeyness. + .suffix = { "" } +ent-OrganSlimeLungs = slime gas sacs + .desc = Collects nitrogen, which slime cells use for maintenance. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/tests.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/tests.ftl new file mode 100644 index 00000000000..d64efcaa7ae --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/tests.ftl @@ -0,0 +1,6 @@ +ent-MechanismEMPStriker = EMP striker + .desc = When activated, this arm implant will apply a small EMP on the target of a physical strike for 10 watts per use. + .suffix = { "" } +ent-MechanismHonkModule = HONK module 3000 + .desc = Mandatory implant for all clowns after the Genevo Convention of 2459. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/vox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/vox.ftl new file mode 100644 index 00000000000..e6bbd055ec9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/mechanisms/vox.ftl @@ -0,0 +1,3 @@ +ent-OrganVoxLungs = { ent-OrganHumanLungs } + .suffix = vox + .desc = { ent-OrganHumanLungs.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal.ftl new file mode 100644 index 00000000000..8cd7df4a95f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal.ftl @@ -0,0 +1,12 @@ +ent-BaseAnimalOrgan = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-OrganAnimalLungs = lungs + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalStomach = stomach + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalLiver = liver + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalHeart = heart + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalKidneys = kidneys + .desc = { ent-BaseAnimalOrgan.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/animal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/animal.ftl new file mode 100644 index 00000000000..59a05cca9c1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/animal.ftl @@ -0,0 +1,16 @@ +ent-BaseAnimalOrganUnGibbable = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseAnimalOrgan = { ent-BaseAnimalOrganUnGibbable } + .desc = { ent-BaseAnimalOrganUnGibbable.desc } +ent-OrganAnimalLungs = lungs + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalStomach = stomach + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganMouseStomach = stomach + .desc = { ent-OrganAnimalStomach.desc } +ent-OrganAnimalLiver = liver + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalHeart = heart + .desc = { ent-BaseAnimalOrgan.desc } +ent-OrganAnimalKidneys = kidneys + .desc = { ent-BaseAnimalOrgan.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/bloodsucker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/bloodsucker.ftl new file mode 100644 index 00000000000..ebade1790c3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/bloodsucker.ftl @@ -0,0 +1,6 @@ +ent-OrganBloodsuckerStomach = stomach + .desc = { ent-OrganAnimalStomach.desc } +ent-OrganBloodsuckerLiver = liver + .desc = { ent-OrganAnimalLiver.desc } +ent-OrganBloodsuckerHeart = heart + .desc = { ent-OrganAnimalHeart.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/ruminant.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/ruminant.ftl new file mode 100644 index 00000000000..6daae380152 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/ruminant.ftl @@ -0,0 +1,2 @@ +ent-OrganAnimalRuminantStomach = ruminant stomach + .desc = { ent-OrganAnimalStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/slimes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/slimes.ftl new file mode 100644 index 00000000000..16a91bd0a47 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/animal/slimes.ftl @@ -0,0 +1,4 @@ +ent-SentientSlimesCore = sentient slimes core + .desc = The source of incredible, unending gooeyness. +ent-OrganSlimesLungs = slimes gas sacs + .desc = Collects nitrogen, which slime cells use for maintenance. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/arachnid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/arachnid.ftl new file mode 100644 index 00000000000..4c63dd7fe19 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/arachnid.ftl @@ -0,0 +1,16 @@ +ent-BaseArachnidOrgan = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-OrganArachnidStomach = stomach + .desc = Gross. This is hard to stomach. +ent-OrganArachnidLungs = lungs + .desc = Filters oxygen from an atmosphere... just more greedily. +ent-OrganArachnidHeart = heart + .desc = A disgustingly persistent little biological pump made for spiders. +ent-OrganArachnidLiver = liver + .desc = Pairing suggestion: chianti and fava beans. +ent-OrganArachnidKidneys = kidneys + .desc = Filters toxins from the bloodstream. +ent-OrganArachnidEyes = eyes + .desc = Two was already too many. +ent-OrganArachnidTongue = tongue + .desc = A fleshy muscle mostly used for lying. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/diona.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/diona.ftl new file mode 100644 index 00000000000..3067adaf929 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/diona.ftl @@ -0,0 +1,25 @@ +ent-BaseDionaOrgan = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-OrganDionaBrain = brain + .desc = The source of incredible, unending intelligence. Honk. +ent-OrganDionaEyes = eyes + .desc = I see you! +ent-OrganDionaStomach = stomach + .desc = Gross. This is hard to stomach. +ent-OrganDionaLungs = lungs + .desc = Filters oxygen from an atmosphere, which is then sent into the bloodstream to be used as an electron carrier. +ent-OrganDionaBrainNymph = brain + .desc = The source of incredible, unending intelligence. Honk. +ent-OrganDionaStomachNymph = stomach + .desc = Gross. This is hard to stomach. +ent-OrganDionaLungsNymph = lungs + .desc = Filters oxygen from an atmosphere, which is then sent into the bloodstream to be used as an electron carrier. +ent-OrganDionaNymphBrain = diona nymph + .desc = Contains the brain of a formerly fully-formed Diona. Killing this would kill the Diona forever. You monster. + .suffix = Brain +ent-OrganDionaNymphStomach = diona nymph + .desc = Contains the stomach of a formerly fully-formed Diona. It doesn't taste any better for it. + .suffix = Stomach +ent-OrganDionaNymphLungs = diona nymph + .desc = Contains the lungs of a formerly fully-formed Diona. Breathtaking. + .suffix = Lungs diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/dwarf.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/dwarf.ftl new file mode 100644 index 00000000000..84962bacc31 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/dwarf.ftl @@ -0,0 +1,6 @@ +ent-OrganDwarfHeart = dwarf heart + .desc = { ent-OrganHumanHeart.desc } +ent-OrganDwarfLiver = dwarf liver + .desc = { ent-OrganHumanLiver.desc } +ent-OrganDwarfStomach = dwarf stomach + .desc = { ent-OrganHumanStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/human.ftl new file mode 100644 index 00000000000..3fd9e92d250 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/human.ftl @@ -0,0 +1,24 @@ +ent-BaseHumanOrganUnGibbable = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseHumanOrgan = { ent-BaseHumanOrganUnGibbable } + .desc = { ent-BaseHumanOrganUnGibbable.desc } +ent-OrganHumanBrain = brain + .desc = The source of incredible, unending intelligence. Honk. +ent-OrganHumanEyes = eyes + .desc = I see you! +ent-OrganHumanTongue = tongue + .desc = A fleshy muscle mostly used for lying. +ent-OrganHumanAppendix = appendix + .desc = { ent-BaseHumanOrgan.desc } +ent-OrganHumanEars = ears + .desc = There are three parts to the ear. Inner, middle and outer. Only one of these parts should normally be visible. +ent-OrganHumanLungs = lungs + .desc = Filters oxygen from an atmosphere, which is then sent into the bloodstream to be used as an electron carrier. +ent-OrganHumanHeart = heart + .desc = I feel bad for the heartless bastard who lost this. +ent-OrganHumanStomach = stomach + .desc = Gross. This is hard to stomach. +ent-OrganHumanLiver = liver + .desc = Pairing suggestion: chianti and fava beans. +ent-OrganHumanKidneys = kidneys + .desc = Filters toxins from the bloodstream. 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 new file mode 100644 index 00000000000..8137227df8a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/moth.ftl @@ -0,0 +1,2 @@ +ent-OrganMothStomach = { ent-OrganAnimalStomach } + .desc = { ent-OrganAnimalStomachOrganHumanStomach.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/rat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/rat.ftl new file mode 100644 index 00000000000..ddf35dfc7bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/rat.ftl @@ -0,0 +1,6 @@ +ent-OrganRatLungs = { ent-OrganHumanLungs } + .suffix = rat + .desc = { ent-OrganHumanLungs.desc } +ent-OrganRatStomach = { ent-OrganAnimalStomach } + .suffix = rat + .desc = { ent-OrganAnimalStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/reptilian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/reptilian.ftl new file mode 100644 index 00000000000..c37375698d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/reptilian.ftl @@ -0,0 +1,2 @@ +ent-OrganReptilianStomach = { ent-OrganAnimalStomach } + .desc = { ent-OrganAnimalStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/slime.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/slime.ftl new file mode 100644 index 00000000000..38f7d18dda2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/slime.ftl @@ -0,0 +1,4 @@ +ent-SentientSlimeCore = sentient slime core + .desc = The source of incredible, unending gooeyness. +ent-OrganSlimeLungs = slime gas sacs + .desc = Collects nitrogen, which slime cells use for maintenance. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/vox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/vox.ftl new file mode 100644 index 00000000000..e6bbd055ec9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/organs/vox.ftl @@ -0,0 +1,3 @@ +ent-OrganVoxLungs = { ent-OrganHumanLungs } + .suffix = vox + .desc = { ent-OrganHumanLungs.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/animal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/animal.ftl new file mode 100644 index 00000000000..d3bfa49cf04 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/animal.ftl @@ -0,0 +1,10 @@ +ent-PartAnimal = animal body part + .desc = { ent-BaseItem.desc } +ent-HandsAnimal = animal hands + .desc = { ent-PartAnimal.desc } +ent-LegsAnimal = animal legs + .desc = { ent-PartAnimal.desc } +ent-FeetAnimal = animal feet + .desc = { ent-PartAnimal.desc } +ent-TorsoAnimal = animal torso + .desc = { ent-PartAnimal.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 new file mode 100644 index 00000000000..acf9788f892 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/arachnid.ftl @@ -0,0 +1,22 @@ +ent-PartArachnid = arachnid body part + .desc = { ent-BasePart.desc } +ent-TorsoArachnid = arachnid torso + .desc = { ent-BaseTorso.desc } +ent-HeadArachnid = arachnid head + .desc = { ent-BaseHead.desc } +ent-LeftArmArachnid = left arachnid arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmArachnid = right arachnid arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandArachnid = left arachnid hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandArachnid = right arachnid hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegArachnid = left arachnid leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegArachnid = right arachnid leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootArachnid = left arachnid foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootArachnid = right arachnid foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/base.ftl new file mode 100644 index 00000000000..59dbc3ee095 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/base.ftl @@ -0,0 +1,22 @@ +ent-BasePart = body part + .desc = { ent-BaseItem.desc } +ent-BaseTorso = torso + .desc = { ent-BasePart.desc } +ent-BaseHead = head + .desc = { ent-BasePart.desc } +ent-BaseLeftArm = left arm + .desc = { ent-BasePart.desc } +ent-BaseRightArm = right arm + .desc = { ent-BasePart.desc } +ent-BaseLeftHand = left hand + .desc = { ent-BasePart.desc } +ent-BaseRightHand = right hand + .desc = { ent-BasePart.desc } +ent-BaseLeftLeg = left leg + .desc = { ent-BasePart.desc } +ent-BaseRightLeg = right leg + .desc = { ent-BasePart.desc } +ent-BaseLeftFoot = left foot + .desc = { ent-BasePart.desc } +ent-BaseRightFoot = right foot + .desc = { ent-BasePart.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 new file mode 100644 index 00000000000..1d191488436 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/diona.ftl @@ -0,0 +1,22 @@ +ent-PartDiona = diona body part + .desc = { ent-BasePart.desc } +ent-TorsoDiona = diona torso + .desc = { ent-BaseTorso.desc } +ent-HeadDiona = diona head + .desc = { ent-BaseHead.desc } +ent-LeftArmDiona = left diona arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmDiona = right diona arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandDiona = left diona hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandDiona = right diona hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegDiona = left diona leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegDiona = right diona leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootDiona = left diona foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootDiona = right diona foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file 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 new file mode 100644 index 00000000000..c2f1aa0a3e0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/gingerbread.ftl @@ -0,0 +1,22 @@ +ent-PartGingerbread = gingerbead body part + .desc = { ent-BasePart.desc } +ent-TorsoGingerbread = gingerbread torso + .desc = { ent-BaseTorso.desc } +ent-HeadGingerbread = gingerbread head + .desc = { ent-BaseHead.desc } +ent-LeftArmGingerbread = left gingerbread arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmGingerbread = right gingerbread arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandGingerbread = left gingerbread hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandGingerbread = right gingerbread hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegGingerbread = left gingerbread leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegGingerbread = right gingerbread leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootGingerbread = left gingerbread foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootGingerbread = right gingerbread foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file 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 new file mode 100644 index 00000000000..972e1c89848 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/human.ftl @@ -0,0 +1,22 @@ +ent-PartHuman = human body part + .desc = { ent-BasePart.desc } +ent-TorsoHuman = human torso + .desc = { ent-BaseTorso.desc } +ent-HeadHuman = human head + .desc = { ent-BaseHead.desc } +ent-LeftArmHuman = left human arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmHuman = right human arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandHuman = left human hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandHuman = right human hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegHuman = left human leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegHuman = right human leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootHuman = left human foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootHuman = right human foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file 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 new file mode 100644 index 00000000000..67948d4868e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/moth.ftl @@ -0,0 +1,22 @@ +ent-PartMoth = moth body part + .desc = { ent-BasePart.desc } +ent-TorsoMoth = moth torso + .desc = { ent-BaseTorso.desc } +ent-HeadMoth = moth head + .desc = { ent-BaseHead.desc } +ent-LeftArmMoth = left moth arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmMoth = right moth arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandMoth = left moth hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandMoth = right moth hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegMoth = left moth leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegMoth = right moth leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootMoth = left moth foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootMoth = right moth foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/rat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/rat.ftl new file mode 100644 index 00000000000..75b76ffc853 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/rat.ftl @@ -0,0 +1,2 @@ +ent-TorsoRat = animal torso + .desc = { ent-PartAnimal.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 new file mode 100644 index 00000000000..b2faffe0cd5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/reptilian.ftl @@ -0,0 +1,22 @@ +ent-PartReptilian = reptilian body part + .desc = { ent-BasePart.desc } +ent-TorsoReptilian = reptilian torso + .desc = { ent-BaseTorso.desc } +ent-HeadReptilian = reptilian head + .desc = { ent-BaseHead.desc } +ent-LeftArmReptilian = left reptilian arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmReptilian = right reptilian arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandReptilian = left reptilian hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandReptilian = right reptilian hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegReptilian = left reptilian leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegReptilian = right reptilian leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootReptilian = left reptilian foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootReptilian = right reptilian foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/silicon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/silicon.ftl new file mode 100644 index 00000000000..51a756ee267 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/silicon.ftl @@ -0,0 +1,14 @@ +ent-PartSilicon = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseBorgArmLeft = left cyborg arm + .desc = { ent-PartSilicon.desc } +ent-BaseBorgArmRight = right cyborg arm + .desc = { ent-PartSilicon.desc } +ent-BaseBorgLegLeft = left cyborg leg + .desc = { ent-PartSilicon.desc } +ent-BaseBorgLegRight = right cyborg leg + .desc = { ent-PartSilicon.desc } +ent-BaseBorgHead = cyborg head + .desc = { ent-PartSilicon.desc } +ent-BaseBorgTorso = cyborg torso + .desc = { ent-PartSilicon.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/skeleton.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/skeleton.ftl new file mode 100644 index 00000000000..6286e3d8fac --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/skeleton.ftl @@ -0,0 +1,22 @@ +ent-PartSkeleton = skeleton body part + .desc = { ent-BaseItem.desc } +ent-TorsoSkeleton = skeleton torso + .desc = { ent-PartSkeleton.desc } +ent-HeadSkeleton = skull + .desc = Alas poor Yorick... +ent-LeftArmSkeleton = left skeleton arm + .desc = { ent-PartSkeleton.desc } +ent-RightArmSkeleton = right skeleton arm + .desc = { ent-PartSkeleton.desc } +ent-LeftHandSkeleton = left skeleton hand + .desc = { ent-PartSkeleton.desc } +ent-RightHandSkeleton = right skeleton hand + .desc = { ent-PartSkeleton.desc } +ent-LeftLegSkeleton = left skeleton leg + .desc = { ent-PartSkeleton.desc } +ent-RightLegSkeleton = right skeleton leg + .desc = { ent-PartSkeleton.desc } +ent-LeftFootSkeleton = left skeleton foot + .desc = { ent-PartSkeleton.desc } +ent-RightFootSkeleton = right skeleton foot + .desc = { ent-PartSkeleton.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 new file mode 100644 index 00000000000..442a2457db1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/slime.ftl @@ -0,0 +1,22 @@ +ent-PartSlime = slime body part + .desc = { ent-BasePart.desc } +ent-TorsoSlime = slime torso + .desc = { ent-BaseTorso.desc } +ent-HeadSlime = slime head + .desc = { ent-BaseHead.desc } +ent-LeftArmSlime = left slime arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmSlime = right slime arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandSlime = left slime hand + .desc = { ent-BaseLeftHand.desc } +ent-RightHandSlime = right slime hand + .desc = { ent-BaseRightHand.desc } +ent-LeftLegSlime = left slime leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegSlime = right slime leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootSlime = left slime foot + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootSlime = right slime foot + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/terminator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/terminator.ftl new file mode 100644 index 00000000000..0e26c85cbc7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/terminator.ftl @@ -0,0 +1,22 @@ +ent-PartTerminator = nt-800 body part + .desc = { ent-BaseItem.desc } +ent-TorsoTerminator = nt-800 torso + .desc = { ent-PartTerminator.desc } +ent-HeadTerminator = nt-800 skull + .desc = Its red eyes have powered down... for now. +ent-LeftArmTerminator = left nt-800 arm + .desc = { ent-PartTerminator.desc } +ent-RightArmTerminator = right nt-800 arm + .desc = { ent-PartTerminator.desc } +ent-LeftHandTerminator = left nt-800 hand + .desc = { ent-PartTerminator.desc } +ent-RightHandTerminator = right nt-800 hand + .desc = { ent-PartTerminator.desc } +ent-LeftLegTerminator = left nt-800 leg + .desc = { ent-PartTerminator.desc } +ent-RightLegTerminator = right nt-800 leg + .desc = { ent-PartTerminator.desc } +ent-LeftFootTerminator = left nt-800 foot + .desc = { ent-PartTerminator.desc } +ent-RightFootTerminator = right nt-800 foot + .desc = { ent-PartTerminator.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/vox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/vox.ftl new file mode 100644 index 00000000000..bb2f77e1622 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/body/parts/vox.ftl @@ -0,0 +1,22 @@ +ent-PartVox = vox body part + .desc = { ent-BaseItem.desc } +ent-TorsoVox = vox torso + .desc = { ent-PartVox.desc } +ent-HeadVox = vox head + .desc = { ent-PartVox.desc } +ent-LeftArmVox = left vox arm + .desc = { ent-PartVox.desc } +ent-RightArmVox = right vox arm + .desc = { ent-PartVox.desc } +ent-LeftHandVox = left vox hand + .desc = { ent-PartVox.desc } +ent-RightHandVox = right vox hand + .desc = { ent-PartVox.desc } +ent-LeftLegVox = left vox leg + .desc = { ent-PartVox.desc } +ent-RightLegVox = right vox leg + .desc = { ent-PartVox.desc } +ent-LeftFootVox = left vox foot + .desc = { ent-PartVox.desc } +ent-RightFootVox = right vox foot + .desc = { ent-PartVox.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/duffelbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/duffelbag.ftl new file mode 100644 index 00000000000..f7241e97668 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/duffelbag.ftl @@ -0,0 +1,52 @@ +ent-ClothingBackpackDuffelSurgeryFilled = surgical duffel bag + .desc = A large duffel bag for holding extra medical supplies - this one seems to be designed for holding surgical tools. +ent-ClothingBackpackDuffelCBURNFilled = { ent-ClothingBackpackDuffelCBURN } + .suffix = Filled + .desc = { ent-ClothingBackpackDuffelCBURN.desc } +ent-ClothingBackpackDuffelSyndicateFilledMedical = syndicate surgical duffel bag + .desc = A large duffel bag containing a full suite of surgical tools. +ent-ClothingBackpackDuffelSyndicateFilledShotgun = Bulldog bundle + .desc = Lean and mean: Contains the popular Bulldog Shotgun, a 12g beanbag drum and 3 12g buckshot drums. +ent-ClothingBackpackDuffelSyndicateFilledSMG = C-20r bundle + .desc = Old faithful: The classic C-20r Submachine Gun, bundled with three magazines. +ent-ClothingBackpackDuffelSyndicateFilledRevolver = Python bundle + .desc = Go loud and proud with a fully loaded Magnum Python, bundled with two speed loaders. +ent-ClothingBackpackDuffelSyndicateFilledLMG = L6 Saw bundle + .desc = More dakka: The iconic L6 lightmachinegun, bundled with 2 box magazines. +ent-ClothingBackpackDuffelSyndicateFilledGrenadeLauncher = China-Lake bundle + .desc = An old China-Lake grenade launcher bundled with 11 rounds of various destruction capability. +ent-ClothingBackpackDuffelSyndicateFilledCarbine = M-90gl bundle + .desc = A versatile battle rifle with an attached grenade launcher, bundled with 3 magazines and 6 grenades of various capabilities. +ent-ClothingBackpackDuffelSyndicateAmmoFilled = ammo bundle + .desc = Reloading! Contains 4 magazines for the C-20r, 4 drums for the Bulldog, and 2 ammo boxes for the L6 SAW. +ent-ClothingBackpackDuffelSyndicateCostumeCentcom = CentCom official costume duffel bag + .desc = Contains a full CentCom Official uniform set, headset and clipboard included. Encryption keys and ID access are not included. + .suffix = DO NOT MAP +ent-ClothingBackpackDuffelSyndicateCostumeClown = { ent-ClothingBackpackDuffelClown } + .suffix = syndicate + .desc = { ent-ClothingBackpackDuffelClown.desc } +ent-ClothingBackpackDuffelSyndicateCarpSuit = carp suit duffel bag + .desc = Contains a carp suit and some friends to play with. +ent-ClothingBackpackDuffelSyndicatePyjamaBundle = syndicate pyjama duffel bag + .desc = Contains 3 pairs of syndicate pyjamas and 3 plushies for the ultimate sleepover. +ent-ClothingBackpackDuffelSyndicateC4tBundle = syndicate C-4 bundle + .desc = Contains a lot of C-4 charges. +ent-ClothingBackpackChameleonFill = { ent-ClothingBackpackChameleon } + .suffix = Fill, Chameleon + .desc = { ent-ClothingBackpackChameleon.desc } +ent-ClothingBackpackDuffelSyndicateEVABundle = syndicate EVA bundle + .desc = Contains the Syndicate approved EVA suit. +ent-ClothingBackpackDuffelSyndicateHardsuitBundle = syndicate hardsuit bundle + .desc = Contains the Syndicate's signature blood red hardsuit. +ent-ClothingBackpackDuffelSyndicateEliteHardsuitBundle = syndicate elite hardsuit bundle + .desc = Contains the Syndicate's elite hardsuit, which comes with some more stuff in it. +ent-ClothingBackpackDuffelSyndicateHardsuitExtrasBundle = syndicate hardsuit extras bundle + .desc = Contains stuff that you will absolutely want to have when purchasing a hardsuit. +ent-ClothingBackpackDuffelZombieBundle = syndicate zombie bundle + .desc = An all-in-one kit for unleashing the undead upon a station. +ent-ClothingBackpackDuffelSyndicateOperative = operative duffelbag + .desc = { ent-ClothingBackpackDuffelSyndicateBundle.desc } +ent-ClothingBackpackDuffelSyndicateOperativeMedic = operative medic duffelbag + .desc = A large duffel bag for holding extra medical supplies. +ent-ClothingBackpackDuffelSyndicateMedicalBundleFilled = medical bundle + .desc = All you need to get your comrades back in the fight. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/backpack.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/backpack.ftl new file mode 100644 index 00000000000..16563a2395f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/backpack.ftl @@ -0,0 +1,20 @@ +ent-ClothingBackpackFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackClownFilled = { ent-ClothingBackpackClown } + .desc = { ent-ClothingBackpackClown.desc } +ent-ClothingBackpackSecurityFilled = { ent-ClothingBackpackSecurity } + .desc = { ent-ClothingBackpackSecurity.desc } +ent-ClothingBackpackMedicalFilled = { ent-ClothingBackpackMedical } + .desc = { ent-ClothingBackpackMedical.desc } +ent-ClothingBackpackCaptainFilled = { ent-ClothingBackpackCaptain } + .desc = { ent-ClothingBackpackCaptain.desc } +ent-ClothingBackpackEngineeringFilled = { ent-ClothingBackpackEngineering } + .desc = { ent-ClothingBackpackEngineering.desc } +ent-ClothingBackpackScienceFilled = { ent-ClothingBackpackScience } + .desc = { ent-ClothingBackpackScience.desc } +ent-ClothingBackpackHydroponicsFilled = { ent-ClothingBackpackHydroponics } + .desc = { ent-ClothingBackpackHydroponics.desc } +ent-ClothingBackpackMimeFilled = { ent-ClothingBackpackMime } + .desc = { ent-ClothingBackpackMime.desc } +ent-ClothingBackpackChemistryFilled = { ent-ClothingBackpackChemistry } + .desc = { ent-ClothingBackpackChemistry.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/duffelbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/duffelbag.ftl new file mode 100644 index 00000000000..54a3cc3655a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/duffelbag.ftl @@ -0,0 +1,18 @@ +ent-ClothingBackpackDuffelFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelClownFilled = { ent-ClothingBackpackDuffelClown } + .desc = { ent-ClothingBackpackDuffelClown.desc } +ent-ClothingBackpackDuffelSecurityFilled = { ent-ClothingBackpackDuffelSecurity } + .desc = { ent-ClothingBackpackDuffelSecurity.desc } +ent-ClothingBackpackDuffelMedicalFilled = { ent-ClothingBackpackDuffelMedical } + .desc = { ent-ClothingBackpackDuffelMedical.desc } +ent-ClothingBackpackDuffelCaptainFilled = { ent-ClothingBackpackDuffelCaptain } + .desc = { ent-ClothingBackpackDuffelCaptain.desc } +ent-ClothingBackpackDuffelEngineeringFilled = { ent-ClothingBackpackDuffelEngineering } + .desc = { ent-ClothingBackpackDuffelEngineering.desc } +ent-ClothingBackpackDuffelScienceFilled = { ent-ClothingBackpackDuffelScience } + .desc = { ent-ClothingBackpackDuffelScience.desc } +ent-ClothingBackpackDuffelMimeFilled = { ent-ClothingBackpackDuffelMime } + .desc = { ent-ClothingBackpackDuffelMime.desc } +ent-ClothingBackpackDuffelChemistryFilled = { ent-ClothingBackpackDuffelChemistry } + .desc = { ent-ClothingBackpackDuffelChemistry.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/satchel.ftl new file mode 100644 index 00000000000..380253d7a3b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/starter gear/satchel.ftl @@ -0,0 +1,16 @@ +ent-ClothingBackpackSatchelFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelSecurityFilled = { ent-ClothingBackpackSatchelSecurity } + .desc = { ent-ClothingBackpackSatchelSecurity.desc } +ent-ClothingBackpackSatchelMedicalFilled = { ent-ClothingBackpackSatchelMedical } + .desc = { ent-ClothingBackpackSatchelMedical.desc } +ent-ClothingBackpackSatchelCaptainFilled = { ent-ClothingBackpackSatchelCaptain } + .desc = { ent-ClothingBackpackSatchelCaptain.desc } +ent-ClothingBackpackSatchelEngineeringFilled = { ent-ClothingBackpackSatchelEngineering } + .desc = { ent-ClothingBackpackSatchelEngineering.desc } +ent-ClothingBackpackSatchelScienceFilled = { ent-ClothingBackpackSatchelScience } + .desc = { ent-ClothingBackpackSatchelScience.desc } +ent-ClothingBackpackSatchelHydroponicsFilled = { ent-ClothingBackpackSatchelHydroponics } + .desc = { ent-ClothingBackpackSatchelHydroponics.desc } +ent-ClothingBackpackSatchelChemistryFilled = { ent-ClothingBackpackSatchelChemistry } + .desc = { ent-ClothingBackpackSatchelChemistry.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/backpack.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/backpack.ftl new file mode 100644 index 00000000000..4b622764dab --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/backpack.ftl @@ -0,0 +1,67 @@ +ent-ClothingBackpackFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackClownFilled = { ent-ClothingBackpackClown } + .desc = { ent-ClothingBackpackClown.desc } +ent-ClothingBackpackSecurityFilled = { ent-ClothingBackpackSecurity } + .desc = { ent-ClothingBackpackSecurity.desc } +ent-ClothingBackpackFilledDetective = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackMedicalFilled = { ent-ClothingBackpackMedical } + .desc = { ent-ClothingBackpackMedical.desc } +ent-ClothingBackpackParamedicFilled = { ent-ClothingBackpackMedical } + .desc = { ent-ClothingBackpackMedical.desc } +ent-ClothingBackpackCaptainFilled = { ent-ClothingBackpackCaptain } + .desc = { ent-ClothingBackpackCaptain.desc } +ent-ClothingBackpackChiefEngineerFilled = { ent-ClothingBackpackEngineering } + .desc = { ent-ClothingBackpackEngineering.desc } +ent-ClothingBackpackResearchDirectorFilled = { ent-ClothingBackpackScience } + .desc = { ent-ClothingBackpackScience.desc } +ent-ClothingBackpackHOPFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackCMOFilled = { ent-ClothingBackpackMedical } + .desc = { ent-ClothingBackpackMedical.desc } +ent-ClothingBackpackQuartermasterFilled = { ent-ClothingBackpackCargo } + .desc = { ent-ClothingBackpackCargo.desc } +ent-ClothingBackpackHOSFilled = { ent-ClothingBackpackSecurity } + .desc = { ent-ClothingBackpackSecurity.desc } +ent-ClothingBackpackEngineeringFilled = { ent-ClothingBackpackEngineering } + .desc = { ent-ClothingBackpackEngineering.desc } +ent-ClothingBackpackAtmosphericsFilled = { ent-ClothingBackpackAtmospherics } + .desc = { ent-ClothingBackpackAtmospherics.desc } +ent-ClothingBackpackScienceFilled = { ent-ClothingBackpackScience } + .desc = { ent-ClothingBackpackScience.desc } +ent-ClothingBackpackHydroponicsFilled = { ent-ClothingBackpackHydroponics } + .desc = { ent-ClothingBackpackHydroponics.desc } +ent-ClothingBackpackMimeFilled = { ent-ClothingBackpackMime } + .desc = { ent-ClothingBackpackMime.desc } +ent-ClothingBackpackChemistryFilled = { ent-ClothingBackpackChemistry } + .desc = { ent-ClothingBackpackChemistry.desc } +ent-ClothingBackpackChaplainFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackMusicianFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackLibrarianFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackDetectiveFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackERTLeaderFilled = { ent-ClothingBackpackERTLeader } + .desc = { ent-ClothingBackpackERTLeader.desc } +ent-ClothingBackpackERTSecurityFilled = { ent-ClothingBackpackERTSecurity } + .desc = { ent-ClothingBackpackERTSecurity.desc } +ent-ClothingBackpackERTMedicalFilled = { ent-ClothingBackpackERTMedical } + .desc = { ent-ClothingBackpackERTMedical.desc } +ent-ClothingBackpackERTEngineerFilled = { ent-ClothingBackpackERTEngineer } + .desc = { ent-ClothingBackpackERTEngineer.desc } +ent-ClothingBackpackERTJanitorFilled = { ent-ClothingBackpackERTJanitor } + .desc = { ent-ClothingBackpackERTJanitor.desc } +ent-ClothingBackpackDeathSquadFilled = death squad backpack + .desc = Holds the kit of CentComm's most feared agents. +ent-ClothingBackpackCargoFilled = { ent-ClothingBackpackCargo } + .desc = { ent-ClothingBackpackCargo.desc } +ent-ClothingBackpackSalvageFilled = { ent-ClothingBackpackSalvage } + .desc = { ent-ClothingBackpackSalvage.desc } +ent-ClothingBackpackPirateFilled = { ent-ClothingBackpackSatchelLeather } + .suffix = Filled, Pirate + .desc = { ent-ClothingBackpackSatchelLeather.desc } +ent-ClothingBackpackBrigmedicFilled = { ent-ClothingBackpackBrigmedic } + .desc = { ent-ClothingBackpackBrigmedic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/duffelbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/duffelbag.ftl new file mode 100644 index 00000000000..7e724fa9020 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/duffelbag.ftl @@ -0,0 +1,52 @@ +ent-ClothingBackpackDuffelFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelClownFilled = { ent-ClothingBackpackDuffelClown } + .desc = { ent-ClothingBackpackDuffelClown.desc } +ent-ClothingBackpackDuffelSecurityFilled = { ent-ClothingBackpackDuffelSecurity } + .desc = { ent-ClothingBackpackDuffelSecurity.desc } +ent-ClothingBackpackDuffelFilledDetective = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelBrigmedicFilled = { ent-ClothingBackpackDuffelBrigmedic } + .desc = { ent-ClothingBackpackDuffelBrigmedic.desc } +ent-ClothingBackpackDuffelMedicalFilled = { ent-ClothingBackpackDuffelMedical } + .desc = { ent-ClothingBackpackDuffelMedical.desc } +ent-ClothingBackpackDuffelParamedicFilled = { ent-ClothingBackpackDuffelMedical } + .desc = { ent-ClothingBackpackDuffelMedical.desc } +ent-ClothingBackpackDuffelCaptainFilled = { ent-ClothingBackpackDuffelCaptain } + .desc = { ent-ClothingBackpackDuffelCaptain.desc } +ent-ClothingBackpackDuffelChiefEngineerFilled = { ent-ClothingBackpackDuffelEngineering } + .desc = { ent-ClothingBackpackDuffelEngineering.desc } +ent-ClothingBackpackDuffelResearchDirectorFilled = { ent-ClothingBackpackDuffelScience } + .desc = { ent-ClothingBackpackDuffelScience.desc } +ent-ClothingBackpackDuffelHOPFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelCMOFilled = { ent-ClothingBackpackDuffelMedical } + .desc = { ent-ClothingBackpackDuffelMedical.desc } +ent-ClothingBackpackDuffelQuartermasterFilled = { ent-ClothingBackpackDuffelCargo } + .desc = { ent-ClothingBackpackDuffelCargo.desc } +ent-ClothingBackpackDuffelHOSFilled = { ent-ClothingBackpackDuffelSecurity } + .desc = { ent-ClothingBackpackDuffelSecurity.desc } +ent-ClothingBackpackDuffelEngineeringFilled = { ent-ClothingBackpackDuffelEngineering } + .desc = { ent-ClothingBackpackDuffelEngineering.desc } +ent-ClothingBackpackDuffelAtmosphericsFilled = { ent-ClothingBackpackDuffelAtmospherics } + .desc = { ent-ClothingBackpackDuffelAtmospherics.desc } +ent-ClothingBackpackDuffelScienceFilled = { ent-ClothingBackpackDuffelScience } + .desc = { ent-ClothingBackpackDuffelScience.desc } +ent-ClothingBackpackDuffelHydroponicsFilled = { ent-ClothingBackpackDuffelHydroponics } + .desc = { ent-ClothingBackpackDuffelHydroponics.desc } +ent-ClothingBackpackDuffelMimeFilled = { ent-ClothingBackpackDuffelMime } + .desc = { ent-ClothingBackpackDuffelMime.desc } +ent-ClothingBackpackDuffelChemistryFilled = { ent-ClothingBackpackDuffelChemistry } + .desc = { ent-ClothingBackpackDuffelChemistry.desc } +ent-ClothingBackpackDuffelChaplainFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelMusicianFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelLibrarianFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelDetectiveFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelCargoFilled = { ent-ClothingBackpackDuffelCargo } + .desc = { ent-ClothingBackpackDuffelCargo.desc } +ent-ClothingBackpackDuffelSalvageFilled = { ent-ClothingBackpackDuffelSalvage } + .desc = { ent-ClothingBackpackDuffelSalvage.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/satchel.ftl new file mode 100644 index 00000000000..60aedc0f060 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/backpacks/startergear/satchel.ftl @@ -0,0 +1,56 @@ +ent-ClothingBackpackSatchelFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelTools = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelClownFilled = { ent-ClothingBackpackSatchelClown } + .desc = { ent-ClothingBackpackSatchelClown.desc } +ent-ClothingBackpackSatchelSecurityFilled = { ent-ClothingBackpackSatchelSecurity } + .desc = { ent-ClothingBackpackSatchelSecurity.desc } +ent-ClothingBackpackSatchelFilledDetective = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelBrigmedicFilled = { ent-ClothingBackpackSatchelBrigmedic } + .desc = { ent-ClothingBackpackSatchelBrigmedic.desc } +ent-ClothingBackpackSatchelMedicalFilled = { ent-ClothingBackpackSatchelMedical } + .desc = { ent-ClothingBackpackSatchelMedical.desc } +ent-ClothingBackpackSatchelParamedicFilled = { ent-ClothingBackpackSatchelMedical } + .desc = { ent-ClothingBackpackSatchelMedical.desc } +ent-ClothingBackpackSatchelCaptainFilled = { ent-ClothingBackpackSatchelCaptain } + .desc = { ent-ClothingBackpackSatchelCaptain.desc } +ent-ClothingBackpackSatchelChiefEngineerFilled = { ent-ClothingBackpackSatchelEngineering } + .desc = { ent-ClothingBackpackSatchelEngineering.desc } +ent-ClothingBackpackSatchelResearchDirectorFilled = { ent-ClothingBackpackSatchelScience } + .desc = { ent-ClothingBackpackSatchelScience.desc } +ent-ClothingBackpackSatchelHOPFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelCMOFilled = { ent-ClothingBackpackSatchelMedical } + .desc = { ent-ClothingBackpackSatchelMedical.desc } +ent-ClothingBackpackSatchelQuartermasterFilled = { ent-ClothingBackpackSatchelCargo } + .desc = { ent-ClothingBackpackSatchelCargo.desc } +ent-ClothingBackpackSatchelHOSFilled = { ent-ClothingBackpackSatchelSecurity } + .desc = { ent-ClothingBackpackSatchelSecurity.desc } +ent-ClothingBackpackSatchelEngineeringFilled = { ent-ClothingBackpackSatchelEngineering } + .desc = { ent-ClothingBackpackSatchelEngineering.desc } +ent-ClothingBackpackSatchelAtmosphericsFilled = { ent-ClothingBackpackSatchelAtmospherics } + .desc = { ent-ClothingBackpackSatchelAtmospherics.desc } +ent-ClothingBackpackSatchelScienceFilled = { ent-ClothingBackpackSatchelScience } + .desc = { ent-ClothingBackpackSatchelScience.desc } +ent-ClothingBackpackSatchelHydroponicsFilled = { ent-ClothingBackpackSatchelHydroponics } + .desc = { ent-ClothingBackpackSatchelHydroponics.desc } +ent-ClothingBackpackSatchelChemistryFilled = { ent-ClothingBackpackSatchelChemistry } + .desc = { ent-ClothingBackpackSatchelChemistry.desc } +ent-ClothingBackpackSatchelChaplainFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelMusicianFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelLibrarianFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelDetectiveFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelCargoFilled = { ent-ClothingBackpackSatchelCargo } + .desc = { ent-ClothingBackpackSatchelCargo.desc } +ent-ClothingBackpackSatchelSalvageFilled = { ent-ClothingBackpackSatchelSalvage } + .desc = { ent-ClothingBackpackSatchelSalvage.desc } +ent-ClothingBackpackSatchelMimeFilled = { ent-ClothingBackpackSatchelMime } + .desc = { ent-ClothingBackpackSatchelMime.desc } +ent-ClothingBackpackSatchelHoldingAdmin = { ent-ClothingBackpackSatchelHolding } + .desc = { ent-ClothingBackpackSatchelHolding.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/books/bookshelf.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/books/bookshelf.ftl new file mode 100644 index 00000000000..c81fee0b3d0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/books/bookshelf.ftl @@ -0,0 +1,3 @@ +ent-BookshelfFilled = { ent-Bookshelf } + .suffix = random filled + .desc = { ent-Bookshelf.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/books/lore.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/books/lore.ftl new file mode 100644 index 00000000000..6edfbe2e87f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/books/lore.ftl @@ -0,0 +1,29 @@ +ent-BookDemonomicon = demonomicon + .desc = Who knows what dark spells may be contained in these horrid pages? +ent-BookDemonomiconRandom = demonomicon + .suffix = random + .desc = { ent-BookDemonomicon.desc } +ent-BookDemonomicon1 = { ent-BookDemonomicon } + .suffix = 1 + .desc = { ent-BookDemonomicon.desc } +ent-BookDemonomicon2 = { ent-BookDemonomicon } + .suffix = 2 + .desc = { ent-BookDemonomicon.desc } +ent-BookDemonomicon3 = { ent-BookDemonomicon } + .suffix = 3 + .desc = { ent-BookDemonomicon.desc } +ent-BookChemistryInsane = pharmaceutical manuscript + .desc = You can tell whoever wrote this was off the desoxy HARD. + .suffix = library salvage +ent-BookBotanicalTextbook = botanical textbook + .desc = Only a couple pages are left. + .suffix = library salvage +ent-BookGnominomicon = gnominomicon + .desc = You don't like the look of this. Looks + .suffix = library salvage +ent-BookFishing = Tales from the Fishbowl + .desc = This book sucks. + .suffix = library salvage +ent-BookDetective = Strokgraeth Holmes, Dwarf Detective + .desc = Exciting! Invigorating! This author died after his book career failed. + .suffix = library salvage diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/ammunition.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/ammunition.ftl new file mode 100644 index 00000000000..1858f509596 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/ammunition.ftl @@ -0,0 +1,56 @@ +ent-BoxMagazine = box of magazines + .desc = A box full of magazines. +ent-BoxMagazinePistolCaselessRifle = box of .25 caseless magazines + .desc = A box full of .25 caseless magazines. +ent-BoxMagazinePistolCaselessRiflePractice = box of .25 caseless (practice) magazines + .desc = A box full of .25 caseless practice magazines. +ent-BoxMagazineCaselessRifleRubber = box of .25 caseless (rubber) magazines + .desc = A box full of +ent-BoxMagazineLightRifle = box of .30 rifle magazines + .desc = A box full of .30 rifle magazines. +ent-BoxMagazineLightRiflePractice = box of .30 rifle (practice) magazines + .desc = A box full of .30 rifle (practice) magazines. +ent-BoxMagazineLightRifleRubber = box of .30 rifle (rubber) magazines + .desc = A box full of .30 rifle (practice) magazines. +ent-BoxMagazineMagnumSubMachineGun = box of Vector magazines + .desc = A box full of Vector magazines. +ent-BoxMagazineMagnumSubMachineGunPractice = box of Vector (practice) magazines + .desc = A box full of Vector (practice) magazines. +ent-BoxMagazineMagnumSubMachineGunRubber = box of Vector (rubber) magazines + .desc = A box full of Vector (rubber) magazines. +ent-BoxMagazinePistolSubMachineGunTopMounted = box of WT550 .35 auto magazines + .desc = A box full of WT550 .35 auto magazines. +ent-BoxMagazinePistol = box of pistol .35 auto magazines + .desc = A box full of pistol .35 auto magazines. +ent-BoxMagazinePistolPractice = box of pistol .35 auto (practice) magazines + .desc = A box full of magazines. +ent-BoxMagazinePistolRubber = box of pistol .35 auto (rubber) magazines + .desc = A box full of pistol .35 auto (rubber) magazines. +ent-BoxMagazinePistolHighCapacity = box of machine pistol .35 auto magazines + .desc = A box full of machine pistol .35 auto magazines. +ent-BoxMagazinePistolHighCapacityPractice = box of machine pistol .35 auto (practice) magazines + .desc = A box full of machine pistol .35 auto (practice) magazines. +ent-BoxMagazinePistolHighCapacityRubber = box of machine pistol .35 auto (rubber) magazines + .desc = A box full of machine pistol .35 auto (rubber) magazines. +ent-BoxMagazinePistolSubMachineGun = box of SMG .35 auto magazines + .desc = A box full of SMG .35 auto magazines. +ent-BoxMagazinePistolSubMachineGunPractice = box of SMG .35 auto (practice) magazines + .desc = A box full of SMG .35 auto (practice) magazines. +ent-BoxMagazinePistolSubMachineGunRubber = box of SMG .35 auto (rubber) magazines + .desc = A box full of SMG .35 auto (rubber) magazines. +ent-BoxMagazinePistolSubMachineGunEmp = box of SMG .35 auto (emp) magazines + .desc = A box full of SMG .35 auto (emp) magazines. +ent-BoxMagazineShotgun = box of (.50 pellet) ammo drums + .desc = A box full of (.50 pellet) ammo drums. +ent-BoxMagazineShotgunBeanbag = box of (.50 beanbag) ammo drums + .desc = A box full of (.50 beanbag) ammo drums. +ent-BoxMagazineShotgunSlug = box of (.50 slug) ammo drums + .desc = A box full of (.50 slug) ammo drums. +ent-BoxMagazineShotgunIncendiary = box of (.50 incendiary) ammo drums + .desc = A box full of (.50 incendiary) ammo drums. +ent-BoxMagazineRifle = box of .20 rifle magazines + .desc = A box full of .20 rifle magazines. +ent-BoxMagazineRiflePractice = box of .20 rifle (practice) magazines + .desc = A box full of .20 rifle (practice) magazines. +ent-BoxMagazineRifleRubber = box of .20 rifle (rubber) magazines + .desc = A box full of .20 rifle (rubber) magazines. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/emergency.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/emergency.ftl new file mode 100644 index 00000000000..a37bf83c3db --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/emergency.ftl @@ -0,0 +1,17 @@ +ent-BoxSurvival = survival box + .desc = It's a box with basic internals inside. +ent-BoxSurvivalEngineering = extended-capacity survival box + .desc = It's a box with basic internals inside. This one is labelled to contain an extended-capacity tank. +ent-BoxSurvivalSecurity = survival box + .desc = It's a box with basic internals inside. This one is labelled to contain an extended-capacity tank. + .suffix = Security +ent-BoxSurvivalBrigmedic = survival box + .desc = It's a box with basic internals inside. This one is labelled to contain an extended-capacity tank. + .suffix = MedSec +ent-BoxSurvivalMedical = survival box + .desc = It's a box with basic internals inside. + .suffix = Medical +ent-BoxHug = box of hugs + .desc = A special box for sensitive people. +ent-BoxSurvivalSyndicate = extended-capacity survival box + .desc = It's a box with basic internals inside. This one is labelled to contain an extended-capacity tank. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/general.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/general.ftl new file mode 100644 index 00000000000..74562991ed7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/general.ftl @@ -0,0 +1,61 @@ +ent-BoxCardboard = cardboard box + .desc = A cardboard box for storing things. +ent-BoxMousetrap = mousetrap box + .desc = This box is filled with mousetraps. Try not to get your hand stuck in one. +ent-BoxLightbulb = lightbulb box + .desc = This box is shaped on the inside so that only light tubes and bulbs fit. +ent-BoxLighttube = lighttube box + .desc = This box is shaped on the inside so that only light tubes and bulbs fit. +ent-BoxLightMixed = mixed lights box + .desc = This box is shaped on the inside so that only light tubes and bulbs fit. +ent-BoxPDA = PDA box + .desc = A box of spare PDA microcomputers. +ent-BoxID = ID card box + .desc = A box of spare blank ID cards. +ent-BoxHeadset = headset box + .desc = A box of spare passenger headsets. +ent-BoxMesonScanners = meson box + .desc = A box of spare meson goggles. +ent-BoxMRE = M.R.E. + .desc = A box of decades old military surplus rations. It is surprisingly not rotten. +ent-BoxHugHealing = box of hugs + .desc = A special box for sensitive people. +ent-BoxInflatable = inflatable wall box + .desc = Inflatable walls are not to be used as floatation devices. +ent-BoxPerformer = hatsune miku day bag + .desc = Happy Hatsune Miku Day! +ent-BoxFlare = flare box + .desc = A box of flares. Party time. +ent-BoxTrashbag = trashbag box + .desc = A box of trashbags. Happy janitor noises. +ent-BoxEncryptionKeyPassenger = passenger encryption key box + .desc = A box of spare encryption keys. +ent-BoxEncryptionKeyCargo = cargo encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeyEngineering = engineering encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeyMedicalScience = med-sci encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeyMedical = medical encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeyRobo = robotech encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeyScience = science encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeySecurity = nfsd encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeyService = service encryption key box + .desc = { ent-BoxEncryptionKeyPassenger.desc } +ent-BoxEncryptionKeySyndie = syndicate encryption key box + .desc = Two syndicate encryption keys for the price of one. Miniaturized for ease of use. +ent-BoxDeathRattleImplants = deathrattle implant box + .desc = Six deathrattle implants and handheld GPS devices for the whole squad. +ent-BoxLeadLined = lead-lined box + .desc = This box stymies the transmission of harmful radiation. + .suffix = DEBUG +ent-BoxCandle = candle box + .desc = { ent-BoxCardboard.desc } +ent-BoxCandleSmall = small candle box + .desc = { ent-BoxCardboard.desc } +ent-BoxDarts = darts box + .desc = This box filled with colorful darts. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/medical.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/medical.ftl new file mode 100644 index 00000000000..ca3dcb9949f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/medical.ftl @@ -0,0 +1,18 @@ +ent-BoxSyringe = syringe box + .desc = A box full of syringes. +ent-BoxPillCanister = pill canister box + .desc = A box full of pill canisters. +ent-BoxBottle = bottle box + .desc = A box full of bottles. +ent-BoxSterileMask = sterile mask box + .desc = This box contains sterile medical masks. +ent-BoxLatexGloves = latex gloves box + .desc = Contains sterile latex gloves. +ent-BoxNitrileGloves = nitrile gloves box + .desc = Contains sterile nitrile gloves. Better than latex. +ent-BoxMouthSwab = sterile swab box + .desc = { ent-BoxCardboard.desc } +ent-BoxBodyBag = body bag box + .desc = Contains body bags. +ent-BoxVial = vial box + .desc = A box full of vials. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/science.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/science.ftl new file mode 100644 index 00000000000..daad4f15762 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/science.ftl @@ -0,0 +1,2 @@ +ent-BoxBeaker = beaker box + .desc = A box full of beakers. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/security.ftl new file mode 100644 index 00000000000..90c7c7aa9c3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/security.ftl @@ -0,0 +1,10 @@ +ent-BoxHandcuff = handcuff box + .desc = A box full of handcuffs. +ent-BoxFlashbang = flashbang box + .desc = WARNING: These devices are extremely dangerous and can cause blindness or deafness in repeated use. +ent-BoxSechud = sechud box + .desc = A box of security glasses. +ent-BoxZiptie = ziptie box + .desc = A box full of zipties. +ent-BoxForensicPad = forensic pad box + .desc = A box of forensic pads. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/service.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/service.ftl new file mode 100644 index 00000000000..0d90ab83eb9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/service.ftl @@ -0,0 +1,2 @@ +ent-BoxCleanerGrenades = cleanades box + .desc = A box full of cleanades. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/syndicate.ftl new file mode 100644 index 00000000000..f1c897772ba --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/boxes/syndicate.ftl @@ -0,0 +1,5 @@ +ent-ElectricalDisruptionKit = electrical disruption kit + .suffix = Filled + .desc = { ent-BoxCardboard.desc } +ent-ChemicalSynthesisKit = chemical synthesis kit + .desc = A starter kit for the aspiring chemist, includes toxin and vestine for all your criminal needs! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/antag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/antag.ftl new file mode 100644 index 00000000000..949ab3e0e0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/antag.ftl @@ -0,0 +1,6 @@ +ent-CratePirateChestCaptain = captains pirate chest + .suffix = Filled + .desc = { ent-CratePirate.desc } +ent-CratePirateChest = crews pirate chest + .suffix = Filled + .desc = { ent-CratePirate.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/armory.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/armory.ftl new file mode 100644 index 00000000000..dc5de63034b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/armory.ftl @@ -0,0 +1,12 @@ +ent-CrateArmorySMG = SMG crate + .desc = Contains two high-powered, semiautomatic rifles with four mags. Requires Armory access to open. +ent-CrateArmoryShotgun = shotgun crate + .desc = For when the enemy absolutely needs to be replaced with lead. Contains two Enforcer Combat Shotguns, and some standard shotgun shells. Requires Armory access to open. +ent-CrateTrackingImplants = tracking implants + .desc = Contains a handful of tracking implanters. Good for prisoners you'd like to release but still keep track of. +ent-CrateTrainingBombs = training bombs + .desc = Contains three low-yield training bombs for security to learn defusal and safe ordnance disposal, EOD suit not included. Requires Armory access to open. +ent-CrateArmoryLaser = lasers crate + .desc = Contains three standard-issue laser rifles. Requires Armory access to open. +ent-CrateArmoryPistols = pistols crate + .desc = Contains two standard NT pistols with four mags. Requires Armory access to open. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/botany.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/botany.ftl new file mode 100644 index 00000000000..c0697e8bf61 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/botany.ftl @@ -0,0 +1,8 @@ +ent-CrateHydroponicsSeedsExotic = exotic seeds crate + .desc = Any entrepreneuring botanist's dream. Contains many different exotic seeds. Requires Hydroponics access to open. +ent-CrateHydroponicsSeedsMedicinal = medicinal seeds crate + .desc = The wannabe chemist's dream. The power of medicine is at your fingertips! Requires Hydroponics access to open. +ent-CrateHydroponicsTools = hydroponics equipment crate + .desc = Supplies for growing a great garden! Contains some spray bottles of plant chemicals, a hatchet, a mini-hoe, scythe, as well as a pair of leather gloves and a botanist's apron. +ent-CrateHydroponicsSeeds = seeds crate + .desc = Big things have small beginnings. Contains twelve different seeds. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/cargo.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/cargo.ftl new file mode 100644 index 00000000000..34481544348 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/cargo.ftl @@ -0,0 +1,4 @@ +ent-CrateCargoLuxuryHardsuit = luxury mining hardsuit crate + .desc = Finally, a hardsuit Quartermasters could call their own. Centcomm has heard you, now stop asking. +ent-CrateCargoGambling = the grand lottery $$$ + .desc = A box containing treasure beyond your greatest imaginations! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/chemistry.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/chemistry.ftl new file mode 100644 index 00000000000..c5d620f3721 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/chemistry.ftl @@ -0,0 +1,8 @@ +ent-CrateChemistryP = chemicals crate (P) + .desc = Contains chemicals from the P-Block of elements. Requires Chemistry access to open. +ent-CrateChemistryS = chemicals crate (S) + .desc = Contains chemicals from the S-Block of elements. Requires Chemistry access to open. +ent-CrateChemistryD = chemicals crate (D) + .desc = Contains chemicals from the D-Block of elements. Requires Chemistry access to open. +ent-CratePlantBGone = bulk Plant-B-Gone crate + .desc = From Monstano. "Unwanted Weeds, Meet Your Celestial Roundup!" diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/circuitboards.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/circuitboards.ftl new file mode 100644 index 00000000000..5c368283f2b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/circuitboards.ftl @@ -0,0 +1,2 @@ +ent-CrateCrewMonitoringBoards = crew monitoring boards + .desc = Has two crew monitoring console and server replacements. Requires engineering access to open. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/emergency.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/emergency.ftl new file mode 100644 index 00000000000..16dd1831254 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/emergency.ftl @@ -0,0 +1,16 @@ +ent-CrateEmergencyExplosive = bomb suit crate + .desc = Science gone bonkers? Beeping behind the airlock? Buy now and be the hero the station des... I mean needs! (time not included) +ent-CrateEmergencyFire = firefighting crate + .desc = Only you can prevent station fires. Partner up with two firefighter suits, gas masks, flashlights, large oxygen tanks, extinguishers, and hardhats! +ent-CrateEmergencyInternals = internals crate + .desc = Master your life energy and control your breathing with three breath masks, three emergency oxygen tanks and three large air tanks. +ent-CrateEmergencyInternalsLarge = internals crate (large) + .desc = Master your life energy and control your breathing with six breath masks, six emergency oxygen tanks and six large air tanks. +ent-CrateSlimepersonLifeSupport = slimeperson life support crate + .desc = Contains four breath masks and four large nitrogen tanks. +ent-CrateEmergencyRadiation = radiation protection crate + .desc = Survive the Nuclear Apocalypse and Supermatter Engine alike with two sets of Radiation suits. Each set contains a helmet, suit, and Geiger counter. We'll even throw in a bottle of vodka and some glasses too, considering the life-expectancy of people who order this. +ent-CrateEmergencyInflatablewall = inflatable wall crate + .desc = Three stacks of inflatable walls for when the stations metal walls don't want to hold atmosphere anymore. +ent-CrateGenericBiosuit = emergency bio suit crate + .desc = Contains 2 biohazard suits to ensure that no disease will distract you from what you're doing there. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/engineering.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/engineering.ftl new file mode 100644 index 00000000000..5921e53eeaa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/engineering.ftl @@ -0,0 +1,30 @@ +ent-CrateEngineeringGear = engineering gear crate + .desc = Various engineering gear parts. +ent-CrateEngineeringToolbox = toolbox crate + .desc = Two mechanical and two electrical toolboxes. +ent-CrateEngineeringCableLV = LV cable crate + .desc = 3 coils of LV cables. +ent-CrateEngineeringCableMV = MV cable crate + .desc = 3 coils of LV cables. +ent-CrateEngineeringCableHV = HV cable crate + .desc = 3 coils of HV cables. +ent-CrateEngineeringCableBulk = bulk cable crate + .desc = 2 coils each for every cable type. +ent-CrateEngineeringElectricalSupplies = electrical supplies crate + .desc = NT is not responsible for any workplace infighting relating to the insulated gloves included within these crates. +ent-CrateEngineeringStationBeaconBundle = station beacon bundle + .desc = A crate containing 5 station beacon assemblies for modifying the station map. +ent-CrateEngineeringJetpack = jetpack crate + .desc = Two jetpacks for those who don't know how to use fire extinguishers. +ent-CrateEngineeringMiniJetpack = mini jetpack crate + .desc = Two mini jetpacks for those who want an extra challenge. +ent-CrateAirlockKit = airlock kit + .desc = A kit for building 6 airlocks, doesn't include tools. +ent-CrateEvaKit = EVA kit + .desc = A set consisting of two prestigious EVA suits and helmets. +ent-CrateRCDAmmo = RCD ammo crate + .desc = 3 RCD ammo, each restoring 5 charges. +ent-CrateRCD = RCD crate + .desc = A crate containing a single Rapid Construction Device. +ent-CrateParticleDecelerators = particle decelerators crate + .desc = A crate containing 3 Particle Decelerators. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/engines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/engines.ftl new file mode 100644 index 00000000000..67cfbf012d5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/engines.ftl @@ -0,0 +1,29 @@ +ent-CrateEngineeringAMEShielding = packaged antimatter reactor crate + .desc = 9 parts for the main body of an antimatter reactor, or for expanding an existing one. +ent-CrateEngineeringAMEJar = antimatter containment jar crate + .desc = 3 antimatter jars, for fuelling an antimatter reactor. +ent-CrateEngineeringAMEControl = antimatter control unit crate + .desc = The control unit of an antimatter reactor. +ent-CrateEngineeringSingularityEmitter = emitter crate + .desc = An emitter, best used for singularity engines. +ent-CrateEngineeringSingularityCollector = radiation collector crate + .desc = A radiation collector, best used for singularity engines. +ent-CrateEngineeringSingularityContainment = containment field generator crate + .desc = A containment field generator, keeps the singulo in submission. +ent-CrateEngineeringSingularityGenerator = singularity generator crate + .desc = A singularity generator, the mother of the beast. +ent-CrateEngineeringParticleAccelerator = PA crate + .desc = Complex to setup, but rewarding as fuck. +ent-CrateEngineeringGenerator = generator crate + .suffix = DEBUG + .desc = { ent-CrateEngineering.desc } +ent-CrateEngineeringSolar = solar assembly crate + .desc = Parts for constructing solar panels and trackers. +ent-CrateEngineeringShuttle = shuttle powering crate + .desc = A crate containing all needs for shuttle powering. +ent-CrateEngineeringTeslaGenerator = tesla generator crate + .desc = A tesla generator. God save you. +ent-CrateEngineeringTeslaCoil = tesla coil crate + .desc = Tesla coil. Attracts lightning and generates energy from it. +ent-CrateEngineeringTeslaGroundingRod = tesla grounding rod crate + .desc = Grounding rod, best for lightning protection. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/food.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/food.ftl new file mode 100644 index 00000000000..43d90dc50a7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/food.ftl @@ -0,0 +1,8 @@ +ent-CrateFoodMRE = MRE crate + .desc = A military style meal fit to feed a whole department. +ent-CrateFoodCooking = kitchen supplies crate + .desc = Extra kitchen supplies, in case the botanists are absent. +ent-CrateFoodDinnerware = kitchen dinnerware crate + .desc = Extra kitchen supplies, in case the clown was allowed in the cafeteria unsupervised. +ent-CrateFoodBarSupply = bartending supplies crate + .desc = Extra Bar supplies, in case the clown was allowed in the bar unsupervised. 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 new file mode 100644 index 00000000000..363ab512c5f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/fun.ftl @@ -0,0 +1,46 @@ +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-CrateFunPirate = { ent-CratePirate } + .suffix = Filled + .desc = { ent-CratePirate.desc } +ent-CrateFunToyBox = { ent-CrateToyBox } + .suffix = Filled + .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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/materials.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/materials.ftl new file mode 100644 index 00000000000..183968d14d7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/materials.ftl @@ -0,0 +1,20 @@ +ent-CrateMaterialGlass = glass sheet crate + .desc = 90 sheets of glass, packed with care. +ent-CrateMaterialSteel = steel sheet crate + .desc = 90 sheets of steel. +ent-CrateMaterialTextiles = textiles crate + .desc = 60 pieces of cloth and 30 pieces of durathread. +ent-CrateMaterialPlastic = plastic sheet crate + .desc = 90 sheets of plastic. +ent-CrateMaterialWood = wood crate + .desc = Bunch of wood planks. +ent-CrateMaterialPlasteel = plasteel crate + .desc = 90 sheets of plasteel. +ent-CrateMaterialPlasma = solid plasma crate + .desc = 90 sheets of plasma. +ent-CrateMaterialCardboard = cardboard crate + .desc = 60 pieces of cardboard. +ent-CrateMaterialPaper = paper crate + .desc = 90 sheets of paper. +ent-CrateMaterialUranium = { ent-CrateUranium } + .desc = { ent-CrateUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/medical.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/medical.ftl new file mode 100644 index 00000000000..3f03850d98c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/medical.ftl @@ -0,0 +1,28 @@ +ent-CrateMedicalSupplies = medical supplies crate + .desc = Basic medical supplies. +ent-CrateChemistrySupplies = chemistry supplies crate + .desc = Basic chemistry supplies. +ent-CrateChemistryVials = vial supply crate + .desc = Crate filled with a box of vials. +ent-CrateMindShieldImplants = MindShield implant crate + .desc = Crate filled with 3 MindShield implants. +ent-CrateMedicalSurgery = surgical supplies crate + .desc = Surgical instruments. +ent-CrateMedicalScrubs = medical scrubs crate + .desc = Medical clothings. +ent-CrateEmergencyBurnKit = emergency burn kit + .desc = Crate filled with a burn treatment kit. +ent-CrateEmergencyToxinKit = emergency toxin kit + .desc = Crate filled with a toxin treatment kit. +ent-CrateEmergencyO2Kit = emergency O2 kit + .desc = Crate filled with an O2 treatment kit. +ent-CrateEmergencyBruteKit = emergency brute kit + .desc = Crate filled with a brute treatment kit. +ent-CrateEmergencyAdvancedKit = emergency advanced kit + .desc = Crate filled with an advanced treatment kit. +ent-CrateEmergencyRadiationKit = emergency radiation kit + .desc = Crate filled with a radiation treatment kit. +ent-CrateBodyBags = body bags crate + .desc = Contains ten body bags. +ent-CrateVirologyBiosuit = virology bio suit crate + .desc = Contains 2 biohazard suits to ensure that no disease will distract you from treating the crew. Requires Medical access to open. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/npc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/npc.ftl new file mode 100644 index 00000000000..88642f06bc6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/npc.ftl @@ -0,0 +1,50 @@ +ent-CrateNPCBee = crate of bees + .desc = A crate containing a swarm of eight bees. +ent-CrateNPCButterflies = crate of butterflies + .desc = A crate containing five butterflies. +ent-CrateNPCCat = cat crate + .desc = A crate containing a single cat. +ent-CrateNPCChicken = chicken crate + .desc = A crate containing four fully grown chickens. +ent-CrateNPCCrab = crab crate + .desc = A crate containing three huge crabs. +ent-CrateNPCDuck = duck crate + .desc = A crate containing six fully grown ducks. +ent-CrateNPCCorgi = corgi crate + .desc = A crate containing a single corgi. +ent-CrateNPCPuppyCorgi = puppy corgi crate + .desc = A crate containing a single puppy corgi. Awww. +ent-CrateNPCCow = cow crate + .desc = A crate containing a single cow. +ent-CrateNPCGoat = goat crate + .desc = A crate containing a single goat. +ent-CrateNPCGoose = goose crate + .desc = A crate containing two geese. +ent-CrateNPCGorilla = gorilla crate + .desc = A crate containing a single gorilla. +ent-CrateNPCMonkeyCube = monkey cube crate + .desc = A crate containing single box of monkey cubes. +ent-CrateNPCKoboldCube = kobold cube crate + .desc = A crate containing single box of kobold cubes. +ent-CrateNPCMouse = mice crate + .desc = A crate containing five mice. +ent-CrateNPCParrot = parrot crate + .desc = A crate containing three parrots. +ent-CrateNPCPenguin = penguin crate + .desc = A crate containing two penguins. +ent-CrateNPCPig = pig crate + .desc = A crate containing a single pig. +ent-CrateNPCSnake = snake crate + .desc = A crate containing three snakes. +ent-CrateNPCHamster = { ent-CrateRodentCage } + .suffix = Filled + .desc = { ent-CrateRodentCage.desc } +ent-CrateNPCHamlet = { ent-CrateRodentCage } + .suffix = Hamlet + .desc = { ent-CrateRodentCage.desc } +ent-CrateNPCLizard = lizard crate + .desc = A crate containing a lizard. +ent-CrateNPCKangaroo = kangaroo crate + .desc = A crate containing a kangaroo. +ent-CrateNPCMothroach = crate of mothroaches + .desc = A crate containing four mothroaches. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/salvage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/salvage.ftl new file mode 100644 index 00000000000..72a96bf300d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/salvage.ftl @@ -0,0 +1,12 @@ +ent-CrateSalvageEquipment = salvage equipment crate + .desc = For the daring. + .suffix = Filled +ent-CrateSalvageAssortedGoodies = { ent-CrateGenericSteel } + .suffix = Filled, Salvage Random + .desc = { ent-CrateGenericSteel.desc } +ent-CratePartsT3 = tier 3 parts crate + .desc = Contains 5 random tier 3 parts for upgrading machines. +ent-CratePartsT3T4 = tier 3/4 parts crate + .desc = Contains 5 random tier 3 or 4 parts for upgrading machines. +ent-CratePartsT4 = tier 4 parts crate + .desc = Contains 5 random tier 4 parts for upgrading machines. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/science.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/science.ftl new file mode 100644 index 00000000000..91fd4d6cab4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/science.ftl @@ -0,0 +1,2 @@ +ent-CrateScienceBiosuit = scientist bio suit crate + .desc = Contains 2 biohazard suits to ensure that no disease will distract you from doing science. Requires Science access to open. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/security.ftl new file mode 100644 index 00000000000..dbb6a4a9b38 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/security.ftl @@ -0,0 +1,16 @@ +ent-CrateSecurityArmor = armor crate + .desc = Three vests of well-rounded, decently-protective armor. Requires Security access to open. +ent-CrateSecurityHelmet = helmet crate + .desc = Contains three standard-issue brain buckets. Requires Security access to open. +ent-CrateSecurityNonlethal = nonlethals crate + .desc = Disabler weapons. Requires Security access to open. +ent-CrateSecurityRiot = swat crate + .desc = Contains two sets of riot armor, helmets, shields, and enforcers loaded with beanbags. Extra ammo is included. Requires Armory access to open. +ent-CrateSecuritySupplies = security supplies crate + .desc = Contains various supplies for the station's Security team. Requires Security access to open. +ent-CrateRestraints = restraints crate + .desc = Contains two boxes each of handcuffs and zipties. Requires Security access to open. +ent-CrateSecurityBiosuit = security bio suit crate + .desc = Contains 2 biohazard suits to ensure that no disease will distract you from your duties. Requires Security access to open. +ent-CrateSecurityTrackingMindshieldImplants = implanter crate + .desc = Contains 4 MindShield implants and 4 tracking implant. Requires Security access to open. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/service.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/service.ftl new file mode 100644 index 00000000000..eaec74ea99a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/service.ftl @@ -0,0 +1,33 @@ +ent-CrateServiceJanitorialSupplies = janitorial supplies crate + .desc = Fight back against dirt and grime with Nanotrasen's Janitorial Essentials(tm)! Contains three buckets, caution signs, and cleaner grenades. Also has a single mop, broom, spray cleaner, rag, and trash bag. +ent-CrateServiceReplacementLights = replacement lights crate + .desc = May the light of Aether shine upon this station! Or at least, the light of forty two light tubes and twenty one light bulbs. +ent-CrateMousetrapBoxes = mousetraps crate + .desc = Mousetraps, for when all of service is being haunted by an entire horde of rats. Use sparingly... or not. +ent-CrateServiceSmokeables = smokeables crate + .desc = Tired of a quick death on the station? Order this crate and chain-smoke your way to a coughy demise! +ent-CrateServiceTheatre = theatrical performances crate + .desc = Contains a moth cloak, barber scissors, maid uniform, clown and mime attributes, and other performance charms. +ent-CrateServiceCustomSmokable = DIY smokeables crate + .desc = Want to get a little creative with what you use to destroy your lungs? Then this crate is for you! Has everything you need to roll your own cigarettes. +ent-CrateServiceBureaucracy = bureaucracy crate + .desc = Several stacks of paper, a few pens and an office toy. What more could you ask for? +ent-CrateServicePersonnel = personnel crate + .desc = Contains a box of blank ID cards and PDAs. +ent-CrateServiceBooks = books crate + .desc = Contains 10 empty books of random appearance. +ent-CrateServiceGuidebooks = guidebooks crate + .desc = Contains guidebooks. +ent-CrateServiceSodaDispenser = soda dispenser refill crate + .desc = Contains refills for soda dispensers. +ent-CrateServiceBoozeDispenser = booze dispenser refill crate + .desc = Contains refills for booze dispensers. +ent-CrateServiceBox = boxes crate + .desc = Contains 6 empty multipurpose boxes. +ent-CrateJanitorBiosuit = janitor bio suit crate + .desc = Contains 2 biohazard suits to ensure that no disease will distract you from cleaning. +ent-CrateTrashCartFilled = { ent-CrateTrashCart } + .suffix = Filled + .desc = { ent-CrateTrashCart.desc } +ent-CrateJanitorExplosive = janitorial bomb suit crate + .desc = Supplies a bomb suit for cleaning up any explosive compounds, buy one today! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/shuttle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/shuttle.ftl new file mode 100644 index 00000000000..555d1d06472 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/shuttle.ftl @@ -0,0 +1,4 @@ +ent-CrateEngineeringThruster = thruster crate + .desc = Contains a thruster flatpack. +ent-CrateEngineeringGyroscope = gyroscope crate + .desc = Contains a gyroscope flatpack. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/syndicate.ftl new file mode 100644 index 00000000000..fef1057442e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/syndicate.ftl @@ -0,0 +1,7 @@ +ent-CrateSyndicateSurplusBundle = Syndicate surplus crate + .desc = Contains 50 telecrystals worth of completely random Syndicate items. It can be useless junk or really good. +ent-CrateCybersunJuggernautBundle = Cybersun juggernaut bundle + .desc = Contains everything except a big gun to go postal. + .suffix = Filled +ent-CrateSyndicateSuperSurplusBundle = Syndicate super surplus crate + .desc = Contains 125 telecrystals worth of completely random Syndicate items. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/vending.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/vending.ftl new file mode 100644 index 00000000000..e41565e2997 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/crates/vending.ftl @@ -0,0 +1,50 @@ +ent-CrateVendingMachineRestockBoozeFilled = Booze-O-Mat restock crate + .desc = Contains a restock box for the Booze-O-Mat. +ent-CrateVendingMachineRestockChefvendFilled = ChefVend restock crate + .desc = Contains a restock box for the ChefVend. +ent-CrateVendingMachineRestockClothesFilled = clothing restock crate + .desc = Contains a pair of restock boxes, one for the ClothesMate and one for the AutoDrobe. +ent-CrateVendingMachineRestockCondimentStationFilled = condiment station restock crate + .desc = Contains a restock box for the condiment station. +ent-CrateVendingMachineRestockDinnerwareFilled = Plasteel Chef restock crate + .desc = Contains a restock box for the Plasteel Chef vending machine. +ent-CrateVendingMachineRestockEngineeringFilled = EngiVend restock crate + .desc = Contains a restock box for the EngiVend. Also supports the YouTool. +ent-CrateVendingMachineRestockGamesFilled = Good Clean Fun restock crate + .desc = Contains a restock box for the Good Clean Fun vending machine. +ent-CrateVendingMachineRestockHotDrinksFilled = Solar's Best restock crate + .desc = Contains two restock boxes for Solar's Best Hot Drinks vending machine. +ent-CrateVendingMachineRestockMedicalFilled = NanoMed restock crate + .desc = Contains a restock box, compatible with the NanoMed and NanoMedPlus. +ent-CrateVendingMachineRestockChemVendFilled = ChemVend restock crate + .desc = Contains a restock box for the ChemVend. +ent-CrateVendingMachineRestockNutriMaxFilled = NutriMax restock crate + .desc = Contains a restock box for the NutriMax vending machine. +ent-CrateVendingMachineRestockPTechFilled = PTech restock crate + .desc = Contains a restock box for the PTech bureaucracy dispenser. +ent-CrateVendingMachineRestockRobustSoftdrinksFilled = Robust Softdrinks restock crate + .desc = Contains two restock boxes for the Robust Softdrinks LLC vending machine. +ent-CrateVendingMachineRestockSalvageEquipmentFilled = Salvage restock crate + .desc = Contains a restock box for the salvage vendor. +ent-CrateVendingMachineRestockSecTechFilled = SecTech restock crate + .desc = Contains a restock box for the SecTech vending machine. +ent-CrateVendingMachineRestockSeedsFilled = MegaSeed restock crate + .desc = Contains a restock box for the MegaSeed vending machine. +ent-CrateVendingMachineRestockSmokesFilled = ShadyCigs restock crate + .desc = Contains two restock boxes for the ShadyCigs vending machine. +ent-CrateVendingMachineRestockVendomatFilled = Vendomat restock crate + .desc = Contains a restock box for a Vendomat vending machine. +ent-CrateVendingMachineRestockRoboticsFilled = Robotech Deluxe restock crate + .desc = Contains a restock box for a Robotech Deluxe vending machine. +ent-CrateVendingMachineRestockTankDispenserFilled = tank dispenser restock crate + .desc = Contains a restock box for an Engineering or Atmospherics tank dispenser. +ent-CrateVendingMachineRestockHappyHonkFilled = Happy Honk restock crate + .desc = Contains a restock box for a happy honk dispenser. +ent-CrateVendingMachineRestockGetmoreChocolateCorpFilled = Getmore Chocolate Corp restock crate + .desc = Contains a restock box for a Getmore Chocolate Corp dispenser. +ent-CrateVendingMachineRestockChangFilled = Chang restock crate + .desc = Contains a restock box for a Mr. Chang dispenser. +ent-CrateVendingMachineRestockDiscountDansFilled = Discount Dans restock crate + .desc = Contains a restock box for a Discount Dan's dispenser. +ent-CrateVendingMachineRestockDonutFilled = Donut restock crate + .desc = Contains a restock box for a Monkin' Donuts dispenser. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/firstaidkits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/firstaidkits.ftl new file mode 100644 index 00000000000..ac0ede1dcda --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/firstaidkits.ftl @@ -0,0 +1,9 @@ +ent-MedkitFilled = { ent-Medkit } + .suffix = Filled + .desc = { ent-Medkit.desc } +ent-MedkitBurnFilled = { ent-MedkitBurn } + .suffix = Filled + .desc = { ent-MedkitBurn.desc } +ent-MedkitBruteFilled = { ent-MedkitBrute } + .suffix = Filled + .desc = { ent-MedkitBrute.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 new file mode 100644 index 00000000000..79eaaf5782c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/belt.ftl @@ -0,0 +1,42 @@ +ent-ClothingBeltUtilityFilled = { ent-ClothingBeltUtility } + .suffix = Filled + .desc = { ent-ClothingBeltUtility.desc } +ent-ClothingBeltUtilityEngineering = { ent-ClothingBeltUtility } + .suffix = Engineering + .desc = { ent-ClothingBeltUtility.desc } +ent-ClothingBeltChiefEngineerFilled = { ent-ClothingBeltChiefEngineer } + .suffix = Filled + .desc = { ent-ClothingBeltChiefEngineer.desc } +ent-ClothingBeltSecurityFilled = { ent-ClothingBeltSecurity } + .suffix = Filled + .desc = { ent-ClothingBeltSecurity.desc } +ent-ClothingBeltJanitorFilled = { ent-ClothingBeltJanitor } + .suffix = Filled + .desc = { ent-ClothingBeltJanitor.desc } +ent-ClothingBeltMedicalFilled = { ent-ClothingBeltMedical } + .suffix = Filled + .desc = { ent-ClothingBeltMedical.desc } +ent-ClothingBeltMedicalEMTFilled = { ent-ClothingBeltMedicalEMT } + .suffix = Paramedic,Filled + .desc = { ent-ClothingBeltMedicalEMT.desc } +ent-ClothingBeltPlantFilled = { ent-ClothingBeltPlant } + .suffix = Filled + .desc = { ent-ClothingBeltPlant.desc } +ent-ClothingBeltSheathFilled = { ent-ClothingBeltSheath } + .suffix = Filled + .desc = { ent-ClothingBeltSheath.desc } +ent-ClothingBeltMilitaryWebbingGrenadeFilled = grenadier chest rig + .suffix = Filled + .desc = { ent-ClothingBeltMilitaryWebbing.desc } +ent-ClothingBeltMilitaryWebbingMedFilled = { ent-ClothingBeltMilitaryWebbingMed } + .suffix = Filled + .desc = { ent-ClothingBeltMilitaryWebbingMed.desc } +ent-ClothingBeltWandFilled = { ent-ClothingBeltWand } + .suffix = Filled + .desc = { ent-ClothingBeltWand.desc } +ent-ClothingBeltHolsterFilled = { ent-ClothingBeltHolster } + .suffix = Filled + .desc = { ent-ClothingBeltHolster.desc } +ent-ClothingBeltChefFilled = { ent-ClothingBeltChef } + .suffix = Filled + .desc = { ent-ClothingBeltChef.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/briefcases.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/briefcases.ftl new file mode 100644 index 00000000000..748709bd238 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/briefcases.ftl @@ -0,0 +1,12 @@ +ent-BriefcaseBrownFilled = brown briefcase + .suffix = Filled, Paper + .desc = { ent-BriefcaseBrown.desc } +ent-BriefcaseSyndieSniperBundleFilled = brown briefcase + .suffix = SniperBundle + .desc = { ent-BriefcaseSyndie.desc } +ent-BriefcaseSyndieLobbyingBundleFilled = brown briefcase + .suffix = Syndicate, Spesos + .desc = { ent-BriefcaseSyndie.desc } +ent-BriefcaseThiefBribingBundleFilled = brown briefcase + .suffix = Thief, Spesos + .desc = { ent-BriefcaseSyndie.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/firstaidkits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/firstaidkits.ftl new file mode 100644 index 00000000000..6a21836ddb1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/firstaidkits.ftl @@ -0,0 +1,27 @@ +ent-MedkitFilled = { ent-Medkit } + .suffix = Filled + .desc = { ent-Medkit.desc } +ent-MedkitBurnFilled = { ent-MedkitBurn } + .suffix = Filled + .desc = { ent-MedkitBurn.desc } +ent-MedkitBruteFilled = { ent-MedkitBrute } + .suffix = Filled + .desc = { ent-MedkitBrute.desc } +ent-MedkitToxinFilled = { ent-MedkitToxin } + .suffix = Filled + .desc = { ent-MedkitToxin.desc } +ent-MedkitOxygenFilled = { ent-MedkitO2 } + .suffix = Filled + .desc = { ent-MedkitO2.desc } +ent-MedkitRadiationFilled = { ent-MedkitRadiation } + .suffix = Filled + .desc = { ent-MedkitRadiation.desc } +ent-MedkitAdvancedFilled = { ent-MedkitAdvanced } + .suffix = Filled + .desc = { ent-MedkitAdvanced.desc } +ent-MedkitCombatFilled = { ent-MedkitCombat } + .suffix = Filled + .desc = { ent-MedkitCombat.desc } +ent-StimkitFilled = { ent-Medkit } + .suffix = Stimkit, Filled + .desc = { ent-Medkit.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/gas_tanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/gas_tanks.ftl new file mode 100644 index 00000000000..b01d021cbdf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/gas_tanks.ftl @@ -0,0 +1,33 @@ +ent-OxygenTankFilled = { ent-OxygenTank } + .suffix = Filled + .desc = { ent-OxygenTank.desc } +ent-EmergencyOxygenTankFilled = { ent-EmergencyOxygenTank } + .suffix = Filled + .desc = { ent-EmergencyOxygenTank.desc } +ent-ExtendedEmergencyOxygenTankFilled = { ent-ExtendedEmergencyOxygenTank } + .suffix = Filled + .desc = { ent-ExtendedEmergencyOxygenTank.desc } +ent-DoubleEmergencyOxygenTankFilled = { ent-DoubleEmergencyOxygenTank } + .suffix = Filled + .desc = { ent-DoubleEmergencyOxygenTank.desc } +ent-AirTankFilled = { ent-AirTank } + .suffix = Filled + .desc = { ent-AirTank.desc } +ent-NitrogenTankFilled = nitrogen tank + .suffix = Filled + .desc = { ent-NitrogenTank.desc } +ent-NitrousOxideTankFilled = nitrous oxide tank + .suffix = Filled + .desc = { ent-NitrousOxideTank.desc } +ent-PlasmaTankFilled = plasma tank + .suffix = Filled + .desc = { ent-PlasmaTank.desc } +ent-EmergencyNitrogenTankFilled = { ent-EmergencyNitrogenTank } + .suffix = Filled + .desc = { ent-EmergencyNitrogenTank.desc } +ent-ExtendedEmergencyNitrogenTankFilled = { ent-ExtendedEmergencyNitrogenTank } + .suffix = Filled + .desc = { ent-ExtendedEmergencyNitrogenTank.desc } +ent-DoubleEmergencyNitrogenTankFilled = { ent-DoubleEmergencyNitrogenTank } + .suffix = Filled + .desc = { ent-DoubleEmergencyNitrogenTank.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/misc.ftl new file mode 100644 index 00000000000..e9251a32fcd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/misc.ftl @@ -0,0 +1,6 @@ +ent-ClothingShoesBootsCombatFilled = { ent-ClothingShoesBootsCombat } + .suffix = Filled + .desc = { ent-ClothingShoesBootsCombat.desc } +ent-ClothingShoesBootsMercenaryFilled = { ent-ClothingShoesBootsMercenary } + .suffix = Filled + .desc = { ent-ClothingShoesBootsMercenary.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/toolboxes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/toolboxes.ftl new file mode 100644 index 00000000000..4537bc88ee3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/items/toolboxes.ftl @@ -0,0 +1,21 @@ +ent-ToolboxEmergencyFilled = emergency toolbox + .suffix = Filled + .desc = { ent-ToolboxEmergency.desc } +ent-ToolboxElectricalFilled = electrical toolbox + .suffix = Filled + .desc = { ent-ToolboxElectrical.desc } +ent-ToolboxElectricalTurretFilled = electrical toolbox + .suffix = Syndicate, Turret, Filled + .desc = { ent-ToolboxElectricalTurret.desc } +ent-ToolboxArtisticFilled = artistic toolbox + .suffix = Filled + .desc = { ent-ToolboxArtistic.desc } +ent-ToolboxMechanicalFilled = mechanical toolbox + .suffix = Filled + .desc = { ent-ToolboxMechanical.desc } +ent-ToolboxSyndicateFilled = { ent-ToolboxSyndicate } + .suffix = Filled + .desc = { ent-ToolboxSyndicate.desc } +ent-ToolboxGoldFilled = golden toolbox + .suffix = Filled + .desc = { ent-ToolboxGolden.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/biohazard.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/biohazard.ftl new file mode 100644 index 00000000000..1d387668dd0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/biohazard.ftl @@ -0,0 +1,15 @@ +ent-ClosetL3Filled = { ent-ClosetL3 } + .suffix = Filled, Generic + .desc = { ent-ClosetL3.desc } +ent-ClosetL3VirologyFilled = { ent-ClosetL3Virology } + .suffix = Filled, Virology + .desc = { ent-ClosetL3Virology.desc } +ent-ClosetL3SecurityFilled = { ent-ClosetL3Security } + .suffix = Filled, Security + .desc = { ent-ClosetL3Security.desc } +ent-ClosetL3JanitorFilled = { ent-ClosetL3Janitor } + .suffix = Filled, Janitor + .desc = { ent-ClosetL3Janitor.desc } +ent-ClosetL3ScienceFilled = { ent-ClosetL3Virology } + .suffix = Filled, Science + .desc = { ent-ClosetL3Virology.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/cargo.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/cargo.ftl new file mode 100644 index 00000000000..cddf2953c2f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/cargo.ftl @@ -0,0 +1,6 @@ +ent-LockerSalvageSpecialistFilledHardsuit = { ent-LockerSalvageSpecialist } + .suffix = Filled, Hardsuit + .desc = { ent-LockerSalvageSpecialist.desc } +ent-LockerSalvageSpecialistFilled = { ent-LockerSalvageSpecialist } + .suffix = Filled + .desc = { ent-LockerSalvageSpecialist.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/dressers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/dressers.ftl new file mode 100644 index 00000000000..72c573e1e99 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/dressers.ftl @@ -0,0 +1,24 @@ +ent-DresserCaptainFilled = { ent-Dresser } + .suffix = Filled, Captain + .desc = { ent-Dresser.desc } +ent-DresserChiefEngineerFilled = { ent-Dresser } + .suffix = Filled, Chief Engineer + .desc = { ent-Dresser.desc } +ent-DresserChiefMedicalOfficerFilled = { ent-Dresser } + .suffix = Filled, Chief Medical Officer + .desc = { ent-Dresser.desc } +ent-DresserHeadOfPersonnelFilled = { ent-Dresser } + .suffix = Filled, Head Of Personnel + .desc = { ent-Dresser.desc } +ent-DresserHeadOfSecurityFilled = { ent-Dresser } + .suffix = Filled, Head Of Security + .desc = { ent-Dresser.desc } +ent-DresserQuarterMasterFilled = { ent-Dresser } + .suffix = Filled, Quarter Master + .desc = { ent-Dresser.desc } +ent-DresserResearchDirectorFilled = { ent-Dresser } + .suffix = Filled, Research Director + .desc = { ent-Dresser.desc } +ent-DresserWardenFilled = { ent-Dresser } + .suffix = Filled, Warden + .desc = { ent-Dresser.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/engineer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/engineer.ftl new file mode 100644 index 00000000000..cdc2ceb7ea9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/engineer.ftl @@ -0,0 +1,24 @@ +ent-ClosetToolFilled = { ent-ClosetTool } + .suffix = Filled + .desc = { ent-ClosetTool.desc } +ent-LockerElectricalSuppliesFilled = { ent-LockerElectricalSupplies } + .suffix = Filled + .desc = { ent-LockerElectricalSupplies.desc } +ent-LockerWeldingSuppliesFilled = { ent-LockerWeldingSupplies } + .suffix = Filled + .desc = { ent-LockerWeldingSupplies.desc } +ent-LockerAtmosphericsFilledHardsuit = { ent-LockerAtmospherics } + .suffix = Filled, Hardsuit + .desc = { ent-LockerAtmospherics.desc } +ent-LockerAtmosphericsFilled = { ent-LockerAtmospherics } + .suffix = Filled + .desc = { ent-LockerAtmospherics.desc } +ent-LockerEngineerFilledHardsuit = { ent-LockerEngineer } + .suffix = Filled, Hardsuit + .desc = { ent-LockerEngineer.desc } +ent-LockerEngineerFilled = { ent-LockerEngineer } + .suffix = Filled + .desc = { ent-LockerEngineer.desc } +ent-ClosetRadiationSuitFilled = { ent-ClosetRadiationSuit } + .suffix = Filled + .desc = { ent-ClosetRadiationSuit.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/heads.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/heads.ftl new file mode 100644 index 00000000000..45fc4374df9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/heads.ftl @@ -0,0 +1,39 @@ +ent-LockerQuarterMasterFilled = { ent-LockerQuarterMaster } + .suffix = Filled + .desc = { ent-LockerQuarterMaster.desc } +ent-LockerCaptainFilledHardsuit = { ent-LockerCaptain } + .suffix = Filled, Hardsuit + .desc = { ent-LockerCaptain.desc } +ent-LockerCaptainFilled = { ent-LockerCaptain } + .suffix = Filled + .desc = { ent-LockerCaptain.desc } +ent-LockerHeadOfPersonnelFilled = { ent-LockerHeadOfPersonnel } + .suffix = Filled + .desc = { ent-LockerHeadOfPersonnel.desc } +ent-LockerChiefEngineerFilledHardsuit = { ent-LockerChiefEngineer } + .suffix = Filled, Hardsuit + .desc = { ent-LockerChiefEngineer.desc } +ent-LockerChiefEngineerFilled = { ent-LockerChiefEngineer } + .suffix = Filled + .desc = { ent-LockerChiefEngineer.desc } +ent-LockerChiefMedicalOfficerFilledHardsuit = { ent-LockerChiefMedicalOfficer } + .suffix = Filled, Hardsuit + .desc = { ent-LockerChiefMedicalOfficer.desc } +ent-LockerChiefMedicalOfficerFilled = { ent-LockerChiefMedicalOfficer } + .suffix = Filled + .desc = { ent-LockerChiefMedicalOfficer.desc } +ent-LockerResearchDirectorFilledHardsuit = { ent-LockerResearchDirector } + .suffix = Filled, Hardsuit + .desc = { ent-LockerResearchDirector.desc } +ent-LockerResearchDirectorFilled = { ent-LockerResearchDirector } + .suffix = Filled + .desc = { ent-LockerResearchDirector.desc } +ent-LockerHeadOfSecurityFilledHardsuit = { ent-LockerHeadOfSecurity } + .suffix = Filled, Hardsuit + .desc = { ent-LockerHeadOfSecurity.desc } +ent-LockerHeadOfSecurityFilled = { ent-LockerHeadOfSecurity } + .suffix = Filled + .desc = { ent-LockerHeadOfSecurity.desc } +ent-LockerFreezerVaultFilled = { ent-LockerFreezerBase } + .suffix = Vault, Locked + .desc = { ent-LockerFreezerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/medical.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/medical.ftl new file mode 100644 index 00000000000..465e1d93f8d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/medical.ftl @@ -0,0 +1,18 @@ +ent-LockerMedicineFilled = { ent-LockerMedicine } + .suffix = Filled + .desc = { ent-LockerMedicine.desc } +ent-LockerWallMedicalFilled = medicine wall locker + .suffix = Filled + .desc = { ent-LockerWallMedical.desc } +ent-LockerMedicalFilled = { ent-LockerMedical } + .suffix = Filled + .desc = { ent-LockerMedical.desc } +ent-LockerWallMedicalDoctorFilled = medical doctor's wall locker + .suffix = Filled + .desc = { ent-LockerWallMedical.desc } +ent-LockerChemistryFilled = { ent-LockerChemistry } + .suffix = Filled + .desc = { ent-LockerChemistry.desc } +ent-LockerParamedicFilled = { ent-LockerParamedic } + .suffix = Filled + .desc = { ent-LockerParamedic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/misc.ftl new file mode 100644 index 00000000000..0fc5433d0c5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/misc.ftl @@ -0,0 +1,21 @@ +ent-LockerSyndicatePersonalFilled = { ent-LockerSyndicatePersonal } + .suffix = Filled + .desc = { ent-LockerSyndicatePersonal.desc } +ent-ClosetEmergencyFilledRandom = { ent-ClosetEmergency } + .suffix = Filled, Random + .desc = { ent-ClosetEmergency.desc } +ent-ClosetWallEmergencyFilledRandom = { ent-ClosetWallEmergency } + .suffix = Filled, Random + .desc = { ent-ClosetWallEmergency.desc } +ent-ClosetFireFilled = { ent-ClosetFire } + .suffix = Filled + .desc = { ent-ClosetFire.desc } +ent-ClosetWallFireFilledRandom = { ent-ClosetWallFire } + .suffix = Filled + .desc = { ent-ClosetWallFire.desc } +ent-ClosetMaintenanceFilledRandom = { ent-ClosetMaintenance } + .suffix = Filled, Random + .desc = { ent-ClosetMaintenance.desc } +ent-ClosetWallMaintenanceFilledRandom = { ent-ClosetWall } + .suffix = Filled, Random + .desc = { ent-ClosetWall.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/science.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/science.ftl new file mode 100644 index 00000000000..d13d36e48de --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/science.ftl @@ -0,0 +1,3 @@ +ent-LockerScienceFilled = { ent-LockerScientist } + .suffix = Filled + .desc = { ent-LockerScientist.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/security.ftl new file mode 100644 index 00000000000..beaa38ee3e6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/security.ftl @@ -0,0 +1,32 @@ +ent-LockerWardenFilledHardsuit = { ent-LockerWarden } + .suffix = Filled, Hardsuit + .desc = { ent-LockerWarden.desc } +ent-LockerWardenFilled = { ent-LockerWarden } + .suffix = Filled + .desc = { ent-LockerWarden.desc } +ent-LockerSecurityFilled = { ent-LockerSecurity } + .suffix = Filled + .desc = { ent-LockerSecurity.desc } +ent-LockerDetectiveFilled = { ent-LockerDetective } + .suffix = Filled + .desc = { ent-LockerDetective.desc } +ent-ClosetBombFilled = { ent-ClosetBomb } + .suffix = Filled + .desc = { ent-ClosetBomb.desc } +ent-GunSafeDisabler = disabler safe + .desc = { ent-GunSafe.desc } +ent-GunSafePistolMk58 = mk58 safe + .desc = { ent-GunSafe.desc } +ent-GunSafeRifleLecter = lecter safe + .desc = { ent-GunSafe.desc } +ent-GunSafeSubMachineGunDrozd = drozd safe + .desc = { ent-GunSafe.desc } +ent-GunSafeShotgunEnforcer = enforcer safe + .desc = { ent-GunSafe.desc } +ent-GunSafeShotgunKammerer = kammerer safe + .desc = { ent-GunSafe.desc } +ent-GunSafeSubMachineGunWt550 = wt550 safe + .suffix = Wt550 + .desc = { ent-GunSafe.desc } +ent-GunSafeLaserCarbine = laser safe + .desc = { ent-GunSafe.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/service.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/service.ftl new file mode 100644 index 00000000000..5c8f9e9ebd7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/service.ftl @@ -0,0 +1,21 @@ +ent-LockerBoozeFilled = { ent-LockerBooze } + .suffix = Filled + .desc = { ent-LockerBooze.desc } +ent-ClosetChefFilled = { ent-ClosetChef } + .suffix = Filled + .desc = { ent-ClosetChef.desc } +ent-ClosetJanitorFilled = { ent-ClosetJanitor } + .suffix = Filled + .desc = { ent-ClosetJanitor.desc } +ent-ClosetLegalFilled = { ent-ClosetLegal } + .suffix = Filled + .desc = { ent-ClosetLegal.desc } +ent-LockerBotanistFilled = { ent-LockerBotanist } + .suffix = Filled + .desc = { ent-LockerBotanist.desc } +ent-LockerBotanistLoot = { ent-LockerBotanist } + .suffix = Loot + .desc = { ent-LockerBotanist.desc } +ent-ClosetJanitorBombFilled = { ent-ClosetJanitorBomb } + .suffix = Filled + .desc = { ent-ClosetJanitorBomb.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/space_ruin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/space_ruin.ftl new file mode 100644 index 00000000000..d472c43299d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/space_ruin.ftl @@ -0,0 +1,3 @@ +ent-LockerOldAISat = closet + .suffix = NTSRA voidsuit locker + .desc = { ent-LockerSyndicate.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/suit_storage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/suit_storage.ftl new file mode 100644 index 00000000000..e6d10cb190b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/suit_storage.ftl @@ -0,0 +1,63 @@ +ent-SuitStorageEVA = { ent-SuitStorageBase } + .suffix = EVA + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageEVAAlternate = { ent-SuitStorageBase } + .suffix = EVA, Large Helmet + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageEVAEmergency = { ent-SuitStorageBase } + .suffix = Emergency EVA + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageEVAPrisoner = { ent-SuitStorageBase } + .suffix = Prisoner EVA + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageEVASyndicate = { ent-SuitStorageBase } + .suffix = Syndicate EVA + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageEVAPirate = { ent-SuitStorageBase } + .suffix = Pirate EVA + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageNTSRA = { ent-SuitStorageBase } + .suffix = Ancient EVA + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageBasic = { ent-SuitStorageBase } + .suffix = Basic Hardsuit + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageEngi = { ent-SuitStorageBase } + .suffix = Station Engineer + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageAtmos = { ent-SuitStorageBase } + .suffix = Atmospheric Technician + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageSec = { ent-SuitStorageBase } + .suffix = Security + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageCE = { ent-SuitStorageBase } + .suffix = Chief Engineer + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageCMO = { ent-SuitStorageBase } + .suffix = Chief Medical Officer + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageRD = { ent-SuitStorageBase } + .suffix = Research Director + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageHOS = { ent-SuitStorageBase } + .suffix = Head of Security + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageWarden = { ent-SuitStorageBase } + .suffix = Warden + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageCaptain = { ent-SuitStorageBase } + .suffix = Captain + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageSalv = { ent-SuitStorageBase } + .suffix = Salvage + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageSyndie = { ent-SuitStorageBase } + .suffix = Syndicate Hardsuit + .desc = { ent-SuitStorageBase.desc } +ent-SuitStoragePirateCap = { ent-SuitStorageBase } + .suffix = Pirate Captain + .desc = { ent-SuitStorageBase.desc } +ent-SuitStorageWizard = { ent-SuitStorageBase } + .suffix = Wizard + .desc = { ent-SuitStorageBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/wardrobe_colors.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/wardrobe_colors.ftl new file mode 100644 index 00000000000..004c0a2ebb9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/wardrobe_colors.ftl @@ -0,0 +1,24 @@ +ent-WardrobeGreyFilled = { ent-WardrobeGrey } + .suffix = Filled + .desc = { ent-WardrobeGrey.desc } +ent-WardrobeMixedFilled = { ent-WardrobeMixed } + .suffix = Filled + .desc = { ent-WardrobeMixed.desc } +ent-WardrobeYellowFilled = { ent-WardrobeYellow } + .suffix = Filled + .desc = { ent-WardrobeYellow.desc } +ent-WardrobeWhiteFilled = { ent-WardrobeWhite } + .suffix = Filled + .desc = { ent-WardrobeWhite.desc } +ent-WardrobeBlueFilled = { ent-WardrobeBlue } + .suffix = Filled + .desc = { ent-WardrobeBlue.desc } +ent-WardrobePinkFilled = { ent-WardrobePink } + .suffix = Filled + .desc = { ent-WardrobePink.desc } +ent-WardrobeBlackFilled = { ent-WardrobeBlack } + .suffix = Filled + .desc = { ent-WardrobeBlack.desc } +ent-WardrobeGreenFilled = { ent-WardrobeGreen } + .suffix = Filled + .desc = { ent-WardrobeGreen.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/wardrobe_job.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/wardrobe_job.ftl new file mode 100644 index 00000000000..d420903cee2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/lockers/wardrobe_job.ftl @@ -0,0 +1,42 @@ +ent-WardrobePrisonFilled = { ent-WardrobePrison } + .desc = Contains a selection of nice orange clothes for people enjoying their stay in the brig. + .suffix = Filled +ent-WardrobeRoboticsFilled = { ent-WardrobeRobotics } + .desc = You can build a robot out of this locker. + .suffix = Filled +ent-WardrobeChemistryFilled = { ent-WardrobeChemistry } + .desc = The sleek orange threads contained within make you much less likely to be thrown out of the chemistry lab. + .suffix = Filled +ent-WardrobeGeneticsFilled = { ent-WardrobeGenetics } + .desc = The sleek blue threads contained within make you much less likely to be thrown out of the genetics lab. + .suffix = Filled +ent-WardrobeVirologyFilled = { ent-WardrobeVirology } + .desc = The sleek green threads contained within make you much less likely to be thrown out of the virology lab. + .suffix = Filled +ent-WardrobeScienceFilled = { ent-WardrobeScience } + .desc = You've read a couple pop science articles, now it's time for the real deal. + .suffix = Filled +ent-WardrobeBotanistFilled = { ent-WardrobeBotanist } + .desc = Plant yourself among the plant men with these 100% natural plant-derived clothes. + .suffix = Filled +ent-WardrobeMedicalDoctorFilled = { ent-WardrobeMedicalDoctor } + .desc = We've all played doctor before, now practice medicine. + .suffix = Filled +ent-WardrobeChapelFilled = { ent-WardrobeChapel } + .desc = You have to look presentable for your flock. + .suffix = Filled +ent-WardrobeSecurityFilled = { ent-WardrobeSecurity } + .desc = Cross the thin red line. + .suffix = Filled +ent-WardrobeCargoFilled = { ent-WardrobeCargo } + .desc = This locker? Maybe 500 spesos. Brotherhood? Priceless. + .suffix = Filled +ent-WardrobeSalvageFilled = { ent-WardrobeSalvage } + .suffix = Filled + .desc = { ent-WardrobeSalvage.desc } +ent-WardrobeAtmosphericsFilled = { ent-WardrobeAtmospherics } + .desc = This locker contains a uniform for atmospheric technicians. + .suffix = Filled +ent-WardrobeEngineeringFilled = { ent-WardrobeEngineering } + .desc = This locker contains a uniform for engineering or social engineering. + .suffix = Filled diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/paper/manuals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/paper/manuals.ftl new file mode 100644 index 00000000000..12ee0ed3ae4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/paper/manuals.ftl @@ -0,0 +1,5 @@ +ent-PaperWrittenAMEScribbles = { ent-Paper } + .suffix = AME scribbles + .desc = { ent-Paper.desc } +ent-HoloparasiteInfo = holoparasite terms and conditions + .desc = A tiny volumetric display for documents, makes one wonder if Cybersun's legal budget is way too high. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/paper/salvage_lore.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/paper/salvage_lore.ftl new file mode 100644 index 00000000000..2f87d87c92a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/catalog/fills/paper/salvage_lore.ftl @@ -0,0 +1,17 @@ +ent-PaperWrittenSalvageLoreMedium1PlasmaTrap = { ent-Paper } + .suffix = Salvage: Lore: Medium 1: Plasma Trap + .desc = { ent-Paper.desc } +ent-SalvageLorePaperGamingSpawner = Salvage Lore Paper Gaming Spawner + .desc = { ent-MarkerBase.desc } +ent-PaperWrittenSalvageLoreGaming1 = { ent-Paper } + .suffix = Salvage: Lore: Gaming 1 + .desc = { ent-Paper.desc } +ent-PaperWrittenSalvageLoreGaming2 = { ent-Paper } + .suffix = Salvage: Lore: Gaming 2 + .desc = { ent-Paper.desc } +ent-PaperWrittenSalvageLoreGaming3 = { ent-Paper } + .suffix = Salvage: Lore: Gaming 3 + .desc = { ent-Paper.desc } +ent-PaperWrittenSalvageLoreGaming4 = { ent-Paper } + .suffix = Salvage: Lore: Gaming 4 + .desc = { ent-Paper.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/body/organs/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/body/organs/vulpkanin.ftl new file mode 100644 index 00000000000..0ceb733b428 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/body/organs/vulpkanin.ftl @@ -0,0 +1,2 @@ +ent-OrganVulpkaninStomach = { ent-OrganAnimalStomach } + .desc = { ent-OrganAnimalStomach.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/body/parts/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/body/parts/vulpkanin.ftl new file mode 100644 index 00000000000..472c66036c7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/body/parts/vulpkanin.ftl @@ -0,0 +1,22 @@ +ent-PartVulpkanin = vulpkanin body part + .desc = { ent-BasePart.desc } +ent-TorsoVulpkanin = vulpkanin torso + .desc = { ent-PartVulpkanin.desc } +ent-HeadVulpkanin = vulpkanin head + .desc = { ent-PartVulpkanin.desc } +ent-LeftArmVulpkanin = left vulpkanin arm + .desc = { ent-PartVulpkanin.desc } +ent-RightArmVulpkanin = right vulpkanin arm + .desc = { ent-PartVulpkanin.desc } +ent-LeftHandVulpkanin = left vulpkanin hand + .desc = { ent-PartVulpkanin.desc } +ent-RightHandVulpkanin = right vulpkanin hand + .desc = { ent-PartVulpkanin.desc } +ent-LeftLegVulpkanin = left vulpkanin leg + .desc = { ent-PartVulpkanin.desc } +ent-RightLegVulpkanin = right vulpkanin leg + .desc = { ent-PartVulpkanin.desc } +ent-LeftFootVulpkanin = left vulpkanin foot + .desc = { ent-PartVulpkanin.desc } +ent-RightFootVulpkanin = right vulpkanin foot + .desc = { ent-PartVulpkanin.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/backpack.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/backpack.ftl new file mode 100644 index 00000000000..35508073687 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/backpack.ftl @@ -0,0 +1,4 @@ +ent-ClothingBackpackIAAFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackPsychologistFilled = { ent-ClothingBackpackMedical } + .desc = { ent-ClothingBackpackMedical.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/duffelbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/duffelbag.ftl new file mode 100644 index 00000000000..bf39d8f1258 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/duffelbag.ftl @@ -0,0 +1,4 @@ +ent-ClothingBackpackDuffelIAAFilled = { ent-ClothingBackpackDuffel } + .desc = { ent-ClothingBackpackDuffel.desc } +ent-ClothingBackpackDuffelPsychologistFilled = { ent-ClothingBackpackDuffelMedical } + .desc = { ent-ClothingBackpackDuffelMedical.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/satchel.ftl new file mode 100644 index 00000000000..b8728031901 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/backpacks/startergear/satchel.ftl @@ -0,0 +1,4 @@ +ent-ClothingBackpackSatchelIAAFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } +ent-ClothingBackpackSatchelPsychologistFilled = { ent-ClothingBackpackSatchelMedical } + .desc = { ent-ClothingBackpackSatchelMedical.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/books/busido.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/books/busido.ftl new file mode 100644 index 00000000000..d5afbfa420d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/books/busido.ftl @@ -0,0 +1,2 @@ +ent-BookBusido = Busido. Selected chapters + .desc = Handbook for samurai, weaboos, and armchair generals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/books/rulebook.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/books/rulebook.ftl new file mode 100644 index 00000000000..7a200c78824 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/books/rulebook.ftl @@ -0,0 +1,2 @@ +ent-BookStationsAndAgents = Stations and Syndicates 14th Edition Rulebook + .desc = A book detailing the ruleset for the tabletop RPG, Stations and Syndicates. You don't know what happened to the previous 13 editions but maybe its probably not worth looking for them. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/items/briefcases.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/items/briefcases.ftl new file mode 100644 index 00000000000..f96e0c9b433 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/items/briefcases.ftl @@ -0,0 +1,3 @@ +ent-BriefcaseIAAFilled = { ent-BriefcaseBrown } + .suffix = IAA + .desc = { ent-BriefcaseBrown.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/items/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/items/misc.ftl new file mode 100644 index 00000000000..2e5683eab43 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/items/misc.ftl @@ -0,0 +1,3 @@ +ent-ClothingShoesBootsJackSecFilled = { ent-ClothingShoesBootsJackSec } + .suffix = Filled + .desc = { ent-ClothingShoesBootsJackSec.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl new file mode 100644 index 00000000000..bae7ece90df --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/catalog/fills/paper/document.ftl @@ -0,0 +1,128 @@ +ent-PrintedDocument = { ent-Paper } + .desc = Bureaucratic unit. A document printed on a printer. +ent-PrintedDocumentReportStation = Report on the situation at the station + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentReportOnEliminationOfViolations = Report on elimination of violations + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentReporDepartment = Report on the work of the department + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentReportEmployeePerformance = Report on employee performance + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentReportOnTheChaptersMeeting = Report on chapter meeting + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentInternalAffairsAgentsReport = Internal Investigation Report + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentConditionReport = Report on technical condition + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentReportStudyObject = Report on object Investigation + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentExperimentReport = Experiment report + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentDisposalReport = Disposal report + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentApplicationAppointmentInterim = Statement of Appointment to the Temporary Acting Authority + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentApplicationEmployment = Statement of Employment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentLetterResignation = Statement of Dismissal + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentApplicationAccess = Statement of access + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentApplicationEquipment = Statement for equipment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentAppeal = Appeal + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentEvacuationShuttleRequest = Evacuation Shuttle Request + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentShuttleRegistrationRequest = Shuttle registration request + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestCallMembersCentralCommitteeDSO = Request to call members of CC, DSO + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestRequestToEstablishThreatLevel = Request to establish threat level + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestChangeSalary = Request for salary change + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestForNonlistedEmployment = Request for non-listed employment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestForPromotion = Request for promotion + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestDocuments = Request for the provision of documents + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestEuthanasia = Request for euthanasia + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestConstructionWork = Request for construction works + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentRequestModernization = Request for modernization + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentComplaintViolationLaborRules = Complaint for violation of labor order + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentComplaintOffense = Complaint about an offense + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentPermissionEquipment = Authorization to use equipment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentPermissionToTravelInCaseOfThreat = Permission to travel in case of threat + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentSearchPermission = Authorization to search + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentPermissionToCarryWeapons = Permission to carry weapons + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentPrescriptionDrugAuthorization = Prescription Drug Authorization + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentPermissionDisposeBody = Authorization to dispose of the body + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentConstructionPermit = Building permit + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentPermissionToExtendMarriage = Permission to extend marriage + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderDismissal = Dismissal order + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderDeprivationAccess = Denial of access order + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderEncouragement = Incentive order + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderParolePrisoner = Prisoner parole order + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderRecognizingSentienceCreature = An order recognizing the reasonableness of the substance + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderMedicalIntervention = Order for medical intervention + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentProductManufacturingOrder = Order for the production of a product + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderPurchaseResourcesEquipment = Purchase order for resources, equipment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderingSpecialEquipment = Ordering special equipment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentOrderPurchaseWeapons = Purchase order for armaments + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentCertificate = Certificate + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentCertificateAdvancedTraining = Certificate of advanced training + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentCertificateOffense = Certificate of Offense + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentDeathCertificate = Death certificate + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentMarriageCertificate = Marriage certificate + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentDivorceCertificate = Certificate of divorce + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentClosingIndictment = Indictment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentSentence = Sentence + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentJudgment = Judgment + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentStatementHealth = Health report + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentDecisionToStartTrial = Decision to start a trial + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentErrorLoadingFormHeader = ERROR loading form header + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentNoticeOfLiquidation = NOTICE OF LIQUIDIZATION + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentBusinessDeal = BUSINESS DEAL + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentNoteBeginningMilitaryActions = NOTE BEGINNING MILITARY ACTIONS + .desc = { ent-PrintedDocument.desc } +ent-PrintedDocumentReportAccomplishmentGoals = REPORT ACCOMPLISHMENT GOALS + .desc = { ent-PrintedDocument.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/backpacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/backpacks.ftl new file mode 100644 index 00000000000..518eb7e8747 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/backpacks.ftl @@ -0,0 +1,6 @@ +ent-ClothingMilitaryBackpack = army backpack + .desc = A spacious backpack with lots of pockets, worn by military structures. +ent-ClothingDeathSquadronBackpack = death squadron backpack + .desc = A spacious backpack using bluespace technology. +ent-ClothingBackpackCE = chief engineer backpack + .desc = Technicially progressive backpack. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/duffel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/duffel.ftl new file mode 100644 index 00000000000..64d929ae77e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/duffel.ftl @@ -0,0 +1,4 @@ +ent-ClothingBackpackDuffelMilitary = army duffel bag + .desc = A large duffel bag for holding any army goods. +ent-ClothingBackpackDuffelCE = chief engineer duffel bag + .desc = A large duffel bag for all instruments you need to create singularity. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/satchel.ftl new file mode 100644 index 00000000000..e3339053b97 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/back/satchel.ftl @@ -0,0 +1,4 @@ +ent-ClothingBackpackMilitarySatchel = army satchel + .desc = A tactical satchel for army related needs. +ent-ClothingBackpackSatchelCE = chief engineer satchel + .desc = A white satchel for best engineers. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/ears/headsets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/ears/headsets.ftl new file mode 100644 index 00000000000..f7514d77023 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/ears/headsets.ftl @@ -0,0 +1,2 @@ +ent-ClothingHeadsetIAA = iaa headset + .desc = A headset for internal affairs agent to hear the captain's last words. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/eyes/glasses.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/eyes/glasses.ftl new file mode 100644 index 00000000000..f9ac5f13134 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/eyes/glasses.ftl @@ -0,0 +1,4 @@ +ent-ClothingEyesSalesman = colored glasses + .desc = A pair of glasses with uniquely colored lenses. The frame is inscribed with 'Best Salesman 1997'. +ent-ClothingEyesBinoclardLenses = binoclard lenses + .desc = Shows you know how to sew a lapel and center a back vent. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/hands/gloves.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/hands/gloves.ftl new file mode 100644 index 00000000000..ab2d197aa83 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/hands/gloves.ftl @@ -0,0 +1,4 @@ +ent-ClothingHandsGlovesAerostatic = aerostatic gloves + .desc = Breathable red gloves for expert handling of a pen and notebook. +ent-ClothingHandsGlovesCentcomNaval = nanotrasen naval gloves + .desc = A high quality pair of thick gloves covered in gold stitching, given to Nanotrasen's Naval Commanders. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/hardsuit-helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/hardsuit-helmets.ftl new file mode 100644 index 00000000000..bc1e8336269 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/hardsuit-helmets.ftl @@ -0,0 +1,2 @@ +ent-ClothingHeadHelmetCBURNLeader = cburn commander helmet + .desc = A pressure resistant and fireproof hood worn by special cleanup units. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/hats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/hats.ftl new file mode 100644 index 00000000000..8219305d79f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/hats.ftl @@ -0,0 +1,16 @@ +ent-ClothingHeadCapCentcomBlack = special operations officer cap + .desc = The NanoTrasen gold-engraved special cap of the higher ranks, which has long gone through more than one blitzkrieg... +ent-ClothingHeadCapCentcomNaval = naval cap + .desc = A cap worn by those in the Nanotrasen Navy. +ent-ClothingHeadHatBeretCentcomNaval = naval beret + .desc = A beret worn by those in the Nanotrasen Navy. +ent-ClothingHeadHatERTLeaderBeret = leader beret + .desc = A blue beret made of durathread with a genuine golden badge, denoting its owner as a Leader of ERT. +ent-ClothingHeadHatCapHoS = head of security cap + .desc = The robust standard-issue cap of the Head of Security. For showing the officers who's in charge. +ent-ClothingHeadHatCapWardenAlt = warden's police hat + .desc = It's a special blue hat issued to the Warden of a security force. +ent-ClothingHeadHatBeretSecurityMedic = security medic beret + .desc = A robust beret with the medical insignia emblazoned on it. Uses reinforced fabric to offer sufficient protection. +ent-ClothingHeadCaptainHat = captain's hat + .desc = A special hat made to order for the captain. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/helmets.ftl new file mode 100644 index 00000000000..393f4f009b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/head/helmets.ftl @@ -0,0 +1,2 @@ +ent-ClothingHeadHelmetSecurityMedic = security medic helmet + .desc = A standard issue combat helmet for security medics. Has decent tensile strength and armor. Keep your head down. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/cloaks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/cloaks.ftl new file mode 100644 index 00000000000..60362da2fc7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/cloaks.ftl @@ -0,0 +1,4 @@ +ent-ClothingNeckCloakCentcomBlack = special operations officer cloak + .desc = The NanoTrasen logo embroidered in gold speaks for itself. +ent-ClothingNeckCloakCentcomAdmiral = admiral's cape + .desc = A vibrant green cape with gold stitching, worn by Nanotrasen Navy Admirals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/mantles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/mantles.ftl new file mode 100644 index 00000000000..b96532efdf2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/mantles.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckMantleERTLeader = ERT leader's mantle + .desc = Extraordinary decorative drape over the shoulders. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/pins.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/pins.ftl new file mode 100644 index 00000000000..bda84f5cada --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/pins.ftl @@ -0,0 +1,18 @@ +ent-ClothingNeckUSSPPin = USSP pin + .desc = The pin of United Soviet Socialist Planet. +ent-ClothingNeckDonkPin = Donk pin + .desc = The pin of corporation Donk Pocket. +ent-ClothingNeckEarthPin = Earth pin + .desc = The pin of United Earth Government. +ent-ClothingNeckLogistikaPin = logistika pin + .desc = The pin of corporation Kosmologistika. +ent-ClothingNeckDeForestPin = DeForest pin + .desc = The pin of corporation DeForest. +ent-ClothingNeckNakamuraPin = Nakamura pin + .desc = The pin of corporation Nakamura engineering. +ent-ClothingNeckNanoTrasenPin = NanoTrasen pin + .desc = The pin of corporation NanoTrasen. +ent-ClothingNeckSyndicakePin = Syndicake pin + .desc = The pin of Syndicakes, on backside have a little numbers "2559". +ent-ClothingNeckVitezstviPin = Vitezstvi pin + .desc = The pin of corporation Vitezstvi. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/ties.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/ties.ftl new file mode 100644 index 00000000000..1e4026f19a2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/neck/ties.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckHorrific = horrific necktie + .desc = The necktie is adorned with a garish pattern. It's disturbingly vivid. Somehow you feel as if it would be wrong to ever take it off. It's your friend now. You will betray it if you change it for some boring scarf. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/armor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/armor.ftl new file mode 100644 index 00000000000..88a8e94ee3d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/armor.ftl @@ -0,0 +1,2 @@ +ent-ClothingOuterArmorCentcomCarapace = naval carapace + .desc = A carapace worn by Naval Command members. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/coats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/coats.ftl new file mode 100644 index 00000000000..34f524a90d4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/coats.ftl @@ -0,0 +1,14 @@ +ent-ClothingOuterCoatHoSGreatcoat = armored greatcoat + .desc = A greatcoat enhanced with a special alloy for some extra protection and style for those with a commanding presence. +ent-ClothingOuterCoatDetectiveDark = noir trenchcoat + .desc = A hard-boiled private investigator's dark trenchcoat. +ent-ClothingOuterCoatWardenAlt = warden's jacket + .desc = A navy-blue armored jacket with blue shoulder designations and '/Warden/' stitched into one of the chest pockets. +ent-ClothingOuterCoatSecurityOvercoat = security overcoat + .desc = Lightly armored leather overcoat meant as casual wear for high-ranking officers. Bears the crest of Nanotrasen Security. +ent-ClothingOuterCoatLabSecurityMedic = security medic labcoat + .desc = A suit that protects against minor chemical spills. +ent-ClothingOuterCoatCaptain = captain's jacket + .desc = Captain's formal jacket, inlaid with gold. +ent-ClothingOuterCoatHOP = head of personnel's jacket + .desc = Business jacket of the HOP for a professional look. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/hardsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/hardsuits.ftl new file mode 100644 index 00000000000..e3c84495352 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/hardsuits.ftl @@ -0,0 +1,2 @@ +ent-ClothingOuterHardsuitCBURNLeader = CBURN commander exosuit + .desc = A lightweight yet strong exosuit used for special cleanup operations. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/suits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/suits.ftl new file mode 100644 index 00000000000..4af949c22e1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/suits.ftl @@ -0,0 +1,4 @@ +ent-ClothingOuterAerostaticBomberJacket = aerostatic bomber jacket + .desc = A jacket once worn by the revolutionary air brigades during the Antecentennial Revolution. There are quite a few pockets on the inside, mostly for storing notebooks and compasses. +ent-ClothingOuterDiscoAssBlazer = disco ass blazer + .desc = Looks like someone skinned this blazer off some long extinct disco-animal. It has an enigmatic white rectangle on the back and the right sleeve. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/vests.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/vests.ftl new file mode 100644 index 00000000000..a991aecde45 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/outerclothing/vests.ftl @@ -0,0 +1,6 @@ +ent-ClothingOuterVestArmorSec = armor vest + .desc = A slim Type I armored vest that provides decent protection against most types of damage. +ent-ClothingOuterVestArmorMedSec = security medic armor vest + .desc = A security medic's armor vest, with little pockets for little things. +ent-ClothingOuterVestSecurityMedic = security medic vest + .desc = A lightweight vest worn by the Security Medic. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/shoes/boots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/shoes/boots.ftl new file mode 100644 index 00000000000..7df66b3be60 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/shoes/boots.ftl @@ -0,0 +1,2 @@ +ent-ClothingShoesBootsJackSec = { ent-ClothingShoesBootsJack } + .desc = { ent-ClothingShoesBootsJack.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/shoes/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/shoes/specific.ftl new file mode 100644 index 00000000000..22b6a98dba5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/shoes/specific.ftl @@ -0,0 +1,10 @@ +ent-ClothingShoesGreenLizardskin = green lizardskin shoes + .desc = They may have lost some of their lustre over the years, but these green lizardskin shoes fit you perfectly. +ent-ClothingShoesAerostatic = aerostatic boots + .desc = A crisp, clean set of boots for working long hours on the beat. +ent-ClothingShoesCentcomBlack = special operations officer shoes + .desc = Leather, black, high-quality shoes, you can hardly find similar ones on the black market... +ent-ClothingShoesSchoolBlack = school black shoes + .desc = Stylish and comfortable school shoes in dark color with stockings. +ent-ClothingShoesSchoolWhite = school white shoes + .desc = Stylish and comfortable school shoes in light color with stockings. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/uniforms/jumpskirts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/uniforms/jumpskirts.ftl new file mode 100644 index 00000000000..e538f112b25 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/uniforms/jumpskirts.ftl @@ -0,0 +1,10 @@ +ent-ClothingUniformJumpskirtCentcomOfficial = CentCom officer's suitskirt + .desc = It's a suitskirt worn by CentCom's highest-tier Commanders. +ent-ClothingUniformJumpskirtCentcomOfficer = CentCom turtleneck skirt + .desc = A skirt version of the CentCom turtleneck, rarer and more sought after than the original. +ent-ClothingUniformColorJumpskirtRainbow = rainbow jumpskirt + .desc = A multi-colored jumpskirt! +ent-ClothingUniformJumpskirtPsychologist = psychologist suitskirt + .desc = I don't lose things. I place things in locations which later elude me. +ent-ClothingUniformJumpskirtSchool = school skirt + .desc = Stylish and comfortable school skirt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/uniforms/jumpsuits.ftl new file mode 100644 index 00000000000..1e9c0ab5d20 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/clothing/uniforms/jumpsuits.ftl @@ -0,0 +1,8 @@ +ent-ClothingUniformJumpsuitSuperstarCop = superstar cop uniform + .desc = Flare cut trousers and a dirty shirt that might have been classy before someone took a piss in the armpits. It's the dress of a superstar. +ent-ClothingUniformJumpsuitAerostatic = aerostatic suit + .desc = A crisp and well-pressed suit; professional, comfortable and curiously authoritative. +ent-ClothingUniformJumpsuitCentcomOfficerBlack = special operations officer uniform + .desc = Special Operations Officer uniform, nothing like that. Although... If you have time to read this, it's too late... +ent-ClothingUniformJumpsuitCentcomAdmiral = admiral's uniform + .desc = A uniform worn by those with the rank Admiral in the Nanotrasen Navy. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/effects/portal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/effects/portal.ftl new file mode 100644 index 00000000000..e065e70db91 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/effects/portal.ftl @@ -0,0 +1,2 @@ +ent-PortalGate = { ent-BasePortal } + .desc = { ent-BasePortal.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/markers/spawners/ghost_roles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/markers/spawners/ghost_roles.ftl new file mode 100644 index 00000000000..8d82fca4f75 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/markers/spawners/ghost_roles.ftl @@ -0,0 +1,2 @@ +ent-SpawnPointEvilTwin = evil twin spawn point + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/markers/spawners/mobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/markers/spawners/mobs.ftl new file mode 100644 index 00000000000..344282df8c3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/markers/spawners/mobs.ftl @@ -0,0 +1,2 @@ +ent-SpawnMobGorillaLargo = Gorilla Largo Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/npcs/pets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/npcs/pets.ftl new file mode 100644 index 00000000000..0779a117551 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/npcs/pets.ftl @@ -0,0 +1,2 @@ +ent-MobGorillaLargo = Largo + .desc = Cargo's pet, participated in the first revolution. He seems to have an 'I love Mom' tattoo. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/player/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/player/vulpkanin.ftl new file mode 100644 index 00000000000..2462d20d658 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/player/vulpkanin.ftl @@ -0,0 +1,2 @@ +ent-MobVulpkanin = Urist McVulp + .desc = { ent-BaseMobVulpkanin.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/species/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/species/vulpkanin.ftl new file mode 100644 index 00000000000..a55ddf6eea6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/mobs/species/vulpkanin.ftl @@ -0,0 +1,4 @@ +ent-BaseMobVulpkanin = Urist McVulp + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobVulpkaninDummy = Urist McHands + .desc = A dummy vulpkanin meant to be used in character setup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/drinks/drinks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/drinks/drinks.ftl new file mode 100644 index 00000000000..39e4ba3e9ec --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/drinks/drinks.ftl @@ -0,0 +1,42 @@ +ent-DrinkAlexanderGlass = { ent-DrinkGlass } + .suffix = alexander + .desc = { ent-DrinkGlass.desc } +ent-DrinkBadTouchGlass = { ent-DrinkGlass } + .suffix = bad touch + .desc = { ent-DrinkGlass.desc } +ent-DrinkBoyarskyGlass = { ent-DrinkGlass } + .suffix = boyarsky + .desc = { ent-DrinkGlass.desc } +ent-DrinkBrambleGlass = { ent-DrinkGlass } + .suffix = bramble + .desc = { ent-DrinkGlass.desc } +ent-DrinkDaiquiriGlass = { ent-DrinkGlass } + .suffix = daiquiri + .desc = { ent-DrinkGlass.desc } +ent-DrinkDarkAndStormyGlass = { ent-DrinkGlass } + .suffix = dark and stormy + .desc = { ent-DrinkGlass.desc } +ent-DrinkEspressoMartiniGlass = { ent-DrinkGlass } + .suffix = espresso martini + .desc = { ent-DrinkGlass.desc } +ent-DrinkKvassGlass = { ent-DrinkGlassBase } + .suffix = kvass + .desc = { ent-DrinkGlassBase.desc } +ent-DrinkMaiTaiGlass = { ent-DrinkGlass } + .suffix = mai tai + .desc = { ent-DrinkGlass.desc } +ent-DrinkMoscowMuleGlass = { ent-DrinkGlass } + .suffix = moscow mule + .desc = { ent-DrinkGlass.desc } +ent-DrinkNegroniGlass = { ent-DrinkGlass } + .suffix = negroni + .desc = { ent-DrinkGlass.desc } +ent-DrinkOldFashionedGlass = { ent-DrinkGlass } + .suffix = old fashioned + .desc = { ent-DrinkGlass.desc } +ent-DrinkPalomaGlass = { ent-DrinkGlass } + .suffix = paloma + .desc = { ent-DrinkGlass.desc } +ent-DrinkYorshGlass = { ent-DrinkGlass } + .suffix = yorsh + .desc = { ent-DrinkGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/drinks/drinks_bottles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/drinks/drinks_bottles.ftl new file mode 100644 index 00000000000..822c75e78e4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/drinks/drinks_bottles.ftl @@ -0,0 +1,2 @@ +ent-DrinkCampariBottleFull = campari bottle + .desc = Tincture based on aromatic herbs and citrus fruits. Non-GMO! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/food/soup.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/food/soup.ftl new file mode 100644 index 00000000000..1f64b86e88d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/consumable/food/soup.ftl @@ -0,0 +1,2 @@ +ent-FoodPelmeniBowl = pelmeni + .desc = Lots of meat, little dough. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/circuitboards/machine/production.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/circuitboards/machine/production.ftl new file mode 100644 index 00000000000..e94a195736a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/circuitboards/machine/production.ftl @@ -0,0 +1,2 @@ +ent-PrinterDocMachineCircuitboard = document printer machine board + .desc = A machine printed circuit board for an document printer diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/encryption_keys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/encryption_keys.ftl new file mode 100644 index 00000000000..ee8fce3b28c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/encryption_keys.ftl @@ -0,0 +1,2 @@ +ent-EncryptionKeyIAA = iaa encryption key + .desc = An encryption key used by the most meticulous person. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/pda.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/pda.ftl new file mode 100644 index 00000000000..310d78812e0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/devices/pda.ftl @@ -0,0 +1,2 @@ +ent-IAAPDA = internal affairs agent PDA + .desc = Corporation and profit are best friends. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/materials/sheets/other.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/materials/sheets/other.ftl new file mode 100644 index 00000000000..479c0028672 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/materials/sheets/other.ftl @@ -0,0 +1,6 @@ +ent-SheetPrinter = { ent-Paper } + .suffix = Full + .desc = { ent-Paper.desc } +ent-SheetPrinter1 = { ent-SheetPrinter } + .suffix = Single + .desc = { ent-SheetPrinter.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/flatpacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/flatpacks.ftl new file mode 100644 index 00000000000..e7498aae3e4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/flatpacks.ftl @@ -0,0 +1,2 @@ +ent-PrinterDocFlatpack = document printer flatpack + .desc = A flatpack used for constructing a document printer. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/identification_cards.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/identification_cards.ftl new file mode 100644 index 00000000000..51dea4d0735 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/identification_cards.ftl @@ -0,0 +1,2 @@ +ent-IAAIDCard = internal affairs agent ID card + .desc = { ent-IDCardStandard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/paper.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/paper.ftl new file mode 100644 index 00000000000..e07620b95fc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/paper.ftl @@ -0,0 +1,2 @@ +ent-StationGoalPaper = station goal centcomm message + .desc = It looks like you have a lot of work to do. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/rubber_stamp.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/rubber_stamp.ftl new file mode 100644 index 00000000000..61ffa9811a8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/rubber_stamp.ftl @@ -0,0 +1,6 @@ +ent-RubberStampIAA = internal affairs agent's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampPsychologist = psychologist's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/stamps.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/stamps.ftl new file mode 100644 index 00000000000..61ffa9811a8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/objects/misc/stamps.ftl @@ -0,0 +1,6 @@ +ent-RubberStampIAA = internal affairs agent's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampPsychologist = psychologist's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/furniture/chairs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/furniture/chairs.ftl new file mode 100644 index 00000000000..4a5ea13904a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/furniture/chairs.ftl @@ -0,0 +1,2 @@ +ent-ChairCarp = carp chair + .desc = A luxurious chair, the many purple scales reflect the light in a most pleasing manner. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/furniture/potted_plants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/furniture/potted_plants.ftl new file mode 100644 index 00000000000..62c79439945 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/furniture/potted_plants.ftl @@ -0,0 +1,18 @@ +ent-PottedPlantAlt0 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt1 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt2 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt3 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt4 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt5 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt6 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt7 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantAlt8 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/machines/computers/computers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/machines/computers/computers.ftl new file mode 100644 index 00000000000..870f94c9791 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/machines/computers/computers.ftl @@ -0,0 +1,2 @@ +ent-CentcomComputerComms = centcom communications computer + .desc = { ent-ComputerComms.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/machines/printer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/machines/printer.ftl new file mode 100644 index 00000000000..c3102510d14 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/machines/printer.ftl @@ -0,0 +1,2 @@ +ent-PrinterDoc = document printer + .desc = Bureaucratic perfection. Stores a database of all Nanotrasen documents, and lets you print them as long as you have paper. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/storage/tanks/tanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/storage/tanks/tanks.ftl new file mode 100644 index 00000000000..55ee372fc8e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/storage/tanks/tanks.ftl @@ -0,0 +1,6 @@ +ent-KvassTank = { ent-StorageTank } + .suffix = Empty + .desc = { ent-StorageTank.desc } +ent-KvassTankFull = { ent-KvassTank } + .suffix = Full + .desc = { ent-KvassTank.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/wallmounts/signs/bar_sign.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/wallmounts/signs/bar_sign.ftl new file mode 100644 index 00000000000..3f19813573a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/entities/structures/wallmounts/signs/bar_sign.ftl @@ -0,0 +1,2 @@ +ent-BarSignAlcoholic = Pour and that's it + .desc = Pour it on, that's all. Hard times have come... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/gamerules/events.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/gamerules/events.ftl new file mode 100644 index 00000000000..dd72ce31768 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/gamerules/events.ftl @@ -0,0 +1,2 @@ +ent-EvilTwin = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/markers/spawners/ert.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/markers/spawners/ert.ftl new file mode 100644 index 00000000000..7ef7305526b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/markers/spawners/ert.ftl @@ -0,0 +1,19 @@ +ent-BaseERTSpawner = one-time signal ERT spawner + .desc = { ent-MarkerBase.desc } +ent-ERTSpawnerLeader = { ent-BaseERTSpawner } + .suffix = Leader + .desc = { ent-BaseERTSpawner.desc } +ent-ERTSpawnerJanitor = { ent-BaseERTSpawner } + .suffix = Janitor + .desc = { ent-BaseERTSpawner.desc } +ent-ERTSpawnerEngineering = { ent-BaseERTSpawner } + .suffix = Engineering + .desc = { ent-BaseERTSpawner.desc } +ent-ERTSpawnerSrcurity = { ent-BaseERTSpawner } + .suffix = Security + .desc = { ent-BaseERTSpawner.desc } +ent-ERTSpawnerMedical = { ent-BaseERTSpawner } + .suffix = Medical + .desc = { ent-BaseERTSpawner.desc } +ent-ERTSpawnerCBURN = one-time signal CBURN spawner + .desc = { ent-BaseERTSpawner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/objectives/eviltwin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/objectives/eviltwin.ftl new file mode 100644 index 00000000000..7971764cd75 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/objectives/eviltwin.ftl @@ -0,0 +1,4 @@ +ent-EscapeShuttleTwinObjective = Escape to centcom alive and unrestrained. + .desc = Continue your covert implementation already on Centcom. +ent-KillTwinObjective = Kill original persona. + .desc = Kill your original persona and take his place. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/objectives/traitorObjectives.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/objectives/traitorObjectives.ftl new file mode 100644 index 00000000000..8b713e17e82 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/objectives/traitorObjectives.ftl @@ -0,0 +1,2 @@ +ent-HijackShuttleObjective = Hijack emergency shuttle + .desc = Leave on the shuttle free and clear of the loyal Nanotrasen crew on board. Use ANY methods available to you. Syndicate agents, Nanotrasen enemies, and handcuffed hostages may remain alive on the shuttle. Ignore assistance from anyone other than a support agent. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvax/reagents/meta/consumable/drink/alcohol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/reagents/meta/consumable/drink/alcohol.ftl new file mode 100644 index 00000000000..87665c05867 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvax/reagents/meta/consumable/drink/alcohol.ftl @@ -0,0 +1,41 @@ +reagent-name-yorsh = yorsh +reagent-desc-yorsh = Taste of childhood. + +reagent-name-alexander = alexander +reagent-desc-alexander = No Alexander was harmed during production. Maybe... + +reagent-name-daiquiri = daiquiri +reagent-desc-daiquiri = Do you want to feel like a 19th century miner? The miner did not want to, and tried to forget himself in alcohol. + +reagent-name-campari = campari +reagent-desc-campari = Tincture based on aromatic herbs and citrus fruits. Non-GMO! + +reagent-name-negroni = negroni +reagent-desc-negroni = Americano for alcoholics. + +reagent-name-espressoMartini = espresso martini +reagent-desc-espressoMartini = Wake me up, then fu... Uh-h.. Okay, just wake me up. + +reagent-name-oldFashioned = old fashioned +reagent-desc-oldFashioned = As the greatest classic said: “This is a classic”. + +reagent-name-badTouch = bad touch +reagent-desc-badTouch = We're nothing but mammals after all. + +reagent-name-darkAndStormy = dark and stormy +reagent-desc-darkAndStormy = Straight from Bermuda! The pirate on the left says that this is why the drink disappears. + +reagent-name-bramble = bramble +reagent-desc-bramble = Berries, gin, and a rather creepy look. + +reagent-name-maiTai = mai tai +reagent-desc-maiTai = The first person who tried this cocktail exclaimed: ”Mai tai — roa ae!”. What does it mean in Thai... I don't know. Sounds cool! + +reagent-name-moscowMule = moscow mule +reagent-desc-moscowMule = Cocktail from the USA. Why Moscow? Because vodka. Moscow vodka? No. So why Moscow? VODKA! + +reagent-name-paloma = paloma +reagent-desc-paloma = Cowboys on top. Maracas on bottom. Hard choice... + +reagent-name-boyarsky = boyarsky +reagent-desc-boyarsky = What to do if you are tired of life? MIX VODKA! \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecrets/entities/markers/spawners/ghost_roles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecrets/entities/markers/spawners/ghost_roles.ftl new file mode 100644 index 00000000000..8d82fca4f75 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecrets/entities/markers/spawners/ghost_roles.ftl @@ -0,0 +1,2 @@ +ent-SpawnPointEvilTwin = evil twin spawn point + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecretsserver/gamerules/events.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecretsserver/gamerules/events.ftl new file mode 100644 index 00000000000..dd72ce31768 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecretsserver/gamerules/events.ftl @@ -0,0 +1,2 @@ +ent-EvilTwin = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecretsserver/objectives/evilTwinObjectives.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecretsserver/objectives/evilTwinObjectives.ftl new file mode 100644 index 00000000000..7971764cd75 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/corvaxsecretsserver/objectives/evilTwinObjectives.ftl @@ -0,0 +1,4 @@ +ent-EscapeShuttleTwinObjective = Escape to centcom alive and unrestrained. + .desc = Continue your covert implementation already on Centcom. +ent-KillTwinObjective = Kill original persona. + .desc = Kill your original persona and take his place. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/organs/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/organs/vulpkanin.ftl new file mode 100644 index 00000000000..0ceb733b428 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/organs/vulpkanin.ftl @@ -0,0 +1,2 @@ +ent-OrganVulpkaninStomach = { ent-OrganAnimalStomach } + .desc = { ent-OrganAnimalStomach.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 new file mode 100644 index 00000000000..a4149f86d70 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/body/parts/vulpkanin.ftl @@ -0,0 +1,22 @@ +ent-PartVulpkanin = vulpkanin body part + .desc = { ent-BasePart.desc } +ent-TorsoVulpkanin = vulpkanin torso + .desc = { ent-BaseTorso.desc } +ent-HeadVulpkanin = vulpkanin head + .desc = { ent-BaseHead.desc } +ent-LeftArmVulpkanin = left vulpkanin arm + .desc = { ent-BaseLeftArm.desc } +ent-RightArmVulpkanin = right vulpkanin arm + .desc = { ent-BaseRightArm.desc } +ent-LeftHandVulpkanin = left vulpkanin handpaw + .desc = { ent-BaseLeftHand.desc } +ent-RightHandVulpkanin = right vulpkanin handpaw + .desc = { ent-BaseRightHand.desc } +ent-LeftLegVulpkanin = left vulpkanin leg + .desc = { ent-BaseLeftLeg.desc } +ent-RightLegVulpkanin = right vulpkanin leg + .desc = { ent-BaseRightLeg.desc } +ent-LeftFootVulpkanin = left vulpkanin paw + .desc = { ent-BaseLeftFoot.desc } +ent-RightFootVulpkanin = right vulpkanin paw + .desc = { ent-BaseRightFoot.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/catalog/fills/crates/vending.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/catalog/fills/crates/vending.ftl new file mode 100644 index 00000000000..16555fb5c97 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/catalog/fills/crates/vending.ftl @@ -0,0 +1,2 @@ +ent-CrateVendingMachineRestockPrideFilled = { ent-CratePlasticBiodegradable } + .desc = { ent-CratePlasticBiodegradable.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl new file mode 100644 index 00000000000..1761a96a510 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/shoes/misc.ftl @@ -0,0 +1,2 @@ +ent-ClothingShoesClothwarp = cloth footwraps + .desc = A roll of treated canvas used for wrapping claws or paws. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl new file mode 100644 index 00000000000..04a19bcc7ec --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/shoes/winter-boots.ftl @@ -0,0 +1,42 @@ +ent-ClothingShoesBootsWinterAtmos = atmospherics winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterCap = captain's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterChiefEngineer = chief engineer's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterCentCom = centcom winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterChef = chef winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterChem = chemist winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterClown = clown winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterCMO = chief medical officer winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterGenetics = genetics winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterHoP = station representative's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterHoS = sheriff's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterHydro = botanist winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterJani = janitor winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterMime = mime winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterMiner = miner winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterParamedic = paramedic winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterQM = quartermaster's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterRD = research director's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterRobo = robotics winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterViro = virology winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterWarden = bailiff's winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl new file mode 100644 index 00000000000..29523700fa9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/clothing/uniforms/jumpsuits.ftl @@ -0,0 +1,2 @@ +ent-ClothingUniformJumpsuitKilt = kilt + .desc = A fine bit o' garb for the lad an' lasses. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl new file mode 100644 index 00000000000..bf4fc07f911 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/player/vulpkanin.ftl @@ -0,0 +1,2 @@ +ent-MobVulpkanin = Urist McVulp + .desc = { ent-BaseMobVulpkanin.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl new file mode 100644 index 00000000000..bfa6ca75cc9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/mobs/species/vulpkanin.ftl @@ -0,0 +1,4 @@ +ent-BaseMobVulpkanin = Urist McVulp + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobVulpkaninDummy = Vulpkanin Dummy + .desc = A dummy vulpkanin meant to be used in character setup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl new file mode 100644 index 00000000000..320b354589d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/devices/vulptranslator.ftl @@ -0,0 +1,2 @@ +ent-VulpTranslator = Canilunzt translator + .desc = Used by Vulpkanins to translate their speech. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl new file mode 100644 index 00000000000..ed8acfcaf5d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/fun/toy_guns.ftl @@ -0,0 +1,2 @@ +ent-WeaponRifleBB = BB Gun + .desc = The classic Red Ryder BB gun. Don't shoot your eye out. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl new file mode 100644 index 00000000000..7fc59e074dd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/specific/service/vending_machine_restock.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl new file mode 100644 index 00000000000..db9beb2dedb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/ammunition/boxes/toy_guns.ftl @@ -0,0 +1,2 @@ +ent-BoxCartridgeBB = box of BBs + .desc = { ent-BoxDonkSoftBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl new file mode 100644 index 00000000000..c56a862ea14 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/battery/battery_guns.ftl @@ -0,0 +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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/projectiles/impacts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/projectiles/impacts.ftl new file mode 100644 index 00000000000..c797ffe81d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/projectiles/impacts.ftl @@ -0,0 +1,2 @@ +ent-BulletImpactEffectRedDisabler = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/projectiles/toy_projectiles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/projectiles/toy_projectiles.ftl new file mode 100644 index 00000000000..a78a624f39f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/objects/weapons/guns/projectiles/toy_projectiles.ftl @@ -0,0 +1,2 @@ +ent-BulletBB = BB + .desc = Don't shoot your eye out. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl new file mode 100644 index 00000000000..556c32b0cd2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/structures/doors/windoors/windoor.ftl @@ -0,0 +1,9 @@ +ent-WindoorMailLocked = { ent-Windoor } + .suffix = Mail, Locked + .desc = { ent-Windoor.desc } +ent-WindoorSecureMailLocked = { ent-WindoorSecure } + .suffix = Mail, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureParamedicLocked = { ent-WindoorSecure } + .suffix = Paramedic, Locked + .desc = { ent-WindoorSecure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl new file mode 100644 index 00000000000..5d38dab738f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/deltav/entities/structures/machines/vending_machines.ftl @@ -0,0 +1,2 @@ +ent-VendingMachinePride = Pride-O-Mat + .desc = A vending machine containing crimes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl new file mode 100644 index 00000000000..3afef2747a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/backpacks.ftl @@ -0,0 +1,65 @@ +ent-ClothingBackpack = backpack + .desc = You wear this on your back and put items into it. +ent-ClothingBackpackClown = giggles von honkerton + .desc = It's a backpack made by Honk! Co. +ent-ClothingBackpackIan = Ian's backpack + .desc = Sometimes he wears it. +ent-ClothingBackpackSecurity = security backpack + .desc = It's a very robust backpack. +ent-ClothingBackpackBrigmedic = brigmedic backpack + .desc = It's a very sterile backpack. +ent-ClothingBackpackEngineering = engineering backpack + .desc = It's a tough backpack for the daily grind of station life. +ent-ClothingBackpackAtmospherics = atmospherics backpack + .desc = It's a backpack made of fire resistant fibers. Smells like plasma. +ent-ClothingBackpackMedical = medical backpack + .desc = It's a backpack especially designed for use in a sterile environment. +ent-ClothingBackpackCaptain = captain's backpack + .desc = It's a special backpack made exclusively for Nanotrasen officers. +ent-ClothingBackpackMime = mime backpack + .desc = A silent backpack made for those silent workers. Silence Co. +ent-ClothingBackpackChemistry = chemistry backpack + .desc = A backpack specially designed to repel stains and hazardous liquids. +ent-ClothingBackpackHydroponics = hydroponics backpack + .desc = It's a backpack made of all-natural fibers. +ent-ClothingBackpackScience = science backpack + .desc = A backpack specially designed to repel stains and hazardous liquids. +ent-ClothingBackpackVirology = virology backpack + .desc = A backpack made of hypo-allergenic fibers. It's designed to help prevent the spread of disease. Smells like monkey. +ent-ClothingBackpackGenetics = genetics backpack + .desc = A backpack designed to be super tough, just in case someone hulks out on you. +ent-ClothingBackpackCargo = cargo backpack + .desc = A robust backpack for stealing cargo's loot. +ent-ClothingBackpackSalvage = salvage bag + .desc = A robust backpack for stashing your loot. +ent-ClothingBackpackMercenary = mercenary backpack + .desc = A backpack that has been in many dangerous places, a reliable combat backpack. +ent-ClothingBackpackERTLeader = ERT leader backpack + .desc = A spacious backpack with lots of pockets, worn by the Commander of an Emergency Response Team. +ent-ClothingBackpackERTSecurity = ERT security backpack + .desc = A spacious backpack with lots of pockets, worn by Security Officers of an Emergency Response Team. +ent-ClothingBackpackERTMedical = ERT medical backpack + .desc = A spacious backpack with lots of pockets, worn by Medical Officers of an Emergency Response Team. +ent-ClothingBackpackERTEngineer = ERT engineer backpack + .desc = A spacious backpack with lots of pockets, worn by Engineers of an Emergency Response Team. +ent-ClothingBackpackERTJanitor = ERT janitor backpack + .desc = A spacious backpack with lots of pockets, worn by Janitors of an Emergency Response Team. +ent-ClothingBackpackERTClown = ERT clown backpack + .desc = A spacious backpack with lots of pockets, worn by Clowns of an Emergency Response Team. +ent-ClothingBackpackHolding = bag of holding + .desc = A backpack that opens into a localized pocket of bluespace. +ent-ClothingBackpackCluwne = jiggles von jonkerton + .desc = It's a backpack made by Jonk! Co. + .suffix = Unremoveable +ent-ClothingBackpackDebug = wackpack + .desc = What the fuck is this? + .suffix = Debug +ent-ClothingBackpackDebug2 = big wackpack + .desc = What the fuck is this? + .suffix = Debug +ent-ClothingBackpackDebug3 = gay wackpack + .desc = What the fuck is this? + .suffix = Debug +ent-ClothingBackpackDebug4 = offset wackpack + .desc = What the fuck is this? + .suffix = Debug diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/duffel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/duffel.ftl new file mode 100644 index 00000000000..b8328cff320 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/duffel.ftl @@ -0,0 +1,48 @@ +ent-ClothingBackpackDuffel = duffel bag + .desc = A large duffel bag for holding extra things. +ent-ClothingBackpackDuffelEngineering = engineering duffel bag + .desc = A large duffel bag for holding extra tools and supplies. +ent-ClothingBackpackDuffelAtmospherics = atmospherics duffel bag + .desc = A large duffel bag made of fire resistant fibers. Smells like plasma. +ent-ClothingBackpackDuffelMedical = medical duffel bag + .desc = A large duffel bag for holding extra medical supplies. +ent-ClothingBackpackDuffelCaptain = captain's duffel bag + .desc = A large duffel bag for holding extra captainly goods. +ent-ClothingBackpackDuffelClown = clown duffel bag + .desc = A large duffel bag for holding extra honk goods. +ent-ClothingBackpackDuffelSecurity = security duffel bag + .desc = A large duffel bag for holding extra security related goods. +ent-ClothingBackpackDuffelBrigmedic = brigmedic duffel bag + .desc = A large duffel bag for holding extra medical related goods. +ent-ClothingBackpackDuffelChemistry = chemistry duffel bag + .desc = A large duffel bag for holding extra beakers and test tubes. +ent-ClothingBackpackDuffelVirology = virology duffel bag + .desc = A large duffel bag made of hypo-allergenic fibers. It's designed to help prevent the spread of disease. Smells like monkey. +ent-ClothingBackpackDuffelGenetics = genetics duffel bag + .desc = A large duffel bag for holding extra genetic mutations. +ent-ClothingBackpackDuffelMime = mime duffel bag + .desc = A large duffel bag for holding... mime... stuff. +ent-ClothingBackpackDuffelScience = science duffel bag + .desc = A large duffel bag for holding extra science related goods. +ent-ClothingBackpackDuffelHydroponics = hydroponics duffel bag + .desc = A large duffel bag for holding extra gardening tools. +ent-ClothingBackpackDuffelCargo = cargo duffel bag + .desc = A large duffel bag for stealing cargo's precious loot. +ent-ClothingBackpackDuffelSalvage = salvage duffel bag + .desc = A large duffel bag for holding extra exotic treasures. +ent-ClothingBackpackDuffelSyndicate = syndicate duffel bag + .desc = A large duffel bag for holding various traitor goods. +ent-ClothingBackpackDuffelSyndicateBundle = { ent-ClothingBackpackDuffelSyndicate } + .desc = { ent-ClothingBackpackDuffelSyndicate.desc } +ent-ClothingBackpackDuffelSyndicateAmmo = syndicate duffel bag + .desc = { ent-ClothingBackpackDuffelSyndicate.desc } +ent-ClothingBackpackDuffelSyndicateAmmoBundle = { ent-ClothingBackpackDuffelSyndicateAmmo } + .desc = { ent-ClothingBackpackDuffelSyndicateAmmo.desc } +ent-ClothingBackpackDuffelSyndicateMedical = syndicate duffel bag + .desc = { ent-ClothingBackpackDuffelSyndicate.desc } +ent-ClothingBackpackDuffelSyndicateMedicalBundle = { ent-ClothingBackpackDuffelSyndicateMedical } + .desc = { ent-ClothingBackpackDuffelSyndicateMedical.desc } +ent-ClothingBackpackDuffelHolding = duffelbag of holding + .desc = A duffelbag that opens into a localized pocket of bluespace. +ent-ClothingBackpackDuffelCBURN = CBURN duffel bag + .desc = A duffel bag containing a variety of biological containment equipment. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/satchel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/satchel.ftl new file mode 100644 index 00000000000..66ffa14bf6d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/satchel.ftl @@ -0,0 +1,36 @@ +ent-ClothingBackpackSatchel = satchel + .desc = A trendy looking satchel. +ent-ClothingBackpackSatchelLeather = leather satchel + .desc = A trend-setting satchel from a bygone era. +ent-ClothingBackpackSatchelEngineering = engineering satchel + .desc = A tough satchel with extra pockets. +ent-ClothingBackpackSatchelAtmospherics = atmospherics satchel + .desc = A tough satchel made of fire resistant fibers. Smells like plasma. +ent-ClothingBackpackSatchelClown = clown satchel + .desc = For fast running from security. +ent-ClothingBackpackSatchelMime = mime satchel + .desc = A satchel designed for the silent and expressive art of miming. +ent-ClothingBackpackSatchelMedical = medical satchel + .desc = A sterile satchel used in medical departments. +ent-ClothingBackpackSatchelChemistry = chemistry satchel + .desc = A sterile satchel with chemist colours. +ent-ClothingBackpackSatchelVirology = virology satchel + .desc = A satchel made of hypo-allergenic fibers. It's designed to help prevent the spread of disease. Smells like monkey. +ent-ClothingBackpackSatchelGenetics = genetics satchel + .desc = A sterile satchel with geneticist colours. +ent-ClothingBackpackSatchelScience = science satchel + .desc = Useful for holding research materials. +ent-ClothingBackpackSatchelSecurity = security satchel + .desc = A robust satchel for security related needs. +ent-ClothingBackpackSatchelBrigmedic = brigmedic satchel + .desc = A sterile satchel for medical related needs. +ent-ClothingBackpackSatchelCaptain = captain's satchel + .desc = An exclusive satchel for Nanotrasen officers. +ent-ClothingBackpackSatchelHydroponics = hydroponics satchel + .desc = A satchel made of all natural fibers. +ent-ClothingBackpackSatchelCargo = cargo satchel + .desc = A robust satchel for stealing cargo's loot. +ent-ClothingBackpackSatchelSalvage = salvage satchel + .desc = A robust satchel for stashing your loot. +ent-ClothingBackpackSatchelHolding = satchel of holding + .desc = A satchel that opens into a localized pocket of bluespace. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/specific.ftl new file mode 100644 index 00000000000..ec1fcfa3805 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/back/specific.ftl @@ -0,0 +1,5 @@ +ent-ClothingBackpackChameleon = backpack + .desc = You wear this on your back and put items into it. + .suffix = Chameleon +ent-ClothingBackpackWaterTank = backpack water tank + .desc = Holds a large amount of fluids. Supplies to spray nozzles in your hands. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/base_clothing.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/base_clothing.ftl new file mode 100644 index 00000000000..67e132403d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/base_clothing.ftl @@ -0,0 +1,8 @@ +ent-Clothing = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-GeigerCounterClothing = { "" } + .desc = { "" } +ent-ClothingSlotBase = { "" } + .desc = { "" } +ent-ContentsExplosionResistanceBase = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/base_clothingbelt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/base_clothingbelt.ftl new file mode 100644 index 00000000000..c1f1e91ae32 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/base_clothingbelt.ftl @@ -0,0 +1,6 @@ +ent-ClothingBeltBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-ClothingBeltStorageBase = { ent-ClothingBeltBase } + .desc = { ent-ClothingBeltBase.desc } +ent-ClothingBeltAmmoProviderBase = { ent-ClothingBeltBase } + .desc = { ent-ClothingBeltBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/belts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/belts.ftl new file mode 100644 index 00000000000..5f03eb38a7a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/belts.ftl @@ -0,0 +1,42 @@ +ent-ClothingBeltUtility = utility belt + .desc = Can hold various things. +ent-ClothingBeltChiefEngineer = chief engineer's toolbelt + .desc = Holds tools, looks snazzy. +ent-ClothingBeltAssault = assault belt + .desc = A tactical assault belt. +ent-ClothingBeltJanitor = janibelt + .desc = A belt used to hold most janitorial supplies. +ent-ClothingBeltMedical = medical belt + .desc = Can hold various medical equipment. +ent-ClothingBeltMedicalEMT = EMT belt + .desc = Perfect for holding various equipment for medical emergencies. +ent-ClothingBeltPlant = botanical belt + .desc = A belt used to hold most hydroponics supplies. Suprisingly, not green. +ent-ClothingBeltChef = chef belt + .desc = A belt used to hold kitchen knives and condiments for quick access. +ent-ClothingBeltSecurity = security belt + .desc = Can hold security gear like handcuffs and flashes. +ent-ClothingBeltSheath = sabre sheath + .desc = An ornate sheath designed to hold an officer's blade. +ent-ClothingBeltBandolier = bandolier + .desc = A bandolier for holding shotgun ammunition. +ent-ClothingBeltChampion = championship belt + .desc = Proves to the world that you are the strongest! +ent-ClothingBeltHolster = shoulder holster + .desc = A holster to carry a handgun and ammo. WARNING: Badasses only. +ent-ClothingBeltSyndieHolster = syndicate shoulder holster + .desc = A deep shoulder holster capable of holding many types of ballistics. +ent-ClothingBeltSecurityWebbing = security webbing + .desc = Unique and versatile chest rig, can hold security gear. +ent-ClothingBeltMercenaryWebbing = mercenary webbing + .desc = Ideal for storing everything from ammo to weapons and combat essentials. +ent-ClothingBeltSalvageWebbing = salvage rig + .desc = Universal unloading system for work in space. +ent-ClothingBeltMilitaryWebbing = chest rig + .desc = A set of tactical webbing worn by Syndicate boarding parties. +ent-ClothingBeltMilitaryWebbingMed = medical chest rig + .desc = A set of tactical webbing worn by Gorlex Marauder medic operatives. +ent-ClothingBeltSuspenders = suspenders + .desc = For holding your pants up. +ent-ClothingBeltWand = wand belt + .desc = A belt designed to hold various rods of power. A veritable fanny pack of exotic magic. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/quiver.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/quiver.ftl new file mode 100644 index 00000000000..291c12000ee --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/quiver.ftl @@ -0,0 +1,2 @@ +ent-ClothingBeltQuiver = quiver + .desc = Can hold up to 15 arrows, and fits snug around your waist. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/waist_bags.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/waist_bags.ftl new file mode 100644 index 00000000000..6cf01139e2f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/belt/waist_bags.ftl @@ -0,0 +1,2 @@ +ent-ClothingBeltStorageWaistbag = leather waist bag + .desc = A leather waist bag meant for carrying small items. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/headsets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/headsets.ftl new file mode 100644 index 00000000000..73c24fc1831 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/headsets.ftl @@ -0,0 +1,38 @@ +ent-ClothingHeadset = headset + .desc = An updated, modular intercom that fits over the head. Takes encryption keys. +ent-ClothingHeadsetGrey = passenger headset + .desc = { ent-ClothingHeadset.desc } +ent-ClothingHeadsetCargo = cargo headset + .desc = A headset used by supply employees. +ent-ClothingHeadsetMining = mining headset + .desc = Headset used by shaft miners. +ent-ClothingHeadsetQM = qm headset + .desc = A headset used by the quartermaster. +ent-ClothingHeadsetCentCom = CentCom headset + .desc = A headset used by the upper echelons of Nanotrasen. +ent-ClothingHeadsetCommand = command headset + .desc = A headset with a commanding channel. +ent-ClothingHeadsetEngineering = engineering headset + .desc = A headset for engineers to chat while the station burns around them. +ent-ClothingHeadsetCE = ce headset + .desc = A headset for the chief engineer to ignore all emergency calls on. +ent-ClothingHeadsetMedical = medical headset + .desc = A headset for the trained staff of the medbay. +ent-ClothingHeadsetCMO = cmo headset + .desc = A headset used by the CMO. +ent-ClothingHeadsetScience = science headset + .desc = A sciency headset. Like usual. +ent-ClothingHeadsetMedicalScience = medical research headset + .desc = A headset that is a result of the mating between medical and science. +ent-ClothingHeadsetRobotics = robotics headset + .desc = Made specifically for the roboticists, who cannot decide between departments. +ent-ClothingHeadsetRD = rd headset + .desc = Lamarr used to love chewing on this... +ent-ClothingHeadsetSecurity = deputy headset + .desc = This is used by your elite sheriff's department force. +ent-ClothingHeadsetBrigmedic = brigmedic headset + .desc = A headset that helps to hear the death cries. +ent-ClothingHeadsetService = service headset + .desc = Headset used by the service staff, tasked with keeping the station full, happy and clean. +ent-ClothingHeadsetFreelance = freelancer headset + .desc = This is used by a roaming group of freelancers diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/headsets_alt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/headsets_alt.ftl new file mode 100644 index 00000000000..1afb5975ec7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/headsets_alt.ftl @@ -0,0 +1,23 @@ +ent-ClothingHeadsetAlt = headset + .desc = An updated, modular intercom that fits over the head. Takes encryption keys. +ent-ClothingHeadsetAltCargo = quartermaster's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltCentCom = CentCom over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltCentComFake = { ent-ClothingHeadsetAltCentCom } + .suffix = Fake + .desc = { ent-ClothingHeadsetAltCentCom.desc } +ent-ClothingHeadsetAltCommand = command over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltEngineering = chief engineer's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltMedical = chief medical officer's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltSecurity = sheriff's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltScience = research director's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } +ent-ClothingHeadsetAltSyndicate = blood-red over-ear headset + .desc = An updated, modular syndicate intercom that fits over the head and takes encryption keys (there are 5 key slots.). +ent-ClothingHeadsetAltFreelancer = freelancer's over-ear headset + .desc = { ent-ClothingHeadsetAlt.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/specific.ftl new file mode 100644 index 00000000000..ce08fd9b702 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/ears/specific.ftl @@ -0,0 +1,3 @@ +ent-ClothingHeadsetChameleon = passenger headset + .desc = An updated, modular intercom that fits over the head. Takes encryption keys. + .suffix = Chameleon diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/base_clothingeyes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/base_clothingeyes.ftl new file mode 100644 index 00000000000..35521191276 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/base_clothingeyes.ftl @@ -0,0 +1,2 @@ +ent-ClothingEyesBase = { ent-Clothing } + .desc = { ent-Clothing.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/glasses.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/glasses.ftl new file mode 100644 index 00000000000..037fd3dde7a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/glasses.ftl @@ -0,0 +1,28 @@ +ent-ClothingEyesGlassesGar = gar glasses + .desc = Go beyond impossible and kick reason to the curb! +ent-ClothingEyesGlassesGarOrange = orange gar glasses + .desc = Just who the hell do you think I am?! +ent-ClothingEyesGlassesGarGiga = giga gar glasses + .desc = We evolve past the person we were a minute before. Little by little we advance with each turn. That's how a drill works! +ent-ClothingEyesGlassesMeson = engineering goggles + .desc = Green-tinted goggles using a proprietary polymer that provides protection from eye damage of all types. +ent-ClothingEyesGlasses = glasses + .desc = A pair of spectacular spectacles with prescription lenses. +ent-ClothingEyesGlassesJensen = jensen glasses + .desc = A pair of yellow tinted folding glasses. You never asked for these. +ent-ClothingEyesGlassesJamjar = jamjar glasses + .desc = Also known as Virginity Protectors. +ent-ClothingEyesGlassesOutlawGlasses = outlaw glasses + .desc = A must for every self-respecting undercover agent. +ent-ClothingEyesGlassesSunglasses = sun glasses + .desc = A pair of black sunglasses. +ent-ClothingEyesGlassesSecurity = security glasses + .desc = Upgraded sunglasses that provide flash immunity and a security HUD. +ent-ClothingEyesGlassesMercenary = mercenary glasses + .desc = Glasses made for combat, to protect the eyes from bright blinding flashes. +ent-ClothingEyesGlassesThermal = optical thermal scanner + .desc = Thermals in the shape of glasses. +ent-ClothingEyesGlassesChemical = chemical analysis goggles + .desc = Goggles that can scan the chemical composition of a solution. +ent-ClothingEyesVisorNinja = ninja visor + .desc = An advanced visor protecting a ninja's eyes from flashing lights. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/hud.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/hud.ftl new file mode 100644 index 00000000000..4634450ddb1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/hud.ftl @@ -0,0 +1,35 @@ +ent-ClothingEyesHudDiagnostic = diagnostic hud + .desc = A heads-up display capable of analyzing the integrity and status of robotics and exosuits. Made out of see-borg-ium. +ent-ClothingEyesHudMedical = medical hud + .desc = A heads-up display that scans the humanoids in view and provides accurate data about their health status. +ent-ClothingEyesHudSecurity = security hud + .desc = A heads-up display that scans the humanoids in view and provides accurate data about their ID status and security records. +ent-ClothingEyesHudBeer = beer goggles + .desc = A pair of sunHud outfitted with apparatus to scan reagents, as well as providing an innate understanding of liquid viscosity while in motion. +ent-ClothingEyesHudFriedOnion = fried onion goggles + .desc = Filler +ent-ClothingEyesHudOnionBeer = thungerst goggles + .desc = Filler +ent-ClothingEyesHudMedOnion = medonion hud + .desc = Filler +ent-ClothingEyesHudMedOnionBeer = medthungerst hud + .desc = Filler +ent-ClothingEyesHudMedSec = medsec hud + .desc = An eye display that looks like a mixture of medical and security huds. +ent-ClothingEyesHudMultiversal = multiversal hud + .desc = Filler +ent-ClothingEyesHudOmni = omni hud + .desc = Filler +ent-ClothingEyesHudSyndicate = syndicate visor + .desc = The syndicate's professional head-up display, designed for better detection of humanoids and their subsequent elimination. +ent-ClothingEyesGlassesHiddenSecurity = { ent-ClothingEyesGlassesSunglasses } + .suffix = Syndicate + .desc = { ent-ClothingEyesGlassesSunglasses.desc } +ent-ClothingEyesEyepatchHudMedical = medical hud eyepatch + .desc = A heads-up display that scans the humanoids in view and provides accurate data about their health status. For true patriots. +ent-ClothingEyesEyepatchHudSecurity = security hud eyepatch + .desc = A heads-up display that scans the humanoids in view and provides accurate data about their ID status and security records. For true patriots. +ent-ClothingEyesEyepatchHudBeer = beer hud eyepatch + .desc = A pair of sunHud outfitted with apparatus to scan reagents, as well as providing an innate understanding of liquid viscosity while in motion. For true patriots. +ent-ClothingEyesEyepatchHudDiag = diagnostic hud eyepatch + .desc = A heads-up display capable of analyzing the integrity and status of robotics and exosuits. Made out of see-borg-ium. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/misc.ftl new file mode 100644 index 00000000000..74e51836c24 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/misc.ftl @@ -0,0 +1,4 @@ +ent-ClothingEyesEyepatch = eyepatch + .desc = Yarr. +ent-ClothingEyesBlindfold = blindfold + .desc = The bind leading the blind. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/specific.ftl new file mode 100644 index 00000000000..e7f415ff782 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/eyes/specific.ftl @@ -0,0 +1,3 @@ +ent-ClothingEyesChameleon = sun glasses + .desc = Useful for security. + .suffix = Chameleon diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/base_clothinghands.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/base_clothinghands.ftl new file mode 100644 index 00000000000..8582dc3bbf3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/base_clothinghands.ftl @@ -0,0 +1,4 @@ +ent-ClothingHandsBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-ClothingHandsButcherable = { ent-ClothingHandsBase } + .desc = { ent-ClothingHandsBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/colored.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/colored.ftl new file mode 100644 index 00000000000..86836b52a05 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/colored.ftl @@ -0,0 +1,29 @@ +ent-ClothingHandsGlovesSyntheticBase = { ent-ClothingHandsButcherable } + .desc = { ent-ClothingHandsButcherable.desc } +ent-ClothingHandsGlovesColorPurple = purple gloves + .desc = Regular purple gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorRed = red gloves + .desc = Regular red gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorBlack = black gloves + .desc = Regular black gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorBlue = blue gloves + .desc = Regular blue gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorBrown = brown gloves + .desc = Regular brown gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorGray = grey gloves + .desc = Regular grey gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorGreen = green gloves + .desc = Regular green gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorLightBrown = light brown gloves + .desc = Regular light brown gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorOrange = orange gloves + .desc = Regular orange gloves that do not keep you from frying. +ent-ClothingHandsGlovesColorWhite = white gloves + .desc = Those gloves look fancy. +ent-ClothingHandsGlovesColorYellow = insulated gloves + .desc = These gloves will protect the wearer from electric shocks. +ent-ClothingHandsGlovesColorYellowBudget = budget insulated gloves + .desc = These gloves are cheap knockoffs of the coveted ones - no way this can end badly. +ent-ClothingHandsGlovesConducting = { ent-ClothingHandsGlovesColorYellow } + .suffix = Conducting + .desc = { ent-ClothingHandsGlovesColorYellow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl new file mode 100644 index 00000000000..363081156f0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/gloves.ftl @@ -0,0 +1,51 @@ +ent-ClothingHandsGlovesBoxingRed = red boxing gloves + .desc = Red gloves for competitive boxing. +ent-ClothingHandsGlovesBoxingBlue = blue boxing gloves + .desc = Blue gloves for competitive boxing. +ent-ClothingHandsGlovesBoxingGreen = green boxing gloves + .desc = Green gloves for competitive boxing. +ent-ClothingHandsGlovesBoxingYellow = yellow boxing gloves + .desc = Yellow gloves for competitive boxing. +ent-ClothingHandsGlovesBoxingRigged = { ent-ClothingHandsGlovesBoxingBlue } + .suffix = Rigged + .desc = { ent-ClothingHandsGlovesBoxingBlue.desc } +ent-ClothingHandsGlovesCaptain = captain gloves + .desc = Regal blue gloves, with a nice gold trim. Swanky. +ent-ClothingHandsGlovesHop = papercut-proof gloves + .desc = Perfect for dealing with paperwork and matters with bureaucracy. +ent-ClothingHandsGlovesLatex = latex gloves + .desc = Thin sterile latex gloves. Basic PPE for any doctor. +ent-ClothingHandsGlovesNitrile = nitrile gloves + .desc = High-quality nitrile gloves. Expensive medical PPE. +ent-ClothingHandsGlovesLeather = botanist's leather gloves + .desc = These leather gloves protect against thorns, barbs, prickles, spikes and other harmful objects of floral origin. They're also quite warm. +ent-ClothingHandsGlovesPowerglove = power gloves + .desc = Now I'm playin' with power! Wait... they're turned off. +ent-ClothingHandsGlovesRobohands = robohands gloves + .desc = Beep boop borp! +ent-ClothingHandsGlovesSpaceNinja = space ninja gloves + .desc = These black nano-enhanced gloves insulate from electricity and provide fire resistance. +ent-ClothingHandsGlovesCombat = combat gloves + .desc = These tactical gloves are fireproof and shock resistant. +ent-ClothingHandsTacticalMaidGloves = tactical maid gloves + .desc = Tactical maid gloves, every self-respecting maid should be able to discreetly eliminate her goals. +ent-ClothingHandsMercenaryGlovesCombat = mercenary combat gloves + .desc = High-quality combat gloves to protect hands from mechanical damage during combat. +ent-ClothingHandsGlovesFingerless = fingerless gloves + .desc = Plain black gloves without fingertips for the hard working. +ent-ClothingHandsGlovesFingerlessInsulated = fingerless insulated gloves + .desc = Insulated gloves resistant to shocks, or at least they used to. +ent-ClothingHandsGlovesMercFingerless = mercenary fingerless gloves + .desc = Gloves that may not protect you from finger burns, but will make you cooler. +ent-ThievingGloves = { ent-ClothingHandsGlovesColorBlack } + .suffix = Thieving + .desc = { ent-ClothingHandsGlovesColorBlack.desc } +ent-ClothingHandsGlovesCluwne = cluwne hands + .desc = A cursed pair of cluwne hands. + .suffix = Unremoveable +ent-ClothingHandsGlovesNorthStar = gloves of the north star + .desc = These gloves allow you to punch incredibly fast. +ent-ClothingHandsGlovesForensic = forensic gloves + .desc = Do not leave fibers or fingerprints. If you work without them, you're A TERRIBLE DETECTIVE. +ent-ClothingHandsGlovesJanitor = rubber gloves + .desc = High-quality rubber gloves, squeaky to do some cleaning! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/specific.ftl new file mode 100644 index 00000000000..951ac5c9d7b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/hands/specific.ftl @@ -0,0 +1,6 @@ +ent-ClothingHandsChameleon = black gloves + .desc = Regular black gloves that do not keep you from frying. + .suffix = Chameleon +ent-ClothingHandsChameleonThief = { ent-ClothingHandsChameleon } + .suffix = Chameleon, Thieving + .desc = { ent-ClothingHandsChameleon.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/animals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/animals.ftl new file mode 100644 index 00000000000..0e778137cb2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/animals.ftl @@ -0,0 +1,10 @@ +ent-ClothingHeadHatAnimalCat = grey cat hat + .desc = A cute and fluffy head of a grey cat. +ent-ClothingHeadHatAnimalCatBrown = brown cat hat + .desc = A cute and fluffy head of a brown cat. +ent-ClothingHeadHatAnimalCatBlack = black cat hat + .desc = A cute and fluffy head of a black cat. +ent-ClothingHeadHatAnimalHeadslime = headslime hat + .desc = A green, sticky headslime, you put it on your head. +ent-ClothingHeadHatAnimalMonkey = monkey hat + .desc = That's a monkey head. It has a hole on a mouth to eat bananas. 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 new file mode 100644 index 00000000000..5d09c5f100e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/bandanas.ftl @@ -0,0 +1,22 @@ +ent-ClothingHeadBandBase = { ent-BaseFoldable } + .desc = { ent-BaseFoldable.desc } +ent-ClothingHeadBandBlack = black bandana + .desc = { ent-ClothingMaskBandBlack.desc } +ent-ClothingHeadBandBlue = blue bandana + .desc = { ent-ClothingMaskBandBlue.desc } +ent-ClothingHeadBandBotany = botany bandana + .desc = { ent-ClothingMaskBandBotany.desc } +ent-ClothingHeadBandGold = gold bandana + .desc = { ent-ClothingMaskBandGold.desc } +ent-ClothingHeadBandGreen = green bandana + .desc = { ent-ClothingMaskBandGreen.desc } +ent-ClothingHeadBandGrey = grey bandana + .desc = { ent-ClothingMaskBandGrey.desc } +ent-ClothingHeadBandRed = red bandana + .desc = { ent-ClothingMaskBandRed.desc } +ent-ClothingHeadBandSkull = skull bandana + .desc = { ent-ClothingMaskBandSkull.desc } +ent-ClothingHeadBandMercenary = mercenary bandana + .desc = { ent-ClothingMaskBandMerc.desc } +ent-ClothingHeadBandBrown = brown bandana + .desc = { ent-ClothingMaskBandBrown.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/base_clothinghead.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/base_clothinghead.ftl new file mode 100644 index 00000000000..dee86a7c19f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/base_clothinghead.ftl @@ -0,0 +1,16 @@ +ent-ClothingHeadBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-ClothingHeadBaseButcherable = { ent-ClothingHeadBase } + .desc = { ent-ClothingHeadBase.desc } +ent-HatBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-ClothingHeadLightBase = base helmet with light + .desc = { ent-ClothingHeadBase.desc } +ent-ClothingHeadEVAHelmetBase = base space helmet + .desc = { ent-ClothingHeadBase.desc } +ent-ClothingHeadHardsuitBase = base hardsuit helmet + .desc = { "" } +ent-ClothingHeadHardsuitWithLightBase = base hardsuit helmet with light + .desc = { ent-ClothingHeadHardsuitBase.desc } +ent-ClothingHeadHatHoodWinterBase = base winter coat hood + .desc = A hood, made to keep your head warm. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/eva-helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/eva-helmets.ftl new file mode 100644 index 00000000000..b318060aca8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/eva-helmets.ftl @@ -0,0 +1,12 @@ +ent-ClothingHeadHelmetEVA = EVA helmet + .desc = An old-but-gold helmet designed for extravehicular activites. Infamous for making security officers paranoid. +ent-ClothingHeadHelmetEVALarge = EVA helmet + .desc = An old-but-gold helmet designed for extravehicular activites. +ent-ClothingHeadHelmetSyndicate = syndicate EVA helmet + .desc = A simple, stylish EVA helmet. Designed for maximum humble space-badassery. +ent-ClothingHeadHelmetCosmonaut = cosmonaut helmet + .desc = Ancient design, but advanced manufacturing. +ent-ClothingHeadHelmetVoidParamed = paramedic void helmet + .desc = A void helmet made for paramedics. +ent-ClothingHeadHelmetAncient = NTSRA void helmet + .desc = An ancient space helmet, designed by the NTSRA branch of CentCom. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hardhats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hardhats.ftl new file mode 100644 index 00000000000..f59020559e5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hardhats.ftl @@ -0,0 +1,16 @@ +ent-ClothingHeadHatHardhatBase = { ent-ClothingHeadBase } + .desc = { ent-ClothingHeadBase.desc } +ent-ClothingHeadHatHardhatBlue = blue hard hat + .desc = A hard hat, painted in blue, used in dangerous working conditions to protect the head. Comes with a built-in flashlight. +ent-ClothingHeadHatHardhatOrange = orange hard hat + .desc = A hard hat, painted in orange, used in dangerous working conditions to protect the head. Comes with a built-in flashlight. +ent-ClothingHeadHatHardhatRed = red hard hat + .desc = A hard hat, painted in red, used in dangerous working conditions to protect the head. Comes with a built-in flashlight. +ent-ClothingHeadHatHardhatWhite = white hard hat + .desc = A hard hat, painted in white, used in dangerous working conditions to protect the head. Comes with a built-in flashlight. +ent-ClothingHeadHatHardhatYellow = yellow hard hat + .desc = A hard hat, painted in yellow, used in dangerous working conditions to protect the head. Comes with a built-in flashlight. +ent-ClothingHeadHatHardhatYellowDark = dark yellow hard hat + .desc = A hard hat, painted in dark yellow, used in dangerous working conditions to protect the head. Comes with a built-in flashlight. +ent-ClothingHeadHatHardhatArmored = armored hard hat + .desc = An armored hard hat. Provides the best of both worlds in both protection & utility - perfect for the engineer on the frontlines. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hardsuit-helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hardsuit-helmets.ftl new file mode 100644 index 00000000000..14ad6558a30 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hardsuit-helmets.ftl @@ -0,0 +1,70 @@ +ent-ClothingHeadHelmetHardsuitBasic = basic hardsuit helmet + .desc = A basic-looking hardsuit helmet that provides minor protection against most sources of damage. +ent-ClothingHeadHelmetHardsuitAtmos = atmos hardsuit helmet + .desc = A special hardsuit helmet designed for working in low-pressure, high thermal environments. +ent-ClothingHeadHelmetHardsuitEngineering = engineering hardsuit helmet + .desc = An engineering hardsuit helmet designed for working in low-pressure, high radioactive environments. +ent-ClothingHeadHelmetHardsuitSpatio = spationaut hardsuit helmet + .desc = A sturdy helmet designed for complex industrial operations in space. +ent-ClothingHeadHelmetHardsuitSalvage = salvage hardsuit helmet + .desc = A special helmet designed for work in a hazardous, low pressure environment. Has reinforced plating for wildlife encounters and dual floodlights. +ent-ClothingHeadHelmetHardsuitMaxim = salvager maxim helmet + .desc = A predication of decay washes over your mind. +ent-ClothingHeadHelmetHardsuitSecurity = security hardsuit helmet + .desc = Armored hardsuit helmet for security needs. +ent-ClothingHeadHelmetHardsuitBrigmedic = brigmedic hardsuit helmet + .desc = The lightweight helmet of the brigmedic hardsuit. Protects against viruses, and clowns. +ent-ClothingHeadHelmetHardsuitWarden = bailiff's hardsuit helmet + .desc = A modified riot helmet. Oddly comfortable. +ent-ClothingHeadHelmetHardsuitCap = captain's hardsuit helmet + .desc = Special hardsuit helmet, made for the captain of the station. +ent-ClothingHeadHelmetHardsuitEngineeringWhite = chief engineer's hardsuit helmet + .desc = Special hardsuit helmet, made for the chief engineer of the station. +ent-ClothingHeadHelmetHardsuitMedical = chief medical officer's hardsuit helmet + .desc = Lightweight medical hardsuit helmet that doesn't restrict your head movements. +ent-ClothingHeadHelmetHardsuitRd = experimental research hardsuit helmet + .desc = Lightweight hardsuit helmet that doesn't restrict your head movements. +ent-ClothingHeadHelmetHardsuitSecurityRed = sheriff's hardsuit helmet + .desc = Security hardsuit helmet with the latest top secret NT-HUD software. Belongs to the Sheriff. +ent-ClothingHeadHelmetHardsuitLuxury = luxury mining hardsuit helmet + .desc = A refurbished mining hardsuit helmet, fitted with satin cushioning and an extra (non-functioning) antenna, because you're that extra. +ent-ClothingHeadHelmetHardsuitSyndie = blood-red hardsuit helmet + .desc = A heavily armored helmet designed for work in special operations. Property of Gorlex Marauders. +ent-ClothingHeadHelmetHardsuitSyndieMedic = blood-red medic hardsuit helmet + .desc = An advanced red hardsuit helmet specifically designed for field medic operations. +ent-ClothingHeadHelmetHardsuitSyndieElite = syndicate elite helmet + .desc = An elite version of the blood-red hardsuit's helmet, with improved armor and fireproofing. Property of Gorlex Marauders. +ent-ClothingHeadHelmetHardsuitSyndieCommander = syndicate commander helmet + .desc = A bulked up version of the blood-red hardsuit's helmet, purpose-built for the commander of a syndicate operative squad. Has significantly improved armor for those deadly front-lines firefights. +ent-ClothingHeadHelmetHardsuitCybersun = cybersun juggernaut helmet + .desc = Made of compressed red matter, this helmet was designed in the Tau chromosphere facility. +ent-ClothingHeadHelmetHardsuitWizard = wizard hardsuit helmet + .desc = A bizarre gem-encrusted helmet that radiates magical energies. +ent-ClothingHeadHelmetHardsuitLing = organic space helmet + .desc = A spaceworthy biomass of pressure and temperature resistant tissue. +ent-ClothingHeadHelmetHardsuitPirateEVA = deep space EVA helmet + .desc = A deep space EVA helmet, very heavy but provides good protection. + .suffix = Pirate +ent-ClothingHeadHelmetHardsuitPirateCap = pirate captain's hardsuit helmet + .desc = A special hardsuit helmet, made for the captain of a pirate ship. + .suffix = Pirate +ent-ClothingHeadHelmetHardsuitERTLeader = ERT leader hardsuit helmet + .desc = A special hardsuit helmet worn by members of an emergency response team. +ent-ClothingHeadHelmetHardsuitERTEngineer = ERT engineer hardsuit helmet + .desc = A special hardsuit helmet worn by members of an emergency response team. +ent-ClothingHeadHelmetHardsuitERTMedical = ERT medic hardsuit helmet + .desc = A special hardsuit helmet worn by members of an emergency response team. +ent-ClothingHeadHelmetHardsuitERTSecurity = ERT security hardsuit helmet + .desc = A special hardsuit helmet worn by members of an emergency response team. +ent-ClothingHeadHelmetHardsuitERTJanitor = ERT janitor hardsuit helmet + .desc = A special hardsuit helmet worn by members of an emergency response team. +ent-ClothingHeadHelmetCBURN = CBURN exosuit helmet + .desc = A pressure resistant and fireproof hood worn by special cleanup units. +ent-ClothingHeadHelmetHardsuitDeathsquad = deathsquad hardsuit helmet + .desc = A robust helmet for special operations. +ent-ClothingHeadHelmetHardsuitClown = clown hardsuit helmet + .desc = A clown hardsuit helmet. +ent-ClothingHeadHelmetHardsuitMime = mime hardsuit helmet + .desc = A mime hardsuit helmet. +ent-ClothingHeadHelmetHardsuitSanta = Santa's hardsuit helmet + .desc = A festive-looking hardsuit helmet that provides the jolly gift-giver protection from low-pressure environments. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hats.ftl new file mode 100644 index 00000000000..9705147b0c1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hats.ftl @@ -0,0 +1,160 @@ +ent-ClothingHeadHatBeaverHat = beaver hat + .desc = Gentlemen? +ent-ClothingHeadHatBeret = beret + .desc = A beret, an artists favorite headwear. +ent-ClothingHeadHatBeretFrench = French beret + .desc = A French beret, "vive la France". +ent-ClothingHeadHatBeretSecurity = security beret + .desc = A stylish clothing option for security officers. +ent-ClothingHeadHatCasa = casa + .desc = Cone-shaped hat +ent-ClothingHeadHatBeretRND = scientific beret + .desc = A beret for real scientists. +ent-ClothingHeadHatBeretEngineering = engineering beret + .desc = A beret with the engineering insignia emblazoned on it. For engineers that are more inclined towards style than safety. +ent-ClothingHeadHatBeretQM = quartermaster's beret + .desc = A beret with the cargo's insignia emblazoned on it. For quartermasters that are more inclined towards style. +ent-ClothingHeadHatBeretHoS = sheriff's beret + .desc = A black beret with a sheriff's rank emblem. For officers that are more inclined towards style than safety. +ent-ClothingHeadHatBeretWarden = bailiff's beret + .desc = A corporate blue beret with a bailiff's rank emblem. For officers that are more inclined towards style than safety. +ent-ClothingHeadHatBeretSeniorPhysician = physician beret + .desc = Donning the colours of medical and chemistry, physicians are the pride of this department! +ent-ClothingHeadHatBeretBrigmedic = brigmedical beret + .desc = White beret, looks like a cream pie on the head. +ent-ClothingHeadHatBeretMercenary = mercenary beret + .desc = Olive beret, the badge depicts a jackal on a rock. +ent-ClothingHeadHatBowlerHat = bowler hat + .desc = Stylish bowler hat. +ent-ClothingHeadHatCaptain = captain's hardhat + .desc = It's good being the king. +ent-ClothingHeadHatCardborg = cardborg helmet + .desc = A hat made out of a box. +ent-ClothingHeadHatCentcom = CentCom brand hat + .desc = It's good to be the emperor. +ent-ClothingHeadHatChef = chef's hat + .desc = It's a hat used by chefs to keep hair out of your food. Judging by the food in the mess, they don't work. +ent-ClothingHeadHatFedoraBrown = brown fedora + .desc = It's a brown fedora. +ent-ClothingHeadHatFedoraGrey = grey fedora + .desc = It's a grey fedora. +ent-ClothingHeadHatFez = fez + .desc = A red fez. +ent-ClothingHeadHatHopcap = station representative's cap + .desc = A grand, stylish station representative's cap. +ent-ClothingHeadHatHoshat = sheriff's hat + .desc = There's a new sheriff in station. +ent-ClothingHeadHatOutlawHat = outlaw's hat + .desc = A hat that makes you look like you carry a notched pistol, numbered one and nineteen more. +ent-ClothingHeadHatWitch1 = witch hat + .desc = A witch hat. +ent-ClothingHeadHatPaper = paper hat + .desc = A hat made of paper. +ent-ClothingHeadHatPirate = pirate hat + .desc = Yo ho ho and a bottle of rum! +ent-ClothingHeadHatPlaguedoctor = plague doctor hat + .desc = These were once used by plague doctors. +ent-ClothingHeadHatRedwizard = red wizard hat + .desc = Strange-looking red hat-wear that most certainly belongs to a real magic user. +ent-ClothingHeadHatSantahat = santa hat + .desc = A festive hat worn by Santa Claus +ent-ClothingHeadHatSombrero = sombrero + .desc = Perfectly for Space Mexico, si? +ent-ClothingHeadHatSurgcapBlue = surgical cap + .desc = A blue cap surgeons wear during operations. Keeps their hair from tickling your internal organs. +ent-ClothingHeadHatSurgcapGreen = surgical cap + .desc = A green cap surgeons wear during operations. Keeps their hair from tickling your internal organs. +ent-ClothingHeadHatSurgcapPurple = surgical cap + .desc = A purple cap surgeons wear during operations. Keeps their hair from tickling your internal organs. +ent-ClothingHeadHatTophat = tophat + .desc = A stylish black tophat. +ent-ClothingHeadHatUshanka = ushanka + .desc = Perfect for winter in Siberia, da? +ent-ClothingHeadHatVioletwizard = violet wizard hat + .desc = Strange-looking violet hat-wear that most certainly belongs to a real magic user. +ent-ClothingHeadHatWarden = bailiff's cap + .desc = A bailiff's Hat. This hat emphasizes that you are THE LAW. +ent-ClothingHeadHatWitch = witch hat + .desc = A witch hat. +ent-ClothingHeadHatWizardFake = fake wizard hat + .desc = It has WIZZARD written across it in sequins. Comes with a cool beard. +ent-ClothingHeadHatWizard = wizard hat + .desc = Strange-looking blue hat-wear that most certainly belongs to a powerful magic user. +ent-ClothingHeadHatXmasCrown = xmas crown + .desc = Happy Christmas! +ent-ClothingHeadHatTrucker = trucker hat + .desc = Formerly Chucks, this hat is yours now. +ent-ClothingHeadPyjamaSyndicateBlack = syndicate black pyjama hat + .desc = For keeping that traitor head of yours warm. +ent-ClothingHeadPyjamaSyndicatePink = syndicate pink pyjama hat + .desc = For keeping that traitor head of yours warm. +ent-ClothingHeadPyjamaSyndicateRed = syndicate red pyjama hat + .desc = For keeping that traitor head of yours warm. +ent-ClothingHeadPaperSack = papersack hat + .desc = A paper sack with crude holes cut out for eyes. Useful for hiding one's identity or ugliness. +ent-ClothingHeadPaperSackSmile = smiling papersack hat + .desc = A paper sack with crude holes cut out for eyes and a sketchy smile drawn on the front. Not creepy at all. +ent-ClothingHeadFishCap = fishing cap + .desc = Women fear me. Fish fear me. Men turn their eyes away from me. As I walk no beast dares make a sound in my presence. I am alone on this barren Earth. +ent-ClothingHeadNurseHat = nurse hat + .desc = Somehow I feel I'm not supposed to leave this place. +ent-ClothingHeadRastaHat = rasta hat + .desc = Right near da beach, boyee. +ent-ClothingHeadSafari = safari hat + .desc = Keeps the sun out of your eyes. Makes you a target for the locals. +ent-ClothingHeadHatJester = jester hat + .desc = A hat with bells, to add some merriness to the suit. +ent-ClothingHeadHatJesterAlt = { ent-ClothingHeadHatJester } + .desc = { ent-ClothingHeadHatJester.desc } +ent-ClothingHeadHatBeretCmo = chief medical officer's beret + .desc = Turquoise beret with a cross on the front. The sight of it calms you down and makes it clear that you will be cured. +ent-ClothingHeadHatPirateTricord = pirate hat + .desc = Yo ho ho and a bottle of rum! +ent-ClothingHeadHatWatermelon = watermelon helmet + .desc = A carelessly cut half of a watermelon, gutted from the inside, to be worn as a helmet. It can soften the blow to the head. +ent-ClothingHeadHatSyndie = syndicate hat + .desc = A souvenir hat from "Syndieland", their production has already been closed. +ent-ClothingHeadHatSyndieMAA = master at arms hat + .desc = Master at arms hat, looks intimidating, I doubt that you will like to communicate with its owner... +ent-ClothingHeadHatTacticalMaidHeadband = tactical maid headband + .desc = A red headband - don't imagine yourself a Rambo and don't pick up a few machine guns. +ent-ClothingHeadHatHetmanHat = hetman hat + .desc = From the Zaporozhian Sich with love. +ent-ClothingHeadHatMagician = magician's top hat. + .desc = A magician's top hat. +ent-ClothingHeadHatCapcap = cap cap + .desc = A grand, stylish captain cap. +ent-ClothingHeadHatCentcomcap = CentCom cap + .desc = An extravagant, fancy Central Commander cap. +ent-ClothingHeadHatGladiator = gladiator helmet + .desc = Protects the head from harsh ash winds and toy spears. +ent-ClothingHeadHatPartyRed = red party hat + .desc = Spread a joy! +ent-ClothingHeadHatPartyYellow = yellow party hat + .desc = { ent-ClothingHeadHatPartyRed.desc } +ent-ClothingHeadHatPartyGreen = green party hat + .desc = { ent-ClothingHeadHatPartyRed.desc } +ent-ClothingHeadHatPartyBlue = blue party hat + .desc = { ent-ClothingHeadHatPartyRed.desc } +ent-ClothingHeadHatPartyWaterCup = water cup party hat + .desc = Not as fulfilling as you had hoped... +ent-ClothingHeadHatGreyFlatcap = grey flatcap + .desc = Fashionable for both the working class and old man Jenkins. +ent-ClothingHeadHatBrownFlatcap = brown flatcap + .desc = Stupid clown! You made me look bad! +ent-ClothingHeadHatCowboyBrown = brown cowboy hat + .desc = This hat ain't big enough for the both of us. +ent-ClothingHeadHatCowboyBlack = black cowboy hat + .desc = { ent-ClothingHeadHatCowboyBrown.desc } +ent-ClothingHeadHatCowboyGrey = grey cowboy hat + .desc = { ent-ClothingHeadHatCowboyBrown.desc } +ent-ClothingHeadHatCowboyRed = red cowboy hat + .desc = { ent-ClothingHeadHatCowboyBrown.desc } +ent-ClothingHeadHatCowboyWhite = white cowboy hat + .desc = { ent-ClothingHeadHatCowboyBrown.desc } +ent-ClothingHeadHatCowboyBountyHunter = bounty hunter cowboy hat + .desc = { ent-ClothingHeadHatCowboyBrown.desc } +ent-ClothingHeadHatStrawHat = straw hat + .desc = A fancy hat for hot days! Not recommended to wear near fires. +ent-ClothingHeadHatBeretMedic = medical beret + .desc = White beret that encourages you to be clean. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/helmets.ftl new file mode 100644 index 00000000000..226bfdd895e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/helmets.ftl @@ -0,0 +1,48 @@ +ent-ClothingHeadHelmetBasic = helmet + .desc = Standard security gear. Protects the head from impacts. +ent-ClothingHeadHelmetMercenary = mercenary helmet + .desc = The combat helmet is commonly used by mercenaries, is strong, light and smells like gunpowder and the jungle. +ent-ClothingHeadHelmetSwat = SWAT helmet + .desc = An extremely robust helmet, commonly used by paramilitary forces. This one has the Nanotrasen logo emblazoned on the top. +ent-ClothingHeadHelmetSwatSyndicate = SWAT helmet + .desc = An extremely robust helmet, commonly used by paramilitary forces. It is adorned in a nefarious red and black stripe pattern. + .suffix = Syndicate +ent-ClothingHeadHelmetRiot = light riot helmet + .desc = It's a helmet specifically designed to protect against close range attacks. +ent-ClothingHeadHelmetBombSuit = bombsuit helmet + .desc = A heavy helmet designed to withstand the pressure generated by a bomb and any fragments the bomb may produce. +ent-ClothingHeadHelmetJanitorBombSuit = janitorial bombsuit helmet + .desc = A heavy helmet designed to withstand explosions formed from reactions between chemicals. + .suffix = DO NOT MAP +ent-ClothingHeadHelmetCult = cult helmet + .desc = A robust, evil-looking cult helmet. +ent-ClothingHeadHelmetScaf = scaf helmet + .desc = A robust, strong helmet. +ent-ClothingHeadHelmetSpaceNinja = space ninja helmet + .desc = What may appear to be a simple black garment is in fact a highly sophisticated nano-weave helmet. Standard issue ninja gear. +ent-ClothingHeadHelmetTemplar = templar helmet + .desc = DEUS VULT! +ent-ClothingHeadHelmetThunderdome = thunderdome helmet + .desc = Let the battle commence! +ent-ClothingHeadHelmetWizardHelm = wizard helm + .desc = Strange-looking helmet that most certainly belongs to a real magic user. +ent-ClothingHeadHelmetFire = fire helmet + .desc = An atmos tech's best friend. Provides some heat resistance and looks cool. +ent-ClothingHeadHelmetAtmosFire = atmos fire helmet + .desc = An atmos fire helmet, able to keep the user cool in any situation. +ent-ClothingHeadHelmetLing = chitinous helmet + .desc = An all-consuming chitinous mass of armor. +ent-ClothingHeadHelmetERTLeader = ERT leader helmet + .desc = An in-atmosphere helmet worn by the leader of a Nanotrasen Emergency Response Team. Has blue highlights. +ent-ClothingHeadHelmetERTSecurity = ERT security helmet + .desc = An in-atmosphere helmet worn by security members of the Nanotrasen Emergency Response Team. Has red highlights. +ent-ClothingHeadHelmetERTMedic = ERT medic helmet + .desc = An in-atmosphere helmet worn by medical members of the Nanotrasen Emergency Response Team. Has white highlights. +ent-ClothingHeadHelmetERTEngineer = ERT engineer helmet + .desc = An in-atmosphere helmet worn by engineering members of the Nanotrasen Emergency Response Team. Has orange highlights. +ent-ClothingHeadHelmetERTJanitor = ERT janitor helmet + .desc = An in-atmosphere helmet worn by janitorial members of the Nanotrasen Emergency Response Team. Has dark purple highlights. +ent-ClothingHeadHelmetBone = bone helmet + .desc = Cool-looking helmet made of skull of your enemies. +ent-ClothingHeadHelmetPodWars = ironclad II helmet + .desc = An ironclad II helmet, a relic of the pod wars. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hoods.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hoods.ftl new file mode 100644 index 00000000000..47760775333 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/hoods.ftl @@ -0,0 +1,84 @@ +ent-ClothingHeadHatHoodBioGeneral = bio hood + .desc = A hood that protects the head and face from biological contaminants. + .suffix = Generic +ent-ClothingHeadHatHoodBioCmo = bio hood + .desc = An advanced hood for chief medical officers that protects the head and face from biological contaminants. + .suffix = CMO +ent-ClothingHeadHatHoodBioJanitor = bio hood + .desc = A hood that protects the head and face from biological contaminants. + .suffix = Janitor +ent-ClothingHeadHatHoodBioScientist = bio hood + .desc = A hood that protects the head and face from biological contaminants. + .suffix = Science +ent-ClothingHeadHatHoodBioSecurity = bio hood + .desc = A hood that protects the head and face from biological contaminants. + .suffix = Security +ent-ClothingHeadHatHoodBioVirology = bio hood + .desc = A hood that protects the head and face from biological contaminants. + .suffix = Virology +ent-ClothingHeadHatHoodChaplainHood = chaplain's hood + .desc = Maximum piety in this star system. +ent-ClothingHeadHatHoodCulthood = cult hood + .desc = There's no cult without cult hoods. +ent-ClothingHeadHatHoodNunHood = nun hood + .desc = Maximum piety in this star system. +ent-ClothingHeadHatHoodRad = radiation hood + .desc = A hood of the hazmat suit, designed for protection from high radioactivity. +ent-ClothingHeadHatHoodGoliathCloak = goliath cloak hood + .desc = A hood of a goliath cloak, it is made from the hide of resilient fauna from a distant planet. +ent-ClothingHeadHatHoodIan = ian hood + .desc = A hood to complete the 'Good boy' look. +ent-ClothingHeadHatHoodCarp = carp hood + .desc = A gnarly hood adorned with plastic space carp teeth. +ent-ClothingHeadHatHoodMoth = moth mask + .desc = A mask in the form of a moths head is usually made of lightweight materials. It mimics the shape of a moths head with large eyes and long antennae. Such masks are often used in cosplay, or when shooting movies and videos. +ent-ClothingHeadHatHoodWinterDefault = default winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterBartender = bartender winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterCaptain = captain's winter coat hood + .desc = An expensive hood, to keep the captain's head warm. +ent-ClothingHeadHatHoodWinterCargo = cargo winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterCE = chief engineer's winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterCentcom = Centcom winter coat hood + .desc = A hood for keeping the central comander's head warm. +ent-ClothingHeadHatHoodWinterChem = chemist winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterCMO = chief medical officer's winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterEngineer = engineer winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterHOP = station representative's winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterHOS = sheriff's winter coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterHydro = hydroponics coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterJani = janitor coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterMed = medic coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterMime = mime coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterMiner = miner coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterPara = paramedic coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterQM = quartermaster's coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterRD = research director's coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterRobo = robotics coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterSci = scientist coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterSec = security coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterSyndie = syndicate coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterWarden = warden's coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } +ent-ClothingHeadHatHoodWinterWeb = web coat hood + .desc = { ent-ClothingHeadHatHoodWinterBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/misc.ftl new file mode 100644 index 00000000000..7e15d688efe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/misc.ftl @@ -0,0 +1,35 @@ +ent-ClothingHeadHatBunny = bunny ears + .desc = Cute bunny ears. +ent-ClothingHeadHatCake = cake hat + .desc = You put the cake on your head. Brilliant. +ent-ClothingHeadHatChickenhead = chicken head + .desc = It's a chicken head. Bok bok bok! +ent-ClothingHeadHatFlowerCrown = flower crown + .desc = A coronet of fresh and fragrant flowers. +ent-ClothingHeadHatHairflower = hairflower + .desc = A red flower for beautiful ladies. +ent-ClothingHeadHatPumpkin = pumpkin hat + .desc = A jack o' lantern! Believed to ward off evil spirits. +ent-ClothingHeadHatPwig = pwig + .desc = To be honest, those look ridiculous. +ent-ClothingHeadHatRichard = richard + .desc = Do you like hurting people? +ent-ClothingHeadHatSkub = skub hat + .desc = Best paired with the Skub Suit. +ent-ClothingHeadHatShrineMaidenWig = shrine maiden's wig + .desc = The tag reads "All proceeds go to the Hakurei Shrine." +ent-ClothingHeadHatCone = warning cone + .desc = This cone is trying to warn you of something! +ent-ClothingHeadHatFancyCrown = fancy crown + .desc = It smells like dead rat. Lets you speak like one! +ent-ClothingHeadHatCatEars = cat ears + .desc = NYAH! +ent-ClothingHeadHatDogEars = doggy ears + .desc = Only for good boys. + .suffix = DO NOT MAP +ent-ClothingHeadHatSquid = squiddy + .desc = Scare your friends with this eldritch mask. +ent-ClothingHeadHatRedRacoon = red racoon hat + .desc = Fluffy hat of red racoon! +ent-WaterDropletHat = water droplet + .desc = Makes 8-eyed friends 8 times more adorable! 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 new file mode 100644 index 00000000000..f6a904a5e2e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/soft.ftl @@ -0,0 +1,65 @@ +ent-ClothingHeadHeadHatBaseFlippable = { ent-BaseFoldable } + .desc = { ent-BaseFoldable.desc } +ent-ClothingHeadHeadHatBaseFlipped = { ent-ClothingHeadHeadHatBaseFlippable } + .suffix = flipped + .desc = { ent-ClothingHeadHeadHatBaseFlippable.desc } +ent-ClothingHeadHatBluesoft = blue cap + .desc = It's a baseball hat in a tasteless blue colour. +ent-ClothingHeadHatBluesoftFlipped = blue cap + .desc = { ent-ClothingHeadHatBluesoft.desc } +ent-ClothingHeadHatCargosoft = cargo cap + .desc = It's a baseball hat painted in Cargo colours. +ent-ClothingHeadHatCargosoftFlipped = cargo cap + .desc = { ent-ClothingHeadHatCargosoft.desc } +ent-ClothingHeadHatQMsoft = quartermaster's cap + .desc = It's a baseball hat painted in the Quartermaster's colors. +ent-ClothingHeadHatQMsoftFlipped = quartermaster's cap + .desc = { ent-ClothingHeadHatQMsoft.desc } +ent-ClothingHeadHatCorpsoft = corporate cap + .desc = A baseball bat in corporation colors. +ent-ClothingHeadHatCorpsoftFlipped = corporate cap + .desc = { ent-ClothingHeadHatCorpsoft.desc } +ent-ClothingHeadHatGreensoft = green cap + .desc = It's a baseball hat in a tasteless green colour. +ent-ClothingHeadHatGreensoftFlipped = green cap + .desc = { ent-ClothingHeadHatGreensoft.desc } +ent-ClothingHeadHatBlacksoft = black cap + .desc = It's a baseball hat in a tasteless black colour. +ent-ClothingHeadHatBlacksoftFlipped = black cap + .desc = { ent-ClothingHeadHatBlacksoft.desc } +ent-ClothingHeadHatGreysoft = grey cap + .desc = It's a baseball hat in a tasteless grey colour. +ent-ClothingHeadHatGreysoftFlipped = grey cap + .desc = { ent-ClothingHeadHatGreysoft.desc } +ent-ClothingHeadHatMimesoft = mime cap + .desc = It's a baseball hat in a tasteless white colour. +ent-ClothingHeadHatMimesoftFlipped = mime cap + .desc = { ent-ClothingHeadHatMimesoft.desc } +ent-ClothingHeadHatOrangesoft = orange cap + .desc = It's a baseball hat in a good-looking orange colour. +ent-ClothingHeadHatOrangesoftFlipped = orange cap + .desc = { ent-ClothingHeadHatOrangesoft.desc } +ent-ClothingHeadHatPurplesoft = purple cap + .desc = It's a baseball hat in a tasteless purple colour. +ent-ClothingHeadHatPurplesoftFlipped = purple cap + .desc = { ent-ClothingHeadHatPurplesoft.desc } +ent-ClothingHeadHatRedsoft = red cap + .desc = It's a baseball hat in a tasteless red colour. +ent-ClothingHeadHatRedsoftFlipped = red cap + .desc = { ent-ClothingHeadHatRedsoft.desc } +ent-ClothingHeadHatSecsoft = security cap + .desc = It's a robust baseball hat in tasteful red colour. +ent-ClothingHeadHatSecsoftFlipped = security cap + .desc = { ent-ClothingHeadHatSecsoft.desc } +ent-ClothingHeadHatYellowsoft = yellow cap + .desc = A yellow baseball hat. +ent-ClothingHeadHatYellowsoftFlipped = yellow cap + .desc = { ent-ClothingHeadHatYellowsoft.desc } +ent-ClothingHeadHatBizarreSoft = troublemaker's cap + .desc = A truly.. bizarre accessory. +ent-ClothingHeadHatBizarreSoftFlipped = troublemaker's cap + .desc = { ent-ClothingHeadHatBizarreSoft.desc } +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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/specific.ftl new file mode 100644 index 00000000000..77c276d936d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/specific.ftl @@ -0,0 +1,3 @@ +ent-ClothingHeadHatChameleon = beret + .desc = A beret, an artists favorite headwear. + .suffix = Chameleon diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/welding.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/welding.ftl new file mode 100644 index 00000000000..a43f1bd69e8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/head/welding.ftl @@ -0,0 +1,10 @@ +ent-WeldingMaskBase = welding mask + .desc = { ent-ClothingHeadBase.desc } +ent-ClothingHeadHatWelding = welding mask + .desc = A head-mounted face cover designed to protect the wearer completely from space-arc eye. +ent-ClothingHeadHatWeldingMaskFlame = flame welding mask + .desc = A painted welding helmet, this one has flames on it. +ent-ClothingHeadHatWeldingMaskFlameBlue = blue-flame welding mask + .desc = A painted welding helmet, this one has blue flames on it. +ent-ClothingHeadHatWeldingMaskPainted = painted welding mask + .desc = A welding helmet, painted in crimson. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/bandanas.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/bandanas.ftl new file mode 100644 index 00000000000..457562ea9d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/bandanas.ftl @@ -0,0 +1,23 @@ +ent-ClothingMaskBandanaBase = { ent-BaseFoldable } + + .desc = { ent-BaseFoldable.desc } +ent-ClothingMaskBandBlack = black bandana + .desc = A black bandana to make you look cool. +ent-ClothingMaskBandBlue = blue bandana + .desc = A blue bandana to make you look cool. +ent-ClothingMaskBandBotany = botany bandana + .desc = A botany bandana to make you look cool, made from natural fibers. +ent-ClothingMaskBandGold = gold bandana + .desc = A gold bandana to make you look cool. +ent-ClothingMaskBandGreen = green bandana + .desc = A green bandana to make you look cool. +ent-ClothingMaskBandGrey = grey bandana + .desc = A grey bandana to make you look cool. +ent-ClothingMaskBandRed = red bandana + .desc = A red bandana to make you look cool. +ent-ClothingMaskBandSkull = skull bandana + .desc = A bandana with a skull to make you look even cooler. +ent-ClothingMaskBandMerc = mercenary bandana + .desc = To protect the head from the sun, insects and other dangers of the higher path. +ent-ClothingMaskBandBrown = brown bandana + .desc = A brown bandana to make you look cool. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/base_clothingmask.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/base_clothingmask.ftl new file mode 100644 index 00000000000..b180586cf4f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/base_clothingmask.ftl @@ -0,0 +1,8 @@ +ent-ClothingMaskBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-ClothingMaskPullableBase = { ent-ClothingMaskBase } + .desc = { ent-ClothingMaskBase.desc } +ent-ActionToggleMask = Toggle Mask + .desc = Handy, but prevents insertion of pie into your pie hole. +ent-ClothingMaskBaseButcherable = { ent-ClothingMaskBase } + .desc = { ent-ClothingMaskBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/masks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/masks.ftl new file mode 100644 index 00000000000..3792e7066eb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/masks.ftl @@ -0,0 +1,75 @@ +ent-ClothingMaskGas = gas mask + .desc = A face-covering mask that can be connected to an air supply. +ent-ClothingMaskGasSecurity = security gas mask + .desc = A standard issue Security gas mask. +ent-ClothingMaskGasSyndicate = syndicate gas mask + .desc = A close-fitting tactical mask that can be connected to an air supply. +ent-ClothingMaskGasAtmos = atmospheric gas mask + .desc = Improved gas mask utilized by atmospheric technicians. It's flameproof! +ent-ClothingMaskGasCaptain = captain's gas mask + .desc = Nanotrasen cut corners and repainted a spare atmospheric gas mask, but don't tell anyone. +ent-ClothingMaskGasCentcom = CentCom gas mask + .desc = Oooh, gold and green. Fancy! This should help as you sit in your office. +ent-ClothingMaskGasExplorer = explorer gas mask + .desc = A military-grade gas mask that can be connected to an air supply. +ent-ClothingMaskBreathMedical = medical mask + .desc = A close-fitting sterile mask that can be connected to an air supply. +ent-ClothingMaskBreathMedicalSecurity = military-style medical mask + .desc = A medical mask with a small layer of protection against damage and viruses, similar to the one used in the medical units of the first corporate war. +ent-ClothingMaskBreath = breath mask + .desc = Might as well keep this on 24/7. +ent-ClothingMaskClownBase = clown wig and mask + .desc = A true prankster's facial attire. A clown is incomplete without his wig and mask. +ent-ClothingMaskClown = { ent-ClothingMaskClownBase } + .desc = { ent-ClothingMaskClownBase.desc } +ent-ClothingMaskClownBanana = banana clown wig and mask + .desc = { ent-ClothingMaskClown.desc } +ent-ClothingMaskJoy = joy mask + .desc = Express your happiness or hide your sorrows with this laughing face with crying tears of joy cutout. +ent-ClothingMaskMime = mime mask + .desc = The traditional mime's mask. It has an eerie facial posture. +ent-ClothingMaskSterile = sterile mask + .desc = A sterile mask designed to help prevent the spread of diseases. +ent-ClothingMaskMuzzle = muzzle + .desc = To stop that awful noise. +ent-ClothingMaskPlague = plague doctor mask + .desc = A bad omen. +ent-ClothingMaskCluwne = cluwne face and hair + .desc = Cursed cluwne face and hair. + .suffix = Unremoveable +ent-ClothingMaskGasSwat = swat gas mask + .desc = A elite issue Security gas mask. +ent-ClothingMaskGasMercenary = mercenary gas mask + .desc = Slightly outdated, but reliable military-style gas mask. +ent-ClothingMaskGasERT = ert gas mask + .desc = The gas mask of the elite squad of the ERT. +ent-ClothingMaskGasDeathSquad = death squad gas mask + .desc = A unique gas mask for the NT's most elite squad. +ent-ClothingMaskRat = rat mask + .desc = A mask of a rat that looks like a rat. Perhaps they will take you for a fellow rat. +ent-ClothingMaskFox = fox mask + .desc = What does the fox say? +ent-ClothingMaskBee = bee mask + .desc = For the queen! +ent-ClothingMaskBear = bear mask + .desc = I'm a cloudy, cloudy, cloudy, I'm not a bear at all. +ent-ClothingMaskRaven = raven mask + .desc = Where I am, death... or glitter. +ent-ClothingMaskJackal = jackal mask + .desc = It is better not to turn your back to the owner of the mask, it may bite. +ent-ClothingMaskBat = bat mask + .desc = A bloodsucker by night, and a cute, blinded beast by day. +ent-ClothingMaskNeckGaiter = neck gaiter + .desc = Stylish neck gaiter for your neck, can protect from the cosmic wind?... +ent-ClothingMaskSexyClown = sexy clown mask + .desc = Some naughty clowns think this is what the Honkmother looks like. +ent-ClothingMaskSexyMime = sexy mime mask + .desc = Those ruddy cheeks just want to be rubbed. +ent-ClothingMaskSadMime = sad mime mask + .desc = Many people think this is what a real mime mask looks like. +ent-ClothingMaskScaredMime = scared mime mask + .desc = Looks like it would scream if it wasn't a mask +ent-ClothingMaskItalianMoustache = italian moustache + .desc = Made from authentic Italian moustache hairs. Gives the wearer an irresistable urge to gesticulate wildly. +ent-ClothingMaskNinja = ninja mask + .desc = A close-fitting nano-enhanced mask that acts both as an air filter and a post-modern fashion statement. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/specific.ftl new file mode 100644 index 00000000000..4d55c539f94 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/masks/specific.ftl @@ -0,0 +1,6 @@ +ent-ClothingMaskGasChameleon = gas mask + .desc = A face-covering mask that can be connected to an air supply. + .suffix = Chameleon +ent-ClothingMaskGasVoiceChameleon = { ent-ClothingMaskGasChameleon } + .suffix = Voice Mask, Chameleon, Radio Unknown Name + .desc = { ent-ClothingMaskGasChameleon.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/base_clothingneck.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/base_clothingneck.ftl new file mode 100644 index 00000000000..c46ba456285 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/base_clothingneck.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckBase = { ent-Clothing } + .desc = { ent-Clothing.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/cloaks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/cloaks.ftl new file mode 100644 index 00000000000..fa25f564613 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/cloaks.ftl @@ -0,0 +1,52 @@ +ent-ClothingNeckCloakCentcom = central commander's cloak + .desc = A pompous and elite green cloak with a nice gold trim, tailored specifically to the Central Commander. It's so heavy, the gold trim might be real. +ent-ClothingNeckCloakCap = captain's cloak + .desc = A pompous and comfy blue cloak with a nice gold trim, while not particularly valuable as your other possessions, it sure is fancy. +ent-ClothingNeckCloakHos = sheriff's cloak + .desc = An exquisite dark and red cloak fitting for those who can assert dominance over wrongdoers. Take a stab at being civil in prosecution! +ent-ClothingNeckCloakCe = chief engineer's cloak + .desc = A dark green cloak with light blue ornaments, given to those who proved themselves to master the precise art of engineering. +ent-ClothingCloakCmo = chief medical officer's cloak + .desc = A sterile blue cloak with a green cross, radiating with a sense of duty and willingness to help others. +ent-ClothingNeckCloakRd = research director's cloak + .desc = A white cloak with violet stripes, showing your status as the arbiter of cutting-edge technology. +ent-ClothingNeckCloakQm = quartermaster's cloak + .desc = A strong brown cloak with a reflective stripe, while not as fancy as others, it does show your managing skills. +ent-ClothingNeckCloakHop = station representative's cloak + .desc = A blue cloak with red shoulders and gold buttons, proving you are the gatekeeper to any airlock on the station. +ent-ClothingNeckCloakHerald = herald's cloak + .desc = An evil-looking red cloak with spikes on its shoulders. +ent-ClothingNeckCloakNanotrasen = nanotrasen cloak + .desc = A stately blue cloak to represent NanoTrasen. +ent-ClothingNeckCloakCapFormal = captain's formal cloak + .desc = A lavish and decorated cloak for special occasions. +ent-ClothingNeckCloakAdmin = admin cloak + .desc = Weh! +ent-ClothingNeckCloakMiner = miner's cloak + .desc = Worn by the most skilled miners, for one who has moved mountains and filled valleys. +ent-ClothingNeckCloakTrans = vampire cloak + .desc = Worn by high ranking vampires of the transylvanian society of vampires. +ent-ClothingNeckCloakGoliathCloak = goliath cloak + .desc = A cloak made from the hide of resilient fauna from a distant planet, though its protective value has faded with its age. +ent-ClothingNeckCloakPirateCap = pirate captain cloak + .desc = A rather fetching black pirate cloak, complete with skull motif. +ent-ClothingNeckCloakMoth = moth cloak + .desc = A cloak in the form of moth wings is an unusual and original element of the wardrobe that can attract the attention of others. It is made of a thin fabric imitating moth wings, with soft and fluffy edges. The raincoat is fastened around the neck with Velcro, and has a hood in the shape of a moths head. +ent-ClothingNeckCloakVoid = void cloak + .desc = A cloak of darkness. For those who have gone to the dark side of the force. +ent-ClothingNeckCloakAce = pilot's cloak + .desc = Cloak awarded to Nanotrasen's finest space aces. +ent-ClothingNeckCloakAro = werewolf cloak + .desc = This cloak lets others know you're a lone wolf. +ent-ClothingNeckCloakBi = poison cloak + .desc = The purple color is a clear indicator you are poisonous. +ent-ClothingNeckCloakIntersex = cyclops cloak + .desc = The circle on this cloak represents a cyclops' eye. +ent-ClothingNeckCloakLesbian = poet cloak + .desc = This cloak belonged to an ancient poet, you forgot which one. +ent-ClothingNeckCloakGay = multi-level marketing cloak + .desc = This cloak is highly sought after in the Nanotrasen Marketing Offices. +ent-ClothingNeckCloakEnby = treasure hunter cloak + .desc = This cloak belonged to a greedy treasure hunter. +ent-ClothingNeckCloakPan = chef's cloak + .desc = Meant to be worn alongside a frying pan. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/mantles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/mantles.ftl new file mode 100644 index 00000000000..ffbf37c17ac --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/mantles.ftl @@ -0,0 +1,14 @@ +ent-ClothingNeckMantleCap = captain's mantle + .desc = A comfortable and chique mantle befitting of only the most experienced captain. +ent-ClothingNeckMantleCE = chief engineer's mantle + .desc = High visibility, check. RIG system, check. High capacity cell, check. Everything a chief engineer could need in a stylish mantle. +ent-ClothingNeckMantleCMO = chief medical officer's mantle + .desc = For a CMO that has been in enough medbays to know that more PPE means less central command dry cleaning visits when the shift is over. +ent-ClothingNeckMantleHOP = station representative's mantle + .desc = A good SR knows that paper pushing is only half the job... petting your dog and looking fashionable is the other half. +ent-ClothingNeckMantleHOS = sheriff's mantle + .desc = Shootouts with nukies are just another Tuesday for this HoS. This mantle is a symbol of commitment to the station. +ent-ClothingNeckMantleRD = research director's mantle + .desc = For when long days in the office consist of explosives, poisonous gas, murder robots, and a fresh pizza from cargo; this mantle will keep you comfy. +ent-ClothingNeckMantleQM = quartermaster's mantle + .desc = For the master of goods and materials to rule over the department, a befitting mantle to show off superiority! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/medals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/medals.ftl new file mode 100644 index 00000000000..cfae2a2a949 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/medals.ftl @@ -0,0 +1,16 @@ +ent-ClothingNeckBronzeheart = bronzeheart medal + .desc = Given to crewmates for exemplary bravery in the face of danger. +ent-ClothingNeckGoldmedal = gold medal of crewmanship + .desc = Given to crewmates who display excellent crewmanship. +ent-ClothingNeckCargomedal = cargo medal + .desc = Given for the best work in the cargo department. +ent-ClothingNeckEngineermedal = engineer medal + .desc = Given for the best work in the engineering department. +ent-ClothingNeckMedicalmedal = medical medal + .desc = Given for the best work in the medical department. +ent-ClothingNeckSciencemedal = science medal + .desc = Given for the best work in the science department. +ent-ClothingNeckSecuritymedal = sheriff's medal of valor + .desc = Given for the best work in the new frontier sheriff's department. +ent-ClothingNeckClownmedal = clown medal + .desc = Given for the best joke in the universe. HONK! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/misc.ftl new file mode 100644 index 00000000000..50ee42a3f6a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/misc.ftl @@ -0,0 +1,12 @@ +ent-ClothingNeckHeadphones = headphones + .desc = Quality headphones from Drunk Masters, with good sound insulation. +ent-ClothingNeckStethoscope = stethoscope + .desc = An outdated medical apparatus for listening to the sounds of the human body. It also makes you look like you know what you're doing. +ent-ClothingNeckBling = bling + .desc = Damn, it feels good to be a gangster. +ent-ClothingNeckLawyerbadge = lawyer badge + .desc = A badge to show that the owner is a 'legitimate' lawyer who passed the NT bar exam required to practice law. +ent-ActionStethoscope = Listen with stethoscope + .desc = { "" } +ent-ClothingNeckFlowerWreath = flower wreath + .desc = A wreath of colourful flowers. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/pins.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/pins.ftl new file mode 100644 index 00000000000..b76940000a1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/pins.ftl @@ -0,0 +1,20 @@ +ent-ClothingNeckPinBase = pin + .desc = be nothing do crime +ent-ClothingNeckLGBTPin = LGBT pin + .desc = be gay do crime +ent-ClothingNeckAromanticPin = aromantic pin + .desc = be aro do crime +ent-ClothingNeckAsexualPin = asexual pin + .desc = be ace do crime +ent-ClothingNeckBisexualPin = bisexual pin + .desc = be bi do crime +ent-ClothingNeckIntersexPin = intersex pin + .desc = be intersex do crime +ent-ClothingNeckLesbianPin = lesbian pin + .desc = be lesbian do crime +ent-ClothingNeckNonBinaryPin = non-binary pin + .desc = 01100010 01100101 00100000 01100101 01101110 01100010 01111001 00100000 01100100 01101111 00100000 01100011 01110010 01101001 01101101 01100101 +ent-ClothingNeckPansexualPin = pansexual pin + .desc = be pan do crime +ent-ClothingNeckTransPin = transgender pin + .desc = be trans do crime diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/scarfs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/scarfs.ftl new file mode 100644 index 00000000000..f56f9b94746 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/scarfs.ftl @@ -0,0 +1,24 @@ +ent-ClothingNeckScarfStripedRed = striped red scarf + .desc = A stylish striped red scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedBlue = striped blue scarf + .desc = A stylish striped blue scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedGreen = striped green scarf + .desc = A stylish striped green scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedBlack = striped black scarf + .desc = A stylish striped black scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedBrown = striped brown scarf + .desc = A stylish striped brown scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedLightBlue = striped light blue scarf + .desc = A stylish striped light blue scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedOrange = striped orange scarf + .desc = A stylish striped orange scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedPurple = striped purple scarf + .desc = A stylish striped purple scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. +ent-ClothingNeckScarfStripedSyndieGreen = striped syndicate green scarf + .desc = A stylish striped syndicate green scarf. The perfect winter accessory for those with a keen fashion sense, and those who are in the mood to steal something. +ent-ClothingNeckScarfStripedSyndieRed = striped syndicate red scarf + .desc = A stylish striped syndicate red scarf. The perfect winter accessory for those with a keen fashion sense, and those who are in the mood to steal something. +ent-ClothingNeckScarfStripedCentcom = striped CentCom scarf + .desc = A stylish striped centcom colored scarf. The perfect winter accessory for those with a keen fashion sense, and those who need to do paperwork in the cold. +ent-ClothingNeckScarfStripedZebra = zebra scarf + .desc = A striped scarf, a mandatory accessory for artists. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/specific.ftl new file mode 100644 index 00000000000..1baad6c5984 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/specific.ftl @@ -0,0 +1,3 @@ +ent-ClothingNeckChameleon = striped red scarf + .desc = A stylish striped red scarf. The perfect winter accessory for those with a keen fashion sense, and those who just can't handle a cold breeze on their necks. + .suffix = Chameleon diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/stoles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/stoles.ftl new file mode 100644 index 00000000000..221ea9fb7e4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/stoles.ftl @@ -0,0 +1,2 @@ +ent-ClothingNeckStoleChaplain = chaplain's stole + .desc = An elegantly designed stole, with a vibrant gold plus on either end. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/ties.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/ties.ftl new file mode 100644 index 00000000000..6f30965e216 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/neck/ties.ftl @@ -0,0 +1,6 @@ +ent-ClothingNeckTieRed = red-tie + .desc = A neosilk clip-on red tie. +ent-ClothingNeckTieDet = detective's tie + .desc = A loosely tied necktie, a perfect accessory for the over-worked detective. +ent-ClothingNeckTieSci = scientist's tie + .desc = Why do we all have to wear these ridiculous ties? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/armor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/armor.ftl new file mode 100644 index 00000000000..25038843707 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/armor.ftl @@ -0,0 +1,33 @@ +ent-ClothingOuterArmorBasic = armor vest + .desc = A standard Type I armored vest that provides decent protection against most types of damage. +ent-ClothingOuterArmorBasicSlim = armor vest + .desc = A slim Type I armored vest that provides decent protection against most types of damage. + .suffix = slim +ent-ClothingOuterArmorRiot = riot suit + .desc = A suit of semi-flexible polycarbonate body armor with heavy padding to protect against melee attacks. Perfect for fighting delinquents around the station. +ent-ClothingOuterArmorBulletproof = bulletproof vest + .desc = A Type III heavy bulletproof vest that excels in protecting the wearer against traditional projectile weaponry and explosives to a minor extent. +ent-ClothingOuterArmorReflective = reflective vest + .desc = An armored vest with advanced shielding to protect against energy weapons. +ent-ClothingOuterArmorCult = acolyte armor + .desc = An evil-looking piece of cult armor, made of bones. +ent-ClothingOuterArmorHeavy = heavy armor suit + .desc = A heavily armored suit that protects against excessive damage. +ent-ClothingOuterArmorHeavyGreen = green heavy armor suit + .desc = A heavily armored suit with green accents that protects against excessive damage. +ent-ClothingOuterArmorHeavyRed = red heavy armor suit + .desc = A heavily armored suit with red accents that protects against excessive damage. +ent-ClothingOuterArmorMagusblue = blue magus armor + .desc = An blue armored suit that provides good protection. +ent-ClothingOuterArmorMagusred = red magus armor + .desc = A red armored suit that provides good protection. +ent-ClothingOuterArmorScaf = scaf suit + .desc = A green and brown tactical suit for combat situations. +ent-ClothingOuterArmorCaptainCarapace = captain's carapace + .desc = An armored chestpiece that provides protection whilst still offering maximum mobility and flexibility. Issued only to the captain's of luxury vessels. +ent-ClothingOuterArmorChangeling = chitinous armor + .desc = Inflates the changeling's body into an all-consuming chitinous mass of armor. +ent-ClothingOuterArmorBone = bone armor + .desc = Sits on you like a second skin. +ent-ClothingOuterArmorPodWars = ironclad II armor + .desc = A repurposed suit of ironclad II armor, a relic of the pod wars. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/base_clothingouter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/base_clothingouter.ftl new file mode 100644 index 00000000000..34dcde49ede --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/base_clothingouter.ftl @@ -0,0 +1,17 @@ +ent-ClothingOuterBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-ClothingOuterBaseLarge = { ent-ClothingOuterBase } + .desc = { ent-ClothingOuterBase.desc } +ent-ClothingOuterStorageBase = { ent-ClothingOuterBase } + .desc = { ent-ClothingOuterBase.desc } +ent-ClothingOuterStorageToggleableBase = { ent-ClothingOuterStorageBase } + .desc = { ent-ClothingOuterStorageBase.desc } +ent-ClothingOuterHardsuitBase = base hardsuit + + .desc = { ent-GeigerCounterClothing.desc } +ent-ClothingOuterEVASuitBase = base EVA Suit + .desc = { ent-ClothingOuterBase.desc } +ent-ClothingOuterBaseToggleable = hoodie with hood + .desc = { ent-ClothingOuterBase.desc } +ent-ClothingOuterBaseMedium = { ent-ClothingOuterBase } + .desc = { ent-ClothingOuterBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/bio.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/bio.ftl new file mode 100644 index 00000000000..96b3cbf8ac4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/bio.ftl @@ -0,0 +1,18 @@ +ent-ClothingOuterBioGeneral = bio suit + .desc = A suit that protects against biological contamination. + .suffix = Generic +ent-ClothingOuterBioCmo = bio suit + .desc = An advanced suit that protects against biological contamination, in CMO colors. + .suffix = CMO +ent-ClothingOuterBioJanitor = bio suit + .desc = A suit that protects against biological contamination, in Janitor colors. + .suffix = Janitor +ent-ClothingOuterBioScientist = bio suit + .desc = A suit that protects against biological contamination, in Scientist colors. + .suffix = Science +ent-ClothingOuterBioSecurity = bio suit + .desc = A suit that protects against biological contamination, in Security colors. + .suffix = Security +ent-ClothingOuterBioVirology = bio suit + .desc = A suit that protects against biological contamination, in Virology colors. + .suffix = Virology diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/coats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/coats.ftl new file mode 100644 index 00000000000..708a03cfb8f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/coats.ftl @@ -0,0 +1,54 @@ +ent-ClothingOuterCoatBomber = bomber jacket + .desc = A thick, well-worn WW2 leather bomber jacket. +ent-ClothingOuterCoatDetective = detective trenchcoat + .desc = A rugged canvas trenchcoat, designed and created by TX Fabrication Corp. Wearing it makes you feel for the plight of the Tibetans. +ent-ClothingOuterCoatGentle = gentle coat + .desc = A gentle coat for a gentle man, or woman. +ent-ClothingOuterCoatHoSTrench = sheriff's armored trenchcoat + .desc = A greatcoat enhanced with a special alloy for some extra protection and style for those with a commanding presence. +ent-ClothingOuterCoatInspector = inspector's coat + .desc = A strict inspector's coat for being intimidating during inspections. +ent-ClothingOuterCoatJensen = jensen coat + .desc = A jensen coat. +ent-ClothingOuterCoatTrench = trench coat + .desc = A comfy trench coat. +ent-ClothingOuterCoatLab = lab coat + .desc = A suit that protects against minor chemical spills. +ent-ClothingOuterCoatLabChem = chemist lab coat + .desc = A suit that protects against minor chemical spills. Has an orange stripe on the shoulder. +ent-ClothingOuterCoatLabViro = virologist lab coat + .desc = A suit that protects against bacteria and viruses. Has an green stripe on the shoulder. +ent-ClothingOuterCoatLabGene = geneticist lab coat + .desc = A suit that protects against minor chemical spills. Has an blue stripe on the shoulder. +ent-ClothingOuterCoatLabCmo = chief medical officer's lab coat + .desc = Bluer than the standard model. +ent-ClothingOuterCoatRnd = scientist lab coat + .desc = A suit that protects against minor chemical spills. Has a purple stripe on the shoulder. +ent-ClothingOuterCoatRobo = roboticist lab coat + .desc = More like an eccentric coat than a labcoat. Helps pass off bloodstains as part of the aesthetic. Comes with red shoulder pads. +ent-ClothingOuterCoatRD = research director lab coat + .desc = Woven with top of the line technology, this labcoat helps protect against radiation in similar way to the experimental hardsuit. +ent-ClothingOuterCoatPirate = pirate garb + .desc = Yarr. +ent-ClothingOuterCoatWarden = bailiff's armored jacket + .desc = A sturdy, utilitarian jacket designed to protect a bailiff from any brig-bound threats. +ent-ClothingOuterDameDane = yakuza coat + .desc = Friday... +ent-ClothingOuterClownPriest = robes of the honkmother + .desc = Meant for a clown of the cloth. +ent-ClothingOuterDogi = samurai dogi + .desc = Dogi is a type of traditional Japanese clothing. The dogi is made of heavy, durable fabric, it is practical in combat and stylish in appearance. It is decorated with intricate patterns and embroidery on the back. +ent-ClothingOuterCoatParamedicWB = paramedic windbreaker + .desc = A paramedic's trusty windbreaker, for all the space wind. +ent-ClothingOuterCoatSyndieCap = syndicate's coat + .desc = The syndicate's coat is made of durable fabric, with gilded patterns. +ent-ClothingOuterCoatSyndieCapArmored = syndicate's armored coat + .desc = The syndicate's armored coat is made of durable fabric, with gilded patterns. +ent-ClothingOuterCoatAMG = armored medical gown + .desc = The version of the medical gown, with elements of a bulletproof vest, looks strange, but your heart is protected. +ent-ClothingOuterCoatLabSeniorResearcher = senior researcher lab coat + .desc = A suit that protects against minor chemical spills. Has a purple collar and wrist trims. +ent-ClothingOuterCoatLabSeniorPhysician = senior physician lab coat + .desc = A suit that protects against minor chemical spills. Has light blue sleeves and an orange waist trim. +ent-ClothingOuterCoatSpaceAsshole = the coat of space asshole + .desc = And there he was... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/hardsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/hardsuits.ftl new file mode 100644 index 00000000000..c4544b913a1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/hardsuits.ftl @@ -0,0 +1,69 @@ +ent-ClothingOuterHardsuitBasic = basic hardsuit + .desc = A basic, universal hardsuit that protects the wearer against the horrors of life in space. Beats not having a hardsuit, at least. +ent-ClothingOuterHardsuitAtmos = atmos hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Has thermal shielding. +ent-ClothingOuterHardsuitEngineering = engineering hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Has radiation shielding. +ent-ClothingOuterHardsuitSpatio = spationaut hardsuit + .desc = A lightweight hardsuit designed for industrial EVA in zero gravity. +ent-ClothingOuterHardsuitSalvage = mining hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Has reinforced plating for wildlife encounters. +ent-ClothingOuterHardsuitMaxim = salvager maxim hardsuit + .desc = Fire. Heat. These things forge great weapons, they also forge great salvagers. +ent-ClothingOuterHardsuitSecurity = security hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor. +ent-ClothingOuterHardsuitBrigmedic = brigmedic hardsuit + .desc = Special hardsuit of the guardian angel of the brig. It is the medical version of the security hardsuit. +ent-ClothingOuterHardsuitWarden = bailiff's hardsuit + .desc = A specialized riot suit geared to combat low pressure environments. +ent-ClothingOuterHardsuitCap = captain's armored spacesuit + .desc = A formal armored spacesuit, made for a captain. +ent-ClothingOuterHardsuitEngineeringWhite = chief engineer's hardsuit + .desc = A special hardsuit that protects against hazardous, low pressure environments, made for the chief engineer of the station. +ent-ClothingOuterHardsuitMedical = chief medical officer's hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Built with lightweight materials for easier movement. +ent-ClothingOuterHardsuitRd = experimental research hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor. Able to be compressed to small sizes. +ent-ClothingOuterHardsuitSecurityRed = sheriff's hardsuit + .desc = A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor. +ent-ClothingOuterHardsuitLuxury = luxury mining hardsuit + .desc = A refurbished mining hardsuit, fashioned after the Quartermaster's colors. Graphene lining provides less protection, but is much easier to move. +ent-ClothingOuterHardsuitSyndie = blood-red hardsuit + .desc = A heavily armored hardsuit designed for work in special operations. Property of Gorlex Marauders. +ent-ClothingOuterHardsuitSyndieMedic = blood-red medic hardsuit + .desc = A heavily armored and agile advanced hardsuit specifically designed for field medic operations. +ent-ClothingOuterHardsuitSyndieElite = syndicate elite hardsuit + .desc = An elite version of the blood-red hardsuit, with improved mobility and fireproofing. Property of Gorlex Marauders. +ent-ClothingOuterHardsuitSyndieCommander = syndicate commander hardsuit + .desc = A bulked up version of the blood-red hardsuit, purpose-built for the commander of a syndicate operative squad. Has significantly improved armor for those deadly front-lines firefights. +ent-ClothingOuterHardsuitJuggernaut = cybersun juggernaut suit + .desc = A suit made by the cutting edge R&D department at cybersun to be hyper resilient. +ent-ClothingOuterHardsuitWizard = wizard hardsuit + .desc = A bizarre gem-encrusted suit that radiates magical energies. +ent-ClothingOuterHardsuitLing = organic space suit + .desc = A spaceworthy biomass of pressure and temperature resistant tissue. +ent-ClothingOuterHardsuitPirateEVA = deep space EVA suit + .desc = A heavy space suit that provides some basic protection from the cold harsh realities of deep space. + .suffix = Pirate +ent-ClothingOuterHardsuitPirateCap = pirate captain's hardsuit + .desc = An ancient armored hardsuit, perfect for defending against space scurvy and toolbox-wielding scallywags. +ent-ClothingOuterHardsuitERTLeader = ERT leader's hardsuit + .desc = A protective hardsuit worn by the leader of an emergency response team. +ent-ClothingOuterHardsuitERTEngineer = ERT engineer's hardsuit + .desc = A protective hardsuit worn by the engineers of an emergency response team. +ent-ClothingOuterHardsuitERTMedical = ERT medic's hardsuit + .desc = A protective hardsuit worn by the medics of an emergency response team. +ent-ClothingOuterHardsuitERTSecurity = ERT security's hardsuit + .desc = A protective hardsuit worn by the security officers of an emergency response team. +ent-ClothingOuterHardsuitERTJanitor = ERT janitor's hardsuit + .desc = A protective hardsuit worn by the janitors of an emergency response team. +ent-ClothingOuterHardsuitDeathsquad = death squad hardsuit + .desc = An advanced hardsuit favored by commandos for use in special operations. +ent-ClothingOuterHardsuitCBURN = CBURN exosuit + .desc = A lightweight yet strong exosuit used for special cleanup operations. +ent-ClothingOuterHardsuitClown = clown hardsuit + .desc = A custom-made clown hardsuit. +ent-ClothingOuterHardsuitMime = mime hardsuit + .desc = A custom-made mime hardsuit. +ent-ClothingOuterHardsuitSanta = Santa's hardsuit + .desc = A festive, cheerful hardsuit that protects the jolly gift-giver while on sleighrides in space. Offers some resistance against asteroid strikes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/misc.ftl new file mode 100644 index 00000000000..73647eef405 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/misc.ftl @@ -0,0 +1,55 @@ +ent-ClothingOuterApron = apron + .desc = A fancy apron for a stylish person. +ent-ClothingOuterApronBar = apron + .desc = A darker apron designed for bartenders. + .suffix = Bartender +ent-ClothingOuterApronBotanist = apron + .desc = A thick blue-apron, perfect for insulating your soft flesh from spills, soil and thorns. + .suffix = Botanical +ent-ClothingOuterApronChef = apron + .desc = An apron-jacket used by a high class chef. + .suffix = Chef +ent-ClothingOuterJacketChef = chef jacket + .desc = An apron-jacket used by a high class chef. +ent-ClothingOuterHoodieBlack = black hoodie + .desc = Oh my God, it's a black hoodie! +ent-ClothingOuterHoodieGrey = grey hoodie + .desc = A grey hoodie. +ent-ClothingOuterCardborg = cardborg costume + .desc = An ordinary cardboard box with holes cut in the sides. +ent-ClothingOuterHoodieChaplain = chaplain's hoodie + .desc = Black and strict chaplain hoodie. +ent-ClothingOuterPonchoClassic = classic poncho + .desc = A warm and comfy classic poncho. +ent-ClothingOuterRobesCult = cult robes + .desc = There's no cult without classic red/crimson cult robes. +ent-ClothingOuterRobesJudge = judge robes + .desc = This robe commands authority. +ent-ClothingOuterPoncho = poncho + .desc = A warm and comfy poncho. +ent-ClothingOuterSanta = santa suit + .desc = Ho ho ho! +ent-ClothingOuterWizardViolet = violet wizard robes + .desc = A bizarre gem-encrusted violet robe that radiates magical energies. +ent-ClothingOuterWizard = wizard robes + .desc = A bizarre gem-encrusted blue robe that radiates magical energies. +ent-ClothingOuterWizardRed = red wizard robes + .desc = Strange-looking, red, hat-wear that most certainly belongs to a real magic user. +ent-ClothingOuterSkub = skub suit + .desc = Skub is crudely written on the outside of this cylindrical suit. +ent-ClothingOuterPlagueSuit = plague doctor suit + .desc = A bad omen. +ent-ClothingOuterNunRobe = nun robe + .desc = Maximum piety in this star system. +ent-ClothingOuterGhostSheet = ghost sheet + .desc = Spooky!!! +ent-ClothingOuterHospitalGown = hospital gown + .desc = Made from the wool of slaughtered baby lambs. The cruelty makes it softer. +ent-ClothingOuterFlannelRed = red flannel jacket + .desc = An old fashioned red flannel jacket for space autumn. +ent-ClothingOuterFlannelBlue = blue flannel jacket + .desc = An old fashioned blue flannel jacket for space autumn. +ent-ClothingOuterFlannelGreen = green flannel jacket + .desc = An old fashioned green flannel jacket for space autumn. +ent-ClothingOuterRedRacoon = red racoon suit + .desc = Fluffy suit of red racoon! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/softsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/softsuits.ftl new file mode 100644 index 00000000000..0a98fec33bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/softsuits.ftl @@ -0,0 +1,12 @@ +ent-ClothingOuterHardsuitEVA = EVA suit + .desc = A lightweight space suit with the basic ability to protect the wearer from the vacuum of space during emergencies. +ent-ClothingOuterHardsuitSyndicate = syndicate EVA suit + .desc = Has a tag on the back that reads: 'Totally not property of an enemy corporation, honest!' +ent-ClothingOuterSuitEmergency = emergency EVA suit + .desc = An emergency EVA suit with a built-in helmet. It's horribly slow and lacking in temperature protection, but enough to bide you time from the harsh vaccuum of space. +ent-ClothingOuterHardsuitEVAPrisoner = prisoner EVA suit + .desc = A lightweight space suit for prisoners to protect them from the vacuum of space during emergencies. +ent-ClothingOuterHardsuitAncientEVA = NTSRA voidsuit + .desc = An ancient space suit, designed by the NTSRA branch of CentCom. It is very finely crafted, allowing for greater mobility than most modern space suits. +ent-ClothingOuterHardsuitVoidParamed = paramedic void suit + .desc = A void suit made for paramedics. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/specific.ftl new file mode 100644 index 00000000000..27d3ff0282d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/specific.ftl @@ -0,0 +1,3 @@ +ent-ClothingOuterChameleon = vest + .desc = A thick vest with a rubbery, water-resistant shell. + .suffix = Chameleon diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/suits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/suits.ftl new file mode 100644 index 00000000000..2abb5e1a947 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/suits.ftl @@ -0,0 +1,23 @@ +ent-ClothingOuterSuitBomb = bomb suit + .desc = A heavy suit designed to withstand the pressure generated by a bomb and any fragments the bomb may produce. +ent-ClothingOuterSuitJanitorBomb = janitorial bomb suit + .desc = A heavy helmet designed to withstand explosions formed from reactions between chemicals. + .suffix = DO NOT MAP +ent-ClothingOuterSuitFire = fire suit + .desc = A suit that helps protect against hazardous temperatures. +ent-ClothingOuterSuitAtmosFire = atmos fire suit + .desc = An expensive firesuit that protects against even the most deadly of station fires. Designed to protect even if the wearer is set aflame. +ent-ClothingOuterSuitRad = radiation suit + .desc = A suit that protects against radiation. The label reads, 'Made with lead. Please do not consume insulation.' +ent-ClothingOuterSuitSpaceNinja = space ninja suit + .desc = This black technologically advanced, cybernetically-enhanced suit provides many abilities like invisibility or teleportation. +ent-ClothingOuterSuitChicken = chicken suit + .desc = Bok bok bok! +ent-ClothingOuterSuitShrineMaiden = shrine maiden outfit + .desc = Makes you want to go deal with some troublesome youkai. +ent-ClothingOuterSuitMonkey = monkey suit + .desc = A suit that looks like a primate. +ent-ClothingOuterSuitIan = ian suit + .desc = Who's a good boy? +ent-ClothingOuterSuitCarp = carp suit + .desc = A special suit that makes you look just like a space carp, if your eyesight is bad. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl new file mode 100644 index 00000000000..1a714f098ee --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/vests.ftl @@ -0,0 +1,10 @@ +ent-ClothingOuterVestWeb = web vest + .desc = A synthetic armor vest. This one has added webbing and ballistic plates. +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-ClothingOuterVestDetective = detective's vest + .desc = A hard-boiled private investigator's armored vest. +ent-ClothingOuterVestHazard = hi-viz vest + .desc = A high-visibility vest used in work zones. +ent-ClothingOuterVest = vest + .desc = A thick vest with a rubbery, water-resistant shell. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/wintercoats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/wintercoats.ftl new file mode 100644 index 00000000000..334c54953dc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/outerclothing/wintercoats.ftl @@ -0,0 +1,68 @@ +ent-ClothingOuterWinterCoat = winter coat + .desc = A heavy jacket made from 'synthetic' animal furs. +ent-ClothingOuterWinterCoatToggleable = winter coat with hood + .desc = { ent-ClothingOuterWinterCoat.desc } +ent-ClothingOuterWinterAtmos = atmospherics winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterBar = bartender winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterCap = captain's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterCargo = cargo winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterCE = chief engineer's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterCentcom = CentCom winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterChef = chef's freezer coat + .desc = A coat specifically designed for work inside cold storage, sorely needed by cold-blooded lizard chefs. +ent-ClothingOuterWinterChem = chemistry winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterCMO = chief medical officer's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterClown = clown winter coat + .desc = { ent-ClothingOuterWinterCoat.desc } +ent-ClothingOuterWinterEngi = engineering winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterGen = genetics winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterHoP = station representative's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterHoS = sheriff's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterHydro = hydroponics winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterJani = janitorial winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterMed = medical winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterMime = mime winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterMiner = mining winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterPara = paramedic winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterQM = quartermaster's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterRD = research director's winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterRobo = robotics winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterSci = science winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterSec = security winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterViro = virology winter coat + .desc = { ent-ClothingOuterWinterCoatToggleable.desc } +ent-ClothingOuterWinterWarden = bailiff's armored winter coat + .desc = A sturdy, utilitarian winter coat designed to protect a bailiff from any brig-bound threats and hypothermic events. +ent-ClothingOuterWinterSyndieCap = syndicate's winter coat + .desc = The syndicate's winter coat is made of durable fabric, with gilded patterns, and coarse wool. +ent-ClothingOuterWinterSyndieCapArmored = syndicate's armored winter coat + .desc = The syndicate's armored winter coat is made of durable fabric, with gilded patterns, and coarse wool. +ent-ClothingOuterWinterSyndie = syndicate's winter coat + .desc = Insulated winter coat, looks like a merch from "Syndieland" +ent-ClothingOuterWinterMusician = musician's winter coat + .desc = An oversized, plasticine space tuxedo that'll have people asking "do you know me?" +ent-ClothingOuterWinterWeb = web winter coat + .desc = Feels like the inside of a cocoon, not that this would make you less afraid of being in one. 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 new file mode 100644 index 00000000000..88307b923c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/base_clothingshoes.ftl @@ -0,0 +1,8 @@ +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-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/clothing/shoes/boots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/boots.ftl new file mode 100644 index 00000000000..1d2cafc236e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/boots.ftl @@ -0,0 +1,40 @@ +ent-ClothingShoesBootsWork = workboots + .desc = Engineering lace-up work boots for the especially blue-collar. +ent-ClothingShoesBootsJack = jackboots + .desc = Nanotrasen-issue Security combat boots for combat scenarios or combat situations. All combat, all the time. +ent-ClothingShoesBootsSalvage = salvage boots + .desc = Steel-toed salvage boots for salvaging in hazardous environments. +ent-ClothingShoesBootsPerformer = performer's boots + .desc = These boots provide great traction for when you're up on stage. +ent-ClothingShoesBootsCombat = combat boots + .desc = Robust combat boots for combat scenarios or combat situations. All combat, all the time. +ent-ClothingShoesHighheelBoots = high-heeled boots + .desc = Snazy boots for when you want to be stylish, yet prepared. +ent-ClothingShoesBootsMercenary = mercenary boots + .desc = Boots that have gone through many conflicts and that have proven their combat reliability. +ent-ClothingShoesBootsLaceup = laceup shoes + .desc = The height of fashion, and they're pre-polished! +ent-ClothingShoesBootsWinter = winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterCargo = cargo winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterEngi = engineering winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterMed = medical winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterSci = science winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterSec = security winter boots + .desc = { ent-ClothingShoesBaseWinterBoots.desc } +ent-ClothingShoesBootsWinterSyndicate = syndicate's winter boots + .desc = Durable heavy boots, looks like merch from "Syndieland" +ent-ClothingShoesBootsWinterWeb = web winter boots + .desc = Boots made out of dense webbing to help survive even the coldest of winters. +ent-ClothingShoesBootsCowboyBrown = brown cowboy boots + .desc = They got spurs that jingle and/or jangle. +ent-ClothingShoesBootsCowboyBlack = black cowboy boots + .desc = { ent-ClothingShoesBootsCowboyBrown.desc } +ent-ClothingShoesBootsCowboyWhite = white cowboy boots + .desc = { ent-ClothingShoesBootsCowboyBrown.desc } +ent-ClothingShoesBootsCowboyFancy = fancy cowboy boots + .desc = { ent-ClothingShoesBootsCowboyBrown.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/color.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/color.ftl new file mode 100644 index 00000000000..42f6cd79bd9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/color.ftl @@ -0,0 +1,18 @@ +ent-ClothingShoesColorBlack = black shoes + .desc = Stylish black shoes. +ent-ClothingShoesColorBlue = blue shoes + .desc = Stylish blue shoes. +ent-ClothingShoesColorBrown = brown shoes + .desc = A pair of brown shoes. +ent-ClothingShoesColorGreen = green shoes + .desc = Stylish green shoes. +ent-ClothingShoesColorOrange = orange shoes + .desc = Stylish orange shoes. +ent-ClothingShoesColorPurple = purple shoes + .desc = Stylish purple shoes. +ent-ClothingShoesColorRed = red shoes + .desc = Stylish red shoes. +ent-ClothingShoesColorWhite = white shoes + .desc = Don't take them off at your office Christmas party. +ent-ClothingShoesColorYellow = yellow shoes + .desc = Stylish yellow shoes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/magboots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/magboots.ftl new file mode 100644 index 00000000000..946ef14d6b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/magboots.ftl @@ -0,0 +1,20 @@ +ent-ClothingShoesBootsMag = magboots + .desc = Magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. +ent-ClothingShoesBootsMagAdv = advanced magboots + .desc = State-of-the-art magnetic boots that do not slow down their wearer. +ent-ClothingShoesBootsMagSci = { ent-ClothingShoesBootsMag } + .desc = { ent-ClothingShoesBootsMag.desc } +ent-ClothingShoesBootsMagBlinding = magboots of blinding speed + .desc = These would look fetching on a fetcher like you. +ent-ClothingShoesBootsMagSyndie = blood-red magboots + .desc = Reverse-engineered magnetic boots that have a heavy magnetic pull and integrated thrusters. +ent-ActionBaseToggleMagboots = Toggle Magboots + .desc = Toggles the magboots on and off. +ent-ActionToggleMagboots = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsAdvanced = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsSci = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } +ent-ActionToggleMagbootsSyndie = { ent-ActionBaseToggleMagboots } + .desc = { ent-ActionBaseToggleMagboots.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/misc.ftl new file mode 100644 index 00000000000..b4f549e869d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/misc.ftl @@ -0,0 +1,18 @@ +ent-ClothingShoesFlippers = flippers + .desc = A pair of rubber flippers that improves swimming ability when worn. +ent-ClothingShoesLeather = leather shoes + .desc = Very stylish pair of boots, made from fine leather. +ent-ClothingShoesSlippers = slippers + .desc = Fluffy! +ent-ClothingShoeSlippersDuck = ducky slippers + .desc = Comfy, yet haunted by the ghosts of ducks you fed bread to as a child. +ent-ClothingShoesTourist = tourist shoes + .desc = These cheap sandals don't look very comfortable. +ent-ClothingShoesDameDane = yakuza shoes + .desc = At last... +ent-ClothingShoesSnakeskinBoots = snakeskin boots + .desc = Boots made of high-class snakeskin, everyone around you will be jealous. +ent-ClothingShoesBootsSpeed = speed boots + .desc = High-tech boots woven with quantum fibers, able to convert electricity into pure speed! +ent-ActionToggleSpeedBoots = Toggle Speed Boots + .desc = Toggles the speed boots on and off. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/specific.ftl new file mode 100644 index 00000000000..9940719addc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/shoes/specific.ftl @@ -0,0 +1,33 @@ +ent-ClothingShoesChef = chef shoes + .desc = Sturdy shoes that minimize injury from falling objects or knives. +ent-ClothingShoesClown = clown shoes + .desc = The prankster's standard-issue clowning shoes. Damn they're huge! +ent-ClothingShoesClownBanana = banana clown shoes + .desc = When humor and footwear combine into new levels of absurdity. +ent-ClothingShoesBling = bling clown shoes + .desc = Made of refined bananium and shined with the pulp of a fresh banana peel. These make a flashy statement. +ent-ClothingShoesCult = cult shoes + .desc = A pair of boots worn by the followers of Nar'Sie. +ent-ClothingShoesGaloshes = galoshes + .desc = Rubber boots. +ent-ClothingShoesSpaceNinja = space ninja shoes + .desc = A pair of nano-enhanced boots with built-in magnetic suction cups. +ent-ClothingShoesSwat = swat shoes + .desc = When you want to turn up the heat. +ent-ClothingShoesWizard = wizard shoes + .desc = A pair of magic shoes. +ent-ClothingShoesChameleon = black shoes + .desc = Stylish black shoes. + .suffix = Chameleon +ent-ClothingShoesChameleonNoSlips = black shoes + .desc = Stylish black shoes. + .suffix = No-slip, Chameleon +ent-ClothingShoesJester = jester shoes + .desc = A court jester's shoes, updated with modern squeaking technology. +ent-ClothingShoesCluwne = cluwne shoes + .desc = Cursed pair of cluwne shoes. + .suffix = Unremoveable +ent-ClothingShoesClownLarge = large clown shoes + .desc = When you need to stand out in a room full of clowns! +ent-ClothingShoesSkates = roller skates + .desc = Get your skates on! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/under/under.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/under/under.ftl new file mode 100644 index 00000000000..73c7517a24d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/under/under.ftl @@ -0,0 +1,4 @@ +ent-ClothingUnderSocksBee = bee socks + .desc = Make them loins buzz! +ent-ClothingUnderSocksCoder = coder socks + .desc = It's time to code sisters!!11! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/base_clothinguniforms.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/base_clothinguniforms.ftl new file mode 100644 index 00000000000..e0d7b541b56 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/base_clothinguniforms.ftl @@ -0,0 +1,8 @@ +ent-UnsensoredClothingUniformBase = { ent-Clothing } + .desc = { ent-Clothing.desc } +ent-UnsensoredClothingUniformSkirtBase = { ent-UnsensoredClothingUniformBase } + .desc = { ent-UnsensoredClothingUniformBase.desc } +ent-ClothingUniformBase = { ent-UnsensoredClothingUniformBase } + .desc = { ent-UnsensoredClothingUniformBase.desc } +ent-ClothingUniformSkirtBase = { ent-ClothingUniformBase } + .desc = { ent-ClothingUniformBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/jumpskirts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/jumpskirts.ftl new file mode 100644 index 00000000000..12db2f9a37d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/jumpskirts.ftl @@ -0,0 +1,152 @@ +ent-ClothingUniformJumpskirtBartender = bartender's uniform + .desc = A nice and tidy uniform. Shame about the bar though. +ent-ClothingUniformJumpskirtCaptain = captain's jumpskirt + .desc = It's a blue jumpskirt with some gold markings denoting the rank of "Captain". +ent-ClothingUniformJumpskirtCargo = cargo tech jumpskirt + .desc = A sturdy jumpskirt, issued to members of the Cargo department. +ent-ClothingUniformJumpskirtChiefEngineer = chief engineer's jumpskirt + .desc = It's a high visibility jumpskirt given to those engineers insane enough to achieve the rank of Chief Engineer. It has minor radiation shielding. +ent-ClothingUniformJumpskirtChiefEngineerTurtle = chief engineer's turtleneck + .desc = A yellow turtleneck designed specifically for work in conditions of the engineering department. +ent-ClothingUniformJumpskirtChaplain = chaplain's jumpskirt + .desc = It's a black jumpskirt, often worn by religious folk. +ent-ClothingUniformJumpskirtChef = chef uniform + .desc = Can't cook without this. +ent-ClothingUniformJumpskirtChemistry = chemistry jumpskirt + .desc = There's some odd stains on this jumpskirt. Hm. +ent-ClothingUniformJumpskirtVirology = virology jumpskirt + .desc = It's made of a special fiber that gives special protection against biohazards. It has a virologist rank stripe on it. +ent-ClothingUniformJumpskirtGenetics = genetics jumpskirt + .desc = It's made of a special fiber that gives special protection against biohazards. It has a geneticist rank stripe on it. +ent-ClothingUniformJumpskirtCMO = chief medical officer's jumpskirt + .desc = It's a jumpskirt worn by those with the experience to be Chief Medical Officer. It provides minor biological protection. +ent-ClothingUniformJumpskirtDetective = detective hard-worn suit + .desc = Someone who wears this means business. +ent-ClothingUniformJumpskirtDetectiveGrey = detective noir suit + .desc = A hard-boiled private investigator's grey suit, complete with tie clip. +ent-ClothingUniformJumpskirtEngineering = engineering jumpskirt + .desc = If this suit was non-conductive, maybe engineers would actually do their damn job. +ent-ClothingUniformJumpskirtHoP = station representative's jumpskirt + .desc = Rather bland and inoffensive. Perfect for vanishing off the face of the universe. +ent-ClothingUniformJumpskirtHoS = sheriff's jumpskirt + .desc = It's bright red and rather crisp, much like the department's victims tend to be. Its sturdy fabric provides minor protection from slash and pierce damage. +ent-ClothingUniformJumpskirtHoSAlt = sheriff's turtleneck + .desc = It's a turtleneck worn by those strong and disciplined enough to achieve the position of Sheriff. Its sturdy fabric provides minor protection from slash and pierce damage. +ent-ClothingUniformJumpskirtHoSParadeMale = sheriff's parade uniform + .desc = A sheriff's luxury-wear, for special occasions. +ent-ClothingUniformJumpskirtHydroponics = hydroponics jumpskirt + .desc = Has a strong earthy smell to it. Hopefully it's merely dirty as opposed to soiled. +ent-ClothingUniformJumpskirtJanitor = janitor jumpskirt + .desc = The jumpskirt for the poor sop with a mop. +ent-ClothingUniformJumpskirtMedicalDoctor = medical doctor jumpskirt + .desc = It's made of a special fiber that provides minor protection against biohazards. It has a cross on the chest denoting that the wearer is trained medical personnel. +ent-ClothingUniformJumpskirtMime = mime jumpskirt + .desc = ... +ent-ClothingUniformJumpskirtParamedic = paramedic jumpskirt + .desc = It's got a plus on it, that's a good thing right? +ent-ClothingUniformJumpskirtBrigmedic = brigmedic jumpskirt + .desc = This uniform is issued to qualified personnel who have been trained. No one cares that the training took half a day. +ent-ClothingUniformJumpskirtPrisoner = prisoner jumpskirt + .desc = Busted. +ent-ClothingUniformJumpskirtQM = quartermaster's jumpskirt + .desc = What can brown do for you? +ent-ClothingUniformJumpskirtQMTurtleneck = quartermasters's turtleneck + .desc = A sharp turtleneck made for the hardy work environment of supply. +ent-ClothingUniformJumpskirtResearchDirector = research director's turtleneck + .desc = It's a turtleneck worn by those with the know-how to achieve the position of Research Director. Its fabric provides minor protection from biological contaminants. +ent-ClothingUniformJumpskirtScientist = scientist jumpskirt + .desc = It's made of a special fiber that provides minor protection against explosives. It has markings that denote the wearer as a scientist. +ent-ClothingUniformJumpskirtRoboticist = roboticist jumpskirt + .desc = It's a slimming black with reinforced seams; great for industrial work. +ent-ClothingUniformJumpskirtSec = deputy jumpskirt + .desc = A jumpskirt made of strong material, providing robust protection. +ent-ClothingUniformJumpskirtWarden = bailiff's jumpskirt + .desc = A formal security suit for officers complete with Nanotrasen belt buckle. +ent-ClothingUniformJumpskirtColorGrey = grey jumpskirt + .desc = A tasteful grey jumpskirt that reminds you of the good old days. +ent-ClothingUniformJumpskirtColorBlack = black jumpskirt + .desc = A generic black jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorBlue = blue jumpskirt + .desc = A generic blue jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorGreen = green jumpskirt + .desc = A generic green jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorOrange = orange jumpskirt + .desc = Don't wear this near paranoid security officers. +ent-ClothingUniformJumpskirtColorPink = pink jumpskirt + .desc = Just looking at this makes you feel fabulous. +ent-ClothingUniformJumpskirtColorRed = red jumpskirt + .desc = A generic red jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorWhite = white jumpskirt + .desc = A generic white jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorYellow = yellow jumpskirt + .desc = A generic yellow jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorDarkBlue = dark blue jumpskirt + .desc = A generic dark blue jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorTeal = teal jumpskirt + .desc = A generic teal jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorPurple = purple jumpskirt + .desc = A generic purple jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorDarkGreen = dark green jumpskirt + .desc = A generic dark green jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorLightBrown = light brown jumpskirt + .desc = A generic light brown jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorBrown = brown jumpskirt + .desc = A generic brown jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtColorMaroon = maroon jumpskirt + .desc = A generic maroon jumpskirt with no rank markings. +ent-ClothingUniformJumpskirtLibrarian = librarian jumpskirt + .desc = A cosy green jumper fit for a curator of books. +ent-ClothingUniformJumpskirtCurator = sensible skirt + .desc = It's sensible. Too sensible... +ent-ClothingUniformJumpskirtPerformer = performer's jumpskirt + .desc = Hi, I'm Scott, president of Donk Pizza. Have you heard of [FAMOUS VIRTUAL PERFORMER]? +ent-ClothingUniformJumpskirtCapFormalDress = captain's formal dress + .desc = A dress for special occasions. +ent-ClothingUniformJumpskirtCentcomFormalDress = central command formal dress + .desc = A dress for special occasions +ent-ClothingUniformJumpskirtHosFormal = hos's formal dress + .desc = A dress for special occasions. +ent-ClothingUniformJumpskirtOperative = operative jumpskirt + .desc = Uniform for elite syndicate operatives performing tactical operations in deep space. +ent-ClothingUniformJumpskirtTacticool = tacticool jumpskirt + .desc = Uniform for subpar operative LARPers performing tactical insulated glove theft in deep space. +ent-ClothingUniformJumpskirtAtmos = atmospheric technician jumpskirt + .desc = I am at work. I can't leave work. Work is breathing. I am testing air quality. +ent-ClothingUniformJumpskirtJanimaid = janitorial maid uniform + .desc = For professionals, not the posers. +ent-ClothingUniformJumpskirtJanimaidmini = janitorial maid uniform with miniskirt + .desc = Elite service, not some candy wrappers. +ent-ClothingUniformJumpskirtLawyerRed = red lawyer suitskirt + .desc = A flashy red suitskirt worn by lawyers and show-offs. +ent-ClothingUniformJumpskirtLawyerBlue = blue lawyer suitskirt + .desc = A flashy blue suitskirt worn by lawyers and show-offs. +ent-ClothingUniformJumpskirtLawyerBlack = black lawyer suitskirt + .desc = A subtle black suitskirt worn by lawyers and gangsters. +ent-ClothingUniformJumpskirtLawyerPurple = purple lawyer suitskirt + .desc = A stylish purple piece worn by lawyers and show people. +ent-ClothingUniformJumpskirtLawyerGood = good lawyer's suitskirt + .desc = A tacky suitskirt perfect for a CRIMINAL lawyer! +ent-ClothingUniformJumpskirtSyndieFormalDress = syndicate formal dress + .desc = The syndicate's uniform is made in an elegant style, it's even a pity to do dirty tricks in this. +ent-ClothingUniformJumpskirtTacticalMaid = tactical maid suitskirt + .desc = It is assumed that the best maids should have designer suits. +ent-ClothingUniformJumpskirtOfLife = skirt of life + .desc = A skirt that symbolizes the joy and positivity of our life. +ent-ClothingUniformJumpskirtSeniorEngineer = senior engineer jumpskirt + .desc = A sign of skill and prestige within the engineering department. +ent-ClothingUniformJumpskirtSeniorResearcher = senior researcher jumpskirt + .desc = A sign of skill and prestige within the science department. +ent-ClothingUniformJumpskirtSeniorPhysician = senior physician jumpskirt + .desc = A sign of skill and prestige within the medical department. +ent-ClothingUniformJumpskirtSeniorOfficer = sergeant jumpskirt + .desc = A sign of skill and prestige within the sheriff's department. +ent-ClothingUniformJumpskirtSecGrey = grey deputy jumpskirt + .desc = A tactical relic of years past before Nanotrasen decided it was cheaper to dye the suits red instead of washing out the blood. +ent-ClothingUniformJumpskirtWeb = web jumpskirt + .desc = Makes it clear that you are one with the webs. +ent-ClothingUniformJumpskirtCasualBlue = casual blue jumpskirt + .desc = A loose worn blue shirt with a grey skirt, perfect for someone looking to relax. +ent-ClothingUniformJumpskirtCasualPurple = casual purple jumpskirt + .desc = A loose worn purple shirt with a grey skirt, perfect for someone looking to relax. +ent-ClothingUniformJumpskirtCasualRed = casual red jumpskirt + .desc = A loose worn red shirt with a grey skirt, perfect for someone looking to relax. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/jumpsuits.ftl new file mode 100644 index 00000000000..f26e1902bdd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/jumpsuits.ftl @@ -0,0 +1,251 @@ +ent-ClothingUniformJumpsuitDeathSquad = death squad uniform + .desc = Advanced armored jumpsuit used by special forces in special operations. +ent-ClothingUniformJumpsuitAncient = ancient jumpsuit + .desc = A terribly ragged and frayed grey jumpsuit. It looks like it hasn't been washed in over a decade. +ent-ClothingUniformJumpsuitBartender = bartender's uniform + .desc = A nice and tidy uniform. Shame about the bar though. +ent-ClothingUniformJumpsuitJacketMonkey = bartender's jacket monkey + .desc = A decent jacket, for a decent monkey. +ent-ClothingUniformJumpsuitBartenderPurple = purple bartender's uniform + .desc = A special purple outfit to serve drinks. +ent-ClothingUniformJumpsuitCaptain = captain's jumpsuit + .desc = It's a blue jumpsuit with some gold markings denoting the rank of "Captain". +ent-ClothingUniformJumpsuitCargo = cargo tech jumpsuit + .desc = A sturdy jumpsuit, issued to members of the Cargo department. +ent-ClothingUniformJumpsuitSalvageSpecialist = salvage specialist's jumpsuit + .desc = It's a snappy jumpsuit with a sturdy set of overalls. It's very dirty. +ent-ClothingUniformJumpsuitChiefEngineer = chief engineer's jumpsuit + .desc = It's a high visibility jumpsuit given to those engineers insane enough to achieve the rank of Chief Engineer. It has minor radiation shielding. +ent-ClothingUniformJumpsuitChiefEngineerTurtle = chief engineer's turtleneck + .desc = A yellow turtleneck designed specifically for work in conditions of the engineering department. +ent-ClothingUniformJumpsuitChaplain = chaplain's jumpsuit + .desc = It's a black jumpsuit, often worn by religious folk. +ent-ClothingUniformJumpsuitCentcomAgent = CentCom agent's jumpsuit + .desc = A suit worn by CentCom's legal team. Smells of burnt coffee. +ent-ClothingUniformJumpsuitCentcomOfficial = CentCom official's jumpsuit + .desc = It's a jumpsuit worn by CentCom's officials. +ent-ClothingUniformJumpsuitCentcomOfficer = CentCom officer's jumpsuit + .desc = It's a jumpsuit worn by CentCom Officers. +ent-ClothingUniformJumpsuitChef = chef uniform + .desc = Can't cook without this. +ent-ClothingUniformJumpsuitChemistry = chemistry jumpsuit + .desc = There's some odd stains on this jumpsuit. Hm. +ent-ClothingUniformJumpsuitVirology = virology jumpsuit + .desc = It's made of a special fiber that gives special protection against biohazards. It has a virologist rank stripe on it. +ent-ClothingUniformJumpsuitGenetics = genetics jumpsuit + .desc = It's made of a special fiber that gives special protection against biohazards. It has a geneticist rank stripe on it. +ent-ClothingUniformJumpsuitClown = clown suit + .desc = HONK! +ent-ClothingUniformJumpsuitClownBanana = banana clown suit + .desc = { ent-ClothingUniformJumpsuitClown.desc } +ent-ClothingUniformJumpsuitJester = jester suit + .desc = A jolly dress, well suited to entertain your master, nuncle. +ent-ClothingUniformJumpsuitJesterAlt = { ent-ClothingUniformJumpsuitJester } + .desc = { ent-ClothingUniformJumpsuitJester.desc } +ent-ClothingUniformJumpsuitCMO = chief medical officer's jumpsuit + .desc = It's a jumpsuit worn by those with the experience to be Chief Medical Officer. It provides minor biological protection. +ent-ClothingUniformJumpsuitDetective = detective hard-worn suit + .desc = Someone who wears this means business. +ent-ClothingUniformJumpsuitDetectiveGrey = detective noir suit + .desc = A hard-boiled private investigator's grey suit, complete with tie clip. +ent-ClothingUniformJumpsuitEngineering = engineering jumpsuit + .desc = If this suit was non-conductive, maybe engineers would actually do their damn job. +ent-ClothingUniformJumpsuitEngineeringHazard = hazard jumpsuit + .desc = Woven in a grungy, warm orange. Lets others around you know that you really mean business when it comes to work. +ent-ClothingUniformJumpsuitHoP = station representative's jumpsuit + .desc = Rather bland and inoffensive. Perfect for vanishing off the face of the universe. +ent-ClothingUniformJumpsuitHoS = sheriff's jumpsuit + .desc = It's bright red and rather crisp, much like the department's victims tend to be. +ent-ClothingUniformJumpsuitHoSAlt = sheriff's turtleneck + .desc = It's a turtleneck worn by those strong and disciplined enough to achieve the position of Sheriff. +ent-ClothingUniformJumpsuitHoSBlue = sheriff's blue jumpsuit + .desc = A blue jumpsuit worn by the Sheriff. +ent-ClothingUniformJumpsuitHoSGrey = sheriff's grey jumpsuit + .desc = A grey jumpsuit of a Sheriff, which make them look somewhat like a passenger. +ent-ClothingUniformJumpsuitHoSParadeMale = sheriff's parade uniform + .desc = A male sheriff's luxury-wear, for special occasions. +ent-ClothingUniformJumpsuitHydroponics = hydroponics jumpsuit + .desc = Has a strong earthy smell to it. Hopefully it's merely dirty as opposed to soiled. +ent-ClothingUniformJumpsuitJanitor = janitor jumpsuit + .desc = The jumpsuit for the poor sop with a mop. +ent-ClothingUniformJumpsuitKimono = kimono + .desc = traditional chinese clothing +ent-ClothingUniformJumpsuitMedicalDoctor = medical doctor jumpsuit + .desc = It's made of a special fiber that provides minor protection against biohazards. It has a cross on the chest denoting that the wearer is trained medical personnel. +ent-ClothingUniformJumpsuitMime = mime suit + .desc = ... +ent-ClothingUniformJumpsuitParamedic = paramedic jumpsuit + .desc = It's got a plus on it, that's a good thing right? +ent-ClothingUniformJumpsuitBrigmedic = brigmedic jumpsuit + .desc = This uniform is issued to qualified personnel who have been trained. No one cares that the training took half a day. +ent-ClothingUniformJumpsuitPrisoner = prisoner jumpsuit + .desc = Busted. +ent-ClothingUniformJumpsuitQM = quartermaster's jumpsuit + .desc = What can brown do for you? +ent-ClothingUniformJumpsuitQMTurtleneck = quartermasters's turtleneck + .desc = A sharp turtleneck made for the hardy work environment of supply. +ent-ClothingUniformJumpsuitQMFormal = quartermasters's formal suit + .desc = Inspired by the quartermasters of military's past, the perfect outfit for supplying a formal occasion. +ent-ClothingUniformJumpsuitResearchDirector = research director's turtleneck + .desc = It's a turtleneck worn by those with the know-how to achieve the position of Research Director. Its fabric provides minor protection from biological contaminants. +ent-ClothingUniformJumpsuitScientist = scientist jumpsuit + .desc = It's made of a special fiber that provides minor protection against explosives. It has markings that denote the wearer as a scientist. +ent-ClothingUniformJumpsuitScientistFormal = scientist's formal jumpsuit + .desc = A uniform for sophisticated scientists, best worn with its matching tie. +ent-ClothingUniformJumpsuitRoboticist = roboticist jumpsuit + .desc = It's a slimming black with reinforced seams; great for industrial work. +ent-ClothingUniformJumpsuitSec = deputy jumpsuit + .desc = A jumpsuit made of strong material, providing robust protection. +ent-ClothingUniformJumpsuitSecBlue = blue deputy jumpsuit + .desc = A jumpsuit made of strong material, providing robust protection. +ent-ClothingUniformJumpsuitSecGrey = grey deputy jumpsuit + .desc = A tactical relic of years past before Nanotrasen decided it was cheaper to dye the suits red instead of washing out the blood. +ent-ClothingUniformJumpsuitWarden = bailiff's jumpsuit + .desc = A formal security suit for officers complete with Nanotrasen belt buckle. +ent-ClothingUniformJumpsuitColorGrey = grey jumpsuit + .desc = A tasteful grey jumpsuit that reminds you of the good old days. +ent-ClothingUniformJumpsuitColorBlack = black jumpsuit + .desc = A generic black jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorBlue = blue jumpsuit + .desc = A generic blue jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorGreen = green jumpsuit + .desc = A generic green jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorOrange = orange jumpsuit + .desc = Don't wear this near paranoid security officers. +ent-ClothingUniformJumpsuitColorPink = pink jumpsuit + .desc = Just looking at this makes you feel fabulous. +ent-ClothingUniformJumpsuitColorRed = red jumpsuit + .desc = A generic red jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorWhite = white jumpsuit + .desc = A generic white jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorYellow = yellow jumpsuit + .desc = A generic yellow jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorDarkBlue = dark blue jumpsuit + .desc = A generic dark blue jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorTeal = teal jumpsuit + .desc = A generic teal jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorPurple = purple jumpsuit + .desc = A generic purple jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorDarkGreen = dark green jumpsuit + .desc = A generic dark green jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorLightBrown = light brown jumpsuit + .desc = A generic light brown jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorBrown = brown jumpsuit + .desc = A generic brown jumpsuit with no rank markings. +ent-ClothingUniformJumpsuitColorMaroon = maroon jumpsuit + .desc = A generic maroon jumpsuit with no rank markings. +ent-ClothingUniformColorRainbow = rainbow jumpsuit + .desc = A multi-colored jumpsuit! +ent-ClothingUniformOveralls = overalls + .desc = Great for working outdoors. +ent-ClothingUniformJumpsuitLibrarian = librarian jumpsuit + .desc = A cosy green jumper fit for a curator of books. +ent-ClothingUniformJumpsuitCurator = sensible suit + .desc = It's sensible. Too sensible... +ent-ClothingUniformJumpsuitGalaxyRed = red galaxy suit + .desc = Red lawsuit for those that conduct business on a galactic scale. +ent-ClothingUniformJumpsuitGalaxyBlue = blue galaxy suit + .desc = Blue lawsuit or those that conduct business on a galactic scale. +ent-ClothingUniformJumpsuitLawyerRed = red lawyer suit + .desc = A flashy red suit worn by lawyers and show-offs. +ent-ClothingUniformJumpsuitLawyerBlue = blue lawyer suit + .desc = A flashy blue suit worn by lawyers and show-offs. +ent-ClothingUniformJumpsuitLawyerBlack = black lawyer suit + .desc = A subtle black suit worn by lawyers and gangsters. +ent-ClothingUniformJumpsuitLawyerPurple = purple lawyer suit + .desc = A stylish purple piece worn by lawyers and show people. +ent-ClothingUniformJumpsuitLawyerGood = good lawyer's suit + .desc = A tacky suit perfect for a CRIMINAL lawyer! +ent-ClothingUniformJumpsuitPyjamaSyndicateBlack = black syndicate pyjamas + .desc = For those long nights in perma. +ent-ClothingUniformJumpsuitPyjamaSyndicatePink = pink syndicate pyjamas + .desc = For those long nights in perma. +ent-ClothingUniformJumpsuitPyjamaSyndicateRed = red syndicate pyjamas + .desc = For those long nights in perma. +ent-ClothingUniformJumpsuitNanotrasen = nanotrasen jumpsuit + .desc = A stately blue jumpsuit to represent NanoTrasen. +ent-ClothingUniformJumpsuitCapFormal = captain's formal suit + .desc = A suit for special occasions. +ent-ClothingUniformJumpsuitCentcomFormal = central command formal suit + .desc = A suit for special occasions. +ent-ClothingUniformJumpsuitHosFormal = hos's formal suit + .desc = A suit for special occasions. +ent-ClothingUniformJumpsuitOperative = operative jumpsuit + .desc = Uniform for elite syndicate operatives performing tactical operations in deep space. +ent-ClothingUniformJumpsuitTacticool = tacticool jumpsuit + .desc = Uniform for subpar operative LARPers performing tactical insulated glove theft in deep space. +ent-ClothingUniformJumpsuitMercenary = mercenary jumpsuit + .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-ClothingUniformJumpsuitNinja = ninja jumpsuit + .desc = Comfortable ninja suit, for convenience when relaxing and when you need to practice. +ent-ClothingUniformJumpsuitAtmos = atmospheric technician jumpsuit + .desc = I am at work. I can't leave work. Work is breathing. I am testing air quality. +ent-ClothingUniformJumpsuitAtmosCasual = atmospheric technician's casual jumpsuit + .desc = Might as well relax with a job as easy as yours. +ent-ClothingUniformJumpsuitPsychologist = psychologist suit + .desc = I don't lose things. I place things in locations which later elude me. +ent-ClothingUniformJumpsuitReporter = reporter suit + .desc = A good reporter remains a skeptic all their life. +ent-ClothingUniformJumpsuitSafari = safari suit + .desc = Perfect for a jungle excursion. +ent-ClothingUniformJumpsuitJournalist = journalist suit + .desc = If journalism is good, it is controversial, by nature. +ent-ClothingUniformJumpsuitMonasticRobeDark = dark monastic robe + .desc = It's a dark robe, often worn by religious folk. +ent-ClothingUniformJumpsuitMonasticRobeLight = light monastic robe + .desc = It's a light robe, often worn by religious folk. +ent-ClothingUniformJumpsuitMusician = musician's tuxedo + .desc = A fancy tuxedo for the musically inclined. Perfect for any lounge act! +ent-ClothingUniformJumpsuitERTEngineer = ERT engineering uniform + .desc = A special suit made for the elite engineers under CentCom. +ent-ClothingUniformJumpsuitERTJanitor = ERT janitorial uniform + .desc = A special suit made for the elite janitors under CentCom. +ent-ClothingUniformJumpsuitERTLeader = ERT leader uniform + .desc = A special suit made for the best of the elites under CentCom. +ent-ClothingUniformJumpsuitERTMedic = ERT medical uniform + .desc = A special suit made for the elite medics under CentCom. +ent-ClothingUniformJumpsuitERTSecurity = ERT security uniform + .desc = A special suit made for the elite security under CentCom. +ent-ClothingUniformJumpsuitCluwne = cluwne suit + .desc = Cursed cluwne suit. + .suffix = Unremoveable +ent-ClothingUniformJumpsuitDameDane = yakuza outfit + .desc = Baka mitai... +ent-ClothingUniformJumpsuitPirate = pirate slops + .desc = A pirate variation of a space sailor's jumpsuit. +ent-ClothingUniformJumpsuitCossack = cossack suit + .desc = the good old pants and brigantine. +ent-ClothingUniformJumpsuitHawaiBlack = black hawaiian shirt + .desc = Black as a starry night. +ent-ClothingUniformJumpsuitHawaiBlue = blue hawaiian shirt + .desc = Blue as a huge ocean. +ent-ClothingUniformJumpsuitHawaiRed = red hawaiian shirt + .desc = Red as a juicy watermelons. +ent-ClothingUniformJumpsuitHawaiYellow = yellow hawaiian shirt + .desc = Yellow as a bright sun. +ent-ClothingUniformJumpsuitSyndieFormal = syndicate formal suit + .desc = The syndicate's uniform is made in an elegant style, it's even a pity to do dirty tricks in this. +ent-ClothingUniformJumpsuitFlannel = flannel jumpsuit + .desc = Smells like someones been grillin'. +ent-ClothingUniformJumpsuitSeniorEngineer = senior engineer jumpsuit + .desc = A sign of skill and prestige within the engineering department. +ent-ClothingUniformJumpsuitSeniorResearcher = senior researcher jumpsuit + .desc = A sign of skill and prestige within the science department. +ent-ClothingUniformJumpsuitSeniorPhysician = senior physician jumpsuit + .desc = A sign of skill and prestige within the medical department. +ent-ClothingUniformJumpsuitSeniorOfficer = sergeant jumpsuit + .desc = A sign of skill and prestige within the sheriff's department. +ent-ClothingUniformJumpsuitWeb = web jumpsuit + .desc = Makes it clear that you are one with the webs. +ent-ClothingUniformJumpsuitLoungewear = loungewear + .desc = A long stretch of fabric that wraps around your body for comfort. +ent-ClothingUniformJumpsuitGladiator = gladiator uniform + .desc = Made for true gladiators (or Ash Walkers). +ent-ClothingUniformJumpsuitCasualBlue = casual blue jumpsuit + .desc = A loose worn blue shirt with a grey pants, perfect for someone looking to relax. +ent-ClothingUniformJumpsuitCasualPurple = casual purple jumpsuit + .desc = A loose worn purple shirt with a grey pants, perfect for someone looking to relax. +ent-ClothingUniformJumpsuitCasualRed = casual red jumpsuit + .desc = A loose worn red shirt with a grey pants, perfect for someone looking to relax. +ent-ClothingUniformJumpsuitFamilyGuy = familiar garbs + .desc = Makes you remember the time you did something funny. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/misc_roles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/misc_roles.ftl new file mode 100644 index 00000000000..7238af4ef0d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/misc_roles.ftl @@ -0,0 +1,4 @@ +ent-UniformShortsRed = boxing shorts + .desc = These are shorts, not boxers. +ent-UniformShortsRedWithTop = boxing shorts with top + .desc = These are shorts, not boxers. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/random_suit.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/random_suit.ftl new file mode 100644 index 00000000000..d6cf5ddc9c5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/random_suit.ftl @@ -0,0 +1,15 @@ +ent-ClothingUniformRandom = { ent-ClothingUniformBase } + .desc = Generated by neural networks based on the latest fashion trends. + .suffix = Random visual +ent-ClothingRandomSpawner = random colorful costume + .desc = { ent-ClothingUniformRandom.desc } +ent-ClothingUniformRandomArmless = colorful hands-free costume + .desc = { ent-ClothingUniformRandom.desc } +ent-ClothingUniformRandomStandart = colorful costume + .desc = { ent-ClothingUniformRandom.desc } +ent-ClothingUniformRandomBra = colorful bra + .desc = { ent-ClothingUniformRandom.desc } +ent-ClothingUniformRandomShorts = colorful pants + .desc = { ent-ClothingUniformRandom.desc } +ent-ClothingUniformRandomShirt = colorful costume + .desc = { ent-ClothingUniformRandom.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/scrubs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/scrubs.ftl new file mode 100644 index 00000000000..8a6377ccc25 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/scrubs.ftl @@ -0,0 +1,6 @@ +ent-UniformScrubsColorPurple = purple scrubs + .desc = A combination of comfort and utility intended to make removing every last organ someone has and selling them to a space robot much more official looking. +ent-UniformScrubsColorGreen = green scrubs + .desc = A combination of comfort and utility intended to make removing every last organ someone has and selling them to a space robot much more official looking. +ent-UniformScrubsColorBlue = blue scrubs + .desc = A combination of comfort and utility intended to make removing every last organ someone has and selling them to a space robot much more official looking. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/ship_vs_ship.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/ship_vs_ship.ftl new file mode 100644 index 00000000000..dc57a96d018 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/ship_vs_ship.ftl @@ -0,0 +1,16 @@ +ent-ClothingUniformJumpsuitRecruitNT = recruit jumpsuit + .desc = A classy grey jumpsuit with blue trims. Perfect for the dignified helper. +ent-ClothingUniformJumpsuitRecruitSyndie = syndicate recuit jumpsuit + .desc = A dubious,, dark-grey jumpsuit. As if passengers weren't dubious enough already. +ent-ClothingUniformJumpsuitRepairmanNT = repairman jumpsuit + .desc = A jumpsuit that reminds you of a certain crew-sector work position. Hopefully, you won't have to do the same job as THOSE freaks. +ent-ClothingUniformJumpsuitRepairmanSyndie = syndicate repairman jumpsuit + .desc = Functional, fashionable, and badass. Nanotrasen's engineers wish they could look as good as this. +ent-ClothingUniformJumpsuitParamedicNT = paramedic jumpsuit + .desc = A basic white & blue jumpsuit made for Nanotrasen paramedics stationed in combat sectors. +ent-ClothingUniformJumpsuitParamedicSyndie = syndicate paramedic jumpsuit + .desc = For some reason, wearing this makes you feel like you're awfully close to violating the Geneva Convention. +ent-ClothingUniformJumpsuitChiefEngineerNT = chief engineer jumpsuit + .desc = It is often joked that the role of the combat-sector Chief Engineer is where the actual, logistically-minded engineers are promoted to. Good luck. +ent-ClothingUniformJumpsuitChiefEngineerSyndie = syndicate chief engineer jumpsuit + .desc = An evil-looking jumpsuit with a reflective vest & red undershirt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/specific.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/specific.ftl new file mode 100644 index 00000000000..b491e9e229e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/clothing/uniforms/specific.ftl @@ -0,0 +1,3 @@ +ent-ClothingUniformJumpsuitChameleon = black jumpsuit + .desc = A generic black jumpsuit with no rank markings. + .suffix = Chameleon diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/clicktest.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/clicktest.ftl new file mode 100644 index 00000000000..9108061faee --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/clicktest.ftl @@ -0,0 +1,15 @@ +ent-ClickTestBase = { "" } + .suffix = DEBUG + .desc = { "" } +ent-ClickTestRotatingCornerVisible = ClickTestRotatingCornerVisible + .desc = { ent-ClickTestBase.desc } +ent-ClickTestRotatingCornerVisibleNoRot = ClickTestRotatingCornerVisibleNoRot + .desc = { ent-ClickTestRotatingCornerVisible.desc } +ent-ClickTestRotatingCornerInvisible = ClickTestRotatingCornerInvisible + .desc = { ent-ClickTestBase.desc } +ent-ClickTestRotatingCornerInvisibleNoRot = ClickTestRotatingCornerInvisibleNoRot + .desc = { ent-ClickTestRotatingCornerInvisible.desc } +ent-ClickTestFixedCornerVisible = ClickTestFixedCornerVisible + .desc = { ent-ClickTestBase.desc } +ent-ClickTestFixedCornerInvisible = ClickTestFixedCornerInvisible + .desc = { ent-ClickTestBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/debug_sweps.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/debug_sweps.ftl new file mode 100644 index 00000000000..fa8c812d5c4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/debug_sweps.ftl @@ -0,0 +1,19 @@ +ent-WeaponPistolDebug = bang, ded + .desc = ded + .suffix = DEBUG +ent-MagazinePistolDebug = bang, ded mag + .suffix = DEBUG + .desc = { ent-BaseMagazinePistol.desc } +ent-BulletDebug = bang, ded bullet + .suffix = DEBUG + .desc = { ent-BaseBullet.desc } +ent-CartridgeDebug = bang, ded cartridge + .suffix = DEBUG + .desc = { ent-BaseCartridgePistol.desc } +ent-MeleeDebugGib = bang stick gibber + .desc = hit hard ye + .suffix = DEBUG +ent-MeleeDebug100 = bang stick 100dmg + .desc = { ent-MeleeDebugGib.desc } +ent-MeleeDebug200 = bang stick 200dmg + .desc = { ent-MeleeDebugGib.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/drugs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/drugs.ftl new file mode 100644 index 00000000000..4d33d577341 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/drugs.ftl @@ -0,0 +1,3 @@ +ent-DrinkMeth = meth + .desc = Just a whole glass of meth. + .suffix = DEBUG diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/item.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/item.ftl new file mode 100644 index 00000000000..aa03dd8d025 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/item.ftl @@ -0,0 +1,3 @@ +ent-DebugItemShapeWeird = weirdly shaped item + .desc = What is it...? + .suffix = DEBUG diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/options_visualizer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/options_visualizer.ftl new file mode 100644 index 00000000000..bd3f150c84a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/options_visualizer.ftl @@ -0,0 +1,3 @@ +ent-OptionsVisualizerTest = { "" } + .suffix = DEBUG + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/rotation_marker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/rotation_marker.ftl new file mode 100644 index 00000000000..f07b99412f0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/rotation_marker.ftl @@ -0,0 +1,9 @@ +ent-debugRotation1 = dbg_rotation1 + .suffix = DEBUG + .desc = { "" } +ent-debugRotation4 = dbg_rotation4 + .suffix = DEBUG + .desc = { "" } +ent-debugRotationTex = dbg_rotationTex + .suffix = DEBUG + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/spanisharmyknife.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/spanisharmyknife.ftl new file mode 100644 index 00000000000..7edba990862 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/spanisharmyknife.ftl @@ -0,0 +1,3 @@ +ent-ToolDebug = spanish army knife + .desc = The pain of using this is almost too great to bear. + .suffix = DEBUG diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/stress_test.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/stress_test.ftl new file mode 100644 index 00000000000..52ce8c93d10 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/debugging/stress_test.ftl @@ -0,0 +1,3 @@ +ent-StressTest = stress test + .suffix = DEBUG + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/acidifer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/acidifer.ftl new file mode 100644 index 00000000000..1af1729b825 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/acidifer.ftl @@ -0,0 +1,2 @@ +ent-Acidifier = acid + .desc = Melts you into a puddle of yuck! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/acidifier.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/acidifier.ftl new file mode 100644 index 00000000000..1af1729b825 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/acidifier.ftl @@ -0,0 +1,2 @@ +ent-Acidifier = acid + .desc = Melts you into a puddle of yuck! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/admin_triggers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/admin_triggers.ftl new file mode 100644 index 00000000000..f019b1a4817 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/admin_triggers.ftl @@ -0,0 +1,23 @@ +ent-AdminInstantEffectBase = instant effect + .desc = { "" } +ent-AdminInstantEffectEMP = { ent-AdminInstantEffectBase } + .suffix = EMP + .desc = { ent-AdminInstantEffectBase.desc } +ent-AdminInstantEffectFlash = { ent-AdminInstantEffectBase } + .suffix = Flash + .desc = { ent-AdminInstantEffectBase.desc } +ent-AdminInstantEffectSmoke3 = { ent-AdminInstantEffectBase } + .suffix = Smoke (03 sec) + .desc = { ent-AdminInstantEffectBase.desc } +ent-AdminInstantEffectSmoke10 = { ent-AdminInstantEffectBase } + .suffix = Smoke (10 sec) + .desc = { ent-AdminInstantEffectBase.desc } +ent-AdminInstantEffectSmoke30 = { ent-AdminInstantEffectBase } + .suffix = Smoke (30 sec) + .desc = { ent-AdminInstantEffectBase.desc } +ent-AdminInstantEffectTearGas = { ent-AdminInstantEffectBase } + .suffix = Tear Gas + .desc = { ent-AdminInstantEffectBase.desc } +ent-AdminInstantEffectGravityWell = { ent-AdminInstantEffectBase } + .suffix = Gravity Well + .desc = { ent-AdminInstantEffectBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/ambient_sounds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/ambient_sounds.ftl new file mode 100644 index 00000000000..7db60a0156b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/ambient_sounds.ftl @@ -0,0 +1,2 @@ +ent-AmbientSoundSourceFlies = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/bluespace_flash.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/bluespace_flash.ftl new file mode 100644 index 00000000000..9f1acb279ae --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/bluespace_flash.ftl @@ -0,0 +1,2 @@ +ent-EffectFlashBluespace = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/chemistry_effects.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/chemistry_effects.ftl new file mode 100644 index 00000000000..e5cf2be90cf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/chemistry_effects.ftl @@ -0,0 +1,18 @@ +ent-BaseFoam = { "" } + .desc = { "" } +ent-Smoke = smoke + .desc = { ent-BaseFoam.desc } +ent-Foam = foam + .desc = { ent-BaseFoam.desc } +ent-MetalFoam = metal foam + .desc = { ent-Foam.desc } +ent-IronMetalFoam = iron metal foam + .desc = { ent-MetalFoam.desc } +ent-AluminiumMetalFoam = aluminium metal foam + .desc = { ent-MetalFoam.desc } +ent-BaseFoamedMetal = base foamed metal + .desc = { "" } +ent-FoamedIronMetal = foamed iron metal + .desc = For sealing hull breaches. +ent-FoamedAluminiumMetal = foamed aluminium metal + .desc = For sealing hull breaches. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/emp_effects.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/emp_effects.ftl new file mode 100644 index 00000000000..ffa460adf47 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/emp_effects.ftl @@ -0,0 +1,4 @@ +ent-EffectEmpPulse = { "" } + .desc = { "" } +ent-EffectEmpDisabled = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/exclamation.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/exclamation.ftl new file mode 100644 index 00000000000..5e0c25609da --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/exclamation.ftl @@ -0,0 +1,4 @@ +ent-Exclamation = exclamation + .desc = { "" } +ent-WhistleExclamation = exclamation + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/explosion_light.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/explosion_light.ftl new file mode 100644 index 00000000000..55d2b3ee108 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/explosion_light.ftl @@ -0,0 +1,2 @@ +ent-ExplosionLight = explosion light + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/hearts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/hearts.ftl new file mode 100644 index 00000000000..b2be5326f2e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/hearts.ftl @@ -0,0 +1,2 @@ +ent-EffectHearts = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/lightning.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/lightning.ftl new file mode 100644 index 00000000000..d619733714f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/lightning.ftl @@ -0,0 +1,14 @@ +ent-BaseLightning = lightning + .desc = { "" } +ent-Lightning = lightning + .desc = { ent-BaseLightning.desc } +ent-LightningRevenant = spooky lightning + .desc = { ent-BaseLightning.desc } +ent-ChargedLightning = charged lightning + .desc = { ent-BaseLightning.desc } +ent-Spark = lightning + .desc = { ent-BaseLightning.desc } +ent-SuperchargedLightning = supercharged lightning + .desc = { ent-ChargedLightning.desc } +ent-HyperchargedLightning = hypercharged lightning + .desc = { ent-ChargedLightning.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/mobspawn.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/mobspawn.ftl new file mode 100644 index 00000000000..3490f234331 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/mobspawn.ftl @@ -0,0 +1,10 @@ +ent-MobSpawnCrabQuartz = mobspawner quartzcrab + .desc = { "" } +ent-MobSpawnCrabIron = mobspawner ironcrab + .desc = { ent-MobSpawnCrabQuartz.desc } +ent-MobSpawnCrabSilver = mobspawner silvercrab + .desc = { ent-MobSpawnCrabQuartz.desc } +ent-MobSpawnCrabUranium = mobspawner uraniumcrab + .desc = { ent-MobSpawnCrabQuartz.desc } +ent-EffectAnomalyFloraBulb = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/portal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/portal.ftl new file mode 100644 index 00000000000..74a849a33fb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/portal.ftl @@ -0,0 +1,14 @@ +ent-BasePortal = bluespace portal + .desc = Transports you to a linked destination! +ent-PortalRed = { ent-BasePortal } + .desc = This one looks more like a redspace portal. +ent-PortalBlue = { ent-BasePortal } + .desc = { ent-BasePortal.desc } +ent-PortalArtifact = { ent-BasePortal } + .desc = { ent-BasePortal.desc } +ent-PortalGatewayBlue = { ent-BasePortal } + .desc = { ent-BasePortal.desc } +ent-PortalGatewayOrange = { ent-BasePortal } + .desc = { ent-BasePortal.desc } +ent-ShadowPortal = shadow rift + .desc = Looks unstable. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/puddle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/puddle.ftl new file mode 100644 index 00000000000..4d08ec02945 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/puddle.ftl @@ -0,0 +1,24 @@ +ent-PuddleTemporary = { ent-Puddle } + .desc = { ent-Puddle.desc } +ent-PuddleSmear = { ent-PuddleTemporary } + .suffix = Smear + .desc = { ent-PuddleTemporary.desc } +ent-PuddleVomit = { ent-PuddleTemporary } + .suffix = Vomit + .desc = { ent-PuddleTemporary.desc } +ent-PuddleEgg = { ent-PuddleTemporary } + .suffix = Egg + .desc = { ent-PuddleTemporary.desc } +ent-PuddleTomato = { ent-PuddleTemporary } + .suffix = Tomato + .desc = { ent-PuddleTemporary.desc } +ent-PuddleWatermelon = { ent-PuddleTemporary } + .suffix = Watermelon + .desc = { ent-PuddleTemporary.desc } +ent-PuddleFlour = { ent-PuddleTemporary } + .suffix = Flour + .desc = { ent-PuddleTemporary.desc } +ent-PuddleSparkle = sparkle + .desc = { "" } +ent-Puddle = puddle + .desc = A puddle of liquid. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/radiation.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/radiation.ftl new file mode 100644 index 00000000000..c577fae1472 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/radiation.ftl @@ -0,0 +1,2 @@ +ent-RadiationPulse = shimmering anomaly + .desc = Looking at this anomaly makes you feel strange, like something is pushing at your eyes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/rcd.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/rcd.ftl new file mode 100644 index 00000000000..4217dee5c40 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/rcd.ftl @@ -0,0 +1,2 @@ +ent-EffectRCDConstruction = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/sparks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/sparks.ftl new file mode 100644 index 00000000000..6c9d3bfef34 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/sparks.ftl @@ -0,0 +1,4 @@ +ent-EffectSparks = { "" } + .desc = { "" } +ent-EffectTeslaSparks = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/wallspawn.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/wallspawn.ftl new file mode 100644 index 00000000000..f253569a0f9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/wallspawn.ftl @@ -0,0 +1,18 @@ +ent-WallSpawnAsteroid = { "" } + .desc = { "" } +ent-WallSpawnAsteroidUraniumCrab = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidUranium = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidQuartzCrab = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidQuartz = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidSilverCrab = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidSilver = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidIronCrab = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } +ent-WallSpawnAsteroidIron = { ent-WallSpawnAsteroid } + .desc = { ent-WallSpawnAsteroid.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/weapon_arc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/weapon_arc.ftl new file mode 100644 index 00000000000..acd4400f34f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/effects/weapon_arc.ftl @@ -0,0 +1,22 @@ +ent-WeaponArcStatic = { "" } + .desc = { "" } +ent-WeaponArcAnimated = { "" } + .desc = { "" } +ent-WeaponArcThrust = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcSlash = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcBite = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcClaw = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcDisarm = { ent-WeaponArcAnimated } + .desc = { ent-WeaponArcAnimated.desc } +ent-WeaponArcFist = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcPunch = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcKick = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } +ent-WeaponArcSmash = { ent-WeaponArcStatic } + .desc = { ent-WeaponArcStatic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/foldable.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/foldable.ftl new file mode 100644 index 00000000000..5527068eeb7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/foldable.ftl @@ -0,0 +1,2 @@ +ent-BaseFoldable = foldable + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/anti_anomaly_zone.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/anti_anomaly_zone.ftl new file mode 100644 index 00000000000..e3e0dd242c0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/anti_anomaly_zone.ftl @@ -0,0 +1,9 @@ +ent-AntiAnomalyZone = anti anomaly zone + .desc = Anomalies will not be able to appear within a 10 block radius of this point. + .suffix = range 10 +ent-AntiAnomalyZone20 = { ent-AntiAnomalyZone } + .desc = Anomalies will not be able to appear within a 20 block radius of this point. + .suffix = range 20 +ent-AntiAnomalyZone50 = { ent-AntiAnomalyZone } + .desc = Anomalies will not be able to appear within a 50 block radius of this point. + .suffix = range 50 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/atmos_blocker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/atmos_blocker.ftl new file mode 100644 index 00000000000..604617b3f6d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/atmos_blocker.ftl @@ -0,0 +1,12 @@ +ent-AtmosFixBlockerMarker = Atmos Fix Vacuum Marker + .desc = Vacuum, T20C +ent-AtmosFixOxygenMarker = Atmos Fix Oxygen Marker + .desc = Oxygen @ gas miner pressure, T20C +ent-AtmosFixNitrogenMarker = Atmos Fix Nitrogen Marker + .desc = Nitrogen @ gas miner pressure, T20C +ent-AtmosFixPlasmaMarker = Atmos Fix Plasma Marker + .desc = Plasma @ gas miner pressure, T20C +ent-AtmosFixInstantPlasmaFireMarker = Atmos Fix Instant Plasmafire Marker + .desc = INSTANT PLASMAFIRE +ent-AtmosFixFreezerMarker = Atmos Fix Freezer Marker + .desc = Change air temp to 235K, for freezer with a big of wiggle room to get set up. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/clientsideclone.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/clientsideclone.ftl new file mode 100644 index 00000000000..a53770962ce --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/clientsideclone.ftl @@ -0,0 +1,2 @@ +ent-clientsideclone = clientsideclone + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/construction_ghost.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/construction_ghost.ftl new file mode 100644 index 00000000000..100db82fd7a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/construction_ghost.ftl @@ -0,0 +1,2 @@ +ent-constructionghost = construction ghost + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/drag_shadow.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/drag_shadow.ftl new file mode 100644 index 00000000000..bc4dd916735 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/drag_shadow.ftl @@ -0,0 +1,2 @@ +ent-dragshadow = drag shadow + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/hover_entity.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/hover_entity.ftl new file mode 100644 index 00000000000..23781cfc2df --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/hover_entity.ftl @@ -0,0 +1,2 @@ +ent-hoverentity = hover entity + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/marker_base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/marker_base.ftl new file mode 100644 index 00000000000..c0a2811372a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/marker_base.ftl @@ -0,0 +1,2 @@ +ent-MarkerBase = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/npc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/npc.ftl new file mode 100644 index 00000000000..a519a1e5e5a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/npc.ftl @@ -0,0 +1,2 @@ +ent-PathfindPoint = pathfind point + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/pointing.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/pointing.ftl new file mode 100644 index 00000000000..cef4d9d86c7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/pointing.ftl @@ -0,0 +1,2 @@ +ent-PointingArrow = pointing arrow + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/rooms.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/rooms.ftl new file mode 100644 index 00000000000..39dbb7a9240 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/rooms.ftl @@ -0,0 +1,3 @@ +ent-BaseRoomMarker = Room marker + .suffix = Weh + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/shuttle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/shuttle.ftl new file mode 100644 index 00000000000..20afb6ac4f1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/shuttle.ftl @@ -0,0 +1,2 @@ +ent-FTLPoint = FTL point + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/bots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/bots.ftl new file mode 100644 index 00000000000..e19a153223e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/bots.ftl @@ -0,0 +1,4 @@ +ent-SpawnMobMedibot = medibot spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCleanBot = cleanbot spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/nukies.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/nukies.ftl new file mode 100644 index 00000000000..d96836c8045 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/nukies.ftl @@ -0,0 +1,2 @@ +ent-SpawnPointNukies = nukies + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/pirates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/pirates.ftl new file mode 100644 index 00000000000..53c7963a96e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/pirates.ftl @@ -0,0 +1,2 @@ +ent-SpawnPointPirates = Pirate spawn point + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/suspicion.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/suspicion.ftl new file mode 100644 index 00000000000..46909f50f10 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/suspicion.ftl @@ -0,0 +1,45 @@ +ent-SuspicionRifleSpawner = Suspicion Rifle Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionPistolSpawner = Suspicion Pistol Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionMeleeSpawner = Suspicion Melee Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionRevolverSpawner = Suspicion Revolver Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionShotgunSpawner = Suspicion Shotgun Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionSMGSpawner = Suspicion SMG Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionSniperSpawner = Suspicion Sniper Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionHitscanSpawner = Suspicion Hitscan Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionLaunchersSpawner = Suspicion Launchers Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionGrenadesSpawner = Suspicion Grenades Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionRifleMagazineSpawner = Suspicion Rifle Ammo Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionShotgunMagazineSpawner = Suspicion Shotgun Ammo Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionPistolMagazineSpawner = Suspicion Pistol Ammo Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionMagnumMagazineSpawner = Suspicion Magnum Ammo Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } +ent-SuspicionLauncherAmmoSpawner = Suspicion Launcher Ammo Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/timed.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/timed.ftl new file mode 100644 index 00000000000..f437535014a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/timed.ftl @@ -0,0 +1,8 @@ +ent-AITimedSpawner = AI Timed Spawner + .desc = { ent-MarkerBase.desc } +ent-XenoAITimedSpawner = Xeno AI Timed Spawner + .desc = { ent-MarkerBase.desc } +ent-MouseTimedSpawner = Mouse Timed Spawner + .desc = { ent-MarkerBase.desc } +ent-CockroachTimedSpawner = Cockroach Timed Spawner + .desc = { ent-MouseTimedSpawner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/traitordm.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/traitordm.ftl new file mode 100644 index 00000000000..11f66bdb3b7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/conditional/traitordm.ftl @@ -0,0 +1,2 @@ +ent-TraitorDMRedemptionMachineSpawner = PDA Redemption Machine Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/corpses.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/corpses.ftl new file mode 100644 index 00000000000..1beeacb57f4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/corpses.ftl @@ -0,0 +1,16 @@ +ent-SalvageHumanCorpseSpawner = Human Corpse Spawner + .desc = { ent-MarkerBase.desc } +ent-RandomServiceCorpseSpawner = Random Service Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } +ent-RandomEngineerCorpseSpawner = Random Engineer Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } +ent-RandomCargoCorpseSpawner = Random Cargo Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } +ent-RandomMedicCorpseSpawner = Random Medic Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } +ent-RandomScienceCorpseSpawner = Random Science Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } +ent-RandomSecurityCorpseSpawner = Random Security Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } +ent-RandomCommandCorpseSpawner = Random Command Corpse Spawner + .desc = { ent-SalvageHumanCorpseSpawner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/debug.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/debug.ftl new file mode 100644 index 00000000000..b56187a8db9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/debug.ftl @@ -0,0 +1,3 @@ +ent-SpawnMobHuman = Urist Spawner + .suffix = DEBUG + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/drinks_bottles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/drinks_bottles.ftl new file mode 100644 index 00000000000..6b7bbd59b37 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/drinks_bottles.ftl @@ -0,0 +1,3 @@ +ent-RandomDrinkBottle = random drink spawner + .suffix = Bottle + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/drinks_glass.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/drinks_glass.ftl new file mode 100644 index 00000000000..92baa0c6d31 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/drinks_glass.ftl @@ -0,0 +1,3 @@ +ent-RandomDrinkGlass = random drink spawner + .suffix = Glass + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_baked_single.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_baked_single.ftl new file mode 100644 index 00000000000..71d2f6226fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_baked_single.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodBakedSingle = random baked food spawner + .suffix = Single Serving + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_baked_whole.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_baked_whole.ftl new file mode 100644 index 00000000000..4049add49b3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_baked_whole.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodBakedWhole = random baked food spawner + .suffix = Whole + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_meal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_meal.ftl new file mode 100644 index 00000000000..2110e1d4630 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_meal.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodMeal = random food spawner + .suffix = Meal + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_single.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_single.ftl new file mode 100644 index 00000000000..ac1cc4274b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_single.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodSingle = random food spawner + .suffix = Single Serving + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_snacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_snacks.ftl new file mode 100644 index 00000000000..e55110c8bfd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/food_drinks/food_snacks.ftl @@ -0,0 +1,3 @@ +ent-RandomSnacks = random snack spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/ghost_roles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/ghost_roles.ftl new file mode 100644 index 00000000000..66c946f4446 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/ghost_roles.ftl @@ -0,0 +1,23 @@ +ent-SpawnPointGhostRatKing = ghost role spawn point + .suffix = rat king + .desc = { ent-MarkerBase.desc } +ent-SpawnPointGhostRemilia = ghost role spawn point + .suffix = Remilia + .desc = { ent-MarkerBase.desc } +ent-SpawnPointGhostCerberus = ghost role spawn point + .suffix = cerberus + .desc = { ent-MarkerBase.desc } +ent-SpawnPointGhostNukeOperative = ghost role spawn point + .suffix = nukeops + .desc = { ent-MarkerBase.desc } +ent-SpawnPointLoneNukeOperative = ghost role spawn point + .suffix = loneops + .desc = { ent-MarkerBase.desc } +ent-SpawnPointGhostDragon = ghost role spawn point + .suffix = dragon + .desc = { ent-MarkerBase.desc } +ent-SpawnPointGhostSpaceNinja = ghost role spawn point + .suffix = space ninja + .desc = { ent-MarkerBase.desc } +ent-SpawnPointGhostTerminator = terminator spawn point + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/human.ftl new file mode 100644 index 00000000000..d61635a4507 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/human.ftl @@ -0,0 +1,4 @@ +ent-SpawnMobSyndicateFootSoldier = syndicate footsoldier spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSyndicateFootsoldierPilot = syndicate shuttle pilot spawner + .desc = { ent-SpawnMobSyndicateFootSoldier.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/jobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/jobs.ftl new file mode 100644 index 00000000000..c8a5fff491e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/jobs.ftl @@ -0,0 +1,97 @@ +ent-SpawnPointJobBase = { ent-MarkerBase } + .suffix = Job Spawn + .desc = { ent-MarkerBase.desc } +ent-SpawnPointObserver = observer spawn point + .desc = { ent-MarkerBase.desc } +ent-SpawnPointLatejoin = latejoin spawn point + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointQuartermaster = quartermaster + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointCargoTechnician = cargotechnician + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointSalvageSpecialist = salvagespecialist + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointPassenger = passenger + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointTechnicalAssistant = technical assistant + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointMedicalIntern = medical intern + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointSecurityCadet = security cadet + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointResearchAssistant = research assistant + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointServiceWorker = service worker + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointBartender = bartender + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointChef = chef + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointBotanist = botanist + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointClown = clown + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointMime = mime + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointChaplain = chaplain + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointLibrarian = librarian + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointLawyer = lawyer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointJanitor = janitor + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointMusician = musician + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointBoxer = boxer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointBorg = cyborg + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointCaptain = captain + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointHeadOfPersonnel = headofpersonnel + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointChiefEngineer = chiefengineer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointStationEngineer = stationengineer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointAtmos = atmospherics + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointChiefMedicalOfficer = chiefmedicalofficer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointMedicalDoctor = medicaldoctor + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointParamedic = paramedic + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointChemist = chemist + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointResearchDirector = researchdirector + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointScientist = scientist + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointHeadOfSecurity = headofsecurity + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointWarden = warden + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointSecurityOfficer = securityofficer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointDetective = detective + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointBrigmedic = brigmedic + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTLeader = ERTleader + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTEngineer = ERTengineer + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTMedical = ERTmedical + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTSecurity = ERTsecurity + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointERTJanitor = ERTjanitor + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointReporter = reporter + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointPsychologist = psychologist + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointZookeeper = zookeeper + .desc = { ent-SpawnPointJobBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/mechs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/mechs.ftl new file mode 100644 index 00000000000..e0f00d19469 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/mechs.ftl @@ -0,0 +1,4 @@ +ent-SpawnMechRipley = Ripley APLU Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMechHonker = H.O.N.K. Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/mobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/mobs.ftl new file mode 100644 index 00000000000..1ca831e7fcd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/mobs.ftl @@ -0,0 +1,120 @@ +ent-SpawnMobMouse = Mouse Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCockroach = Cockroach Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCorgi = HoP Corgi Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobPossumMorty = Possum Morty Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobRaccoonMorticia = Raccoon Morticia Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobFoxRenault = Fox Renault Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatRuntime = Runtime Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatException = Exception Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCrabAtmos = Tropico Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatFloppa = Floppa Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatBingus = Bingus Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatSpace = Space Cat Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatKitten = Kitten Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCat = Cat Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCatGeneric = Generic Cat Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBandito = Bandito Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobMcGriff = McGriff Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSlothPaperwork = Sloth Paperwork Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobWalter = Walter Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBear = Space Bear Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCarp = Space Carp Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCarpMagic = Magicarp Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCarpHolo = Holocarp Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobShark = Space Sharkminnow Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobHamsterHamlet = Hamster Hamlet Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAlexander = Alexander Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobShiva = Shiva Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobKangarooWillow = Willow Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobKangaroo = Space Kangaroo Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBoxingKangaroo = Boxing Kangaroo Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSpaceSpider = Space Spider Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSpaceCobra = Space Cobra Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAdultSlimesBlue = Slimes Spawner Blue + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAdultSlimesBlueAngry = Slimes Spawner Blue Angry + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAdultSlimesGreen = Slimes Spawner Green + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAdultSlimesGreenAngry = Slimes Spawner Green Angry + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAdultSlimesYellow = Slimes Spawner Yellow + .desc = { ent-MarkerBase.desc } +ent-SpawnMobAdultSlimesYellowAngry = Slimes Spawner Yellow Angry + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSmile = Smile Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobMonkeyPunpun = Pun Pun Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBehonker = behonker Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobMonkey = Monkey Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobPurpleSnake = Purple Snake Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSmallPurpleSnake = Small Purple Snake Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSlug = Slug Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobLizard = Lizard Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCrab = Crab Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobGoat = Goat Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobFrog = Frog Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBee = Bee Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobParrot = Parrot Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobButterfly = Butterfly Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCow = Cow Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobGorilla = Gorilla Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobPenguin = Penguin Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobHellspawn = Hellspawn Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobOreCrab = ore crab spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobLuminousPerson = luminous person spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobLuminousObject = luminous object spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobLuminousEntity = luminous entity spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/altars.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/altars.ftl new file mode 100644 index 00000000000..b3dfb7f6456 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/altars.ftl @@ -0,0 +1,6 @@ +ent-AltarSpawner = random altar spawner + .desc = { ent-MarkerBase.desc } +ent-ConvertAltarSpawner = random convert-altar spawner + .desc = { ent-MarkerBase.desc } +ent-CultAltarSpawner = random cult-altar spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/anomaly.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/anomaly.ftl new file mode 100644 index 00000000000..c7bc133f9be --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/anomaly.ftl @@ -0,0 +1,4 @@ +ent-RandomAnomalySpawner = random anomaly spawner + .desc = { ent-MarkerBase.desc } +ent-RandomRockAnomalySpawner = { ent-MarkerBase } + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/arcade.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/arcade.ftl new file mode 100644 index 00000000000..2a1ede1e7c3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/arcade.ftl @@ -0,0 +1,2 @@ +ent-RandomArcade = random arcade spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/artifacts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/artifacts.ftl new file mode 100644 index 00000000000..247658c3b4e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/artifacts.ftl @@ -0,0 +1,4 @@ +ent-RandomArtifactSpawner = random artifact spawner + .desc = { ent-MarkerBase.desc } +ent-RandomArtifactSpawner20 = random artifact spawner [20] + .desc = { ent-RandomArtifactSpawner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/asteroidcrab.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/asteroidcrab.ftl new file mode 100644 index 00000000000..fb5bfe95cc9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/asteroidcrab.ftl @@ -0,0 +1,4 @@ +ent-AsteroidCrabSpawner = Asteroid Crab Spawner + .desc = { ent-MarkerBase.desc } +ent-RockAnomCrabSpawner = Rock Anom Crab Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/bedsheet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/bedsheet.ftl new file mode 100644 index 00000000000..0ba1f3e9b67 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/bedsheet.ftl @@ -0,0 +1,2 @@ +ent-BedsheetSpawner = Random Sheet Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/crates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/crates.ftl new file mode 100644 index 00000000000..80fdd85f967 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/crates.ftl @@ -0,0 +1,5 @@ +ent-CrateEmptySpawner = Empty Crate Spawner + .desc = { ent-MarkerBase.desc } +ent-CrateFilledSpawner = Filled Crate Spawner + .suffix = Low Value + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/crystal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/crystal.ftl new file mode 100644 index 00000000000..54a8e140c9a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/crystal.ftl @@ -0,0 +1,3 @@ +ent-CrystalSpawner = Crystal Spawner + .suffix = 70% + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/curtains.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/curtains.ftl new file mode 100644 index 00000000000..95298904d28 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/curtains.ftl @@ -0,0 +1,2 @@ +ent-CurtainSpawner = random curtain spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/donkpocketbox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/donkpocketbox.ftl new file mode 100644 index 00000000000..d843e96072d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/donkpocketbox.ftl @@ -0,0 +1,3 @@ +ent-DonkpocketBoxSpawner = Donkpocket Box Spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/fancytables.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/fancytables.ftl new file mode 100644 index 00000000000..f8c690262bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/fancytables.ftl @@ -0,0 +1,2 @@ +ent-FancyTableSpawner = random fancy table spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/flora.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/flora.ftl new file mode 100644 index 00000000000..daa43da3c91 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/flora.ftl @@ -0,0 +1,2 @@ +ent-RandomFloraTree = random tree spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/folders.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/folders.ftl new file mode 100644 index 00000000000..a178c9dde52 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/folders.ftl @@ -0,0 +1,2 @@ +ent-FolderSpawner = Random Folder Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/donkpocketbox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/donkpocketbox.ftl new file mode 100644 index 00000000000..50ab33a577c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/donkpocketbox.ftl @@ -0,0 +1,2 @@ +ent-DonkpocketBoxSpawner = Donkpocket Box Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_bottles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_bottles.ftl new file mode 100644 index 00000000000..6b7bbd59b37 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_bottles.ftl @@ -0,0 +1,3 @@ +ent-RandomDrinkBottle = random drink spawner + .suffix = Bottle + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_glass.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_glass.ftl new file mode 100644 index 00000000000..92baa0c6d31 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_glass.ftl @@ -0,0 +1,3 @@ +ent-RandomDrinkGlass = random drink spawner + .suffix = Glass + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_soda.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_soda.ftl new file mode 100644 index 00000000000..db34fca1ee9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/drinks_soda.ftl @@ -0,0 +1,2 @@ +ent-RandomDrinkSoda = random soda spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_baked_single.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_baked_single.ftl new file mode 100644 index 00000000000..71d2f6226fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_baked_single.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodBakedSingle = random baked food spawner + .suffix = Single Serving + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_baked_whole.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_baked_whole.ftl new file mode 100644 index 00000000000..4049add49b3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_baked_whole.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodBakedWhole = random baked food spawner + .suffix = Whole + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_meal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_meal.ftl new file mode 100644 index 00000000000..2110e1d4630 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_meal.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodMeal = random food spawner + .suffix = Meal + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_produce.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_produce.ftl new file mode 100644 index 00000000000..3960321f19e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_produce.ftl @@ -0,0 +1,2 @@ +ent-RandomProduce = random produce spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_single.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_single.ftl new file mode 100644 index 00000000000..ac1cc4274b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_single.ftl @@ -0,0 +1,3 @@ +ent-RandomFoodSingle = random food spawner + .suffix = Single Serving + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_snacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_snacks.ftl new file mode 100644 index 00000000000..2b434675b4b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/food_drinks/food_snacks.ftl @@ -0,0 +1,2 @@ +ent-RandomSnacks = random snack spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/grille.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/grille.ftl new file mode 100644 index 00000000000..1e95cd2c975 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/grille.ftl @@ -0,0 +1,2 @@ +ent-GrilleSpawner = Random Grille Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/instruments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/instruments.ftl new file mode 100644 index 00000000000..b60ff9be2b8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/instruments.ftl @@ -0,0 +1,2 @@ +ent-RandomInstruments = random instruments spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/magicbooks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/magicbooks.ftl new file mode 100644 index 00000000000..143d3d31998 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/magicbooks.ftl @@ -0,0 +1,4 @@ +ent-RandomMagicBook = random magic book spawner + .desc = { ent-MarkerBase.desc } +ent-RandomMagicBookSafe = random magic book spawner [safe] + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/maintenance.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/maintenance.ftl new file mode 100644 index 00000000000..5ceb13402bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/maintenance.ftl @@ -0,0 +1,12 @@ +ent-MaintenanceFluffSpawner = Maint Loot Spawner + .suffix = Fluff+Clothes + .desc = { ent-MarkerBase.desc } +ent-MaintenanceToolSpawner = Maint Loot Spawner + .suffix = Tools+Cells+Mats + .desc = { ent-MarkerBase.desc } +ent-MaintenanceWeaponSpawner = Maint Loot Spawner + .suffix = Scrap+Weapons + .desc = { ent-MarkerBase.desc } +ent-MaintenancePlantSpawner = Maint Loot Spawner + .suffix = Plants + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/mineshaft.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/mineshaft.ftl new file mode 100644 index 00000000000..6baf9f9ae6c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/mineshaft.ftl @@ -0,0 +1,10 @@ +ent-RandomWoodenSupport = wooden support spawner + .desc = { ent-MarkerBase.desc } +ent-RandomWoodenWall = wooden wall spawner + .desc = { ent-MarkerBase.desc } +ent-RandomStalagmiteOrCrystal = stalagmite or crystal spawner + .desc = { ent-MarkerBase.desc } +ent-RandomBrownStalagmite = brown stalagmite spawner + .desc = { ent-MarkerBase.desc } +ent-RandomGreyStalagmite = grey stalagmite spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/paintings.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/paintings.ftl new file mode 100644 index 00000000000..3ca5035e1f0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/paintings.ftl @@ -0,0 +1,2 @@ +ent-RandomPainting = random painting spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/posters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/posters.ftl new file mode 100644 index 00000000000..9d795805f35 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/posters.ftl @@ -0,0 +1,6 @@ +ent-RandomPosterAny = random poster spawner + .desc = { ent-MarkerBase.desc } +ent-RandomPosterContraband = random contraband poster spawner + .desc = { ent-MarkerBase.desc } +ent-RandomPosterLegit = random legit poster spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/pottedplants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/pottedplants.ftl new file mode 100644 index 00000000000..80096be0fa6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/pottedplants.ftl @@ -0,0 +1,4 @@ +ent-PottedPlantRandom = random potted plant spawner + .desc = { ent-MarkerBase.desc } +ent-PottedPlantRandomPlastic = random plastic potted plant spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/salvage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/salvage.ftl new file mode 100644 index 00000000000..b3b2cd61662 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/salvage.ftl @@ -0,0 +1,46 @@ +ent-SalvageMaterialCrateSpawner = Salvage Material Crate Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageCanisterSpawner = Salvage Canister Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageHandheldFlagSpawner = Salvage Handheld Flag Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageTankSpawner = Salvage Tank Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageGeneratorSpawner = Salvage Generator Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageSuitStorageSpawner = Salvage Suit Storage Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageLockerSpawner = Salvage Locker Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvagePottedPlantsSpawner = Salvage Potted Plants Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvagePartsT2Spawner = Salvage T2 Machine Parts Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvagePartsT3T4Spawner = tier 3/4 machine part + .desc = { ent-MarkerBase.desc } +ent-SalvagePartsT3Spawner = tier 3 machine part + .suffix = Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvagePartsT4Spawner = tier 4 machine part + .suffix = Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageMobSpawner = Salvage Mob Spawner + .suffix = 25 + .desc = { ent-MarkerBase.desc } +ent-SpaceTickSpawner = Salvage Space Tick Spawner + .suffix = 100 + .desc = { ent-MarkerBase.desc } +ent-SpawnMobBearSalvage = Salvage Space Bear Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageMobSpawner75 = { ent-SalvageMobSpawner } + .suffix = 75 + .desc = { ent-SalvageMobSpawner.desc } +ent-SpawnMobKangarooSalvage = Salvage Space Kangaroo Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobSpiderSalvage = Salvage Space Spider Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnMobCobraSalvage = Salvage Space Cobra Spawner + .desc = { ent-MarkerBase.desc } +ent-SalvageFleshSpawner = Salvage Flesh Spawner + .suffix = 100 + .desc = { ent-SalvageMobSpawner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/shadowkudzu.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/shadowkudzu.ftl new file mode 100644 index 00000000000..d28c0d0778e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/shadowkudzu.ftl @@ -0,0 +1,2 @@ +ent-ShadowKudzuLootSpawner = { ent-MarkerBase } + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/soap.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/soap.ftl new file mode 100644 index 00000000000..e69a666a568 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/soap.ftl @@ -0,0 +1,2 @@ +ent-RandomSoap = random soap spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/techboard.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/techboard.ftl new file mode 100644 index 00000000000..f82662fc3ce --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/techboard.ftl @@ -0,0 +1,2 @@ +ent-RandomBoard = random board spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/toy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/toy.ftl new file mode 100644 index 00000000000..d2378f451a1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/toy.ftl @@ -0,0 +1,7 @@ +ent-ToySpawner = Toy Spawner + .desc = { ent-MarkerBase.desc } +ent-FigureSpawner = Prize Figurine Spawner + .desc = { ent-MarkerBase.desc } +ent-SpacemenFigureSpawner = Spacemen Minifigure Spawner + .suffix = Librarian only, map with care! + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/trash.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/trash.ftl new file mode 100644 index 00000000000..6134868e280 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/trash.ftl @@ -0,0 +1,6 @@ +ent-RandomSpawner = Trash Spawner + .suffix = 50 + .desc = { ent-MarkerBase.desc } +ent-RandomSpawner100 = { ent-RandomSpawner } + .suffix = 100 + .desc = { ent-RandomSpawner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vending.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vending.ftl new file mode 100644 index 00000000000..5be0655ad5b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vending.ftl @@ -0,0 +1,3 @@ +ent-RandomVending = random vending machine spawner + .suffix = Any + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vendingdrinks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vendingdrinks.ftl new file mode 100644 index 00000000000..e688dec1af7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vendingdrinks.ftl @@ -0,0 +1,3 @@ +ent-RandomVendingDrinks = random vending machine spawner + .suffix = Drinks + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vendingsnacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vendingsnacks.ftl new file mode 100644 index 00000000000..8eab8675444 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/random/vendingsnacks.ftl @@ -0,0 +1,3 @@ +ent-RandomVendingSnacks = random vending machine spawner + .suffix = Snacks + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/vehicles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/vehicles.ftl new file mode 100644 index 00000000000..1f5bed41d23 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/vehicles.ftl @@ -0,0 +1,12 @@ +ent-SpawnVehicleSecway = Secway Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnVehicleJanicart = Janicart Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnVehicleATV = ATV Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnVehicleMotobike = Motobike Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnVehicleWheelchair = Wheelchair Spawner + .desc = { ent-MarkerBase.desc } +ent-SpawnVehicleWheelchairFolded = Wheelchair [Folded] Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/vending_machine_restock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/vending_machine_restock.ftl new file mode 100644 index 00000000000..cc79afa28da --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/spawners/vending_machine_restock.ftl @@ -0,0 +1,9 @@ +ent-SpawnVendingMachineRestockFoodDrink = Vending Machine Restock + .suffix = food or drink + .desc = { ent-MarkerBase.desc } +ent-SpawnVendingMachineRestockFood = Vending Machine Restock + .suffix = food + .desc = { ent-MarkerBase.desc } +ent-SpawnVendingMachineRestockDrink = Vending Machine Restock + .suffix = drink + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/warp_point.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/warp_point.ftl new file mode 100644 index 00000000000..67534e7eb8e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/markers/warp_point.ftl @@ -0,0 +1,7 @@ +ent-WarpPoint = warp point + .desc = { ent-MarkerBase.desc } +ent-WarpPointBeacon = warp point (beacon) + .desc = { ent-WarpPoint.desc } +ent-WarpPointBombing = warp point + .suffix = ninja bombing target + .desc = { ent-WarpPoint.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/base.ftl new file mode 100644 index 00000000000..e67e426f576 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/base.ftl @@ -0,0 +1,16 @@ +ent-BaseMob = { "" } + .desc = { "" } +ent-MobDamageable = { "" } + .desc = { "" } +ent-MobCombat = { "" } + .desc = { "" } +ent-MobAtmosExposed = { "" } + .desc = { "" } +ent-MobAtmosStandard = { ent-MobAtmosExposed } + .desc = { ent-MobAtmosExposed.desc } +ent-MobFlammable = { "" } + .desc = { "" } +ent-MobRespirator = { "" } + .desc = { "" } +ent-MobBloodstream = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/corpses/corpses.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/corpses/corpses.ftl new file mode 100644 index 00000000000..23684c868f0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/corpses/corpses.ftl @@ -0,0 +1,21 @@ +ent-MobRandomServiceCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Service + .desc = { ent-SalvageHumanCorpse.desc } +ent-MobRandomEngineerCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Engineer + .desc = { ent-SalvageHumanCorpse.desc } +ent-MobRandomCargoCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Cargo + .desc = { ent-SalvageHumanCorpse.desc } +ent-MobRandomMedicCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Medic + .desc = { ent-SalvageHumanCorpse.desc } +ent-MobRandomScienceCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Science + .desc = { ent-SalvageHumanCorpse.desc } +ent-MobRandomSecurityCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Security + .desc = { ent-SalvageHumanCorpse.desc } +ent-MobRandomCommandCorpse = { ent-SalvageHumanCorpse } + .suffix = Dead, Command + .desc = { ent-SalvageHumanCorpse.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/cyborgs/base_borg_chassis.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/cyborgs/base_borg_chassis.ftl new file mode 100644 index 00000000000..d2a5091cf97 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/cyborgs/base_borg_chassis.ftl @@ -0,0 +1,6 @@ +ent-BaseBorgChassis = cyborg + .desc = A man-machine hybrid that assists in station activity. They love being asked to state their laws over and over. +ent-BaseBorgChassisNT = { ent-BaseBorgChassis } + .desc = { ent-BaseBorgChassis.desc } +ent-BaseBorgChassisSyndicate = { ent-BaseBorgChassis } + .desc = { ent-BaseBorgChassis.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/cyborgs/borg_chassis.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/cyborgs/borg_chassis.ftl new file mode 100644 index 00000000000..b0f641ca70e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/cyborgs/borg_chassis.ftl @@ -0,0 +1,18 @@ +ent-BorgChassisGeneric = { ent-BaseBorgChassisNT } + .desc = { ent-BaseBorgChassisNT.desc } +ent-BorgChassisMining = salvage cyborg + .desc = { ent-BaseBorgChassisNT.desc } +ent-BorgChassisEngineer = engineer cyborg + .desc = { ent-BaseBorgChassisNT.desc } +ent-BorgChassisJanitor = janitor cyborg + .desc = { ent-BaseBorgChassisNT.desc } +ent-BorgChassisMedical = medical cyborg + .desc = { ent-BaseBorgChassisNT.desc } +ent-BorgChassisService = service cyborg + .desc = { ent-BaseBorgChassisNT.desc } +ent-BorgChassisSyndicateAssault = syndicate assault cyborg + .desc = A lean, mean killing machine with access to a variety of deadly modules. +ent-BorgChassisSyndicateMedical = syndicate medical cyborg + .desc = A combat medical cyborg. Has limited offensive potential, but makes more than up for it with its support capabilities. +ent-BorgChassisSyndicateSaboteur = syndicate saboteur cyborg + .desc = A streamlined engineering cyborg, equipped with covert modules. Its chameleon projector lets it disguise itself as a Nanotrasen cyborg. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/animals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/animals.ftl new file mode 100644 index 00000000000..44ba4b49e95 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/animals.ftl @@ -0,0 +1,138 @@ +ent-MobBat = bat + .desc = Some cultures find them terrifying, others crunchy on the teeth. +ent-MobBee = bee + .desc = Nice to have, but you can't build a civilization on a foundation of honey alone. +ent-MobAngryBee = bee + .desc = How nice a bee. Oh no, it looks angry and wants my pizza. + .suffix = Angry +ent-MobChicken = chicken + .desc = Comes before an egg, and IS a dinosaur! +ent-MobChicken1 = { ent-MobChicken } + .desc = { ent-MobChicken.desc } +ent-MobChicken2 = { ent-MobChicken } + .desc = { ent-MobChicken.desc } +ent-FoodEggChickenFertilized = { ent-FoodEgg } + .suffix = Fertilized, Chicken + .desc = { ent-FoodEgg.desc } +ent-MobCockroach = cockroach + .desc = This station is just crawling with bugs. +ent-MobGlockroach = glockroach + .desc = This station is just crawling with bu- OH GOD THAT COCKROACH HAS A GUN!!! + .suffix = Admeme +ent-MobMothroach = mothroach + .desc = This is the adorable by-product of multiple attempts at genetically mixing mothpeople with cockroaches. +ent-MobDuckMallard = mallard duck + .desc = An adorable mallard duck, it's fluffy and soft! +ent-MobDuckWhite = white duck + .desc = An adorable white duck, it's fluffy and soft! +ent-MobDuckBrown = brown duck + .desc = An adorable brown duck, it's fluffy and soft! +ent-FoodEggDuckFertilized = { ent-FoodEgg } + .suffix = Fertilized, Duck + .desc = { ent-FoodEgg.desc } +ent-MobButterfly = butterfly + .desc = Despite popular misconceptions, it's not actually made of butter. +ent-MobCow = cow + .desc = Moo. +ent-MobCrab = crab + .desc = A folk legend goes around that his claw snaps spacemen out of existence over distasteful remarks. Be polite and tolerant for your own safety. +ent-MobGoat = goat + .desc = Her spine consists of long sharp segments, no wonder she is so grumpy. +ent-MobGoose = goose + .desc = Its stomach and mind are an enigma beyond human comprehension. +ent-MobGorilla = gorilla + .desc = Smashes, roars, looks cool. Don't stand near one. +ent-MobKangaroo = kangaroo + .desc = A large marsupial herbivore. It has powerful hind legs, with nails that resemble long claws. +ent-MobBoxingKangaroo = boxing kangaroo + .desc = { ent-MobKangaroo.desc } +ent-MobBaseAncestor = genetic ancestor + .desc = The genetic bipedal ancestor of... Uh... Something. Yeah, there's definitely something on the station that descended from whatever this is. +ent-MobMonkey = monkey + .desc = New church of neo-darwinists actually believe that EVERY animal evolved from a monkey. Tastes like pork, and killing them is both fun and relaxing. +ent-MobBaseSyndicateMonkey = monkey + .desc = New church of neo-darwinists actually believe that EVERY animal evolved from a monkey. Tastes like pork, and killing them is both fun and relaxing. + .suffix = syndicate base +ent-MobMonkeySyndicateAgent = { ent-MobBaseSyndicateMonkey } + .suffix = syndicate agent + .desc = { ent-MobBaseSyndicateMonkey.desc } +ent-MobMonkeySyndicateAgentNukeops = { ent-MobBaseSyndicateMonkey } + .suffix = NukeOps + .desc = { ent-MobBaseSyndicateMonkey.desc } +ent-MobKobold = kobold + .desc = Cousins to the sentient race of lizard people, kobolds blend in with their natural habitat and are as nasty as monkeys; ready to pull out your hair and stab you to death. +ent-MobGuidebookMonkey = guidebook monkey + .desc = A hopefully helpful monkey whose only purpose in life is for you to click on. Does this count as having a monkey give you a tutorial? +ent-MobMouse = mouse + .desc = Squeak! +ent-MobMouseDead = mouse + .desc = Squeak! + .suffix = Dead +ent-MobMouseAdmeme = { ent-MobMouse } + .suffix = Admeme + .desc = { ent-MobMouse.desc } +ent-MobMouse1 = { ent-MobMouse } + .desc = { ent-MobMouse.desc } +ent-MobMouse2 = { ent-MobMouse } + .desc = { ent-MobMouse.desc } +ent-MobLizard = lizard + .desc = A harmless dragon. +ent-MobSlug = slug + .desc = And they called this a lizard? +ent-MobFrog = frog + .desc = Hop hop hop. Lookin' moist. +ent-MobParrot = parrot + .desc = Infiltrates your domain, spies on you, and somehow still a cool pet. +ent-MobPenguin = penguin + .desc = Their lives are constant pain due to their inner-body knees. +ent-MobGrenadePenguin = grenade penguin + .desc = A small penguin with a grenade strapped around its neck. Harvested by the Syndicate from icy shit-hole planets. +ent-MobSnake = snake + .desc = Hissss! Bites aren't poisonous. +ent-MobGiantSpider = tarantula + .desc = Widely recognized to be the literal worst thing in existence. +ent-MobGiantSpiderAngry = tarantula + .suffix = Angry + .desc = { ent-MobGiantSpider.desc } +ent-MobClownSpider = clown spider + .desc = Combines the two most terrifying things in existence, spiders and clowns. +ent-MobPossum = possum + .desc = "O Possum! My Possum!" -- Walt Whitman, 1865 +ent-MobPossumOld = possum + .suffix = Old sprite + .desc = { ent-MobPossum.desc } +ent-MobRaccoon = raccoon + .desc = Trash panda! +ent-MobFox = fox + .desc = They're a fox. +ent-MobCorgi = corgi + .desc = Finally, a space corgi! +ent-MobCorgiNarsi = corrupted corgi + .desc = Ian! No! +ent-MobCorgiPuppy = corgi puppy + .desc = A little corgi! Aww... +ent-MobCat = cat + .desc = Feline pet, very funny. +ent-MobCatCalico = calico cat + .desc = Feline pet, very funny. +ent-MobCatSyndy = syndicat + .desc = Explosive kitten. +ent-MobCatSpace = space cat + .desc = Feline pet, prepared for the worst. +ent-MobCatCaracal = caracal cat + .desc = Hilarious. +ent-MobCatKitten = kitten + .desc = Small and fluffy. +ent-MobSloth = sloth + .desc = Very slow animal. For people with low energy. +ent-MobFerret = ferret + .desc = Just a silly little guy! +ent-MobHamster = hamster + .desc = A cute, fluffy, robust hamster. +ent-MobPig = pig + .desc = Oink. +ent-MobDionaNymph = diona nymph + .desc = It's like a cat, only.... branch-ier. +ent-MobDionaNymphAccent = { ent-MobDionaNymph } + .suffix = Accent + .desc = { ent-MobDionaNymph.desc } 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 new file mode 100644 index 00000000000..d51912f1c92 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/argocyte.ftl @@ -0,0 +1,27 @@ +ent-BaseMobArgocyte = { ent-BaseSimpleMob } + .desc = A dangerous alien found on the wrong side of planets, known for their propensity for munching on ruins. + .suffix = AI +ent-MobArgocyteSlurva = slurva + .desc = A pathetic creature, incapable of doing much. +ent-MobArgocyteBarrier = barrier + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocyteSkitter = skitter + .desc = A devious little alien... Make sure they don't run off with your rations! +ent-MobArgocyteSwiper = swiper + .desc = Where did that stack of steel go? +ent-MobArgocyteMolder = molder + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocytePouncer = pouncer + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocyteGlider = glider + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocyteHarvester = harvester + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocyteCrawler = crawler + .desc = Deadly, pack-animals that maul unsuspecting travelers. +ent-MobArgocyteEnforcer = enforcer + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocyteFounder = founder + .desc = { ent-BaseMobArgocyte.desc } +ent-MobArgocyteLeviathing = leviathing + .desc = { ent-BaseMobArgocyte.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/bear.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/bear.ftl new file mode 100644 index 00000000000..725b1dc20d1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/bear.ftl @@ -0,0 +1,5 @@ +ent-MobBearSpace = space bear + .desc = It looks friendly. Why don't you give it a hug? +ent-MobBearSpaceSalvage = { ent-MobBearSpace } + .suffix = Salvage Ruleset + .desc = { ent-MobBearSpace.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/behonker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/behonker.ftl new file mode 100644 index 00000000000..3a320332094 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/behonker.ftl @@ -0,0 +1,14 @@ +ent-BaseMobBehonker = behonker + .desc = A floating demon aspect of the honkmother. +ent-MobBehonkerElectrical = behonker + .suffix = Pyro + .desc = { ent-BaseMobBehonker.desc } +ent-MobBehonkerPyro = behonker + .suffix = Electrical + .desc = { ent-BaseMobBehonker.desc } +ent-MobBehonkerGrav = behonker + .suffix = Grav + .desc = { ent-BaseMobBehonker.desc } +ent-MobBehonkerIce = behonker + .suffix = Ice + .desc = { ent-BaseMobBehonker.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/carp.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/carp.ftl new file mode 100644 index 00000000000..331ed36c2e6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/carp.ftl @@ -0,0 +1,24 @@ +ent-BaseMobCarp = space carp + .desc = It's a space carp. +ent-MobCarp = { ent-BaseMobCarp } + .desc = { ent-BaseMobCarp.desc } +ent-MobCarpMagic = magicarp + .desc = Looks like some kind of fish. Might be magical. +ent-MobCarpHolo = holocarp + .desc = Carp made out of holographic energies. Sadly for you, it is very much real. +ent-MobCarpRainbow = rainbow carp + .desc = Wow such a shiny fishie! +ent-MobCarpSalvage = { ent-MobCarp } + .suffix = Salvage Ruleset + .desc = { ent-MobCarp.desc } +ent-MobCarpDragon = space carp + .suffix = DragonBrood + .desc = { ent-MobCarp.desc } +ent-MobCarpDungeon = { ent-MobCarp } + .suffix = Dungeon + .desc = { ent-MobCarp.desc } +ent-MobShark = sharkminnow + .desc = A dangerous shark from the blackness of endless space, who loves to drink blood. +ent-MobSharkSalvage = { ent-MobShark } + .suffix = Salvage Ruleset + .desc = { ent-MobShark.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/dummy_npcs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/dummy_npcs.ftl new file mode 100644 index 00000000000..1a98ceb982a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/dummy_npcs.ftl @@ -0,0 +1,3 @@ +ent-MobHumanPathDummy = pathfinding dummy + .desc = A miserable pile of secrets. + .suffix = AI 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 new file mode 100644 index 00000000000..9f848b2e731 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/elemental.ftl @@ -0,0 +1,53 @@ +ent-MobElementalBase = { "" } + .desc = { "" } +ent-MobOreCrab = ore crab + .desc = { ent-MobElementalBase.desc } +ent-MobQuartzCrab = { ent-MobOreCrab } + .desc = An ore crab made from Quartz. +ent-MobIronCrab = { ent-MobOreCrab } + .desc = An ore crab made from iron. +ent-MobUraniumCrab = { ent-MobOreCrab } + .desc = An ore crab made from uranium. +ent-MobSilverCrab = ore crab + .desc = An ore crab made from silver. +ent-ReagentSlime = Reagent slime + .desc = It consists of a liquid, and it wants to dissolve you in itself. + .suffix = Water +ent-ReagentSlimeSpawner = Reagent Slime Spawner + .desc = { ent-MarkerBase.desc } +ent-ReagentSlimeBeer = { ent-ReagentSlime } + .suffix = Beer + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimePax = { ent-ReagentSlime } + .suffix = Pax + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeNocturine = { ent-ReagentSlime } + .suffix = Nocturine + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeTHC = { ent-ReagentSlime } + .suffix = THC + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeBicaridine = { ent-ReagentSlime } + .suffix = Bicaridine + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeToxin = { ent-ReagentSlime } + .suffix = Toxin + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeNapalm = { ent-ReagentSlime } + .suffix = Napalm + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeOmnizine = { ent-ReagentSlime } + .suffix = Omnizine + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeMuteToxin = { ent-ReagentSlime } + .suffix = Mute Toxin + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeNorepinephricAcid = { ent-ReagentSlime } + .suffix = Norepinephric Acid + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeEphedrine = { ent-ReagentSlime } + .suffix = Ephedrine + .desc = { ent-ReagentSlime.desc } +ent-ReagentSlimeRobustHarvest = { ent-ReagentSlime } + .suffix = Robust Harvest + .desc = { ent-ReagentSlime.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/flesh.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/flesh.ftl new file mode 100644 index 00000000000..0141ef0095a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/flesh.ftl @@ -0,0 +1,23 @@ +ent-BaseMobFlesh = aberrant flesh + .desc = A shambling mass of flesh, animated through anomalous energy. +ent-MobFleshJared = { ent-BaseMobFlesh } + .desc = { ent-BaseMobFlesh.desc } +ent-MobFleshGolem = { ent-BaseMobFlesh } + .desc = { ent-BaseMobFlesh.desc } +ent-MobFleshClamp = { ent-BaseMobFlesh } + .desc = { ent-BaseMobFlesh.desc } +ent-MobFleshLover = { ent-BaseMobFlesh } + .desc = { ent-BaseMobFlesh.desc } +ent-MobAbomination = abomination + .desc = A rejected clone, in constant pain and seeking revenge. +ent-BaseMobFleshSalvage = aberrant flesh + .desc = A shambling mass of flesh, animated through anomalous energy. + .suffix = Salvage Ruleset +ent-MobFleshJaredSalvage = { ent-BaseMobFleshSalvage } + .desc = { ent-BaseMobFleshSalvage.desc } +ent-MobFleshGolemSalvage = { ent-BaseMobFleshSalvage } + .desc = { ent-BaseMobFleshSalvage.desc } +ent-MobFleshClampSalvage = { ent-BaseMobFleshSalvage } + .desc = { ent-BaseMobFleshSalvage.desc } +ent-MobFleshLoverSalvage = { ent-BaseMobFleshSalvage } + .desc = { ent-BaseMobFleshSalvage.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/flying_animals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/flying_animals.ftl new file mode 100644 index 00000000000..13069049100 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/flying_animals.ftl @@ -0,0 +1,2 @@ +ent-FlyingMobBase = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/hellspawn.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/hellspawn.ftl new file mode 100644 index 00000000000..4d2013934f1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/hellspawn.ftl @@ -0,0 +1,2 @@ +ent-MobHellspawn = hellspawn + .desc = An unstoppable force of carnage. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/human.ftl new file mode 100644 index 00000000000..682d2d6b289 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/human.ftl @@ -0,0 +1,11 @@ +ent-MobCivilian = civilian + .desc = A miserable pile of secrets. +ent-MobSalvager = salvager + .desc = { ent-BaseMobHuman.desc } +ent-MobSpirate = spirate + .desc = Yarr! +ent-SalvageHumanCorpse = unidentified corpse + .desc = I think he's dead. + .suffix = Dead +ent-MobCluwne = person + .desc = A polymorphed unfortunate. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/lavaland.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/lavaland.ftl new file mode 100644 index 00000000000..8784cee4ef6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/lavaland.ftl @@ -0,0 +1,11 @@ +ent-MobWatcherBase = watcher + .desc = It's like its staring right through you. +ent-MobWatcherLavaland = { ent-MobWatcherBase } + .desc = { ent-MobWatcherBase.desc } +ent-MobWatcherIcewing = icewing watcher + .desc = { ent-MobWatcherBase.desc } +ent-MobWatcherMagmawing = magmawing watcher + .desc = { ent-MobWatcherBase.desc } +ent-MobWatcherPride = pride watcher + .desc = This rare subspecies only appears in June. + .suffix = Admeme diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/living_light.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/living_light.ftl new file mode 100644 index 00000000000..0182023e47c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/living_light.ftl @@ -0,0 +1,8 @@ +ent-MobLivingLight = luminous person + .desc = A blinding figure of pure light, seemingly intangible. +ent-MobLuminousPerson = { ent-MobLivingLight } + .desc = { ent-MobLivingLight.desc } +ent-MobLuminousObject = luminous object + .desc = A small glowing object that causes burns on the skin with its glow. +ent-MobLuminousEntity = luminous entity + .desc = A blinding translucent entity, the bright eye seems dangerous and scalding. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/mimic.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/mimic.ftl new file mode 100644 index 00000000000..5d5dd3887f6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/mimic.ftl @@ -0,0 +1,2 @@ +ent-MobMimic = Mimic + .desc = Surprise. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/miscellaneous.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/miscellaneous.ftl new file mode 100644 index 00000000000..3387b09cc9c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/miscellaneous.ftl @@ -0,0 +1,2 @@ +ent-MobLaserRaptor = laser raptor + .desc = From the Viking age. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/pets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/pets.ftl new file mode 100644 index 00000000000..a90b970961c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/pets.ftl @@ -0,0 +1,49 @@ +ent-MobCorgiIan = Ian + .desc = Favorite pet corgi. +ent-MobCorgiIanOld = Old Ian + .desc = Still the favorite pet corgi. Love his wheels. +ent-MobCorgiLisa = Lisa + .desc = Ian's favorite corgi. +ent-MobCorgiIanPup = Puppy Ian + .desc = Favourite puppy corgi. Awww. +ent-MobCatRuntime = Runtime + .desc = Professional mouse hunter. Escape artist. +ent-MobCatException = Exception + .desc = Ask nicely, and maybe they'll give you one of their spare lives. +ent-MobCatFloppa = Floppa + .desc = He out here. +ent-MobBandito = Bandito + .desc = Just a silly little guy! +ent-MobBingus = Bingus + .desc = Bingus my beloved... +ent-MobMcGriff = McGriff + .desc = This dog can tell something smells around here, and that something is CRIME! +ent-MobPaperwork = Paperwork + .desc = Took up a new job sorting books in the library after he got transferred from Space Station 13. He seems to be just as slow at this. +ent-MobWalter = Walter + .desc = He likes chems and treats. Walter. +ent-MobPossumMorty = Morty + .desc = The station's resident Didelphis virginiana. A sensitive but resilient kind of guy. +ent-MobPossumMortyOld = Morty + .suffix = Old sprite + .desc = { ent-MobPossumMorty.desc } +ent-MobPossumPoppy = Poppy + .desc = It's an opossum, a small scavenging marsupial. It's wearing appropriate personal protective equipment. +ent-MobRaccoonMorticia = Morticia + .desc = A powerful creature of the night. Her eyeshadow is always on point. +ent-MobAlexander = Alexander + .desc = Chef's finest colleague. +ent-MobFoxRenault = Renault + .desc = The captain's trustworthy fox. +ent-MobHamsterHamlet = Hamlet + .desc = A grumpy, cute and fluffy hamster. +ent-MobSpiderShiva = Shiva + .desc = The first defender of the station. +ent-MobKangarooWillow = Willow + .desc = Willow the boxing kangaroo. +ent-MobSlimesPet = Smile + .desc = This masterpiece has gone through thousands of experiments. But it is the sweetest creature in the world. Smile Slime! +ent-MobMonkeyPunpun = Pun Pun + .desc = A prominent representative of monkeys with unlimited access to alcohol. +ent-MobCrabAtmos = Tropico + .desc = The noble and stalwart defender of Atmosia. Viva! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/regalrat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/regalrat.ftl new file mode 100644 index 00000000000..e7de8e62c40 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/regalrat.ftl @@ -0,0 +1,19 @@ +ent-MobRatKing = Rat King + .desc = He's da rat. He make da roolz. +ent-MobRatKingBuff = { ent-MobRatKing } + .suffix = Buff + .desc = { ent-MobRatKing.desc } +ent-MobRatServant = Rat Servant + .desc = He's da mini rat. He don't make da roolz. +ent-ActionRatKingRaiseArmy = Raise Army + .desc = Spend some hunger to summon an allied rat to help defend you. +ent-ActionRatKingDomain = Rat King's Domain + .desc = Spend some hunger to release a cloud of ammonia into the air. +ent-ActionRatKingOrderStay = Stay + .desc = Command your army to stand in place. +ent-ActionRatKingOrderFollow = Follow + .desc = Command your army to follow you around. +ent-ActionRatKingOrderCheeseEm = Cheese 'Em + .desc = Command your army to attack whoever you point at. +ent-ActionRatKingOrderLoose = Loose + .desc = Command your army to act at their own will. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/revenant.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/revenant.ftl new file mode 100644 index 00000000000..5497c353aa2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/revenant.ftl @@ -0,0 +1,2 @@ +ent-MobRevenant = revenant + .desc = A spooky ghostie. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/shadows.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/shadows.ftl new file mode 100644 index 00000000000..8164c16901e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/shadows.ftl @@ -0,0 +1,4 @@ +ent-BaseShadowMob = { ent-BaseShadow } + .desc = { ent-BaseShadow.desc } +ent-MobCatShadow = shadow cat + .desc = A lovely piece of darkness. Hope he doesn't bring you a curse. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/silicon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/silicon.ftl new file mode 100644 index 00000000000..f157ecc997f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/silicon.ftl @@ -0,0 +1,18 @@ +ent-MobSiliconBase = { "" } + .desc = { "" } +ent-MobSiliconBaseVehicle = { ent-BaseVehicle } + .desc = { ent-BaseVehicle.desc } +ent-MobTaxiBot = taxibot + .desc = Give a ride? +ent-MobSupplyBot = supplybot + .desc = Delivers cargo! +ent-MobHonkBot = honkbot + .desc = Horrifying. +ent-MobJonkBot = jonkbot + .desc = Horrifying. +ent-MobCleanBot = cleanbot + .desc = The creep of automation now threatening space janitors. +ent-MobMedibot = medibot + .desc = No substitute for a doctor, but better than nothing. +ent-MobMimeBot = mimebot + .desc = Why not give mimebot a friendly wave. 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 new file mode 100644 index 00000000000..4d95de5e17d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/simplemob.ftl @@ -0,0 +1,9 @@ +ent-BaseSimpleMob = { ent-BaseMob } + .suffix = AI + .desc = { ent-BaseMob.desc } +ent-SimpleSpaceMobBase = { ent-BaseSimpleMob } + .suffix = AI + .desc = { ent-BaseSimpleMob.desc } +ent-SimpleMobBase = { ent-SimpleSpaceMobBase } + .suffix = AI + .desc = { ent-SimpleSpaceMobBase.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/slimes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/slimes.ftl new file mode 100644 index 00000000000..81f1b70b60f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/slimes.ftl @@ -0,0 +1,17 @@ +ent-MobAdultSlimes = basic slime + .desc = It looks so much like jelly. I wonder what it tastes like? +ent-MobAdultSlimesBlue = blue slime + .desc = { ent-MobAdultSlimes.desc } +ent-MobAdultSlimesBlueAngry = blue slime + .suffix = Angry + .desc = { ent-MobAdultSlimesBlue.desc } +ent-MobAdultSlimesGreen = green slime + .desc = { ent-MobAdultSlimes.desc } +ent-MobAdultSlimesGreenAngry = green slime + .suffix = Angry + .desc = { ent-MobAdultSlimesGreen.desc } +ent-MobAdultSlimesYellow = yellow slime + .desc = { ent-MobAdultSlimes.desc } +ent-MobAdultSlimesYellowAngry = yellow slime + .suffix = Angry + .desc = { ent-MobAdultSlimesYellow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/space.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/space.ftl new file mode 100644 index 00000000000..97050077cd7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/space.ftl @@ -0,0 +1,22 @@ +ent-MobSpaceBasic = basic + .desc = It looks friendly. Why don't you give it a hug? +ent-MobBearSpace = space bear + .desc = It looks friendly. Why don't you give it a hug? +ent-MobBearSpaceSalvage = { ent-MobBearSpace } + .suffix = Salvage Ruleset + .desc = { ent-MobBearSpace.desc } +ent-MobKangarooSpace = space kangaroo + .desc = It looks friendly. Why don't you give it a hug? +ent-MobKangarooSpaceSalvage = { ent-MobKangarooSpace } + .suffix = Salvage Ruleset + .desc = { ent-MobKangarooSpace.desc } +ent-MobSpiderSpace = space spider + .desc = It's so glowing, it looks dangerous. +ent-MobSpiderSpaceSalvage = { ent-MobSpiderSpace } + .suffix = Salvage Ruleset + .desc = { ent-MobSpiderSpace.desc } +ent-MobCobraSpace = space cobra + .desc = Long fangs and a glowing hood, and the alluring look begs to come closer. +ent-MobCobraSpaceSalvage = { ent-MobCobraSpace } + .suffix = Salvage Ruleset + .desc = { ent-MobCobraSpace.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/spacetick.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/spacetick.ftl new file mode 100644 index 00000000000..7dcceb363ef --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/spacetick.ftl @@ -0,0 +1,5 @@ +ent-MobTick = space tick + .desc = It's a space tick, watch out for its nasty bite. CentCom reports that 90 percent of cargo leg amputations are due to space tick bites. +ent-MobTickSalvage = { ent-MobTick } + .suffix = Salvage Ruleset + .desc = { ent-MobTick.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/xeno.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/xeno.ftl new file mode 100644 index 00000000000..d54c283ada4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/npcs/xeno.ftl @@ -0,0 +1,21 @@ +ent-MobXeno = Burrower + .desc = They mostly come at night. Mostly. +ent-MobXenoPraetorian = Praetorian + .desc = { ent-MobXeno.desc } +ent-MobXenoDrone = Drone + .desc = { ent-MobXeno.desc } +ent-MobXenoQueen = Queen + .desc = { ent-MobXeno.desc } +ent-MobXenoRavager = Ravager + .desc = { ent-MobXeno.desc } +ent-MobXenoRunner = Runner + .desc = { ent-MobXeno.desc } +ent-MobXenoRouny = Rouny + .desc = { ent-MobXenoRunner.desc } +ent-MobXenoSpitter = Spitter + .desc = { ent-MobXeno.desc } +ent-MobPurpleSnake = space adder + .desc = A menacing purple snake from Kepler-283c. +ent-MobSmallPurpleSnake = space adder + .desc = A smaller version of the menacing purple snake from Kepler-283c. + .suffix = small diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/admin_ghost.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/admin_ghost.ftl new file mode 100644 index 00000000000..fcb0e5409f4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/admin_ghost.ftl @@ -0,0 +1,14 @@ +ent-AdminObserver = admin observer + .desc = { ent-MobObserver.desc } +ent-ActionAGhostShowSolar = Solar Control Interface + .desc = View a solar control interface. +ent-ActionAGhostShowCommunications = Communications Interface + .desc = View a communications interface. +ent-ActionAGhostShowRadar = Mass Scanner Interface + .desc = View a mass scanner interface. +ent-ActionAGhostShowCargo = Cargo Ordering Interface + .desc = View a cargo ordering interface. +ent-ActionAGhostShowCrewMonitoring = Crew Monitoring Interface + .desc = View a crew monitoring interface. +ent-ActionAGhostShowStationRecords = Station Records Interface + .desc = View a station records Interface diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/arachnid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/arachnid.ftl new file mode 100644 index 00000000000..d7f0cdb9a77 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/arachnid.ftl @@ -0,0 +1,2 @@ +ent-MobArachnid = Urist McWeb + .desc = { ent-BaseMobArachnid.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/base.ftl new file mode 100644 index 00000000000..94124096dc4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/base.ftl @@ -0,0 +1,2 @@ +ent-BaseMob = BaseMob + .desc = { "" } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/diona.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/diona.ftl new file mode 100644 index 00000000000..4f02c7db2a8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/diona.ftl @@ -0,0 +1,4 @@ +ent-MobDiona = Urist McPlants + .desc = { ent-BaseMobDiona.desc } +ent-MobDionaReformed = Reformed Diona + .desc = { ent-MobDiona.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/dragon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/dragon.ftl new file mode 100644 index 00000000000..228eab1e017 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/dragon.ftl @@ -0,0 +1,11 @@ +ent-BaseMobDragon = space dragon + .desc = A flying leviathan, loosely related to space carps. +ent-MobDragon = { ent-BaseMobDragon } + .desc = { ent-BaseMobDragon.desc } +ent-MobDragonDungeon = { ent-BaseMobDragon } + .suffix = Dungeon + .desc = { ent-BaseMobDragon.desc } +ent-ActionSpawnRift = Summon Carp Rift + .desc = Summons a carp rift that will periodically spawns carps. +ent-ActionDevour = [color=red]Devour[/color] + .desc = Attempt to break a structure with your jaws or swallow a creature. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/dwarf.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/dwarf.ftl new file mode 100644 index 00000000000..280d73a172e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/dwarf.ftl @@ -0,0 +1,2 @@ +ent-MobDwarf = Urist McHands The Dwarf + .desc = { ent-BaseMobDwarf.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/familiars.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/familiars.ftl new file mode 100644 index 00000000000..82294e9336b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/familiars.ftl @@ -0,0 +1,4 @@ +ent-MobBatRemilia = Remilia + .desc = The chaplain's familiar. Likes fruit. +ent-MobCorgiCerberus = Cerberus + .desc = This pupper is not wholesome. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/gingerbread.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/gingerbread.ftl new file mode 100644 index 00000000000..b09d7d6eacb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/gingerbread.ftl @@ -0,0 +1,2 @@ +ent-MobGingerbread = Urist McCookie + .desc = { ent-BaseMobGingerbread.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/guardian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/guardian.ftl new file mode 100644 index 00000000000..30b7431996f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/guardian.ftl @@ -0,0 +1,13 @@ +ent-MobGuardianBase = GuardianBase + .desc = guardian +ent-MobHoloparasiteGuardian = Holoparasite + .desc = A mesmerising whirl of hard-light patterns weaves a marvelous, yet oddly familiar visage. It stands proud, tuning into its owner's life to sustain itself. + .suffix = Ghost +ent-MobIfritGuardian = Ifrit + .desc = A corrupted jinn, ripped from fitra to serve the wizard's petty needs. It stands wicked, tuning into it's owner's life to sustain itself. + .suffix = Ghost +ent-MobHoloClownGuardian = HoloClown + .desc = A mesmerising whirl of hard-light patterns weaves a blue colored clown of dubious origin. + .suffix = Ghost +ent-ActionToggleGuardian = Toggle Guardian + .desc = Either manifests the guardian or recalls it back into your body diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/human.ftl new file mode 100644 index 00000000000..c850c6219ff --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/human.ftl @@ -0,0 +1,14 @@ +ent-MobHuman = Urist McHands + .desc = { ent-BaseMobHuman.desc } +ent-MobHumanSyndicateAgent = syndicate agent + .suffix = Human + .desc = { ent-MobHuman.desc } +ent-MobHumanSyndicateAgentNukeops = { ent-MobHumanSyndicateAgent } + .suffix = NukeOps + .desc = { ent-MobHumanSyndicateAgent.desc } +ent-MobHumanNukeOp = Nuclear Operative + .desc = { ent-MobHuman.desc } +ent-MobHumanLoneNuclearOperative = Lone Operative + .desc = { ent-MobHuman.desc } +ent-MobHumanSpaceNinja = Space Ninja + .desc = { ent-MobHuman.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/humanoid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/humanoid.ftl new file mode 100644 index 00000000000..94c41f9f03a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/humanoid.ftl @@ -0,0 +1,51 @@ +ent-RandomHumanoidSpawnerDeathSquad = Death Squad Agent + .suffix = ERTRole, Death Squad + .desc = { "" } +ent-RandomHumanoidSpawnerERTLeader = ERT leader + .suffix = ERTRole, Basic + .desc = { "" } +ent-RandomHumanoidSpawnerERTLeaderEVA = ERT leader + .suffix = ERTRole, Armored EVA + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTLeaderEVALecter = { ent-RandomHumanoidSpawnerERTLeaderEVA } + .suffix = ERTRole, Lecter, EVA + .desc = { ent-RandomHumanoidSpawnerERTLeaderEVA.desc } +ent-RandomHumanoidSpawnerERTJanitor = ERT janitor + .suffix = ERTRole, Basic + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTJanitorEVA = ERT janitor + .suffix = ERTRole, Enviro EVA + .desc = { ent-RandomHumanoidSpawnerERTJanitor.desc } +ent-RandomHumanoidSpawnerERTEngineer = ERT engineer + .suffix = ERTRole, Basic + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTEngineerEVA = ERT engineer + .suffix = ERTRole, Enviro EVA + .desc = { ent-RandomHumanoidSpawnerERTEngineer.desc } +ent-RandomHumanoidSpawnerERTSecurity = ERT security + .suffix = ERTRole, Basic + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTSecurityEVA = ERT security + .suffix = ERTRole, Armored EVA + .desc = { ent-RandomHumanoidSpawnerERTSecurity.desc } +ent-RandomHumanoidSpawnerERTSecurityEVALecter = { ent-RandomHumanoidSpawnerERTSecurityEVA } + .suffix = ERTRole, Lecter, EVA + .desc = { ent-RandomHumanoidSpawnerERTSecurityEVA.desc } +ent-RandomHumanoidSpawnerERTMedical = ERT medic + .suffix = ERTRole, Basic + .desc = { ent-RandomHumanoidSpawnerERTLeader.desc } +ent-RandomHumanoidSpawnerERTMedicalEVA = ERT medic + .suffix = ERTRole, Armored EVA + .desc = { ent-RandomHumanoidSpawnerERTMedical.desc } +ent-RandomHumanoidSpawnerCBURNUnit = CBURN Agent + .suffix = ERTRole + .desc = { "" } +ent-RandomHumanoidSpawnerCentcomOfficial = CentCom official + .desc = { "" } +ent-RandomHumanoidSpawnerSyndicateAgent = syndicate agent + .desc = { "" } +ent-RandomHumanoidSpawnerNukeOp = Nuclear Operative + .desc = { "" } +ent-RandomHumanoidSpawnerCluwne = Cluwne + .suffix = spawns a cluwne + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/moth.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/moth.ftl new file mode 100644 index 00000000000..21ab09dd517 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/moth.ftl @@ -0,0 +1,2 @@ +ent-MobMoth = Urist McFluff + .desc = { ent-BaseMobMoth.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 new file mode 100644 index 00000000000..412f279d236 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/narsie.ftl @@ -0,0 +1,7 @@ +ent-MobNarsieBase = Nar'Sie + .desc = Your mind begins to bubble and ooze as it tries to comprehend what it sees. +ent-MobNarsieSpawn = { ent-MobNarsieBase } + .suffix = Spawn + .desc = { ent-MobNarsieBase.desc } +ent-MobNarsie = { ent-MobNarsieBase } + .desc = { ent-MobNarsieBase.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/observer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/observer.ftl new file mode 100644 index 00000000000..f42338dd12e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/observer.ftl @@ -0,0 +1,12 @@ +ent-MobObserver = observer + .desc = Boo! +ent-ActionGhostBoo = Boo! + .desc = Scare your crew members because of boredom! +ent-ActionToggleLighting = Toggle All Lighting + .desc = Toggle all light rendering to better observe dark areas. +ent-ActionToggleFov = Toggle FoV + .desc = Toggles field-of-view in order to see what players see. +ent-ActionToggleGhosts = Toggle Ghosts + .desc = Toggle the visibility of other ghosts. +ent-ActionToggleGhostHearing = Toggle Ghost Hearing + .desc = Toggle between hearing all messages and hearing only radio & nearby messages. 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 new file mode 100644 index 00000000000..fd1f63aab13 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/ratvar.ftl @@ -0,0 +1,8 @@ +ent-MobRatvarBase = Ratvar + .desc = Your mind aches as it fails to understand the complex mechanics of what is before you. +ent-MobRatvarSpawn = { ent-MobRatvarBase } + .suffix = Spawn + .desc = { ent-MobRatvarBase.desc } +ent-MobRatvar = { ent-MobRatvarBase } + + .desc = { ent-MobRatvarBase.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/replay_observer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/replay_observer.ftl new file mode 100644 index 00000000000..a197094a9ad --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/replay_observer.ftl @@ -0,0 +1,2 @@ +ent-ReplayObserver = { ent-MobObserver } + .desc = { ent-MobObserver.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/reptilian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/reptilian.ftl new file mode 100644 index 00000000000..47cfbb9cc23 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/reptilian.ftl @@ -0,0 +1,2 @@ +ent-MobReptilian = Urisst' Mzhand + .desc = { ent-BaseMobReptilian.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/silicon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/silicon.ftl new file mode 100644 index 00000000000..984e922264b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/silicon.ftl @@ -0,0 +1,9 @@ +ent-PlayerBorgGeneric = { ent-BorgChassisGeneric } + .suffix = Battery, Tools + .desc = { ent-BorgChassisGeneric.desc } +ent-PlayerBorgBattery = { ent-BorgChassisGeneric } + .suffix = Battery + .desc = { ent-BorgChassisGeneric.desc } +ent-PlayerBorgSyndicateAssaultBattery = { ent-BorgChassisSyndicateAssault } + .suffix = Battery, Module, Operative + .desc = { ent-BorgChassisSyndicateAssault.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 new file mode 100644 index 00000000000..0c5c02abfbf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/skeleton.ftl @@ -0,0 +1,8 @@ +ent-MobSkeletonPerson = { ent-BaseMobSkeletonPerson } + .desc = { ent-BaseMobSkeletonPerson.desc } +ent-MobSkeletonPirate = skeleton pirate + .desc = { ent-MobSkeletonPerson.desc } +ent-MobSkeletonBiker = skeleton biker + .desc = { ent-MobSkeletonPerson.desc } +ent-MobSkeletonCloset = closet skeleton + .desc = { ent-MobSkeletonPerson.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/slime.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/slime.ftl new file mode 100644 index 00000000000..9e232500c1e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/slime.ftl @@ -0,0 +1,2 @@ +ent-MobSlimePerson = { ent-BaseMobSlimePerson } + .desc = { ent-BaseMobSlimePerson.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/terminator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/terminator.ftl new file mode 100644 index 00000000000..ddaf31fdd6b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/terminator.ftl @@ -0,0 +1,6 @@ +ent-MobTerminatorBase = { "" } + .desc = { "" } +ent-MobHumanTerminator = exterminator + .desc = { ent-MobTerminatorBase.desc } +ent-MobTerminatorEndoskeleton = nt-800 "exterminator" endoskeleton + .desc = The inner powerhouse of Susnet's infiltrator androids. Ridiculously hard alloy on the inside, unassuming flesh on the outside. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/vox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/vox.ftl new file mode 100644 index 00000000000..53f3bda379e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/player/vox.ftl @@ -0,0 +1,2 @@ +ent-MobVox = Vox + .desc = { ent-BaseMobVox.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/arachnid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/arachnid.ftl new file mode 100644 index 00000000000..97b067a4ae2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/arachnid.ftl @@ -0,0 +1,4 @@ +ent-BaseMobArachnid = Urist McWebs + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobArachnidDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/base.ftl new file mode 100644 index 00000000000..1a891056b75 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/base.ftl @@ -0,0 +1,6 @@ +ent-BaseMobSpecies = { ent-BaseMob } + .desc = { ent-BaseMob.desc } +ent-BaseMobSpeciesOrganic = { ent-BaseMobSpecies } + .desc = { ent-BaseMobSpecies.desc } +ent-BaseSpeciesDummy = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/diona.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/diona.ftl new file mode 100644 index 00000000000..0ea87dc6e3e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/diona.ftl @@ -0,0 +1,4 @@ +ent-BaseMobDiona = Urist McPlants + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobDionaDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/dwarf.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/dwarf.ftl new file mode 100644 index 00000000000..dc629379b43 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/dwarf.ftl @@ -0,0 +1,4 @@ +ent-BaseMobDwarf = Urist McHands The Dwarf + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobDwarfDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/gingerbread.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/gingerbread.ftl new file mode 100644 index 00000000000..2520bec268b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/gingerbread.ftl @@ -0,0 +1,4 @@ +ent-BaseMobGingerbread = Urist McCookie + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobGingerbreadDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/human.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/human.ftl new file mode 100644 index 00000000000..d39a736f2fb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/human.ftl @@ -0,0 +1,4 @@ +ent-BaseMobHuman = Urist McHands + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobHumanDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/moth.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/moth.ftl new file mode 100644 index 00000000000..835d8a2aea3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/moth.ftl @@ -0,0 +1,4 @@ +ent-BaseMobMoth = Urist McFluff + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobMothDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/reptilian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/reptilian.ftl new file mode 100644 index 00000000000..ae5b6a66b00 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/reptilian.ftl @@ -0,0 +1,4 @@ +ent-BaseMobReptilian = Urisst' Mzhand + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobReptilianDummy = { ent-BaseSpeciesDummy } + .desc = A dummy reptilian meant to be used in character setup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/skeleton.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/skeleton.ftl new file mode 100644 index 00000000000..747c710b0fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/skeleton.ftl @@ -0,0 +1,5 @@ +ent-BaseMobSkeletonPerson = Urist McSkelly + + .desc = { ent-BaseMobSpecies.desc } +ent-MobSkeletonPersonDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/slime.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/slime.ftl new file mode 100644 index 00000000000..cc518196b12 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/slime.ftl @@ -0,0 +1,4 @@ +ent-BaseMobSlimePerson = Urist McSlime + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobSlimePersonDummy = { ent-MobHumanDummy } + .desc = { ent-MobHumanDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/vox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/vox.ftl new file mode 100644 index 00000000000..0238c5342f9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/mobs/species/vox.ftl @@ -0,0 +1,4 @@ +ent-BaseMobVox = { ent-BaseMobSpeciesOrganic } + .desc = { ent-BaseMobSpeciesOrganic.desc } +ent-MobVoxDummy = { ent-BaseSpeciesDummy } + .desc = { ent-BaseSpeciesDummy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/base_item.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/base_item.ftl new file mode 100644 index 00000000000..95b081d96ae --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/base_item.ftl @@ -0,0 +1,12 @@ +ent-BaseItem = item + .desc = { "" } +ent-BaseStorageItem = storage item + .desc = { ent-BaseItem.desc } +ent-BaseBagOpenClose = { "" } + .desc = { "" } +ent-PowerCellSlotSmallItem = { "" } + .desc = { "" } +ent-PowerCellSlotMediumItem = { "" } + .desc = { "" } +ent-PowerCellSlotHighItem = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/base_shadow.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/base_shadow.ftl new file mode 100644 index 00000000000..9a85067823d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/base_shadow.ftl @@ -0,0 +1,2 @@ +ent-BaseShadow = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks-cartons.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks-cartons.ftl new file mode 100644 index 00000000000..f7f6cf76818 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks-cartons.ftl @@ -0,0 +1,18 @@ +ent-DrinkCartonBaseFull = { ent-DrinkBase } + .desc = { ent-DrinkBase.desc } +ent-DrinkCartonVisualsOpenable = { "" } + .desc = { "" } +ent-DrinkJuiceLimeCarton = lime juice + .desc = Sweet-sour goodness. +ent-DrinkJuiceOrangeCarton = orange juice + .desc = Full of vitamins and deliciousness! +ent-DrinkJuiceTomatoCarton = tomato juice + .desc = Well, at least it LOOKS like tomato juice. You can't tell with all that redness. +ent-DrinkCreamCarton = milk cream + .desc = It's cream. Made from milk. What else did you think you'd find in there? +ent-DrinkMilkCarton = milk + .desc = An opaque white liquid produced by the mammary glands of mammals. +ent-DrinkSoyMilkCarton = soy milk + .desc = White and nutritious soy goodness! +ent-DrinkOatMilkCarton = oat milk + .desc = It's oat milk. Tan and nutritious goodness! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks.ftl new file mode 100644 index 00000000000..57a79d02638 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks.ftl @@ -0,0 +1,380 @@ +ent-DrinkBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-DrinkGlassBase = { ent-DrinkBase } + .desc = { ent-DrinkBase.desc } +ent-DrinkGlass = metamorphic glass + .desc = A metamorphic glass that automagically turns into a glass appropriate for the drink within. There's a sanded off patent number on the bottom. +ent-DrinkGlassCoupeShaped = coupe glass + .desc = A classic thin neck coupe glass, the icon of fragile labels on crates around the galaxy. +ent-DrinkAbsintheGlass = { ent-DrinkGlass } + .suffix = absinthe + .desc = { ent-DrinkGlass.desc } +ent-DrinkAcidSpitGlass = { ent-DrinkGlass } + .suffix = acid spit + .desc = { ent-DrinkGlass.desc } +ent-DrinkAleGlass = { ent-DrinkGlass } + .suffix = ale + .desc = { ent-DrinkGlass.desc } +ent-DrinkAlliesCocktail = { ent-DrinkGlass } + .suffix = allies cocktail + .desc = { ent-DrinkGlass.desc } +ent-DrinkAloe = { ent-DrinkGlass } + .suffix = aloe + .desc = { ent-DrinkGlass.desc } +ent-DrinkAmasecGlass = { ent-DrinkGlass } + .suffix = amasec + .desc = { ent-DrinkGlass.desc } +ent-DrinkAndalusia = { ent-DrinkGlass } + .suffix = andalusia + .desc = { ent-DrinkGlass.desc } +ent-DrinkAntifreeze = { ent-DrinkGlass } + .suffix = antifreeze + .desc = { ent-DrinkGlass.desc } +ent-DrinkAtomicBombGlass = { ent-DrinkGlass } + .suffix = atomic bomb + .desc = { ent-DrinkGlass.desc } +ent-DrinkB52Glass = { ent-DrinkGlass } + .suffix = b-52 + .desc = { ent-DrinkGlass.desc } +ent-DrinkBahamaMama = { ent-DrinkGlass } + .suffix = bahama mama + .desc = { ent-DrinkGlass.desc } +ent-DrinkBananaHonkGlass = { ent-DrinkGlass } + .suffix = banana honk + .desc = { ent-DrinkGlass.desc } +ent-DrinkBarefootGlass = { ent-DrinkGlass } + .suffix = barefoot + .desc = { ent-DrinkGlass.desc } +ent-DrinkBeepskySmashGlass = { ent-DrinkGlass } + .suffix = beepsky smash + .desc = { ent-DrinkGlass.desc } +ent-DrinkBeerglass = { ent-DrinkGlass } + .suffix = beer + .desc = { ent-DrinkGlass.desc } +ent-DrinkBerryJuice = { ent-DrinkGlass } + .suffix = berry juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkBlackRussianGlass = { ent-DrinkGlass } + .suffix = black russian + .desc = { ent-DrinkGlass.desc } +ent-DrinkBlueCuracaoGlass = { ent-DrinkGlass } + .suffix = blue curacao + .desc = { ent-DrinkGlass.desc } +ent-DrinkBloodyMaryGlass = { ent-DrinkGlass } + .suffix = bloody mary + .desc = { ent-DrinkGlass.desc } +ent-DrinkBooger = { ent-DrinkGlass } + .suffix = booger + .desc = { ent-DrinkGlass.desc } +ent-DrinkBraveBullGlass = { ent-DrinkGlass } + .suffix = brave bull + .desc = { ent-DrinkGlass.desc } +ent-DrinkCarrotJuice = { ent-DrinkGlass } + .suffix = carrot juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkChocolateGlass = { ent-DrinkGlass } + .suffix = chocolate + .desc = { ent-DrinkGlass.desc } +ent-DrinkCoffee = { ent-DrinkGlass } + .suffix = coffee + .desc = { ent-DrinkGlass.desc } +ent-DrinkCognacGlass = { ent-DrinkGlass } + .suffix = cognac + .desc = { ent-DrinkGlass.desc } +ent-DrinkCream = { ent-DrinkGlass } + .suffix = cream + .desc = { ent-DrinkGlass.desc } +ent-DrinkCubaLibreGlass = { ent-DrinkGlass } + .suffix = cuba libre + .desc = { ent-DrinkGlass.desc } +ent-DrinkDeadRumGlass = { ent-DrinkGlass } + .suffix = dead rum + .desc = { ent-DrinkGlass.desc } +ent-DrinkDemonsBlood = { ent-DrinkGlass } + .suffix = demon's blood + .desc = { ent-DrinkGlass.desc } +ent-DrinkDevilsKiss = { ent-DrinkGlass } + .suffix = devil's kiss + .desc = { ent-DrinkGlass.desc } +ent-DrinkDoctorsDelightGlass = { ent-DrinkGlass } + .suffix = doctor's delight + .desc = { ent-DrinkGlass.desc } +ent-DrinkDriestMartiniGlass = { ent-DrinkGlass } + .suffix = driest martini + .desc = { ent-DrinkGlass.desc } +ent-DrinkDrGibbGlass = { ent-DrinkGlass } + .suffix = dr gibb + .desc = { ent-DrinkGlass.desc } +ent-DrinkErikaSurprise = { ent-DrinkGlass } + .suffix = erika surprise + .desc = { ent-DrinkGlass.desc } +ent-DrinkFourteenLokoGlass = { ent-DrinkGlass } + .suffix = fourteen loko + .desc = { ent-DrinkGlass.desc } +ent-DrinkGargleBlasterGlass = { ent-DrinkGlass } + .suffix = pan-galactic gargle blaster + .desc = { ent-DrinkGlass.desc } +ent-DrinkGinGlass = { ent-DrinkGlass } + .suffix = gin + .desc = { ent-DrinkGlass.desc } +ent-DrinkGinFizzGlass = { ent-DrinkGlass } + .suffix = gin fizz + .desc = { ent-DrinkGlass.desc } +ent-DrinkGinTonicglass = { ent-DrinkGlass } + .suffix = gin and tonic + .desc = { ent-DrinkGlass.desc } +ent-DrinkGildlagerGlass = { ent-DrinkGlass } + .suffix = gildlager + .desc = { ent-DrinkGlass.desc } +ent-DrinkGrapeJuice = { ent-DrinkGlass } + .suffix = grape juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkGrapeSodaGlass = { ent-DrinkGlass } + .suffix = grape soda + .desc = { ent-DrinkGlass.desc } +ent-DrinkGreenTeaGlass = { ent-DrinkGlass } + .suffix = green tea + .desc = { ent-DrinkGlass.desc } +ent-DrinkGrenadineGlass = { ent-DrinkGlass } + .suffix = grenadine + .desc = { ent-DrinkGlass.desc } +ent-DrinkGrogGlass = { ent-DrinkGlass } + .suffix = grog + .desc = { ent-DrinkGlass.desc } +ent-DrinkHippiesDelightGlass = { ent-DrinkGlass } + .suffix = hippies' delight + .desc = { ent-DrinkGlass.desc } +ent-DrinkHoochGlass = { ent-DrinkGlass } + .desc = You've really hit rock bottom now... your liver packed its bags and left last night. + .suffix = hooch +ent-DrinkIcedCoffeeGlass = { ent-DrinkGlass } + .suffix = iced coffee + .desc = { ent-DrinkGlass.desc } +ent-DrinkIcedGreenTeaGlass = { ent-DrinkGlass } + .suffix = iced green tea + .desc = { ent-DrinkGlass.desc } +ent-DrinkIcedTeaGlass = { ent-DrinkGlass } + .suffix = iced tea + .desc = { ent-DrinkGlass.desc } +ent-DrinkIcedBeerGlass = { ent-DrinkGlass } + .suffix = iced beer + .desc = { ent-DrinkGlass.desc } +ent-DrinkIceGlass = { ent-DrinkGlass } + .suffix = ice + .desc = { ent-DrinkGlass.desc } +ent-DrinkIceCreamGlass = { ent-DrinkGlass } + .suffix = ice cream + .desc = { ent-DrinkGlass.desc } +ent-DrinkIrishCarBomb = { ent-DrinkGlass } + .suffix = irish car bomb + .desc = { ent-DrinkGlass.desc } +ent-DrinkIrishCoffeeGlass = { ent-DrinkGlass } + .suffix = irish coffee + .desc = { ent-DrinkGlass.desc } +ent-DrinkIrishCreamGlass = { ent-DrinkGlass } + .suffix = irish cream + .desc = { ent-DrinkGlass.desc } +ent-DrinkCoffeeLiqueurGlass = { ent-DrinkGlass } + .suffix = coffee liqueur + .desc = { ent-DrinkGlass.desc } +ent-DrinkKiraSpecial = { ent-DrinkGlass } + .suffix = kira special + .desc = { ent-DrinkGlass.desc } +ent-DrinkLemonadeGlass = { ent-DrinkGlass } + .suffix = lemonade + .desc = { ent-DrinkGlass.desc } +ent-DrinkLemonJuice = { ent-DrinkGlass } + .suffix = lemon juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkLemonLime = { ent-DrinkGlass } + .suffix = lemon lime + .desc = { ent-DrinkGlass.desc } +ent-DrinkLimeJuice = { ent-DrinkGlass } + .suffix = lime juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkLongIslandIcedTeaGlass = { ent-DrinkGlass } + .suffix = long island iced tea + .desc = { ent-DrinkGlass.desc } +ent-DrinkManhattanGlass = { ent-DrinkGlass } + .suffix = manhattan + .desc = { ent-DrinkGlass.desc } +ent-DrinkManhattanProjectGlass = { ent-DrinkGlass } + .suffix = manhattan project + .desc = { ent-DrinkGlass.desc } +ent-DrinkManlyDorfGlass = { ent-DrinkGlass } + .suffix = manly dorf + .desc = { ent-DrinkGlass.desc } +ent-DrinkMargaritaGlass = { ent-DrinkGlass } + .suffix = margarita + .desc = { ent-DrinkGlass.desc } +ent-DrinkMartiniGlass = { ent-DrinkGlass } + .suffix = classic martini + .desc = { ent-DrinkGlass.desc } +ent-DrinkMeadGlass = { ent-DrinkGlass } + .suffix = mead + .desc = { ent-DrinkGlass.desc } +ent-DrinkMilkshake = { ent-DrinkGlass } + .suffix = milkshake + .desc = { ent-DrinkGlass.desc } +ent-DrinkMojito = { ent-DrinkGlass } + .suffix = mojito + .desc = { ent-DrinkGlass.desc } +ent-DrinkNeurotoxinGlass = { ent-DrinkGlass } + .suffix = neurotoxin + .desc = { ent-DrinkGlass.desc } +ent-DrinkNothing = { ent-DrinkGlass } + .suffix = nothing + .desc = { ent-DrinkGlass.desc } +ent-DrinkNTCahors = { ent-DrinkGlass } + .suffix = neotheology cahors whine + .desc = { ent-DrinkGlass.desc } +ent-DrinkNuclearColaGlass = { ent-DrinkGlass } + .suffix = nuclear cola + .desc = { ent-DrinkGlass.desc } +ent-DrinkOrangeJuice = { ent-DrinkGlass } + .suffix = orange juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkPatronGlass = { ent-DrinkGlass } + .suffix = patron + .desc = { ent-DrinkGlass.desc } +ent-DrinkPoisonBerryJuice = { ent-DrinkGlass } + .suffix = poison berry juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkPoisonWineGlass = { ent-DrinkGlass } + .suffix = poison wine + .desc = { ent-DrinkGlass.desc } +ent-DrinkPoscaGlass = { ent-DrinkGlass } + .suffix = posca + .desc = { ent-DrinkGlass.desc } +ent-DrinkRedMeadGlass = { ent-DrinkGlass } + .suffix = red mead + .desc = { ent-DrinkGlass.desc } +ent-DrinkRewriter = { ent-DrinkGlass } + .suffix = rewriter + .desc = { ent-DrinkGlass.desc } +ent-DrinkRootBeerGlass = { ent-DrinkGlass } + .suffix = root beer + .desc = { ent-DrinkGlass.desc } +ent-DrinkRootBeerFloatGlass = { ent-DrinkGlass } + .suffix = root beer float + .desc = { ent-DrinkGlass.desc } +ent-DrinkRumGlass = { ent-DrinkGlass } + .suffix = rum + .desc = { ent-DrinkGlass.desc } +ent-DrinkSakeGlass = { ent-DrinkGlass } + .suffix = sake + .desc = { ent-DrinkGlass.desc } +ent-DrinkSbitenGlass = { ent-DrinkGlass } + .suffix = sbiten + .desc = { ent-DrinkGlass.desc } +ent-DrinkScrewdriverCocktailGlass = { ent-DrinkGlass } + .suffix = screwdriver + .desc = { ent-DrinkGlass.desc } +ent-DrinkCogChampBase = { ent-DrinkGlass } + .suffix = cogchamp + .desc = { ent-DrinkGlass.desc } +ent-DrinkSuiDreamGlass = { ent-DrinkGlass } + .suffix = sui dream + .desc = { ent-DrinkGlass.desc } +ent-DrinkEmeraldGlass = { ent-DrinkGlass } + .suffix = melon liquor + .desc = { ent-DrinkGlass.desc } +ent-DrinkMoonshineGlass = { ent-DrinkGlass } + .suffix = moonshine + .desc = { ent-DrinkGlass.desc } +ent-DrinkGlassWhite = { ent-DrinkGlass } + .suffix = milk + .desc = { ent-DrinkGlass.desc } +ent-DrinkSilencerGlass = { ent-DrinkGlass } + .suffix = silencer + .desc = { ent-DrinkGlass.desc } +ent-DrinkSingulo = { ent-DrinkGlass } + .suffix = singulo + .desc = { ent-DrinkGlass.desc } +ent-DrinkSnowWhite = { ent-DrinkGlass } + .suffix = snow white + .desc = { ent-DrinkGlass.desc } +ent-DrinkSoyLatte = { ent-DrinkGlass } + .suffix = soy latte + .desc = { ent-DrinkGlass.desc } +ent-DrinkSpaceUpGlass = { ent-DrinkGlass } + .suffix = space-up + .desc = { ent-DrinkGlass.desc } +ent-DrinkSpaceMountainWindGlass = { ent-DrinkGlass } + .suffix = space mountain wind + .desc = { ent-DrinkGlass.desc } +ent-DrinkSyndicatebomb = { ent-DrinkGlass } + .suffix = syndicate bomb + .desc = { ent-DrinkGlass.desc } +ent-DrinkTeaGlass = { ent-DrinkGlass } + .suffix = tea + .desc = { ent-DrinkGlass.desc } +ent-DrinkTeapot = teapot + .desc = An elegant teapot. It simply oozes class. +ent-DrinkTequilaGlass = { ent-DrinkGlass } + .suffix = tequila + .desc = { ent-DrinkGlass.desc } +ent-DrinkTequilaSunriseGlass = { ent-DrinkGlass } + .suffix = tequila sunrise + .desc = { ent-DrinkGlass.desc } +ent-DrinkTheMartinez = { ent-DrinkGlass } + .suffix = The Martinez + .desc = { ent-DrinkGlass.desc } +ent-DrinkThreeMileIslandGlass = { ent-DrinkGlass } + .suffix = three mile island + .desc = { ent-DrinkGlass.desc } +ent-DrinkTomatoJuice = { ent-DrinkGlass } + .suffix = tomato juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkToxinsSpecialGlass = { ent-DrinkGlass } + .suffix = toxins special + .desc = { ent-DrinkGlass.desc } +ent-DrinkVermouthGlass = { ent-DrinkGlass } + .suffix = vermouth + .desc = { ent-DrinkGlass.desc } +ent-DrinkVodkaGlass = { ent-DrinkGlass } + .suffix = vodka + .desc = { ent-DrinkGlass.desc } +ent-DrinkVodkaMartiniGlass = { ent-DrinkGlass } + .suffix = vodka martini + .desc = { ent-DrinkGlass.desc } +ent-DrinkVodkaTonicGlass = { ent-DrinkGlass } + .suffix = vodka tonic + .desc = { ent-DrinkGlass.desc } +ent-DrinkWaterJug = water jug + .desc = Stay hydrated +ent-DrinkWatermelonJuice = { ent-DrinkGlass } + .suffix = watermelon juice + .desc = { ent-DrinkGlass.desc } +ent-DrinkWhiskeyColaGlass = { ent-DrinkGlass } + .suffix = whiskey cola + .desc = { ent-DrinkGlass.desc } +ent-DrinkWhiskeyGlass = { ent-DrinkGlass } + .suffix = whiskey + .desc = { ent-DrinkGlass.desc } +ent-DrinkWhiskeySodaGlass = { ent-DrinkGlass } + .suffix = whiskey soda + .desc = { ent-DrinkGlass.desc } +ent-DrinkWhiteRussianGlass = { ent-DrinkGlass } + .suffix = white russian + .desc = { ent-DrinkGlass.desc } +ent-DrinkWineGlass = { ent-DrinkGlass } + .suffix = wine + .desc = { ent-DrinkGlass.desc } +ent-DrinkShakeBlue = blue milkshake + .desc = { ent-DrinkGlassBase.desc } +ent-DrinkShakeEmpty = shakeempty + .desc = { ent-DrinkGlassBase.desc } +ent-DrinkShakeMeat = meat shake + .desc = { ent-DrinkGlassBase.desc } +ent-DrinkShakeRobo = robo shake + .desc = { ent-DrinkGlassBase.desc } +ent-DrinkShakeWhite = white shake + .desc = { ent-DrinkGlassBase.desc } +ent-DrinkRamen = cup ramen + .desc = Just add 10ml boiling water. A taste that reminds you of your school years. +ent-DrinkHellRamen = hell ramen + .desc = Just add 10ml boiling water. Super spicy flavor. +ent-DrinkBloodGlass = { ent-DrinkGlass } + .suffix = blood + .desc = { ent-DrinkGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_bottles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_bottles.ftl new file mode 100644 index 00000000000..59a46a427f4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_bottles.ftl @@ -0,0 +1,97 @@ +ent-DrinkBottlePlasticBaseFull = { ent-DrinkBase } + .desc = { ent-DrinkBase.desc } +ent-DrinkBottleGlassBaseFull = { ent-DrinkBottlePlasticBaseFull } + .desc = { ent-DrinkBottlePlasticBaseFull.desc } +ent-DrinkBottleVisualsOpenable = { "" } + .desc = { "" } +ent-DrinkBottleVisualsAll = { "" } + .desc = { "" } +ent-DrinkAbsintheBottleFull = Jailbreaker Verte + .desc = One sip of this and you just know you're gonna have a good time. +ent-DrinkBlueCuracaoBottleFull = Miss Blue Curacao + .desc = A fruity, exceptionally azure drink. Does not allow the imbiber to use the fifth magic. +ent-DrinkBottleOfNothingFull = bottle of nothing + .desc = A bottle filled with nothing. +ent-DrinkChampagneBottleFull = champagne bottle + .desc = Only people devoid of imagination can't find an excuse for champagne. +ent-DrinkCognacBottleFull = cognac bottle + .desc = A sweet and strongly alchoholic drink, made after numerous distillations and years of maturing. +ent-DrinkColaBottleFull = space cola bottle + .desc = Cola. In space. +ent-DrinkGrenadineBottleFull = briar rose grenadine syrup bottle + .desc = Sweet and tangy, a bar syrup used to add color or flavor to drinks. +ent-DrinkGinBottleFull = Griffeater gin + .desc = A bottle of high quality gin, produced in the New London Space Station. +ent-DrinkGildlagerBottleFull = gildlager bottle + .desc = 100 proof cinnamon schnapps, made for alcoholic teen girls on spring break. +ent-DrinkCoffeeLiqueurBottleFull = coffee liqueur bottle + .desc = The great taste of coffee with none of the benifits. +ent-DrinkMelonLiquorBottleFull = emeraldine melon liquor + .desc = A bottle of 46 proof Emeraldine Melon Liquor. Sweet and light. +ent-DrinkPatronBottleFull = wrapp artiste patron bottle + .desc = Silver laced tequilla, served in space night clubs across the galaxy. +ent-DrinkPoisonWinebottleFull = warlock's velvet bottle + .desc = What a delightful packaging for a surely high quality wine! The vintage must be amazing! +ent-DrinkRumBottleFull = captain pete's Cuban spiced rum + .desc = This isn't just rum, oh no. It's practically GRIFF in a bottle. +ent-DrinkSpaceMountainWindBottleFull = space mountain wind bottle + .desc = Blows right through you like a space wind. +ent-DrinkSpaceUpBottleFull = space-up bottle + .desc = Tastes like a hull breach in your mouth. +ent-DrinkTequilaBottleFull = caccavo guaranteed quality tequila bottle + .desc = Made from premium petroleum distillates, pure thalidomide and other fine quality ingredients! +ent-DrinkVermouthBottleFull = goldeneye vermouth bottle + .desc = Sweet, sweet dryness! +ent-DrinkVodkaBottleFull = vodka bottle + .desc = Aah, vodka. Prime choice of drink AND fuel by Russians worldwide. +ent-DrinkWhiskeyBottleFull = uncle git's special reserve + .desc = A premium single-malt whiskey, gently matured inside the tunnels of a nuclear shelter. TUNNEL WHISKEY RULES. +ent-DrinkWineBottleFull = doublebearded bearded special wine bottle + .desc = A faint aura of unease and asspainery surrounds the bottle. +ent-DrinkBeerBottleFull = beer + .desc = An alcoholic beverage made from malted grains, hops, yeast, and water. +ent-DrinkBeerGrowler = Beer Growler + .desc = An alcoholic beverage made from malted grains, hops, yeast, and water. XL growler bottle. +ent-DrinkAleBottleFull = Magm-Ale + .desc = A true dorf's drink of choice. +ent-DrinkAleBottleFullGrowler = Magm-Ale Growler + .desc = A true dorf's drink of choice. XL growler bottle. +ent-DrinkWaterBottleFull = water bottle + .desc = Simple clean water of unknown origin. You think that maybe you dont want to know it. +ent-DrinkSodaWaterBottleFull = soda water bottle + .desc = Like water, but angry! +ent-DrinkTonicWaterBottleFull = tonic water bottle + .desc = Like soda water, but angrier maybe? Often sweeter. +ent-DrinkJuiceLimeCartonXL = lime juice XL + .desc = Sweet-sour goodness. +ent-DrinkJuiceOrangeCartonXL = orange juice XL + .desc = Full of vitamins and deliciousness! +ent-DrinkCreamCartonXL = Milk Cream XL + .desc = It's cream. Made from milk. What else did you think you'd find in there? +ent-DrinkSugarJug = sugar jug + .desc = some people put this in their coffee... + .suffix = for drinks +ent-DrinkLemonLimeJug = lemon lime jug + .desc = a dual citrus sensation. +ent-DrinkMeadJug = mead jug + .desc = storing mead in a plastic jug should be a crime. +ent-DrinkIceJug = ice jug + .desc = stubborn water. pretty cool. +ent-DrinkCoffeeJug = coffee jug + .desc = wake up juice, of the heated kind. +ent-DrinkTeaJug = tea jug + .desc = the drink of choice for the Bri'ish and hipsters. +ent-DrinkGreenTeaJug = green tea jug + .desc = its like tea... but green! great for settling the stomach. +ent-DrinkIcedTeaJug = iced tea jug + .desc = for when the regular tea is too hot for you boohoo +ent-DrinkDrGibbJug = dr gibb. jug + .desc = yeah I don't know either... +ent-DrinkRootBeerJug = root beer jug + .desc = this drink makes Australians giggle +ent-DrinkWaterMelonJuiceJug = watermelon juice jug + .desc = May include leftover seeds +ent-DrinkEnergyDrinkJug = red bool jug + .desc = A jug of Red Bool, with enough caffine to kill a whole station. +ent-CustomDrinkJug = beverage jug + .desc = A jug for storing custom made drinks. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_cans.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_cans.ftl new file mode 100644 index 00000000000..363d165b61f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_cans.ftl @@ -0,0 +1,45 @@ +ent-DrinkCanBaseFull = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-DrinkColaCan = space cola + .desc = A refreshing beverage. +ent-DrinkColaCanEmpty = { ent-DrinkColaCan } + .suffix = empty + .desc = { ent-DrinkColaCan.desc } +ent-DrinkIcedTeaCan = iced tea can + .desc = A refreshing can of iced tea. +ent-DrinkLemonLimeCan = lemon-lime can + .desc = You wanted ORANGE. It gave you Lemon-Lime. +ent-DrinkGrapeCan = grape soda can + .desc = Sweetened drink with a grape flavor and a deep purple color. +ent-DrinkRootBeerCan = root beer can + .desc = Some of that tasty root beer goodness, now in a portable can! +ent-DrinkSodaWaterCan = soda water can + .desc = Soda water. Why not make a scotch and soda? +ent-DrinkSpaceMountainWindCan = space mountain wind can + .desc = Blows right through you like a space wind. +ent-DrinkSpaceUpCan = space-up can + .desc = Tastes like a hull breach in your mouth. +ent-DrinkStarkistCan = starkist can + .desc = The taste of a star in liquid form. And, a bit of tuna...? +ent-DrinkTonicWaterCan = tonic water can + .desc = Quinine tastes funny, but at least it'll keep that Space Malaria away. +ent-DrinkFourteenLokoCan = Fourteen Loko can + .desc = The MBO has advised crew members that consumption of Fourteen Loko may result in seizures, blindness, drunkeness, or even death. Please Drink Responsibly. +ent-DrinkChangelingStingCan = changeling sting can + .desc = You take a tiny sip and feel a burning sensation... +ent-DrinkDrGibbCan = Dr. Gibb can + .desc = A delicious blend of 42 different flavours. +ent-DrinkNukieCan = blood-red brew can + .desc = A home-brewed drink made from the crazed minds at the Syndicate. Not recommended by doctors. +ent-DrinkEnergyDrinkCan = red bool energy drink + .desc = A can of Red Bool, with enough caffeine to kill a horse. +ent-DrinkCanPack = 6pack + .desc = { ent-BaseStorageItem.desc } +ent-DrinkShamblersJuiceCan = shamblers juice can + .desc = ~Shake me up some of that Shambler's Juice!~ +ent-DrinkPwrGameCan = pwr game can + .desc = The only drink with the PWR that true gamers crave. When a gamer talks about gamerfuel, this is what they're literally referring to. +ent-DrinkBeerCan = beer can + .desc = Small joy, big taste, no worries! +ent-DrinkWineCan = wine can + .desc = Your way to forgetting all worries and having fun! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_cups.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_cups.ftl new file mode 100644 index 00000000000..8ec8b8eb74a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_cups.ftl @@ -0,0 +1,42 @@ +ent-DrinkBaseCup = base cup + .desc = { ent-BaseItem.desc } +ent-DrinkGoldenCup = golden cup + .desc = A golden cup. +ent-DrinkBaseMug = mug + .desc = A mug. +ent-DrinkMug = mug + .desc = A plain white mug. +ent-DrinkMugBlack = black mug + .desc = A sleek black mug. +ent-DrinkMugBlue = blue mug + .desc = A blue and black mug. +ent-DrinkMugGreen = green mug + .desc = A pale green and pink mug. +ent-DrinkMugDog = funny dog mug + .desc = It looks like a cartoon beagle. +ent-DrinkMugHeart = heart mug + .desc = A white mug, it prominently features a red heart. +ent-DrinkMugMetal = metal mug + .desc = A metal mug. You're not sure which metal. +ent-DrinkMugMoebius = moebius mug + .desc = A mug with a Moebius Laboratories logo on it. Not even your morning coffee is safe from corporate advertising. +ent-DrinkMugOne = #1 mug + .desc = A white mug, it prominently features a #1. +ent-DrinkMugRainbow = rainbow mug + .desc = A rainbow mug. The colors are almost as blinding as a welder. +ent-DrinkMugRed = red mug + .desc = A red and black mug. +ent-DrinkHotCoco = hot chocolate + .desc = A heated drink consisting melted chocolate and heated milk. +ent-DrinkHotCoffee = coffee + .desc = Coffee is a brewed drink prepared from roasted seeds, commonly called coffee beans, of the coffee plant. +ent-DrinkCafeLatte = cafe latte + .desc = A nice, strong and tasty beverage while you are reading. +ent-DrinkTeacup = teacup + .desc = A plain white porcelain teacup. +ent-DrinkGreenTea = green tea + .desc = A plain white porcelain teacup. +ent-DrinkLean = grape Juice + .desc = Damn, no fun allowed. +ent-DrinkWaterCup = water cup + .desc = A paper water cup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_flasks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_flasks.ftl new file mode 100644 index 00000000000..9a11508c772 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_flasks.ftl @@ -0,0 +1,20 @@ +ent-FlaskBase = { ent-DrinkBase } + .desc = { ent-DrinkBase.desc } +ent-DrinkShinyFlask = shiny flask + .desc = A shiny metal flask. It appears to have a Greek symbol inscribed on it. +ent-DrinkMREFlask = MRE flask + .desc = An old military flask, filled with the finest contents for soldiers +ent-DrinkDetFlask = inspector's flask + .desc = A metal flask with a leather band and golden badge belonging to the inspector. +ent-DrinkHosFlask = hos's flask + .desc = A metal flask, fit for a hard working HoS. +ent-DrinkFlask = captain's flask + .desc = A metal flask belonging to the captain +ent-DrinkFlaskBar = bar flask + .desc = A metal flask often given out by the bartender on loan. Don't forget to return it! +ent-DrinkFlaskOld = flask + .desc = { ent-FlaskBase.desc } +ent-DrinkLithiumFlask = lithium flask + .desc = A flask with a Lithium Atom symbol on it. +ent-DrinkVacuumFlask = vacuum flask + .desc = Keeping your drinks at the perfect temperature since 1892. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_fun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_fun.ftl new file mode 100644 index 00000000000..b83f512fc62 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_fun.ftl @@ -0,0 +1,6 @@ +ent-DrinkSpaceGlue = space glue tube + .desc = High performance glue intended for maintenance of extremely complex mechanical equipment. DON'T DRINK! +ent-DrinkSpaceLube = space lube tube + .desc = High performance lubricant intended for maintenance of extremely complex mechanical equipment. +ent-DrinkMopwataBottleRandom = delicious mopwata + .desc = A foggy brown bottle with a faded label depicting a mop. It comes full of murky... vintage. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_solutioncontainerexample.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_solutioncontainerexample.ftl new file mode 100644 index 00000000000..23e22769c90 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_solutioncontainerexample.ftl @@ -0,0 +1,4 @@ +ent-DrinkVisualizerTestCut = solution container vis cut-out + .desc = A stainless steel insulated pitcher. Everyone's best friend in the morning. +ent-DrinkVisualizerTestNot = solution container vis cut-not + .desc = A stainless steel insulated pitcher. Everyone's best friend in the morning. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_special.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_special.ftl new file mode 100644 index 00000000000..85cbcab662d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/drinks_special.ftl @@ -0,0 +1,8 @@ +ent-DrinkShaker = shaker + .desc = The trusty mixing buddy of the bartender. +ent-DrinkShotGlass = shot glass + .desc = Perfect for slamming down onto the table angrily. +ent-DrinkJar = jar + .desc = The hipster's cup +ent-DrinkJarWhat = jar of something + .desc = You can't really tell what this is. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/trash_drinks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/trash_drinks.ftl new file mode 100644 index 00000000000..daffab44509 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/drinks/trash_drinks.ftl @@ -0,0 +1,52 @@ +ent-DrinkBottleBaseEmpty = base empty bottle + .desc = An empty bottle. +ent-DrinkCartonBaseEmpty = base empty carton + .desc = An empty carton. +ent-DrinkBottleAbsinthe = Jailbreaker Verte bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleAlcoClear = alcohol bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleAle = ale bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleBeer = beer bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleCognac = cognac bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleGin = Griffeater gin bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleGoldschlager = goldschlager bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleCoffeeLiqueur = coffee liqueur bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleNTCahors = nt cahors bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottlePatron = patron bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottlePoisonWine = poison wine bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleRum = rum bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleTequila = tequila bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleVermouth = vermouth bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleVodka = vodka bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleWhiskey = whiskey bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkBottleWine = wine bottle + .desc = { ent-DrinkBottleBaseEmpty.desc } +ent-DrinkCartonLime = lime juice carton + .desc = { ent-DrinkCartonBaseEmpty.desc } +ent-DrinkCartonOrange = orange juice carton + .desc = { ent-DrinkCartonBaseEmpty.desc } +ent-DrinkCartonTomato = tomato juice carton + .desc = { ent-DrinkCartonBaseEmpty.desc } +ent-DrinkCartonCream = milk cream carton + .desc = { ent-DrinkCartonBaseEmpty.desc } +ent-DrinkCartonMilk = milk carton + .desc = { ent-DrinkCartonBaseEmpty.desc } +ent-DrinkCartonSoyMilk = soy milk carton + .desc = { ent-DrinkCartonBaseEmpty.desc } +ent-DrinkCartonOatMilk = oat milk carton + .desc = { ent-DrinkCartonBaseEmpty.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/bread.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/bread.ftl new file mode 100644 index 00000000000..b6d1c44f61c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/bread.ftl @@ -0,0 +1,66 @@ +ent-FoodBreadBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodBreadSliceBase = { ent-FoodBreadBase } + .desc = { ent-FoodBreadBase.desc } +ent-FoodBreadVolcanic = volcanic loaf + .desc = A dark loaf. Resembles pumice. +ent-FoodBreadVolcanicSlice = volcanic slice + .desc = A slice of dark loaf. Resembles pumice. +ent-FoodBreadBanana = banana bread + .desc = A heavenly and filling treat. +ent-FoodBreadBananaSlice = banana bread slice + .desc = A slice of delicious banana bread. +ent-FoodBreadCorn = cornbread + .desc = Some good down-home country-style, rootin'-tootin', revolver-shootin', dad-gum yeehaw cornbread. +ent-FoodBreadCornSlice = cornbread slice + .desc = A slice of cornbread. +ent-FoodBreadCreamcheese = cream cheese bread + .desc = Yum yum yum! +ent-FoodBreadCreamcheeseSlice = cream cheese bread slice + .desc = A slice of yum! +ent-FoodBreadMeat = meat bread + .desc = The culinary base of every self-respecting eloquen/tg/entleman. +ent-FoodBreadMeatSlice = meat bread slice + .desc = A slice of delicious meatbread. +ent-FoodBreadMimana = mimana bread + .desc = Best eaten in silence. +ent-FoodBreadMimanaSlice = mimana bread slice + .desc = A slice of silence! +ent-FoodBreadPlain = bread + .desc = Some plain old earthen bread. +ent-FoodBreadPlainSlice = bread slice + .desc = A slice of home. +ent-FoodBreadSausage = sausage bread + .desc = Dont think too much about it. +ent-FoodBreadSausageSlice = sausage bread slice + .desc = Dont think too much about it. +ent-FoodBreadMeatSpider = spider meat bread + .desc = Reassuringly green meatloaf made from spider meat. +ent-FoodBreadMeatSpiderSlice = spider meat bread slice + .desc = A slice of meatloaf made from an animal that most likely still wants you dead. +ent-FoodBreadTofu = tofu bread + .desc = Like meatbread but for vegetarians. Brag to your crewmates about how much better it is. +ent-FoodBreadTofuSlice = tofu bread slice + .desc = A slice of delicious tofu bread. +ent-FoodBreadMeatXeno = xeno meat bread + .desc = A fitting, and filling, end to xeno scum. +ent-FoodBreadMeatXenoSlice = xeno meat bread slice + .desc = A slice of xeno scum. +ent-FoodBreadBaguette = baguette + .desc = Bon appétit! +ent-FoodBreadBaguetteSlice = crostini + .desc = Bon ap-petite! +ent-FoodBreadButteredToast = buttered toast + .desc = Crunchy. +ent-FoodBreadFrenchToast = french toast + .desc = A slice of bread soaked in a beaten egg mixture. +ent-FoodBreadGarlicSlice = garlic bread + .desc = Alas, it is limited. +ent-FoodBreadJellySlice = jelly toast + .desc = As if science are gonna give up their slimes for toast! +ent-FoodBreadMoldySlice = moldy bread slice + .desc = Entire stations have been ripped apart over arguing whether this is still good to eat. +ent-FoodBreadTwoSlice = two slice + .desc = Classy. +ent-MobBreadDog = bread dog + .desc = It's a bread. It's a dog. It's a... breaddog? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/cake.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/cake.ftl new file mode 100644 index 00000000000..ebe441ea8fa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/cake.ftl @@ -0,0 +1,82 @@ +ent-FoodCakeBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodCakeSliceBase = { ent-FoodCakeBase } + .desc = Just a slice of cake, it is enough for everyone. +ent-FoodCakeBlueberry = blueberry cake + .desc = Stains your teeth. +ent-FoodCakeBlueberrySlice = blueberry slice + .desc = Stains your teeth. +ent-FoodCakePlain = cake + .desc = A plain cake, not a lie. +ent-FoodCakePlainSlice = slice of cake + .desc = { ent-FoodCakeSliceBase.desc } +ent-FoodCakeCarrot = carrot cake + .desc = A favorite desert of a certain wascally wabbit. +ent-FoodCakeCarrotSlice = slice of carrot cake + .desc = Carrotty slice of carrot cake. Carrots are good for your eyes! +ent-FoodCakeBrain = brain cake + .desc = A squishy cake-thing. +ent-FoodCakeBrainSlice = slice of brain cake + .desc = Lemme tell you something about prions. THEY'RE DELICIOUS. +ent-FoodCakeCheese = cheese cake + .desc = DANGEROUSLY cheesy. +ent-FoodCakeCheeseSlice = slice of cheese cake + .desc = Slice of pure cheestisfaction. +ent-FoodCakeOrange = orange cake + .desc = A cake with added orange. +ent-FoodCakeOrangeSlice = slice of orange cake + .desc = { ent-FoodCakeSliceBase.desc } +ent-FoodCakeLime = lime cake + .desc = A cake with added lime. +ent-FoodCakeLimeSlice = slice of lime cake + .desc = { ent-FoodCakeSliceBase.desc } +ent-FoodCakeLemon = lemon cake + .desc = A cake with added lemon. +ent-FoodCakeLemonSlice = slice of lemon cake + .desc = { ent-FoodCakeSliceBase.desc } +ent-FoodCakeLemoon = lemoon cake + .desc = A cake that represents the moon of earth +ent-FoodCakeLemoonSlice = shard of lemoon cake + .desc = A shard of moon, has the smell of milk. +ent-FoodCakeChocolate = chocolate cake + .desc = A cake with added chocolate. +ent-FoodCakeChocolateSlice = slice of chocolate cake + .desc = { ent-FoodCakeSliceBase.desc } +ent-FoodCakeApple = apple cake + .desc = A cake centred with apple. +ent-FoodCakeAppleSlice = slice of apple cake + .desc = A slice of heavenly cake. +ent-FoodCakeSlime = slime cake + .desc = A cake made of slimes. Probably not electrified. +ent-FoodCakeSlimeSlice = slice of slime cake + .desc = A slice of slime cake. +ent-FoodCakePumpkin = pumpkin-spice cake + .desc = A hollow cake with real pumpkin. +ent-FoodCakePumpkinSlice = slice of pumpkin-spice cake + .desc = A spicy slice of pumpkin goodness. +ent-FoodCakeChristmas = christmas cake + .desc = A cake made of christmas. +ent-FoodCakeChristmasSlice = slice of christmas cake + .desc = { ent-FoodCakeSliceBase.desc } +ent-FoodCakeBirthday = birthday cake + .desc = Happy Birthday little clown... +ent-FoodCakeBirthdaySlice = slice of birthday cake + .desc = A slice of your birthday. +ent-FoodCakeVanilla = vanilla cake + .desc = A vanilla frosted cake. +ent-FoodCakeVanillaSlice = slice of vanilla cake + .desc = A slice of vanilla frosted cake. +ent-FoodCakeClown = clown cake + .desc = A funny cake with a clown face on it. +ent-FoodCakeClownSlice = slice of clown cake + .desc = A slice of bad jokes, and silly props. +ent-FoodCakeSpaceman = spaceman's cake + .desc = A spaceman's trumpet frosted cake. +ent-FoodCakeSpacemanSlice = slice of spaceman's cake + .desc = A spaceman's trumpet frosted cake. +ent-MobCatCake = cak + .desc = It's a cake. It's a cat. It's a cak. +ent-FoodCakeSuppermatter = suppermatter + .desc = Extremely dense and powerful food. +ent-FoodCakeSuppermatterSlice = suppermatter shard + .desc = A single portion of power. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/donkpocket.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/donkpocket.ftl new file mode 100644 index 00000000000..74220e6c297 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/donkpocket.ftl @@ -0,0 +1,40 @@ +ent-FoodDonkpocketBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodDonkpocket = donk-pocket + .desc = The food of choice for the seasoned traitor. +ent-FoodDonkpocketWarm = warm donk-pocket + .desc = The heated food of choice for the seasoned traitor. +ent-FoodDonkpocketDank = dank-pocket + .desc = The food of choice for the seasoned botanist. +ent-FoodDonkpocketDankWarm = warm dank-pocket + .desc = The heated food of choice for the seasoned botanist. +ent-FoodDonkpocketSpicy = spicy-pocket + .desc = The classic snack food, now with a heat-activated spicy flair. +ent-FoodDonkpocketSpicyWarm = warm spicy-pocket + .desc = The classic snack food, now maybe a bit too spicy. +ent-FoodDonkpocketTeriyaki = teriyaki-pocket + .desc = An East Asian take on the classic stationside snack. +ent-FoodDonkpocketTeriyakiWarm = warm teriyaki-pocket + .desc = An East Asian take on the classic stationside snack, now steamy and warm. +ent-FoodDonkpocketPizza = pizza-pocket + .desc = Delicious, cheesy and surprisingly filling. +ent-FoodDonkpocketPizzaWarm = warm pizza-pocket + .desc = Cheese filling really hits the spot when warm. +ent-FoodDonkpocketHonk = honk-pocket + .desc = The award-winning donk-pocket that won the hearts of clowns and humans alike. +ent-FoodDonkpocketHonkWarm = warm honk-pocket + .desc = The award-winning donk-pocket, now warm and toasty. +ent-FoodDonkpocketBerry = berry-pocket + .desc = A relentlessly sweet donk-pocket. Made with 100% artificial flavoring. +ent-FoodDonkpocketBerryWarm = warm berry-pocket + .desc = A relentlessly sweet donk-pocket, now warm and delicious. +ent-FoodDonkpocketStonk = stonk-pocket + .desc = Tasty, but a sad reminder of the great crash of '24 +ent-FoodDonkpocketStonkWarm = warm stonk-pocket + .desc = { ent-FoodDonkpocketStonk.desc } +ent-FoodDonkpocketCarp = carp-pocket + .desc = A long-lost edition of donk pocket, made specifically for hard-working salvagers. +ent-FoodDonkpocketCarpWarm = warm carp-pocket + .desc = { ent-FoodDonkpocketCarp.desc } +ent-FoodDonkpocketDink = dink-pocket + .desc = An off-brand lizard donk-pocket, filled with pickled carrot and wrapped with seaweed. Best eaten cold, or even better, not eaten at all. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/donut.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/donut.ftl new file mode 100644 index 00000000000..6d674f575f5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/donut.ftl @@ -0,0 +1,55 @@ +ent-FoodDonutBase = { ent-VendPriceFoodBase100 } + .desc = Goes great with robust coffee. +ent-FoodDonutPlain = plain donut + .desc = { ent-FoodDonutBase.desc } +ent-FoodDonutJellyPlain = plain jelly-donut + .desc = { ent-FoodDonutBase.desc } +ent-FoodDonutHomer = donut + .desc = { ent-FoodDonutBase.desc } +ent-FoodDonutChaos = chaos donut + .desc = Like life, it never quite tastes the same. +ent-FoodDonutMeat = meat donut + .desc = Tastes as gross as it looks. +ent-FoodDonutPink = pink donut + .desc = Goes great with a soy latte. +ent-FoodDonutSpaceman = spaceman's donut + .desc = Goes great with a cold beaker of malk. +ent-FoodDonutApple = apple donut + .desc = Goes great with a shot of cinnamon schnapps. +ent-FoodDonutCaramel = caramel donut + .desc = Goes great with a mug of hot coco. +ent-FoodDonutChocolate = chocolate donut + .desc = Goes great with a glass of warm milk. +ent-FoodDonutBlumpkin = blorbo donut + .desc = Goes great with a mug of BLORBO. +ent-FoodDonutBungo = bungo donut + .desc = Goes great with a mason jar of hippie's delight. +ent-FoodDonut = matcha donut + .desc = The L-theanine in this donut is relaxing, yet not euphoric. Goes great with a cup of tea. +ent-FoodDonutSweetpea = sweet pea donut + .desc = Goes great with a bottle of Bastion Burbon! +ent-FoodDonutJellyHomer = jelly-donut + .desc = You jelly? +ent-FoodDonutJellyPink = pink jelly-donut + .desc = Goes great with a soy latte. +ent-FoodDonutJellySpaceman = spaceman's jelly-donut + .desc = Goes great with a cold beaker of malk. +ent-FoodDonutJellyApple = apple jelly-donut + .desc = Goes great with a shot of cinnamon schnapps. +ent-FoodDonutJellyCaramel = caramel jelly-donut + .desc = Goes great with a mug of hot coco. +ent-FoodDonutJellyChocolate = chocolate jelly-donut + .desc = Goes great with a glass of warm milk. +ent-FoodDonutJellyBlumpkin = blumpkin jelly-donut + .desc = Goes great with a mug of soothing drunken blumpkin. +ent-FoodDonutJellyBungo = bungo jelly-donut + .desc = Goes great with a mason jar of hippie's delight. +ent-FoodDonutJelly = matcha jelly-donut + .desc = The L-theanine in this jelly-donut is relaxing, yet not euphoric. Goes great with a cup of tea. +ent-FoodDonutJellySweetpea = sweet pea jelly-donut + .desc = Goes great with a bottle of Bastion Burbon! +ent-FoodDonutJellySlugcat = slugcat jelly-donut + .desc = No holes in this donut in case a suspicious looking pole shows up. +ent-FoodDonutPoison = { ent-FoodDonutPink } + .suffix = Poison + .desc = { ent-FoodDonutPink.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/misc.ftl new file mode 100644 index 00000000000..4765ddaa463 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/misc.ftl @@ -0,0 +1,59 @@ +ent-FoodBakedBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodBakedMuffin = muffin + .desc = A delicious and spongy little cake. +ent-FoodBakedMuffinBerry = berry muffin + .desc = A delicious and spongy little cake, with berries. +ent-FoodBakedMuffinCherry = cherry muffin + .desc = A sweet muffin with cherry bits. +ent-FoodBakedMuffinBluecherry = bluecherry muffin + .desc = Blue cherries inside a delicious muffin. +ent-FoodBakedBunHoney = honey bun + .desc = A sticky pastry bun glazed with honey. +ent-FoodBakedBunHotX = hotcross bun + .desc = A sticky pastry bun glazed with a distinct white cross. +ent-FoodBakedBunMeat = meat bun + .desc = Has the potential to not be dog. +ent-FoodBakedCookie = cookie + .desc = COOKIE!!! +ent-FoodBakedCookieOatmeal = oatmeal cookie + .desc = The best of both cookie and oat. +ent-FoodBakedCookieRaisin = raisin cookie + .desc = Why would you put raisins in a cookie? +ent-FoodBakedCookieSugar = sugar cookie + .desc = Just like your mom used to make. +ent-FoodBakedNugget = chicken nugget + .desc = A "chicken" nugget vaguely shaped into an object. +ent-FoodBakedPancake = pancake + .desc = A fluffy pancake. The softer, superior relative of the waffle. +ent-FoodBakedPancakeBb = blueberry pancake + .desc = A fluffy and delicious blueberry pancake. +ent-FoodBakedPancakeCc = chocolate chip pancake + .desc = A fluffy and delicious chocolate chip pancake. +ent-FoodBakedWaffle = waffles + .desc = Mmm, waffles. +ent-FoodBakedWaffleSoy = soy waffles + .desc = You feel healthier and - more feminine? +ent-FoodBakedWaffleSoylent = soylent waffles + .desc = Not made of people. Honest. +ent-FoodBakedWaffleRoffle = roffle waffles + .desc = Waffles from Roffle. Co. +ent-FoodBakedPretzel = poppy pretzel + .desc = It's all twisted up! +ent-FoodBakedCannoli = cannoli + .desc = A Sicilian treat that makes you into a wise guy. +ent-FoodBakedDumplings = dumplings + .desc = Average recipe for meat in doughs. +ent-FoodBakedChevreChaud = chèvre chaud + .desc = A disk of slightly melted chèvre flopped on top of a crostini, and toasted all-round. +ent-FoodBakedBrownieBatch = brownies + .desc = A pan of brownies. +ent-FoodBakedBrownie = brownie + .desc = A fresh baked brownie. + .suffix = Fresh +ent-FoodBakedCannabisBrownieBatch = special brownies + .desc = A pan of "special" brownies. +ent-FoodBakedCannabisBrownie = special brownie + .desc = A "special" brownie. +ent-FoodOnionRings = onion rings + .desc = You can eat it or propose to your loved ones. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/pie.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/pie.ftl new file mode 100644 index 00000000000..072acc7a96c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/pie.ftl @@ -0,0 +1,50 @@ +ent-FoodPieBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodPieSliceBase = { ent-FoodInjectableBase } + .desc = A slice of pie. Tasty! +ent-FoodPieApple = apple pie + .desc = A pie containing sweet, sweet love... or apple. +ent-FoodPieAppleSlice = slice of apple pie + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodPieBaklava = baklava + .desc = A delightful healthy snack made of nut layers with thin bread. +ent-FoodPieBaklavaSlice = slice of baklava + .desc = A portion of a delightful healthy snack made of nut layers with thin bread. +ent-FoodPieBananaCream = banana cream pie + .desc = Just like back home, on clown planet! HONK! +ent-FoodPieBananaCreamSlice = slice of banana cream pie + .desc = Just like back home, on clown planet! HONK! +ent-FoodPieClafoutis = berry clafoutis + .desc = No black birds, this is a good sign. +ent-FoodPieClafoutisSlice = slice of berry clafoutis + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodPieCherry = cherry pie + .desc = Tastes good enough to make a grown man cry. +ent-FoodPieCherrySlice = slice of cherry pie + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodPieMeat = meat pie + .desc = An old barber recipe, very delicious! +ent-FoodPieMeatSlice = slice of meat pie + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodPieXeno = xeno pie + .desc = { ent-FoodPieBase.desc } +ent-FoodPieXenoSlice = slice of xeno pie + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodPieFrosty = frosty pie + .desc = Tastes like blue and cold. +ent-FoodPieFrostySlice = slice of frosty pie + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodTartMime = mime tart + .desc = " " +ent-FoodTartMimeSlice = slice of mime tart + .desc = { ent-FoodPieSliceBase.desc } +ent-FoodPieAmanita = amanita pie + .desc = Sweet and tasty poison pie. +ent-FoodPiePlump = plump pie + .desc = I bet you love stuff made out of plump helmets! +ent-FoodTartGrape = grape tart + .desc = A tasty dessert that reminds you of the wine you didn't make. +ent-FoodTartGapple = golden apple streusel tart + .desc = A tasty dessert that won't make it through a metal detector. +ent-FoodTartCoco = chocolate lava tart + .desc = A tasty dessert made of chocolate, with a liquid core. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/pizza.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/pizza.ftl new file mode 100644 index 00000000000..e24b819842f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/baked/pizza.ftl @@ -0,0 +1,42 @@ +ent-FoodPizzaBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodPizzaSliceBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodPizzaMargherita = margherita pizza + .desc = The flavor of Italy. +ent-FoodPizzaMargheritaSlice = slice of margherita pizza + .desc = A slice of Italy. +ent-FoodPizzaMeat = meat pizza + .desc = Greasy pizza with delicious meat. +ent-FoodPizzaMeatSlice = slice of meat pizza + .desc = A nutritious slice of meatpizza. +ent-FoodPizzaMushroom = mushroom pizza + .desc = Very special pizza. +ent-FoodPizzaMushroomSlice = slice of mushroom pizza + .desc = Maybe it is the last slice of pizza in your life. +ent-FoodPizzaVegetable = vegetable pizza + .desc = The station's vegetarians will thank you for making this. +ent-FoodPizzaVegetableSlice = slice of vegetable pizza + .desc = A slice of this is enough to satisfy even the pickiest station personnel. +ent-FoodPizzaDonkpocket = donk-pocket pizza + .desc = Who thought this would be a good idea? +ent-FoodPizzaDonkpocketSlice = slice of donk-pocket pizza + .desc = Smells like donk-pocket. +ent-FoodPizzaDank = dank pizza + .desc = The hippie's pizza of choice. +ent-FoodPizzaDankSlice = slice of dank pizza + .desc = So good, man... +ent-FoodPizzaSassysage = sassysage pizza + .desc = You can really smell the sassiness. +ent-FoodPizzaSassysageSlice = slice of sassysage pizza + .desc = Deliciously sassy. +ent-FoodPizzaPineapple = Hawaiian pizza + .desc = Makes people burst into tears. Tears of joy or sadness depends on the persons fondness for pineapple. +ent-FoodPizzaPineappleSlice = slice of pineapple pizza + .desc = A slice of joy/sin. +ent-FoodPizzaArnold = Arnold's pizza + .desc = Hello, you've reached Arnold's pizza shop. I'm not here now, I'm out killing pepperoni. +ent-FoodPizzaArnoldSlice = slice of Arnold's pizza + .desc = I come over, maybe I give you a pizza, maybe I break off your arm. +ent-FoodPizzaMoldySlice = slice of moldy pizza + .desc = Once a perfectly good slice of pizza pie, but now it lies here, rancid and bursting with spores. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/burger.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/burger.ftl new file mode 100644 index 00000000000..f1afb1f23bb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/burger.ftl @@ -0,0 +1,68 @@ +ent-FoodBreadBun = bun + .desc = A hamburger bun. Round and convenient to hold. +ent-FoodBurgerBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodBurgerJelly = jelly burger + .desc = Culinary delight..? +ent-FoodBurgerAppendix = appendix burger + .desc = Tastes like appendicitis. +ent-FoodBurgerBacon = bacon burger + .desc = The perfect combination of all things American. +ent-FoodBurgerBaseball = baseball burger + .desc = It's still warm. The steam coming off of it smells kinda sweaty. +ent-FoodBurgerBear = bearger + .desc = Best served rawr. +ent-FoodBurgerBig = big bite burger + .desc = Forget the Big Mac. THIS is the future! +ent-FoodBurgerBrain = brain burger + .desc = A strange looking burger. It looks almost sentient. +ent-FoodBurgerCat = cat burger + .desc = Finally those cats and catpeople are worth something! +ent-FoodBurgerCheese = cheese burger + .desc = This noble burger stands proudly clad in golden cheese. +ent-FoodBurgerChicken = chicken sandwich + .desc = A delicious chicken sandwich, it is said the proceeds from this treat helps criminalize disarming people on the space frontier. +ent-FoodBurgerClown = clown burger + .desc = This tastes funny... +ent-FoodBurgerCorgi = corger + .desc = The Head of Personnel's favorite! +ent-FoodBurgerCrab = crab burger + .desc = A delicious patty of the crabby kind, slapped in between a bun. +ent-FoodBurgerCrazy = crazy hamburger + .desc = This looks like the sort of food that a demented clown in a trenchcoat would make. +ent-FoodBurgerDuck = duck sandwich + .desc = A duck sandwich, only the criminally insane would dare to eat the meat of such an adorable creature. +ent-FoodBurgerEmpowered = empowered burger + .desc = It's shockingly good, if you live off of electricity that is. +ent-FoodBurgerCarp = fillet-o-carp burger + .desc = Almost like a carp is yelling somewhere... +ent-FoodBurgerFive = five alarm burger + .desc = HOT! HOT! HOT! +ent-FoodBurgerGhost = ghost burger + .desc = Too spooky! +ent-FoodBurgerHuman = human burger + .desc = You cant tell who this is made of... +ent-FoodBurgerMcguffin = McGuffin + .desc = A cheap and greasy imitation of an eggs Benedict. +ent-FoodBurgerMcrib = BBQ Rib Sandwich + .desc = An elusive rib shaped burger with limited availability across the galaxy. Not as good as you remember it. +ent-FoodBurgerMime = mime burger + .desc = Its taste defies language. +ent-FoodBurgerPlain = plain burger + .desc = A boring, dry burger. +ent-FoodBurgerRat = rat burger + .desc = Pretty much what you'd expect... +ent-FoodBurgerRobot = roburger + .desc = The lettuce is the only organic component. Beep. +ent-FoodBurgerSoy = soylent burger + .desc = After eating this you have the overwhelming urge to purchase overpriced figurines of superheroes. +ent-FoodBurgerSpell = spell burger + .desc = This is absolutely Ei Nath. +ent-FoodBurgerSuper = super bite burger + .desc = This is a mountain of a burger. FOOD! +ent-FoodBurgerTofu = tofu burger + .desc = What... is that meat? +ent-FoodBurgerXeno = xenoburger + .desc = Smells caustic. Tastes like heresy. +ent-FoodBurgerMothRoach = mothroachburger + .desc = The last lamp it saw was the one inside the microwave. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/bowl.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/bowl.ftl new file mode 100644 index 00000000000..d5523576953 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/bowl.ftl @@ -0,0 +1,6 @@ +ent-FoodBowlBig = bowl + .desc = A simple bowl, used for soups and salads. +ent-FoodBowlBigTrash = broken bowl + .desc = A simple bowl, broken and useless. +ent-FoodBowlFancy = bowl + .desc = A fancy bowl, used for SPECIAL soups and salads. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/box.ftl new file mode 100644 index 00000000000..f7b7583297a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/box.ftl @@ -0,0 +1,49 @@ +ent-FoodBoxDonut = donut box + .desc = Mmm, Donuts. +ent-FoodContainerEgg = egg carton + .desc = Don't drop 'em! +ent-EggBoxBroken = { ent-FoodContainerEgg } + .suffix = Broken + .desc = { ent-FoodContainerEgg.desc } +ent-FoodBoxPizza = pizza box + .desc = { ent-BoxCardboard.desc } +ent-FoodBoxPizzaFilled = pizza box + .suffix = Filled + .desc = { ent-FoodBoxPizza.desc } +ent-FoodBoxNugget = chicken nuggets + .desc = You suddenly have an urge to trade on the intergalactic stock market. +ent-FoodBoxDonkpocket = box of donk-pockets + .desc = Instructions: Heat in microwave. Product will cool if not eaten within seven minutes. +ent-FoodBoxDonkpocketSpicy = box of spicy-flavoured donk-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketTeriyaki = box of teriyaki-flavoured donk-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketPizza = box of pizza-flavoured donk-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketStonk = box of limited edition stonk-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketCarp = box of carp-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketBerry = box of berry-flavoured donk-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketHonk = box of banana-flavoured donk-pockets + .desc = { ent-FoodBoxDonkpocket.desc } +ent-FoodBoxDonkpocketDink = box of dink-pockets + .desc = Net Zero carbohydrates! No need for heating! +ent-HappyHonk = happy honk meal + .desc = The toy is more edible than the food. + .suffix = Toy Safe +ent-HappyHonkMime = { ent-HappyHonk } + .desc = A limited mime edition of the happy honk meal. + .suffix = Toy Safe +ent-HappyHonkNukie = robust nukie meal + .desc = A sus meal with a potentially explosive surprise. + .suffix = Toy Unsafe +ent-HappyHonkNukieSnacks = syndicate snack box + .suffix = Toy Unsafe, Snacks + .desc = { ent-HappyHonkNukie.desc } +ent-HappyHonkCluwne = woeful cluwne meal + .desc = Nothing good can come of this. +ent-FoodMealHappyHonkClown = { ent-HappyHonk } + .suffix = random food spawner meal + .desc = { ent-HappyHonk.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/condiments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/condiments.ftl new file mode 100644 index 00000000000..2817c9413cc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/condiments.ftl @@ -0,0 +1,48 @@ +ent-BaseFoodCondiment = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseFoodCondimentPacket = condiment packet + .desc = A small plastic pack with condiments to put on your food. +ent-FoodCondimentPacketAstrotame = Astrotame + .desc = The sweetness of a thousand sugars but none of the calories. +ent-FoodCondimentPacketBbq = BBQ sauce + .desc = Hand wipes not included. +ent-FoodCondimentPacketCornoil = corn oil + .desc = Corn oil. A delicious oil used in cooking. Made from corn. +ent-FoodCondimentPacketFrostoil = coldsauce + .desc = Coldsauce. Leaves the tongue numb in its passage. +ent-FoodCondimentPacketHorseradish = horseradish sauce + .desc = A packet of smelly horseradish sauce. +ent-FoodCondimentPacketHotsauce = hotsauce + .desc = You can almost TASTE the stomach ulcers now! +ent-FoodCondimentPacketKetchup = ketchup + .desc = You feel more American already. +ent-FoodCondimentPacketMustard = mustard + .desc = A condiment made from the ground-up seeds of the Mustard plant. +ent-FoodCondimentPacketPepper = black pepper + .desc = Often used to flavor food or make people sneeze. +ent-FoodCondimentPacketSalt = salt + .desc = Salt. From space oceans, presumably. +ent-FoodCondimentPacketSoy = soy sauce + .desc = A salty soy-based flavoring. +ent-FoodCondimentPacketSugar = sugar + .desc = Tasty spacey sugar! +ent-BaseFoodCondimentBottle = condiment bottle + .desc = A thin glass bottle used to store condiments. +ent-FoodCondimentBottleColdsauce = coldsauce bottle + .desc = Leaves the tongue numb in its passage. +ent-FoodCondimentBottleEnzyme = universal enzyme + .desc = Used in cooking various dishes. +ent-FoodCondimentBottleVinegar = vinegar bottle + .desc = Used in cooking to enhance flavor. +ent-FoodCondimentBottleHotsauce = hotsauce bottle + .desc = You can almost TASTE the stomach ulcers now! +ent-FoodCondimentBottleKetchup = ketchup bottle + .desc = You feel more American already. +ent-FoodCondimentBottleBBQ = BBQ sauce bottle + .desc = Hand wipes not included. +ent-BaseFoodShaker = empty shaker + .desc = A shaker used to store and dispense spices. +ent-FoodShakerSalt = salt shaker + .desc = Salt. From space oceans, presumably. +ent-FoodShakerPepper = pepper shaker + .desc = Often used to flavor food or make people sneeze. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/plate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/plate.ftl new file mode 100644 index 00000000000..875a91bc1de --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/plate.ftl @@ -0,0 +1,14 @@ +ent-FoodPlate = large plate + .desc = A large plate, excellent for bread. +ent-FoodPlateTrash = broken plate + .desc = A broken plate. Useless. +ent-FoodPlateSmall = small plate + .desc = A small plate. Delicate. +ent-FoodPlateSmallTrash = { ent-FoodPlateTrash } + .desc = { ent-FoodPlateTrash.desc } +ent-FoodPlatePlastic = plastic plate + .desc = A large blue plastic plate, excellent for a birthday cake. +ent-FoodPlateSmallPlastic = plastic plate + .desc = A blue plastic plate, excellent for slices of birthday cake. +ent-FoodPlateTin = pie tin + .desc = A cheap foil tin for pies. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/tin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/tin.ftl new file mode 100644 index 00000000000..cafc295e24f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/containers/tin.ftl @@ -0,0 +1,23 @@ +ent-FoodTinBase = tin + .desc = A tin of something, sealed tight. +ent-FoodTinBaseTrash = empty tin + .desc = An empty tin. Could get a bit of metal from this. +ent-FoodTinPeaches = tinned peaches + .desc = Just a nice can of ripe peaches swimming in their own juices. +ent-FoodTinPeachesTrash = tinned peaches + .desc = { ent-FoodTinBaseTrash.desc } +ent-FoodTinPeachesMaint = maintenance peaches + .desc = { ent-FoodTinPeaches.desc } +ent-FoodTinPeachesMaintOpen = { ent-FoodTinPeachesMaint } + .suffix = Open + .desc = { ent-FoodTinPeachesMaint.desc } +ent-FoodTinPeachesMaintTrash = maintenance peaches + .desc = { ent-FoodTinBaseTrash.desc } +ent-FoodTinBeans = tin of beans + .desc = Musical fruit in a slightly less musical container. +ent-FoodTinBeansTrash = tin of beans + .desc = { ent-FoodTinBaseTrash.desc } +ent-FoodTinMRE = tinned meat + .desc = A standard issue tin of meat with a convenient pull tab. +ent-FoodTinMRETrash = tinned meat + .desc = { ent-FoodTinBaseTrash.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 new file mode 100644 index 00000000000..19b0e8e0452 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/egg.ftl @@ -0,0 +1,8 @@ +ent-FoodEggBase = { ent-ItemHeftyBase } + .desc = An egg! +ent-Eggshells = eggshells + .desc = You're walkin' on 'em bud. +ent-FoodEgg = egg + .desc = { ent-FoodEggBase.desc } +ent-FoodEggBoiled = boiled egg + .desc = A delicious hardboiled egg. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/food_base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/food_base.ftl new file mode 100644 index 00000000000..5d671c4dd37 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/food_base.ftl @@ -0,0 +1,6 @@ +ent-FoodBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-FoodInjectableBase = { ent-FoodBase } + .desc = { ent-FoodBase.desc } +ent-FoodOpenableBase = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/frozen.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/frozen.ftl new file mode 100644 index 00000000000..5e1b3dae38e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/frozen.ftl @@ -0,0 +1,36 @@ +ent-FoodFrozenBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodFrozenSandwich = ice-cream sandwich + .desc = Portable ice-cream in its own packaging. +ent-FoodFrozenSandwichStrawberry = strawberry ice-cream sandwich + .desc = Portable ice-cream in its own packaging of the strawberry variety. +ent-FoodFrozenFreezy = space freezy + .desc = The best ice-cream in space. +ent-FoodFrozenSundae = ice-cream sundae + .desc = A classic dessert. +ent-FoodFrozenCornuto = cornuto + .desc = A Neapolitan vanilla and chocolate ice-cream cone. It menaces with a sprinkling of caramelized nuts. +ent-FoodFrozenPopsicleOrange = orange creamsicle + .desc = A classic orange creamsicle. A sunny frozen treat. +ent-FoodFrozenPopsicleBerry = berry creamsicle + .desc = A vibrant berry creamsicle. A berry good frozen treat. +ent-FoodFrozenPopsicleJumbo = jumbo ice-cream + .desc = A luxurious ice-cream covered in rich chocolate. It's smaller than you remember. +ent-FoodFrozenSnowconeBase = sweet snowcone + .desc = It's just shaved ice and simple syrup, minimum effort. +ent-FoodFrozenSnowcone = flavorless snowcone + .desc = It's just shaved ice. Still fun to chew on. +ent-FoodFrozenSnowconeBerry = berry snowcone + .desc = Berry syrup drizzled over a snowball in a paper cup. +ent-FoodFrozenSnowconeFruit = fruit salad snowcone + .desc = A delightful mix of citrus syrups drizzled over a snowball in a paper cup. +ent-FoodFrozenSnowconeClown = clowncone + .desc = Laughter drizzled over a snowball in a paper cup. +ent-FoodFrozenSnowconeMime = mime snowcone + .desc = ... +ent-FoodFrozenSnowconeRainbow = rainbow snowcone + .desc = A very colorful snowball in a paper cup. +ent-FoodFrozenSnowconeTrash = paper cone + .desc = A crumpled paper cone used for an icy treat. Worthless. +ent-FoodFrozenPopsicleTrash = popsicle stick + .desc = Once held a delicious treat. Now, 'tis barren. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/ingredients.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/ingredients.ftl new file mode 100644 index 00000000000..ab61632eefe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/ingredients.ftl @@ -0,0 +1,74 @@ +ent-ReagentContainerBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-ReagentPacketBase = { ent-ReagentContainerBase } + .desc = { ent-ReagentContainerBase.desc } +ent-ItemHeftyBase = { "" } + .desc = { "" } +ent-ReagentContainerFlour = flour bag + .desc = A big bag of flour. Good for baking! +ent-ReagentContainerFlourSmall = flour pack + .desc = A pack of flour. Good for baking! +ent-ReagentContainerCornmeal = cornmeal bag + .desc = A big bag of cornmeal. Good for cooking! +ent-ReagentContainerCornmealSmall = cornmeal pack + .desc = A pack of cornmeal. Good for cooking! +ent-ReagentContainerRice = rice bag + .desc = A big bag of rice. Good for cooking! +ent-ReagentContainerRiceSmall = rice pack + .desc = A pack of rice. Good for cooking! +ent-ReagentContainerSugar = sugar bag + .desc = A big bag of tasty spacey sugar. +ent-ReagentContainerSugarSmall = sugar pack + .desc = A pack of tasty spacey sugar. +ent-ReagentContainerOliveoil = olive oil + .desc = Olive oil. From space olives presumably. +ent-ReagentContainerMayo = mayonnaise + .desc = Bottle of mayonnaise. +ent-FoodBakingBase = { ent-FoodBase } + .desc = Used in various recipes. +ent-FoodDough = dough + .desc = A piece of dough. +ent-FoodDoughSlice = dough slice + .desc = A slice of dough. Can be cooked into a bun. +ent-FoodDoughCornmeal = cornmeal dough + .desc = A piece of cornmeal dough. +ent-FoodDoughCornmealSlice = cornmeal dough slice + .desc = A slice of cornmeal dough. +ent-FoodDoughTortilla = tortilla dough + .desc = A piece of tortilla dough. +ent-FoodDoughTortillaSlice = tortilla dough slice + .desc = A slice of tortilla dough. +ent-FoodDoughTortillaFlat = flattened tortilla dough + .desc = A flattened slice of tortilla dough, cook this to get a taco shell. +ent-FoodDoughPastryBaseRaw = raw pastry base + .desc = Must be cooked before use. +ent-FoodDoughPastryBase = pastry base + .desc = A base for any self-respecting pastry. +ent-FoodDoughPie = pie dough + .desc = Cook it to get a pie. +ent-FoodDoughFlat = flat dough + .desc = A flattened dough. +ent-FoodDoughPizzaBaked = pizza bread + .desc = Add ingredients to make a pizza. +ent-FoodCakeBatter = cake batter + .desc = Cook it to get a cake. +ent-FoodButter = stick of butter + .desc = A stick of delicious, golden, fatty goodness. +ent-FoodCannabisButter = stick of cannabis butter + .desc = Add this to your favorite baked goods for an irie time. +ent-FoodCheese = cheese wheel + .desc = A big wheel of delicious Cheddar. +ent-FoodCheeseSlice = cheese wedge + .desc = A wedge of delicious Cheddar. The cheese wheel it was cut from can't have gone far. +ent-FoodChevre = chèvre log + .desc = A soft log of creamy Chèvre. +ent-FoodChevreSlice = chèvre disk + .desc = A small disk of creamy Chèvre. An ideal adornment for French side dishes. +ent-FoodTofu = tofu + .desc = Solid white block with a subtle flavor. +ent-FoodTofuSlice = tofu slice + .desc = A slice of tofu. Ingredient of various vegetarian dishes. +ent-FoodBadRecipe = burned mess + .desc = Someone should be demoted from cook for this. +ent-FoodCocoaBeans = cocoa beans + .desc = You can never have too much chocolate! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/injectable_base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/injectable_base.ftl new file mode 100644 index 00000000000..b21b1a9acf4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/injectable_base.ftl @@ -0,0 +1,2 @@ +ent-FoodInjectableBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/meals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/meals.ftl new file mode 100644 index 00000000000..11b9aafb6ee --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/meals.ftl @@ -0,0 +1,54 @@ +ent-FoodMealBase = { ent-FoodInjectableBase } + .desc = A delicious meal, cooked with love. +ent-FoodMealPotatoLoaded = loaded baked potato + .desc = Totally baked. +ent-FoodMealFries = space fries + .desc = AKA, French Fries, Freedom Fries, etc. +ent-FoodMealFriesCheesy = cheesy fries + .desc = Fries. Covered in cheese. Duh. +ent-FoodMealFriesCarrot = carrot fries + .desc = Tasty fries from fresh carrots. +ent-FoodMealNachos = nachos + .desc = Chips from Space Mexico. +ent-FoodMealNachosCheesy = cheesy nachos + .desc = The delicious combination of nachos and melting cheese. +ent-FoodMealNachosCuban = Cuban nachos + .desc = That's some dangerously spicy nachos. +ent-FoodMealMint = mint + .desc = It's wafer thin. +ent-FoodMealEggplantParm = eggplant parmigiana + .desc = The only good recipe for eggplant. +ent-FoodMealPotatoYaki = yaki imo + .desc = Made with roasted sweet potatoes! +ent-FoodMealCubancarp = Cuban carp + .desc = A grifftastic sandwich that burns your tongue and then leaves it numb! +ent-FoodMealCornedbeef = corned beef and cabbage + .desc = Now you can feel like a real tourist vacationing in Ireland. +ent-FoodMealBearsteak = filet migrawr + .desc = Because eating bear wasn't manly enough. +ent-FoodMealPigblanket = pig in a blanket + .desc = A tiny sausage wrapped in a flakey, buttery roll. Free this pig from its blanket prison by eating it. +ent-FoodMealRibs = bbq ribs + .desc = BBQ ribs, slathered in a healthy coating of BBQ sauce. The least vegan thing to ever exist. +ent-FoodMealEggsbenedict = eggs benedict + .desc = There is only one egg on this, how rude. +ent-FoodMealOmelette = cheese omelette + .desc = Cheesy. +ent-FoodMealFriedegg = fried egg + .desc = A fried egg, with a touch of salt and pepper. +ent-FoodMealMilkape = milk ape + .desc = The king of Jungle Thick. +ent-FoodMealMemoryleek = memory leek + .desc = This should refresh your memory. +ent-DisgustingSweptSoup = salty sweet miso cola soup + .desc = Jesus christ. +ent-FoodMealQueso = queso + .desc = A classic dipping sauce that you can't go wrong with. +ent-FoodMealSashimi = sashimi + .desc = Its taste can only be described as "Exotic". The poisoning though? That's pretty common. +ent-FoodMealEnchiladas = enchiladas + .desc = Viva La Mexico! +ent-FoodSaladWatermelonFruitBowl = melon fruit bowl + .desc = The only salad where you can eat the bowl. +ent-FoodMealCornInButter = corn in butter + .desc = Buttery. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/meat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/meat.ftl new file mode 100644 index 00000000000..a3752f7db75 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/meat.ftl @@ -0,0 +1,122 @@ +ent-FoodMeatBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodMeatRawBase = { ent-FoodMeatBase } + .desc = { ent-FoodMeatBase.desc } +ent-FoodMeat = raw meat + .desc = A slab of raw meat. +ent-FoodMeatHuman = raw human meat + .desc = Gross. +ent-FoodMeatFish = raw carp fillet + .desc = Your last words being "Wow, exotic!" are not worth it. The taste itself though? Maybe. +ent-FoodMeatBacon = raw bacon + .desc = A raw piece of bacon. +ent-FoodMeatBear = raw bear meat + .desc = A very manly slab of raw bear meat. +ent-FoodMeatPenguin = raw penguin meat + .desc = A slab of raw penguin meat. Can be used as a substitute for fish in recipes. +ent-FoodMeatChicken = raw chicken meat + .desc = A slab of raw chicken. Remember to wash your hands! +ent-FoodMeatDuck = raw duck meat + .desc = A slab of raw duck. Remember to wash your hands! +ent-FoodMeatCorgi = prime-cut corgi meat + .desc = The tainted gift of an evil crime. The meat may be delicious, but at what cost? +ent-FoodMeatCrab = raw crab meat + .desc = A pile of raw crab meat. +ent-FoodMeatGoliath = raw goliath meat + .desc = A slab of goliath meat. It's not very edible now, but it cooks great in lava. +ent-FoodMeatDragon = dragon flesh + .desc = The dense meat of the space-era apex predator is oozing with it's mythical ichor. Ironically, best eaten raw. +ent-FoodMeatRat = raw rat meat + .desc = Prime meat from maintenance! +ent-FoodMeatLizard = raw lizard meat + .desc = Delicious dino damage. +ent-FoodMeatPlant = raw plant meat + .desc = All the joys of healthy eating with all the fun of cannibalism. +ent-FoodMeatRotten = rotten meat + .desc = Halfway to becoming fertilizer for your garden. +ent-FoodMeatSpider = raw spider meat + .desc = A slab of spider meat. That's so Kafkaesque. +ent-FoodMeatSpiderLeg = raw spider leg + .desc = A still twitching leg of a giant spider... you don't really want to eat this, do you? +ent-FoodMeatWheat = meatwheat clump + .desc = This doesn't look like meat, but your standards aren't that high to begin with. +ent-FoodMeatSnake = raw snake meat + .desc = A long piece of snake meat, hopefully not poisonous. +ent-FoodMeatXeno = raw xeno meat + .desc = A slab of xeno meat, dripping with acid. +ent-FoodMeatRouny = raw rouny meat + .desc = A slab of meat from an innocent red friend. +ent-FoodMeatTomato = killer tomato meat + .desc = A slice from a huge tomato. +ent-FoodMeatSalami = salami + .desc = A large tube of salami. Best not to ask what went into it. +ent-FoodMeatClown = meat clown + .desc = A delicious, round piece of meat clown. How horrifying. +ent-FoodMeatMeatball = meatball + .desc = A raw ball of meat. Meat ball. +ent-FoodMeatSlime = slimeball + .desc = A gelatinous shaping of slime jelly. +ent-MaterialSmileExtract = smile extract + .desc = It's a real panacea. But at what cost? +ent-FoodMeatCooked = steak + .desc = A cooked slab of meat. Smells primal. +ent-FoodMeatBaconCooked = bacon + .desc = A delicious piece of cooked bacon. +ent-FoodMeatBearCooked = cooked bear + .desc = A well-cooked slab of bear meat. Tough, but tasty with the right sides. +ent-FoodMeatPenguinCooked = penguin filet + .desc = A cooked filet of penguin. Can be used as a substitute for fish in recipes. +ent-FoodMeatChickenCooked = cooked chicken + .desc = A cooked piece of chicken. Best used in other recipes. +ent-FoodMeatChickenFried = fried chicken + .desc = A juicy hunk of chicken meat, fried to perfection. +ent-FoodMeatDuckCooked = cooked duck + .desc = A cooked piece of duck. Best used in other recipes. +ent-FoodMeatCrabCooked = cooked crab + .desc = Some deliciously cooked crab meat. +ent-FoodMeatGoliathCooked = goliath steak + .desc = A delicious, lava cooked steak. +ent-FoodMeatRounyCooked = rouny steak + .desc = Some kill to survive. You on the other hand, kill for fun. +ent-FoodMeatLizardCooked = lizard steak + .desc = Cooked, tough lizard meat. +ent-FoodMeatSpiderlegCooked = boiled spider leg + .desc = A giant spider's leg that's still twitching after being cooked. Gross! +ent-FoodMeatMeatballCooked = meatball + .desc = A cooked meatball. Perfect to add to other dishes... except fruity ones. +ent-FoodMeatCutlet = raw cutlet + .desc = A raw meat cutlet. +ent-FoodMeatBearCutlet = raw bear cutlet + .desc = A very manly cutlet of raw bear meat. +ent-FoodMeatPenguinCutlet = raw penguin cutlet + .desc = A cutlet of raw penguin meat. Can be used as a substitute for fish in recipes. +ent-FoodMeatChickenCutlet = raw chicken cutlet + .desc = A cutlet of raw chicken. Remember to wash your hands! +ent-FoodMeatDuckCutlet = raw duck cutlet + .desc = A cutlet of raw duck. Remember to wash your hands! +ent-FoodMeatLizardCutlet = raw lizard cutlet + .desc = Delicious dino cutlet. +ent-FoodMeatSpiderCutlet = raw spider cutlet + .desc = A cutlet of raw spider meat. So Kafkaesque. +ent-FoodMeatXenoCutlet = raw xeno cutlet + .desc = A slab of raw xeno meat, dripping with acid. +ent-FoodMeatTomatoCutlet = raw killer tomato cutlet + .desc = A cutlet from a slab of tomato. +ent-FoodMeatSalamiSlice = salami slice + .desc = A slice of cured salami. +ent-FoodMeatCutletCooked = cutlet + .desc = A cooked meat cutlet. Needs some seasoning. +ent-FoodMeatBearCutletCooked = bear cutlet + .desc = A very manly cutlet of cooked bear meat. +ent-FoodMeatPenguinCutletCooked = penguin cutlet + .desc = A cutlet of cooked penguin meat. +ent-FoodMeatChickenCutletCooked = chicken cutlet + .desc = A cutlet of cooked chicken. Remember to wash your hands! +ent-FoodMeatDuckCutletCooked = duck cutlet + .desc = A cutlet of cooked duck. Remember to wash your hands! +ent-FoodMeatLizardCutletCooked = lizard cutlet + .desc = Delicious cooked dino cutlet. +ent-FoodMeatSpiderCutletCooked = spider cutlet + .desc = A cutlet of cooked spider meat. Finally edible. +ent-FoodMeatXenoCutletCooked = xeno cutlet + .desc = A cutlet of cooked xeno, dripping with... tastiness? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/noodles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/noodles.ftl new file mode 100644 index 00000000000..c415f041b04 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/noodles.ftl @@ -0,0 +1,16 @@ +ent-FoodNoodlesBase = { ent-FoodInjectableBase } + .desc = Now that's a nice pasta! +ent-FoodNoodlesBoiled = boiled spaghetti + .desc = A plain dish of noodles, this needs more ingredients. +ent-FoodNoodles = spaghetti + .desc = Spaghetti and crushed tomatoes. Just like your abusive father used to make! +ent-FoodNoodlesCopy = copypasta + .desc = You probably shouldn't try this, you always hear people talking about how bad it is... +ent-FoodNoodlesMeatball = spaghetti and meatballs + .desc = Now that's a nice-a meatball! +ent-FoodNoodlesSpesslaw = spesslaw + .desc = A lawyer's favourite. +ent-FoodNoodlesChowmein = chow mein + .desc = A nice mix of noodles and fried vegetables. +ent-FoodNoodlesButter = butter noodles + .desc = Noodles covered in savory butter. Simple and slippery, but delicious. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/produce.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/produce.ftl new file mode 100644 index 00000000000..dff96009ad3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/produce.ftl @@ -0,0 +1,128 @@ +ent-ProduceBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-FoodProduceBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-WheatBushel = wheat bushel + .desc = Sigh... wheat... a-grain? +ent-OatBushel = oat bushel + .desc = Eat oats, do squats. +ent-Sugarcane = sugarcane + .desc = Sickly sweet. +ent-FoodLaughinPeaPod = laughin' pea pod + .desc = The clown's favorite plant. +ent-Log = tower-cap log + .desc = It's better than bad, it's good! +ent-SteelLog = steel-cap log + .desc = Steel doesn't grow on trees! It grows on mushrooms, of course. +ent-Nettle = nettle + .desc = Stingy little prick. +ent-DeathNettle = death nettle + .desc = This nettle's out for blood. +ent-FoodBanana = banana + .desc = Rich in potassium. +ent-FoodMimana = mimana + .desc = Mime's favorite. +ent-TrashBananaPeel = banana peel + .desc = { ent-BaseItem.desc } +ent-TrashBakedBananaPeel = baked banana peel + .desc = { ent-TrashBananaPeel.desc } +ent-TrashMimanaPeel = mimana peel + .desc = { ent-TrashBananaPeel.desc } +ent-TrashBananiumPeel = bananium peel + .desc = { ent-TrashBananaPeel.desc } +ent-FoodCarrot = carrot + .desc = It's good for the eyes! +ent-FoodCabbage = cabbage + .desc = Ewwwwwwwwww. Cabbage. +ent-FoodGarlic = garlic + .desc = Delicious, but with a potentially overwhelming odor. +ent-FoodLemon = lemon + .desc = When life gives you lemons, be grateful they aren't limes. +ent-FoodLemoon = lemoon + .desc = People says Moon is made out of cheese, but Moon is actually made out of milk and laurel! +ent-FoodLime = lime + .desc = Cures Space Scurvy, allows you to act like a Space Pirate. +ent-FoodOrange = orange + .desc = Healthy, very orange. +ent-FoodPineapple = pineapple + .desc = Mmm, tropical. +ent-FoodPotato = potato + .desc = The space Irish starved to death after their potato crops died. Sadly they were unable to fish for space carp due to it being the queen's space. Bringing this up to any space IRA member will drive them insane with anger. +ent-FoodTomato = tomato + .desc = I say to-mah-to, you say tom-mae-to. +ent-FoodBlueTomato = blue tomato + .desc = This one is blue. +ent-FoodBloodTomato = blood tomato + .desc = Wait, that's not ketchup... +ent-FoodEggplant = eggplant + .desc = Maybe there's a chicken inside? +ent-FoodApple = apple + .desc = It's a little piece of Eden. +ent-FoodCocoaPod = cocoa pod + .desc = You can never have too much chocolate! +ent-FoodCorn = ear of corn + .desc = Needs some butter! And some cooking... +ent-FoodCornTrash = corn cob + .desc = Not a dang kernel left. +ent-FoodOnion = onion + .desc = Nothing to cry over. +ent-FoodOnionRed = red onion + .desc = Purple despite the name. +ent-FoodMushroom = chanterelle cluster + .desc = Cantharellus Cibarius: These jolly yellow little shrooms sure look tasty! +ent-ProduceSliceBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodPineappleSlice = pineapple slice + .desc = Mmm, tropical. +ent-FoodOnionSlice = onion slice + .desc = Nothing to cry over. +ent-FoodOnionRedSlice = red onion slice + .desc = Purple despite the name. +ent-FoodChili = chili + .desc = Spicy, best not touch your eyes. +ent-FoodChilly = chilly pepper + .desc = Icy hot. +ent-FoodAloe = aloe + .desc = A fragrant plant with soothing properties. +ent-FoodPoppy = poppy + .desc = A flower with extracts often used in the production of medicine +ent-FoodLily = lily + .desc = A beautiful orange flower. +ent-FoodLingzhi = lingzhi + .desc = A potent medicinal mushroom. Don't go overboard. +ent-FoodAmbrosiaVulgaris = ambrosia vulgaris + .desc = A medicinal plant. May make you feel a little funny. +ent-FoodAmbrosiaDeus = ambrosia deus + .desc = An extremely sought-after medicinal plant. May have some funky side effects. +ent-FoodGalaxythistle = galaxythistle + .desc = A medicinal plant used for its antitoxin. +ent-FoodFlyAmanita = fly amanita + .desc = A delicious-looking mushroom like you see in those cartoons. +ent-FoodGatfruit = gatfruit + .desc = A delicious, gun-shaped fruit with a thick wooden stem. +ent-RiceBushel = rice bushel + .desc = Can be ground into rice, perfect for pudding or sake. +ent-FoodSoybeans = soybeans + .desc = For those who can't stand seeing good old meat. +ent-FoodSpacemansTrumpet = spaceman's trumpet + .desc = A vivid flower that smells faintly of freshly cut grass. Touching the flower seems to stain the skin some time after contact, yet most other surfaces seem to be unaffected by this phenomenon. +ent-FoodKoibean = koibean + .desc = These beans seem a little bit fishy. +ent-FoodWatermelon = watermelon + .desc = Round green object that you can slice and eat. +ent-FoodWatermelonSlice = watermelon slice + .desc = Juicy green and red slice. +ent-FoodGrape = grapes + .desc = The food of emperors, Space France inhabitants (usually as wine) and soccer moms. One day it could be used in wine production for the bartender if he ever runs out. +ent-FoodBerries = berries + .desc = A handful of various types of berries. +ent-FoodBungo = bungo fruit + .desc = The humble bungo fruit. +ent-FoodBungoPit = bungo pit + .desc = { ent-FoodInjectableBase.desc } +ent-FoodPeaPod = pea pod + .desc = A duck's favorite treat! +ent-FoodPumpkin = pumpkin + .desc = A large, orange... berry. Seriously. +ent-CottonBol = cotton boll + .desc = Moth people's favorite snack, and just as fluffy as them. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/randomspawns/food_snacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/randomspawns/food_snacks.ftl new file mode 100644 index 00000000000..e55110c8bfd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/randomspawns/food_snacks.ftl @@ -0,0 +1,3 @@ +ent-RandomSnacks = random snack spawner + .desc = { ent-MarkerBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/skewer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/skewer.ftl new file mode 100644 index 00000000000..3e556680b0b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/skewer.ftl @@ -0,0 +1,20 @@ +ent-FoodSkewerBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodKebabSkewer = skewer + .desc = A thin rod of metal used to skewer just about anything and cook it. +ent-FoodMeatHawaiianKebab = Hawaiian kebab + .desc = A delicious kebab made of pineapple, ham and green peppers. +ent-FoodMeatKebab = meat kebab + .desc = Delicious meat, on a stick. +ent-FoodMeatHumanKebab = human kebab + .desc = Human meat. On a stick! +ent-FoodMeatLizardtailKebab = lizard-tail kebab + .desc = Severed lizard tail on a stick. +ent-FoodMeatRatKebab = rat kebab + .desc = Not so delicious rat meat, on a stick. +ent-FoodMeatRatdoubleKebab = double rat kebab + .desc = A double serving of not so delicious rat meat, on a stick. +ent-FoodMeatFiestaKebab = fiesta kebab + .desc = Always a cruise ship party somewhere in the world, right? +ent-FoodMeatSnakeKebab = snake kebab + .desc = Snake meat on a stick. It's a little tough. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/snacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/snacks.ftl new file mode 100644 index 00000000000..c1fba3df4cb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/snacks.ftl @@ -0,0 +1,79 @@ +ent-FoodSnackBase = { ent-VendPriceFoodBase200 } + .desc = { ent-VendPriceFoodBase200.desc } +ent-FoodSnackBoritos = boritos + .desc = Crunchy, salty tortilla chips. You could probably make nachos with these. +ent-FoodSnackCnDs = C&Ds + .desc = Legally, we cannot say that these won't melt in your hands. +ent-FoodSnackCheesie = cheesie honkers + .desc = Bite sized cheesie snacks that will honk all over your mouth. +ent-FoodSnackChips = chips + .desc = Commander Riker's What-The-Crisps. +ent-FoodSnackChocolate = chocolate bar + .desc = Tastes like cardboard. +ent-FoodSnackChocolateBar = chocolate bar + .desc = Tastes like cardboard. +ent-FoodSnackEnergy = energy bar + .desc = An energy bar with a lot of punch. +ent-FoodSnackEnergyBar = energy bar + .desc = An energy bar with a lot of punch. +ent-FoodSnackPistachios = sweetie's pistachios + .desc = Sweeties's name-brand pistachios. probably won't give you diseases. Probably. +ent-FoodSnackPopcorn = popcorn + .desc = Grown on an unknown planet, by an unknown farmer, popped by some jerk on a space station. +ent-FoodSnackRaisins = 4no raisins + .desc = Best raisins in the universe. Not sure why. +ent-FoodSnackSemki = bob's semki sunflower seeds + .desc = Proudly produced by the Bob Bobson nutritional corporation. Perfect for spitting at people. +ent-FoodSnackSus = sus jerky + .desc = Something about this packet makes you feel incredibly uneasy. Jerky's good though. +ent-FoodSnackSyndi = syndi-cakes + .desc = An extremely moist snack cake that tastes just as good after being nuked. +ent-FoodSnackChowMein = chow mein + .desc = A salty fried noodle snack. Looks like they forgot the vegetables. +ent-FoodSnackDanDanNoodles = dan dan noodles + .desc = A spicy Sichuan noodle snack. The chili oil slick pools on top. +ent-FoodSnackCookieFortune = fortune cookie + .desc = A boring cardboard tasting snack with a fortune inside. Surprise! You're boring too. +ent-FoodSnackNutribrick = nutribrick + .desc = A carefully synthesized brick designed to contain the highest ratio of nutriment to volume. Tastes like shit. +ent-FoodSnackNutribrickOpen = nutribrick + .desc = A carefully synthesized brick designed to contain the highest ratio of nutriment to volume. Tastes like shit. +ent-FoodSnackMREBrownie = brownie + .desc = A precisely mixed brownie, made to withstand blunt trauma and harsh conditions. Tastes like shit. +ent-FoodSnackMREBrownieOpen = brownie + .desc = A precisely mixed brownie, made to withstand blunt trauma and harsh conditions. Tastes like shit. + .suffix = MRE +ent-FoodPacketTrash = { ent-BaseItem } + .desc = This is rubbish. +ent-FoodPacketBoritosTrash = boritos bag + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketCnDsTrash = C&Ds bag + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketCheesieTrash = cheesie honkers + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketChipsTrash = chips + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketChocolateTrash = chocolate wrapper + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketEnergyTrash = energybar wrapper + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketPistachioTrash = pistachios packet + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketPopcornTrash = popcorn box + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketRaisinsTrash = 4no raisins + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketSemkiTrash = semki packet + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketSusTrash = sus jerky + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketSyndiTrash = syndi-cakes box + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketChowMeinTrash = empty chow mein box + .desc = { ent-FoodPacketTrash.desc } +ent-FoodPacketDanDanTrash = empty dan dan box + .desc = { ent-FoodPacketTrash.desc } +ent-FoodCookieFortune = cookie fortune + .desc = The fortune reads: The end is near...and it's all your fault. +ent-FoodPacketMRETrash = MRE wrapper + .desc = A general purpose wrapper for a variety of military food goods. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/soup.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/soup.ftl new file mode 100644 index 00000000000..7780b7d7f92 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/soup.ftl @@ -0,0 +1,88 @@ +ent-FoodBowlBase = { ent-FoodBase } + .desc = { ent-FoodBase.desc } +ent-FoodSoupPea = pea soup + .desc = A humble split pea soup. +ent-FoodSaladAesir = aesir salad + .desc = Probably too incredible for mortals to fully enjoy. +ent-FoodSaladHerb = herb salad + .desc = A tasty salad with apples on top. +ent-FoodSaladValid = valid salad + .desc = It's just an herb salad with meatballs and fried potato slices. Nothing suspicious about it. +ent-FoodSaladColeslaw = coleslaw + .desc = Shredded cabbage and red onions dressed with a vinaigrette. +ent-FoodSaladCaesar = caesar salad + .desc = A simple yet flavorful salad of onions, lettuce, croutons, and shreds of cheese dressed in oil. Comes with a slice of pita bread! +ent-FoodSaladKimchi = kimchi salad + .desc = It really is just a spicy salad. +ent-FoodSaladFruit = fruit salad + .desc = Your standard fruit salad. +ent-FoodSaladJungle = jungle salad + .desc = Exotic fruits in a bowl. +ent-FoodSaladCitrus = citrus salad + .desc = Citrus overload! +ent-FoodSaladEden = salad of eden + .desc = A salad brimming with untapped potential. +ent-FoodRiceBoiled = boiled rice + .desc = A warm bowl of rice. +ent-FoodRiceEgg = egg-fried rice + .desc = A bowl of rice with a fried egg. +ent-FoodRicePork = rice and pork + .desc = Well, it looks like pork... +ent-FoodRicePudding = rice pudding + .desc = Everybody loves rice pudding! +ent-FoodRiceGumbo = black-eyed gumbo + .desc = A spicy and savory meat and rice dish. +ent-FoodOatmeal = oatmeal + .desc = A nice bowl of oatmeal. +ent-FoodJellyDuff = space liberty duff + .desc = Jello gelatin, from Alfred Hubbard's cookbook. +ent-FoodJellyAmanita = amanita jelly + .desc = It's evil, don't touch it! +ent-FoodSoupMeatball = meatball soup + .desc = You've got balls kid, BALLS! +ent-FoodSoupSlime = slime soup + .desc = If no water is available, you may substitute tears. +ent-FoodSoupTomatoBlood = tomato soup + .desc = Smells like copper... is that a bone? +ent-FoodSoupWingFangChu = wing fang chu + .desc = A savory dish of alien wing wang in soy. +ent-FoodSoupClown = clown's tears + .desc = Not very funny. +ent-FoodSoupVegetable = vegetable soup + .desc = A true vegan meal. +ent-FoodSoupNettle = nettle soup + .desc = To think, the botanist would've beat you to death with one of these. +ent-FoodSoupMystery = mystery soup + .desc = The mystery is, why aren't you eating it? +ent-FoodSoupChiliHot = bowl of hot chili + .desc = A Texan five-alarm chili! +ent-FoodSoupChiliCold = cold chili + .desc = This slush is barely a liquid! +ent-FoodSoupChiliClown = chili con carnival + .desc = A delicious stew of meat, chilies, and salty, salty clown tears. +ent-FoodSoupMonkey = monkey's delight + .desc = A delicious soup with hunks of monkey meat simmered to perfection, in a broth that tastes faintly of bananas. +ent-FoodSoupTomato = tomato soup + .desc = Drinking this feels like being a vampire! A tomato vampire... +ent-FoodSoupEyeball = eyeball soup + .desc = It's looking back at you... +ent-FoodSoupMiso = miso soup + .desc = Salty, fishy soup, best had with ramen. +ent-FoodSoupMushroom = mushroom soup + .desc = A delicious and hearty mushroom soup. +ent-FoodSoupBeet = beet soup + .desc = Wait, how do you spell it again..? +ent-FoodSoupBeetRed = red beet soup + .desc = Quite a delicacy. +ent-FoodSoupStew = stew + .desc = A nice and warm stew. Healthy and strong. +ent-FoodSoupPotato = sweet potato soup + .desc = Delicious sweet potato in soup form. +ent-FoodSoupOnion = french onion soup + .desc = Good enough to make a grown mime cry. +ent-FoodSoupBisque = bisque + .desc = A classic entrée from Space France. +ent-FoodSoupElectron = electron soup + .desc = A gastronomic curiosity of ethereal origin. +ent-FoodSoupBungo = bungo curry + .desc = A spicy vegetable curry made with the humble bungo fruit, Exotic! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/taco.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/taco.ftl new file mode 100644 index 00000000000..07d378e4536 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/food/taco.ftl @@ -0,0 +1,18 @@ +ent-FoodTacoShell = taco shell + .desc = A taco shell, easy to hold, but falls on its side when put down. +ent-FoodTacoBase = { ent-FoodInjectableBase } + .desc = { ent-FoodInjectableBase.desc } +ent-FoodTacoBeef = beef taco + .desc = A very basic and run of the mill beef taco, now with cheese! +ent-FoodTacoChicken = chicken taco + .desc = A very basic and run of the mill chicken taco, now with cheese! +ent-FoodTacoFish = fish taco + .desc = Sounds kinda gross, but it's actually not that bad. +ent-FoodTacoRat = rat taco + .desc = Yeah, that looks about right... +ent-FoodTacoBeefSupreme = beef taco supreme + .desc = It's like a regular beef taco, but surpeme! +ent-FoodTacoChickenSupreme = chicken taco supreme + .desc = It's like a regular chicken taco, but surpeme! +ent-FoodMealSoftTaco = soft taco + .desc = Take a bite! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/base_smokeables.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/base_smokeables.ftl new file mode 100644 index 00000000000..fdcb4eb0506 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/base_smokeables.ftl @@ -0,0 +1,8 @@ +ent-BaseSmokable = { ent-BaseItem } + .desc = If you want to get cancer, might as well do it in style. +ent-BaseCigar = { ent-BaseSmokable } + .desc = { ent-BaseSmokable.desc } +ent-BaseSmokingPipe = { ent-BaseSmokable } + .desc = { ent-BaseSmokable.desc } +ent-BaseVape = { ent-BaseItem } + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/cartons.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/cartons.ftl new file mode 100644 index 00000000000..311caa55b19 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/cartons.ftl @@ -0,0 +1,10 @@ +ent-CigCartonGreen = Spessman's Smokes carton + .desc = A carton containing 6 packets of Spessman's Smokes. +ent-CigCartonRed = DromedaryCo carton + .desc = A carton containing 6 packets of Dromedarycos. +ent-CigCartonBlue = AcmeCo carton + .desc = A carton containing 6 packets of AcmeCo. +ent-CigCartonBlack = Nomads carton + .desc = A carton containing 6 packets of Nomads. +ent-CigCartonMixed = Dan's soaked smokes + .desc = A carton containg 3 packets of Dan's soaked smokes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/cigarette.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/cigarette.ftl new file mode 100644 index 00000000000..37e9e4ddc1d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/cigarette.ftl @@ -0,0 +1,55 @@ +ent-Cigarette = cigarette + .desc = A roll of tobacco and nicotine. +ent-SoakedCigarette = cigarette + .desc = A roll of tobacco and nicotine soaked in some chemical. + .suffix = Soaked +ent-CigaretteSpent = { ent-Cigarette } + .suffix = spent + .desc = { ent-Cigarette.desc } +ent-CigaretteSyndicate = cigarette + .suffix = syndicate + .desc = { ent-Cigarette.desc } +ent-CigaretteOmnizine = Hot Dog Water Flavor Explosion + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteIron = Rusty Orange Baja Blast + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteTricordrazine = Licorice Allsorts + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteDylovene = Urinal Cake Disolver + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteDermaline = Aloe Peanut Butter Medley + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteArithrazine = Roman Pipe Works + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteIpecac = Grandma's Christmas Fruitcake + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteBicaridine = Wet Dog Enhanced Cigarette + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteDexalin = Rocky Mountain Musk + .desc = { ent-SoakedCigarette.desc } +ent-CigarettePax = Switzerland Express + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteBbqSauce = Spicy Wood Aroma + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteBlackPepper = English Spice + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteCapsaicinOil = Chilly P + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteBread = Double Toasted + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteMilk = Bovine Extract + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteBanana = Clown Adjancency Bonus + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteSpaceDrugs = 80's Power Hour + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteMuteToxin = Mixed Lozenges + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteMold = Beneath The Sink Experience + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteLicoxide = Wake Up Call + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteWeldingFuel = Plasma Sauce + .desc = { ent-SoakedCigarette.desc } +ent-CigaretteTHC = Hippy Romance Novel + .desc = { ent-SoakedCigarette.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/joints.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/joints.ftl new file mode 100644 index 00000000000..457cb530e22 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/joints.ftl @@ -0,0 +1,4 @@ +ent-Joint = joint + .desc = A roll of dried plant matter wrapped in thin paper. +ent-Blunt = blunt + .desc = A roll of dried plant matter wrapped in a dried tobacco leaf. 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 new file mode 100644 index 00000000000..9d05dbb7d6f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/packs.ftl @@ -0,0 +1,23 @@ +ent-CigPackBase = cigarette pack + .desc = { ent-BaseBagOpenClose.desc } +ent-CigPackMixedBase = soaked cigarette pack + .desc = { ent-BaseBagOpenClose.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 + .desc = The most popular brand of Space Cigarettes, sponsors of the Space Olympics. +ent-CigPackBlue = AcmeCo packet + .desc = For those who somehow want to obtain the record for the most amount of cancerous tumors. +ent-CigPackBlack = Nomads packet + .desc = Nomads's extra strong, for when your life is more extra hard. +ent-CigPackSyndicate = Interdyne herbals packet + .desc = Elite cigarettes for elite syndicate agents. Infused with medicine for when you need to do more than calm your nerves. +ent-CigPackMixedMedical = Dan's soaked smokes + .desc = Dan worked with NT chemistry to dispose of excess chemicals, ENJOY. + .suffix = Medical +ent-CigPackMixed = Dan's soaked smokes + .desc = Dan worked with NT chemistry to dispose of excess chemicals, ENJOY. + .suffix = Mixed +ent-CigPackMixedNasty = Dan's soaked smokes + .desc = Dan worked with NT chemistry to dispose of excess chemicals, ENJOY. + .suffix = Nasty diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/rolling_paper.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/rolling_paper.ftl new file mode 100644 index 00000000000..0248d67724b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigarettes/rolling_paper.ftl @@ -0,0 +1,16 @@ +ent-PackPaperRolling = pack of rolling paper + .desc = A pack of thin pieces of paper used to make fine smokeables. +ent-PackPaperRollingFilters = pack of rolling paper with filters + .desc = A pack of filters and thin pieces of paper used to make fine smokeables. +ent-PaperRolling = rolling paper + .desc = A thin piece of paper used to make fine smokeables. + .suffix = Full +ent-PaperRolling1 = { ent-PaperRolling } + .suffix = Single + .desc = { ent-PaperRolling.desc } +ent-CigaretteFilter = cigarette filter + .desc = A strip of firm paper used as a filter for handmade cigarettes. + .suffix = Full +ent-CigaretteFilter1 = { ent-CigaretteFilter } + .suffix = Single + .desc = { ent-CigaretteFilter.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigars/case.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigars/case.ftl new file mode 100644 index 00000000000..79a66920f3d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigars/case.ftl @@ -0,0 +1,4 @@ +ent-CigarCase = cigar case + .desc = A case for holding your cigars when you are not smoking them. +ent-CigarGoldCase = premium cigar case + .desc = A case of premium Havanian cigars. You'll only see heads with these. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigars/cigar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigars/cigar.ftl new file mode 100644 index 00000000000..86478f0467a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/cigars/cigar.ftl @@ -0,0 +1,10 @@ +ent-Cigar = cigar + .desc = A brown roll of tobacco and... well, you're not quite sure. +ent-CigarSpent = { ent-Cigar } + .suffix = spent + .desc = { ent-Cigar.desc } +ent-CigarGold = premium Havanian cigar + .desc = A cigar fit for only the best of the best. +ent-CigarGoldSpent = { ent-CigarGold } + .suffix = spent + .desc = { ent-CigarGold.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/pipes/pipe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/pipes/pipe.ftl new file mode 100644 index 00000000000..9e3977c4c33 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/pipes/pipe.ftl @@ -0,0 +1,8 @@ +ent-SmokingPipe = pipe + .desc = Just like grandpappy used to smoke. +ent-SmokingPipeFilledTobacco = pipe + .desc = Just like grandpappy used to smoke. + .suffix = Tobacco +ent-SmokingPipeFilledCannabis = pipe + .desc = Just like grandpappy used to smoke. + .suffix = Cannabis diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/vapes/vape.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/vapes/vape.ftl new file mode 100644 index 00000000000..8c43ce635d1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/consumable/smokeables/vapes/vape.ftl @@ -0,0 +1,2 @@ +ent-Vape = vape + .desc = Like a cigar, but for tough teens. (WARNING:Pour only water into the vape) diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/ashtray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/ashtray.ftl new file mode 100644 index 00000000000..9046e595ef7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/ashtray.ftl @@ -0,0 +1,2 @@ +ent-Ashtray = ashtray + .desc = Proven by scientists to improve the smoking experience by 37%! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/containers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/containers.ftl new file mode 100644 index 00000000000..1b05f3bdfe3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/containers.ftl @@ -0,0 +1,28 @@ +ent-BaseShippingContainer = { "" } + .desc = { "" } +ent-ShippingContainerBlank = shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is blank, offering no clue as to its contents. +ent-ShippingContainerConarex = Conarex Aeronautics shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Conarex Aeronautics, and is probably carrying spacecraft parts (or a bribery scandal) as a result. +ent-ShippingContainerDeforest = DeForest Medical Corp. shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from DeForest, and so is probably carrying medical supplies. +ent-ShippingContainerKahraman = Kahraman Heavy Industry shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Kahraman, and is reinforced for carrying ore. +ent-ShippingContainerKosmologistika = Kosmologistika shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Kosmologistika, the logistics company owned and operated by the SSC. +ent-ShippingContainerInterdyne = Interdyne shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Interdyne, a private pharmaceutical company. Probably carrying medical or research supplies, probably. +ent-ShippingContainerNakamura = Nakamura Engineering shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Nakamura, presumably for transporting tools or heavy industrial equipment. +ent-ShippingContainerNanotrasen = Nanotrasen shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one prominently features Nanotrasen's logo, and so presumably could be carrying anything. +ent-ShippingContainerVitezstvi = Vítězství Arms shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Vítězství Arms, proudly proclaiming that Vítězství weapons mean victory. +ent-ShippingContainerCybersun = Cybersun Industries shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one prominently features Cybersun's logo, and so presumably could be carrying almost anything. +ent-ShippingContainerDonkCo = Donk Co. shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Donk Co. and so could be carrying just about anything- although it's probably Donk Pockets. +ent-ShippingContainerGorlex = Gorlex Securities shipping container + .desc = A standard-measure shipping container for bulk transport of goods. This one is from Gorlex Securities, and is probably carrying their primary export - war crimes. +ent-ShippingContainerGorlexRed = { ent-ShippingContainerGorlex } + .desc = { ent-ShippingContainerGorlex.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/flora.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/flora.ftl new file mode 100644 index 00000000000..cb2fa851860 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/flora.ftl @@ -0,0 +1,103 @@ +ent-BaseRock = boulder + .desc = Heavy as a really heavy thing. +ent-BaseTree = { "" } + .desc = Yep, it's a tree. +ent-BaseTreeSnow = { ent-BaseTree } + .desc = { ent-BaseTree.desc } +ent-BaseTreeLarge = { ent-BaseTree } + .desc = { ent-BaseTree.desc } +ent-BaseTreeConifer = { ent-BaseTree } + .desc = { ent-BaseTree.desc } +ent-FloraRockSolid01 = { ent-BaseRock } + .desc = { ent-BaseRock.desc } +ent-FloraRockSolid02 = { ent-BaseRock } + .desc = { ent-BaseRock.desc } +ent-FloraRockSolid03 = { ent-BaseRock } + .desc = { ent-BaseRock.desc } +ent-FloraStalagmite1 = stalagmite + .desc = Natural stone spikes. +ent-FloraStalagmite2 = { ent-FloraStalagmite1 } + .desc = { ent-FloraStalagmite1.desc } +ent-FloraStalagmite3 = { ent-FloraStalagmite1 } + .desc = { ent-FloraStalagmite1.desc } +ent-FloraStalagmite4 = { ent-FloraStalagmite1 } + .desc = { ent-FloraStalagmite1.desc } +ent-FloraStalagmite5 = { ent-FloraStalagmite1 } + .desc = { ent-FloraStalagmite1.desc } +ent-FloraStalagmite6 = { ent-FloraStalagmite1 } + .desc = { ent-FloraStalagmite1.desc } +ent-FloraTree01 = tree + .desc = { ent-BaseTree.desc } +ent-FloraTree02 = tree + .desc = { ent-BaseTree.desc } +ent-FloraTree03 = tree + .desc = { ent-BaseTree.desc } +ent-FloraTree04 = tree + .desc = { ent-BaseTree.desc } +ent-FloraTree05 = tree + .desc = { ent-BaseTree.desc } +ent-FloraTree06 = tree + .desc = { ent-BaseTree.desc } +ent-FloraTreeSnow01 = snowy tree + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeSnow02 = snowy tree + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeSnow03 = snowy tree + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeSnow04 = snowy tree + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeSnow05 = snowy tree + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeSnow06 = snowy tree + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeStump = tree stump + .desc = { ent-BaseTreeSnow.desc } +ent-FloraTreeLarge01 = large tree + .desc = { ent-BaseTreeLarge.desc } +ent-FloraTreeLarge02 = large tree + .desc = { ent-BaseTreeLarge.desc } +ent-FloraTreeLarge03 = large tree + .desc = { ent-BaseTreeLarge.desc } +ent-FloraTreeLarge04 = large tree + .desc = { ent-BaseTreeLarge.desc } +ent-FloraTreeLarge05 = large tree + .desc = { ent-BaseTreeLarge.desc } +ent-FloraTreeLarge06 = large tree + .desc = { ent-BaseTreeLarge.desc } +ent-FloraTreeConifer01 = snowy conifer + .desc = { ent-BaseTreeConifer.desc } +ent-FloraTreeConifer02 = snowy conifer + .desc = { ent-BaseTreeConifer.desc } +ent-FloraTreeConifer03 = snowy conifer + .desc = { ent-BaseTreeConifer.desc } +ent-FloraTreeChristmas01 = christmas tree + .desc = { ent-BaseTreeConifer.desc } +ent-FloraTreeChristmas02 = christmas tree + .suffix = PresentsGiver + .desc = { ent-BaseTreeConifer.desc } +ent-FloraTreeStumpConifer = tree stump + .desc = { ent-BaseTreeConifer.desc } +ent-ShadowTree01 = dark wood + .desc = The leaves are whispering about you. +ent-ShadowTree02 = { ent-ShadowTree01 } + .desc = { ent-ShadowTree01.desc } +ent-ShadowTree03 = { ent-ShadowTree01 } + .desc = { ent-ShadowTree01.desc } +ent-ShadowTree04 = { ent-ShadowTree01 } + .desc = { ent-ShadowTree01.desc } +ent-ShadowTree05 = { ent-ShadowTree01 } + .desc = { ent-ShadowTree01.desc } +ent-ShadowTree06 = { ent-ShadowTree01 } + .desc = { ent-ShadowTree01.desc } +ent-LightTree01 = glowing tree + .desc = a marvelous tree filled with strange energy. +ent-LightTree02 = { ent-LightTree01 } + .desc = { ent-LightTree01.desc } +ent-LightTree03 = { ent-LightTree01 } + .desc = { ent-LightTree01.desc } +ent-LightTree04 = { ent-LightTree01 } + .desc = { ent-LightTree01.desc } +ent-LightTree05 = { ent-LightTree01 } + .desc = { ent-LightTree01.desc } +ent-LightTree06 = { ent-LightTree01 } + .desc = { ent-LightTree01.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/jackolantern.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/jackolantern.ftl new file mode 100644 index 00000000000..7bf5e33fc01 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/jackolantern.ftl @@ -0,0 +1,16 @@ +ent-CarvedPumpkin = carved pumpkin + .desc = A traditional spooky decoration. +ent-PumpkinLantern = jack o' lantern + .desc = A carved pumpkin, emitting an eerie glow. +ent-CarvedPumpkinSmall = { ent-CarvedPumpkin } + .suffix = Small + .desc = { ent-CarvedPumpkin.desc } +ent-CarvedPumpkinLarge = { ent-CarvedPumpkin } + .suffix = Large + .desc = { ent-CarvedPumpkin.desc } +ent-PumpkinLanternSmall = { ent-PumpkinLantern } + .suffix = Small + .desc = { ent-PumpkinLantern.desc } +ent-PumpkinLanternLarge = { ent-PumpkinLantern } + .suffix = Large + .desc = { ent-PumpkinLantern.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/lidsalami.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/lidsalami.ftl new file mode 100644 index 00000000000..4bc78b3cde1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/lidsalami.ftl @@ -0,0 +1,2 @@ +ent-LidSalami = salami lid + .desc = Ain't gon' fit, won't fit. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/mining.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/mining.ftl new file mode 100644 index 00000000000..1b9293b6d43 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/mining.ftl @@ -0,0 +1,12 @@ +ent-WoodenSign = wooden sign + .desc = He's pointing somewhere. +ent-WoodenSignRight = { ent-WoodenSign } + .desc = { ent-WoodenSign.desc } +ent-WoodenSupport = wooden support + .desc = Increases your confidence that a rock won't fall on your head. +ent-WoodenSupportBeam = wooden support beam + .desc = { ent-WoodenSupport.desc } +ent-WoodenSupportWall = wooden support wall + .desc = An old, rotten wall. +ent-WoodenSupportWallBroken = { ent-WoodenSupportWall } + .desc = { ent-WoodenSupportWall.desc } 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 new file mode 100644 index 00000000000..c4b4a2183b3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/decoration/present.ftl @@ -0,0 +1,22 @@ +ent-PresentBase = present + .desc = A little box with incredible surprises inside. +ent-Present = { ent-BaseStorageItem } + .suffix = Empty + .desc = { ent-BaseStorageItem.desc } +ent-PresentRandomUnsafe = { ent-BaseItem } + .suffix = Filled, any item + .desc = { ent-PresentBase.desc } +ent-PresentRandomInsane = { ent-PresentRandomUnsafe } + .suffix = Filled, any entity + .desc = { ent-PresentRandomUnsafe.desc } +ent-PresentRandom = { ent-PresentBase } + .suffix = Filled Safe + .desc = { ent-PresentBase.desc } +ent-PresentRandomAsh = { ent-PresentBase } + .suffix = Filled Ash + .desc = { ent-PresentBase.desc } +ent-PresentRandomCash = { ent-PresentBase } + .suffix = Filled Cash + .desc = { ent-PresentBase.desc } +ent-PresentTrash = Wrapping Paper + .desc = Carefully folded, taped, and tied with a bow. Then ceremoniously ripped apart and tossed on the floor. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/cartridges.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/cartridges.ftl new file mode 100644 index 00000000000..fcd161e0ac7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/cartridges.ftl @@ -0,0 +1,10 @@ +ent-NotekeeperCartridge = notekeeper cartridge + .desc = A program for keeping notes +ent-NewsReadCartridge = news cartridge + .desc = A program for reading news +ent-CrewManifestCartridge = crew manifest cartridge + .desc = A program for listing your fellow crewmembers +ent-NetProbeCartridge = NetProbe cartridge + .desc = A program for getting the address and frequency of network devices +ent-LogProbeCartridge = LogProbe cartridge + .desc = A program for getting access logs from devices 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 new file mode 100644 index 00000000000..5bab4e505d3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/computer.ftl @@ -0,0 +1,72 @@ +ent-BaseComputerCircuitboard = computer board + .desc = { ent-BaseItem.desc } +ent-AlertsComputerCircuitboard = alerts computer board + .desc = A computer printed circuit board for an alerts computer. +ent-PowerComputerCircuitboard = power monitoring computer board + .desc = A computer printed circuit board for a power monitoring computer. +ent-MedicalRecordsComputerCircuitboard = medical records computer board + .desc = A computer printed circuit board for a medical records computer. +ent-CriminalRecordsComputerCircuitboard = criminal records computer board + .desc = A computer printed circuit board for a criminal records computer. +ent-StationRecordsComputerCircuitboard = station records computer board + .desc = A computer printed circuit board for a station records computer. +ent-CargoRequestComputerCircuitboard = cargo request computer board + .desc = A computer printed circuit board for a cargo request computer. +ent-CargoBountyComputerCircuitboard = cargo bounty computer board + .desc = A computer printed circuit board for a cargo bounty computer. +ent-CargoShuttleComputerCircuitboard = cargo shuttle computer board + .desc = A computer printed circuit board for a cargo shuttle computer. +ent-SalvageExpeditionsComputerCircuitboard = salvage expeditions computer board + .desc = A computer printed circuit board for a salvage expeditions computer. +ent-CargoShuttleConsoleCircuitboard = cargo shuttle console board + .desc = A computer printed circuit board for a cargo shuttle console. +ent-SalvageShuttleConsoleCircuitboard = salvage shuttle console board + .desc = A computer printed circuit board for a salvage shuttle console. +ent-SurveillanceCameraMonitorCircuitboard = surveillance camera monitor board + .desc = A computer printed circuit board for a surveillance camera monitor. +ent-SurveillanceWirelessCameraMonitorCircuitboard = surveillance wireless camera monitor board + .desc = A computer printed circuit board for a surveillance wireless camera monitor. +ent-ComputerTelevisionCircuitboard = television board + .desc = A computer printed circuit board for a television. +ent-ResearchComputerCircuitboard = R&D computer board + .desc = A computer printed circuit board for a R&D console. +ent-AnalysisComputerCircuitboard = analysis computer board + .desc = A computer printed circuit board for an analysis console. +ent-TechDiskComputerCircuitboard = tech disk terminal board + .desc = A computer printed circuit board for a technology disk terminal. +ent-CrewMonitoringComputerCircuitboard = crew monitoring computer board + .desc = A computer printed circuit board for a crew monitoring console. +ent-IDComputerCircuitboard = ID card computer board + .desc = A computer printed circuit board for an ID card console. +ent-BodyScannerComputerCircuitboard = body scanner computer board + .desc = A computer printed circuit board for a body scanner console. +ent-CommsComputerCircuitboard = communications computer board + .desc = A computer printed circuit board for a communications console. +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-SolarControlComputerCircuitboard = solar control computer board + .desc = A computer printed circuit board for a solar control console. +ent-SpaceVillainArcadeComputerCircuitboard = space villain arcade board + .desc = A computer printed circuit board for a space villain arcade cabinet. +ent-BlockGameArcadeComputerCircuitboard = block game arcade board + .desc = A computer printed circuit board for a block game arcade cabinet. +ent-ParticleAcceleratorComputerCircuitboard = PA control box computer board + .desc = A computer printed circuit board for a particle accelerator control box. +ent-ShuttleConsoleCircuitboard = shuttle console board + .desc = A computer printed circuit board for a shuttle console. +ent-SyndicateShuttleConsoleCircuitboard = syndicate shuttle console board + .desc = A computer printed circuit board for a syndicate shuttle console. +ent-CloningConsoleComputerCircuitboard = cloning console computer board + .desc = A computer printed circuit board for a cloning console. +ent-ComputerIFFCircuitboard = IFF console board + .desc = Allows you to control the IFF characteristics of this vessel. +ent-ComputerIFFSyndicateCircuitboard = syndicate IFF console board + .desc = Allows you to control the IFF and stealth characteristics of this vessel. +ent-ShipyardComputerCircuitboard = shipyard computer board + .desc = A computer printed circuit board for a shipyard computer. +ent-ComputerMassMediaCircuitboard = mass-media console board + .desc = Write your message to the world! +ent-SensorConsoleCircuitboard = sensor monitoring console board + .desc = A computer printed circuit board for a sensor monitoring console. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/base_machineboard.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/base_machineboard.ftl new file mode 100644 index 00000000000..12966671b07 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/base_machineboard.ftl @@ -0,0 +1,3 @@ +ent-BaseMachineCircuitboard = machine board + .suffix = Machine Board + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/particle_accelerator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/particle_accelerator.ftl new file mode 100644 index 00000000000..4b73b43a3a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/particle_accelerator.ftl @@ -0,0 +1,12 @@ +ent-MachineParticleAcceleratorEndCapCircuitboard = PA end cap board + .desc = A machine board for a particle accelerator end cap +ent-MachineParticleAcceleratorFuelChamberCircuitboard = PA fuel chamber board + .desc = A machine board for a particle accelerator fuel chamber +ent-MachineParticleAcceleratorPowerBoxCircuitboard = PA power box board + .desc = A machine board for a particle accelerator power box +ent-MachineParticleAcceleratorEmitterStarboardCircuitboard = PA starboard emitter board + .desc = A machine board for a particle accelerator left emitter +ent-MachineParticleAcceleratorEmitterForeCircuitboard = PA fore emitter board + .desc = A machine board for a particle accelerator center emitter +ent-MachineParticleAcceleratorEmitterPortCircuitboard = PA port emitter board + .desc = A machine board for a particle accelerator right emitter diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/production.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/production.ftl new file mode 100644 index 00000000000..29c8892a2b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/machine/production.ftl @@ -0,0 +1,160 @@ +ent-AutolatheMachineCircuitboard = autolathe machine board + .desc = A machine printed circuit board for an autolathe +ent-AutolatheHyperConvectionMachineCircuitboard = hyper convection autolathe machine board + .desc = A machine printed circuit board for a hyper convection autolathe +ent-ProtolatheMachineCircuitboard = protolathe machine board + .desc = A machine printed circuit board for a protolathe. +ent-ProtolatheHyperConvectionMachineCircuitboard = hyper convection protolathe machine board + .desc = A machine printed circuit board for a hyper convection protolathe. +ent-BiofabricatorMachineCircuitboard = biofabricator machine board + .desc = A machine printed circuit board for a biofabricator. +ent-SecurityTechFabCircuitboard = security techfab machine board + .desc = A machine printed circuit board for a security techfab. +ent-AmmoTechFabCircuitboard = ammo techfab circuit board + .desc = A machine printed circuit board for an ammo techfab +ent-MedicalTechFabCircuitboard = medical techfab machine board + .desc = A machine printed circuit board for a medical techfab. +ent-CircuitImprinterMachineCircuitboard = circuit imprinter machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ExosuitFabricatorMachineCircuitboard = exosuit fabricator machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ResearchAndDevelopmentServerMachineCircuitboard = R&D server machine board + .desc = A machine printed circuit board for the R&D server. +ent-UniformPrinterMachineCircuitboard = uniform printer machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-VaccinatorMachineCircuitboard = vaccinator machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-DiagnoserMachineCircuitboard = diagnoser machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ArtifactAnalyzerMachineCircuitboard = artifact analyzer machine board + .desc = A machine printed circuit board for an artifact analyzer. +ent-TraversalDistorterMachineCircuitboard = traversal distorter machine board + .desc = A machine printed circuit board for a traversal distorter. +ent-ArtifactCrusherMachineCircuitboard = artifact crusher machine board + .desc = A machine printed circuit board for an artifact crusher. +ent-AnomalyVesselCircuitboard = anomaly vessel machine board + .desc = A machine printed circuit board for an anomaly vessel. +ent-AnomalyVesselExperimentalCircuitboard = experimental anomaly vessel machine board + .desc = A machine printed circuit board for an experimental anomaly vessel. +ent-AnomalySynchronizerCircuitboard = anomaly synchronizer machine board + .desc = A machine printed circuit board for an anomaly synchronizer. +ent-APECircuitboard = A.P.E. machine board + .desc = A machine printed circuit board for an A.P.E. +ent-ThermomachineFreezerMachineCircuitBoard = freezer thermomachine machine board + .desc = Looks like you could use a screwdriver to change the board type. +ent-ThermomachineHeaterMachineCircuitBoard = heater thermomachine machine board + .desc = Looks like you could use a screwdriver to change the board type. +ent-HellfireFreezerMachineCircuitBoard = hellfire freezer machine board + .desc = Looks like you could use a screwdriver to change the board type. +ent-HellfireHeaterMachineCircuitBoard = hellfire heater machine board + .desc = Looks like you could use a screwdriver to change the board type. +ent-CondenserMachineCircuitBoard = condenser machine board + .desc = A machine printed circuit board for a condenser. +ent-PortableScrubberMachineCircuitBoard = portable scrubber machine board + .desc = A PCB for a portable scrubber. +ent-CloningPodMachineCircuitboard = cloning pod machine board + .desc = A machine printed circuit board for a cloning pod. +ent-MedicalScannerMachineCircuitboard = medical scanner machine board + .desc = A machine printed circuit board for a medical scanner. +ent-CrewMonitoringServerMachineCircuitboard = crew monitoring server machine board + .desc = A machine printed circuit board for a crew monitoring server. +ent-CryoPodMachineCircuitboard = cryo pod machine board + .desc = A machine printed circuit board for a cryo pod. +ent-ChemMasterMachineCircuitboard = ChemMaster 4000 machine board + .desc = A machine printed circuit board for a ChemMaster 4000. +ent-ChemDispenserMachineCircuitboard = chem dispenser machine board + .desc = A machine printed circuit board for a chem dispenser. +ent-BiomassReclaimerMachineCircuitboard = biomass reclaimer machine board + .desc = A machine printed circuit board for a biomass reclaimer. +ent-HydroponicsTrayMachineCircuitboard = hydroponics tray machine board + .desc = A machine printed circuit board for a hydroponics tray. +ent-SeedExtractorMachineCircuitboard = seed extractor machine board + .desc = A machine printed circuit board for a seed extractor. +ent-SMESMachineCircuitboard = SMES machine board + .desc = A machine printed circuit board for a SMES. +ent-CellRechargerCircuitboard = cell recharger machine board + .desc = A machine printed circuit board for a cell recharger. +ent-PowerCageRechargerCircuitboard = cage recharger machine board + .desc = A machine printed circuit board for a energy cage recharger. +ent-BorgChargerCircuitboard = cyborg recharging station machine board + .desc = A machine printed circuit board for a robot recharging station. +ent-WeaponCapacitorRechargerCircuitboard = recharger machine board + .desc = A machine printed circuit board for a recharger. +ent-TurboItemRechargerCircuitboard = turbo recharger machine board + .desc = A machine printed circuit board for a turbo recharger. +ent-SubstationMachineCircuitboard = substation machine board + .desc = A machine printed circuit board for a substation. +ent-DawInstrumentMachineCircuitboard = digital audio workstation machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-PortableGeneratorPacmanMachineCircuitboard = P.A.C.M.A.N.-type portable generator machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ThrusterMachineCircuitboard = thruster machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-GyroscopeMachineCircuitboard = gyroscope machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-PortableGeneratorSuperPacmanMachineCircuitboard = S.U.P.E.R.P.A.C.M.A.N.-type portable generator machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-PortableGeneratorJrPacmanMachineCircuitboard = J.R.P.A.C.M.A.N.-type portable generator machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ReagentGrinderMachineCircuitboard = reagent grinder machine board + .desc = A machine printed circuit board for a reagent grinder. +ent-HotplateMachineCircuitboard = hotplate machine board + .desc = A machine printed circuit board for a hotplate. +ent-ElectricGrillMachineCircuitboard = electric grill machine board + .desc = A machine printed circuit board for an electric grill. +ent-StasisBedMachineCircuitboard = stasis bed machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-ElectrolysisUnitMachineCircuitboard = electrolysis unit machine board + .desc = A machine printed circuit board for an electrolysis unit. +ent-CentrifugeMachineCircuitboard = centrifuge machine board + .desc = A machine printed circuit board for a centrifuge. +ent-MaterialReclaimerMachineCircuitboard = material reclaimer machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-OreProcessorMachineCircuitboard = ore processor machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-OreProcessorIndustrialMachineCircuitboard = industrial ore processor machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-SheetifierMachineCircuitboard = sheet-meister 2000 machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-MicrowaveMachineCircuitboard = microwave machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-FatExtractorMachineCircuitboard = lipid extractor machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-FlatpackerMachineCircuitboard = Flatpacker 1001 machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-EmitterCircuitboard = emitter machine board + .desc = { ent-BaseMachineCircuitboard.desc } +ent-SurveillanceCameraRouterCircuitboard = surveillance camera router board + .desc = A machine printed circuit board for a surveillance camera router. +ent-SurveillanceCameraWirelessRouterCircuitboard = surveillance camera wireless router board + .desc = A machine printed circuit board for a surveillance camera wireless router. +ent-SurveillanceWirelessCameraMovableCircuitboard = movable wireless camera board + .desc = A machine printed circuit board for a movable wireless camera. +ent-SurveillanceWirelessCameraAnchoredCircuitboard = wireless camera board + .desc = A machine printed circuit board for a wireless camera. +ent-GasRecyclerMachineCircuitboard = gas recycler board + .desc = A printed circuit board for a gas recycler. +ent-BoozeDispenserMachineCircuitboard = booze dispenser machine board + .desc = A machine printed circuit board for a booze dispenser. +ent-CargoTelepadMachineCircuitboard = cargo telepad machine board + .desc = A machine printed circuit board for a cargo telepad. +ent-SodaDispenserMachineCircuitboard = soda dispenser machine board + .desc = A machine printed circuit board for a soda dispenser. +ent-TelecomServerCircuitboard = telecommunication server machine board + .desc = A machine printed circuit board for an telecommunication server. +ent-SalvageMagnetMachineCircuitboard = salvage magnet machine board + .desc = A machine printed circuit board for a salvage magnet. +ent-MiniGravityGeneratorCircuitboard = mini gravity generator machine board + .desc = A machine printed circuit board for a mini gravity generator. +ent-ShuttleGunSvalinnMachineGunCircuitboard = LSE-400c "Svalinn machine gun" machine board + .desc = A machine printed circuit board for an LSE-400c "Svalinn machine gun" +ent-ShuttleGunPerforatorCircuitboard = LSE-1200c "Perforator" machine board + .desc = A machine printed circuit board for an LSE-1200c "Perforator" +ent-ShuttleGunFriendshipCircuitboard = EXP-320g "Friendship" machine board + .desc = A machine printed circuit board for an EXP-320g "Friendship" +ent-ShuttleGunDusterCircuitboard = EXP-2100g "Duster" machine board + .desc = A machine printed circuit board for an EXP-2100g "Duster" +ent-ShuttleGunKineticCircuitboard = PTK-800 "Matter Dematerializer" machine board + .desc = A machine printed circuit board for an PTK-800 "Matter Dematerializer" +ent-M_EmpMachineCircuitboard = M_EMP Generator machine board + .desc = A machine printed circuit board for a mobile EMP generator. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/misc.ftl new file mode 100644 index 00000000000..31e149dfa38 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/circuitboards/misc.ftl @@ -0,0 +1,2 @@ +ent-StationMapCircuitboard = station map electronics + .desc = An electronics board used in station maps. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/door_remote.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/door_remote.ftl new file mode 100644 index 00000000000..115883b80f5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/door_remote.ftl @@ -0,0 +1,23 @@ +ent-DoorRemoteDefault = door remote + .desc = A gadget which can open and bolt doors remotely. +ent-DoorRemoteCommand = command door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteSecurity = security door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteArmory = armory door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteService = service door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteResearch = research door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteCargo = cargo door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteMedical = medical door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteEngineering = engineering door remote + .desc = { ent-DoorRemoteDefault.desc } +ent-DoorRemoteFirefight = fire-fighting door remote + .desc = A gadget which can open and bolt FireDoors remotely. +ent-DoorRemoteAll = super door remote + .suffix = Admeme + .desc = { ent-DoorRemoteDefault.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/apc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/apc.ftl new file mode 100644 index 00000000000..bf7ce0b6167 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/apc.ftl @@ -0,0 +1,3 @@ +ent-APCElectronics = APC electronics + .desc = An electronics board used in APC construction. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/atmos_alarms.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/atmos_alarms.ftl new file mode 100644 index 00000000000..077d22d5bbc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/atmos_alarms.ftl @@ -0,0 +1,4 @@ +ent-AirAlarmElectronics = air alarm electronics + .desc = An electronics board used in air alarms +ent-FireAlarmElectronics = fire alarm electronics + .desc = An electronics board used in fire alarms diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/base_electronics.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/base_electronics.ftl new file mode 100644 index 00000000000..187acfe078d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/base_electronics.ftl @@ -0,0 +1,3 @@ +ent-BaseElectronics = base electronics + .suffix = Electronics + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/disposal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/disposal.ftl new file mode 100644 index 00000000000..cbe30f42fdf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/disposal.ftl @@ -0,0 +1,2 @@ +ent-MailingUnitElectronics = mailing unit electronics + .desc = An electronics board used in mailing units diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/door.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/door.ftl new file mode 100644 index 00000000000..ba3bc749e19 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/door.ftl @@ -0,0 +1,2 @@ +ent-DoorElectronics = door electronics + .desc = An electronics board used in doors and airlocks diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/firelock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/firelock.ftl new file mode 100644 index 00000000000..f6b0936c274 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/firelock.ftl @@ -0,0 +1,2 @@ +ent-FirelockElectronics = firelock electronics + .desc = An electronics board used to detect differences in pressure, temperature and gas concentrations between the two sides of the door. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/igniter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/igniter.ftl new file mode 100644 index 00000000000..95fe48f0286 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/igniter.ftl @@ -0,0 +1,2 @@ +ent-Igniter = igniter + .desc = Creates a spark when activated by a signal. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/intercom.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/intercom.ftl new file mode 100644 index 00000000000..aaf7e658927 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/intercom.ftl @@ -0,0 +1,2 @@ +ent-IntercomElectronics = intercom electronics + .desc = An electronics board used in intercoms diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/mech.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/mech.ftl new file mode 100644 index 00000000000..9c4cb69773b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/mech.ftl @@ -0,0 +1,14 @@ +ent-RipleyCentralElectronics = ripley central control module + .desc = The electrical control center for the ripley mech. +ent-RipleyPeripheralsElectronics = ripley peripherals control module + .desc = The electrical peripherals control for the ripley mech. +ent-HonkerCentralElectronics = H.O.N.K. central control module + .desc = The electrical control center for the H.O.N.K. mech. +ent-HonkerPeripheralsElectronics = H.O.N.K. peripherals control module + .desc = The electrical peripherals control for the H.O.N.K. mech. +ent-HonkerTargetingElectronics = H.O.N.K. weapon control and targeting module + .desc = The electrical targeting control for the H.O.N.K. mech. +ent-HamtrCentralElectronics = HAMTR central control module + .desc = The electrical control center for the HAMTR mech. +ent-HamtrPeripheralsElectronics = HAMTR peripherals control module + .desc = The electrical peripherals control for the HAMTR mech. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/power_electronics.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/power_electronics.ftl new file mode 100644 index 00000000000..f010958adb2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/power_electronics.ftl @@ -0,0 +1,10 @@ +ent-APCElectronics = APC electronics + .desc = Circuit used in APC construction. +ent-WallmountSubstationElectronics = wallmount substation electronics + .desc = Circuit used to construct a wallmount substation. +ent-WallmountGeneratorElectronics = wallmount generator electronics + .desc = Circuit used to construct a wallmount generator. +ent-WallmountGeneratorAPUElectronics = wallmount APU electronics + .desc = Circuit used to construct a wallmount APU. +ent-SolarTrackerElectronics = solar tracker electronics + .desc = Advanced circuit board used to detect differences in pressure, temperature and gas concentrations between the two sides of the door. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/signaller.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/signaller.ftl new file mode 100644 index 00000000000..261bbd87d16 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/signaller.ftl @@ -0,0 +1,4 @@ +ent-RemoteSignaller = remote signaller + .desc = A handheld device used for remotely sending signals to objects within a small radius of about 15 meters. +ent-RemoteSignallerAdvanced = advanced remote signaller + .desc = A handheld device used for remotely sending signals to objects within a small radius of about 50 meters. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/solar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/solar.ftl new file mode 100644 index 00000000000..5a530e91694 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/solar.ftl @@ -0,0 +1,3 @@ +ent-SolarTrackerElectronics = solar tracker electronics + .desc = An electronics board used in solar tracker devices + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/timer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/timer.ftl new file mode 100644 index 00000000000..f1b8b8c6cdc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/timer.ftl @@ -0,0 +1,6 @@ +ent-SignalTimerElectronics = signal timer electronics + .desc = An electronics board used in timer circuitry. Looks like you could use a screwdriver to change the board type. +ent-ScreenTimerElectronics = screen timer electronics + .desc = { ent-SignalTimerElectronics.desc } +ent-BrigTimerElectronics = brig timer electronics + .desc = { ent-SignalTimerElectronics.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/triggers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/triggers.ftl new file mode 100644 index 00000000000..519d8794587 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/electronics/triggers.ftl @@ -0,0 +1,6 @@ +ent-TimerTrigger = timer trigger + .desc = A configurable timer. +ent-SignalTrigger = signal trigger + .desc = Adds a machine link that is triggered by signals. +ent-VoiceTrigger = voice trigger + .desc = Adds a machine link that is triggered by vocal keywords diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/encryption_keys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/encryption_keys.ftl new file mode 100644 index 00000000000..8dfee72247c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/encryption_keys.ftl @@ -0,0 +1,44 @@ +ent-EncryptionKey = encryption key + .desc = A small cypher chip for headsets. +ent-EncryptionKeyCommon = common encryption key + .desc = An encryption key used by anyone. +ent-EncryptionKeyCargo = cargo encryption key + .desc = An encryption key used by supply employees. + .suffix = DO NOT MAP +ent-EncryptionKeyCentCom = central command encryption key + .desc = An encryption key used by captain's bosses. + .suffix = DO NOT MAP +ent-EncryptionKeyStationMaster = station master encryption key + .desc = An encryption key used by station's bosses. + .suffix = DO NOT MAP +ent-EncryptionKeyCommand = command encryption key + .desc = An encryption key used by crew's bosses. + .suffix = DO NOT MAP +ent-EncryptionKeyEngineering = engineering encryption key + .desc = An encryption key used by the engineers. + .suffix = DO NOT MAP +ent-EncryptionKeyMedical = medical encryption key + .desc = An encryption key used by those who save lives. +ent-EncryptionKeyMedicalScience = med-sci encryption key + .desc = An encryption key used by someone who hasn't decided which side to take. + .suffix = DO NOT MAP +ent-EncryptionKeyScience = science encryption key + .desc = An encryption key used by scientists. Maybe it is plasmaproof? + .suffix = DO NOT MAP +ent-EncryptionKeyRobo = robotech encryption key + .desc = An encryption key used by robototech engineers. Maybe it has a LAH-6000 on it? + .suffix = DO NOT MAP +ent-EncryptionKeySecurity = nfsd encryption key + .desc = An encryption key used by the New Frontier Sheriff's Department. + .suffix = DO NOT MAP +ent-EncryptionKeyService = service encryption key + .desc = An encryption key used by the service staff, tasked with keeping the station full, happy and clean. + .suffix = DO NOT MAP +ent-EncryptionKeySyndie = blood-red encryption key + .desc = An encryption key used by... wait... Who is owner of this chip? + .suffix = DO NOT MAP +ent-EncryptionKeyBinary = binary translator key + .desc = An encryption key that translates binary signals used by silicons. + .suffix = DO NOT MAP +ent-EncryptionKeyFreelance = freelancer encryption key + .desc = An encryption key used by freelancers, who may or may not have an affiliation. It looks like its worn out. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/flatpack.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/flatpack.ftl new file mode 100644 index 00000000000..ccb89ad85c8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/flatpack.ftl @@ -0,0 +1,6 @@ +ent-BaseFlatpack = base flatpack + .desc = A flatpack used for constructing something. +ent-SolarAssemblyFlatpack = solar assembly flatpack + .desc = A flatpack used for constructing a solar assembly. +ent-AmePartFlatpack = AME flatpack + .desc = A flatpack used for constructing an antimatter engine reactor. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/forensic_scanner.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/forensic_scanner.ftl new file mode 100644 index 00000000000..a73c2166d68 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/forensic_scanner.ftl @@ -0,0 +1,4 @@ +ent-ForensicScanner = forensic scanner + .desc = A handheld device that can scan objects for fingerprints and fibers. +ent-ForensicReportPaper = forensic scanner report + .desc = Circumstantial evidence, at best diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/geiger.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/geiger.ftl new file mode 100644 index 00000000000..f4b1b22dc53 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/geiger.ftl @@ -0,0 +1,2 @@ +ent-GeigerCounter = Geiger counter + .desc = A handheld device used for detecting and measuring radiation pulses. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/hand_teleporter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/hand_teleporter.ftl new file mode 100644 index 00000000000..c6449a0a755 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/hand_teleporter.ftl @@ -0,0 +1,2 @@ +ent-HandTeleporter = hand teleporter + .desc = A Nanotrasen signature item--only the finest bluespace tech. Instructions: Use once to create a portal which teleports at random. Use again to link it to a portal at your current location. Use again to clear all portals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/holoprojectors.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/holoprojectors.ftl new file mode 100644 index 00000000000..07f3b2ce023 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/holoprojectors.ftl @@ -0,0 +1,14 @@ +ent-Holoprojector = holographic sign projector + .desc = A handy-dandy holographic projector that displays a janitorial sign. +ent-HoloprojectorBorg = { ent-Holoprojector } + .suffix = borg + .desc = { ent-Holoprojector.desc } +ent-HolofanProjector = holofan projector + .desc = Stop suicidal passengers from killing everyone during atmos emergencies. +ent-HoloprojectorField = force field projector + .desc = Creates an impassable forcefield that won't let anything through. Close proximity may or may not cause cancer. +ent-HoloprojectorSecurity = holobarrier projector + .desc = Creates a solid but fragile holographic barrier. +ent-HoloprojectorSecurityEmpty = { ent-HoloprojectorSecurity } + .suffix = Empty + .desc = { ent-HoloprojectorSecurity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/mousetrap.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/mousetrap.ftl new file mode 100644 index 00000000000..8a08898191a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/mousetrap.ftl @@ -0,0 +1,5 @@ +ent-Mousetrap = mousetrap + .desc = Useful for catching rodents sneaking into your kitchen. +ent-MousetrapArmed = mousetrap + .desc = Useful for catching rodents sneaking into your kitchen. + .suffix = Armed diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/nuke.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/nuke.ftl new file mode 100644 index 00000000000..1968816c7bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/nuke.ftl @@ -0,0 +1,8 @@ +ent-NuclearBomb = nuclear fission explosive + .desc = You probably shouldn't stick around to see if this is armed. +ent-NuclearBombUnanchored = { ent-NuclearBomb } + .suffix = unanchored + .desc = { ent-NuclearBomb.desc } +ent-NuclearBombKeg = nuclear fission explosive + .desc = You probably shouldn't stick around to see if this is armed. It has a tap on the side. + .suffix = keg diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/payload.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/payload.ftl new file mode 100644 index 00000000000..16c1c89221e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/payload.ftl @@ -0,0 +1,8 @@ +ent-BasePayload = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-ExplosivePayload = explosive payload + .desc = { ent-BasePayload.desc } +ent-ChemicalPayload = chemical payload + .desc = A chemical payload. Has space to store two beakers. In combination with a trigger and a case, this can be used to initiate chemical reactions. +ent-FlashPayload = flash payload + .desc = A single-use flash payload. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/pda.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/pda.ftl new file mode 100644 index 00000000000..45b4e0e7d3e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/pda.ftl @@ -0,0 +1,131 @@ +ent-BasePDA = PDA + .desc = Personal Data Assistant. +ent-BaseMedicalPDA = { ent-BasePDA } + .desc = { ent-BasePDA.desc } +ent-PassengerPDA = passenger PDA + .desc = Why isn't it gray? +ent-TechnicalAssistantPDA = technical assistant PDA + .desc = Why isn't it yellow? +ent-MedicalInternPDA = medical intern PDA + .desc = Why isn't it white? Has a built-in health analyzer. +ent-SecurityCadetPDA = cadet PDA + .desc = Why isn't it red? +ent-ResearchAssistantPDA = research assistant PDA + .desc = Why isn't it purple? +ent-ServiceWorkerPDA = service worker PDA + .desc = Why isn't it gray? +ent-ChefPDA = chef PDA + .desc = Covered in grease and flour. +ent-BotanistPDA = botanist PDA + .desc = Has an earthy scent. +ent-ClownPDA = clown PDA + .desc = Looks can be deceiving. +ent-MimePDA = mime PDA + .desc = Suprisingly not on mute. +ent-ChaplainPDA = chaplain PDA + .desc = God's chosen PDA. +ent-QuartermasterPDA = quartermaster PDA + .desc = PDA for the guy that orders the guns. +ent-CargoPDA = cargo PDA + .desc = PDA for the guys that order the pizzas. +ent-SalvagePDA = salvage PDA + .desc = Smells like ash. +ent-BartenderPDA = bartender PDA + .desc = Smells like beer. +ent-LibrarianPDA = librarian PDA + .desc = Smells like books. +ent-LawyerPDA = lawyer PDA + .desc = For lawyers to poach dubious clients. +ent-JanitorPDA = janitor PDA + .desc = Smells like bleach. +ent-CaptainPDA = captain PDA + .desc = Surprisingly no different from your PDA. +ent-HoPPDA = station representative PDA + .desc = Looks like it's been chewed on. +ent-CEPDA = chief engineer PDA + .desc = Looks like it's barely been used. +ent-EngineerPDA = engineer PDA + .desc = Rugged and well-worn. +ent-CMOPDA = chief medical officer PDA + .desc = Extraordinarily shiny and sterile. Has a built-in health analyzer. +ent-MedicalPDA = medical PDA + .desc = Shiny and sterile. Has a built-in health analyzer. +ent-ParamedicPDA = paramedic PDA + .desc = Shiny and sterile. Has a built-in rapid health analyzer. +ent-ChemistryPDA = chemistry PDA + .desc = It has a few discolored blotches here and there. +ent-RnDPDA = research director PDA + .desc = It appears surprisingly ordinary. +ent-SciencePDA = science PDA + .desc = It's covered with an unknown gooey substance. +ent-HoSPDA = sheriff PDA + .desc = Whosoever bears this PDA is the law. +ent-WardenPDA = bailiff PDA + .desc = The OS appears to have been jailbroken. +ent-SecurityPDA = deputy PDA + .desc = Red to hide the stains of passenger blood. +ent-CentcomPDA = CentCom PDA + .desc = Light green sign of walking bureaucracy. +ent-AdminPDA = Admin PDA + .desc = If you are not an admin please return this PDA to the nearest admin. +ent-CentcomPDAFake = { ent-CentcomPDA } + .suffix = Fake + .desc = { ent-CentcomPDA.desc } +ent-DeathsquadPDA = { ent-CentcomPDA } + .suffix = Death Squad + .desc = { ent-CentcomPDA.desc } +ent-MusicianPDA = musician PDA + .desc = It fills you with inspiration. +ent-AtmosPDA = atmos PDA + .desc = Still smells like plasma. +ent-ClearPDA = clear PDA + .desc = 99 and 44/100ths percent pure plastic. +ent-SyndiPDA = syndicate PDA + .desc = Ok, time to be a productive member of- oh cool I'm a bad guy time to kill people! +ent-ERTLeaderPDA = ERT PDA + .desc = Red for firepower. + .suffix = Leader +ent-ERTChaplainPDA = ERT PDA + .suffix = Chaplain + .desc = { ent-ERTLeaderPDA.desc } +ent-ERTEngineerPDA = { ent-ERTLeaderPDA } + .suffix = Engineer + .desc = { ent-ERTLeaderPDA.desc } +ent-ERTJanitorPDA = { ent-ERTLeaderPDA } + .suffix = Janitor + .desc = { ent-ERTLeaderPDA.desc } +ent-ERTMedicPDA = { ent-ERTLeaderPDA } + .suffix = Medic + .desc = { ent-ERTLeaderPDA.desc } +ent-ERTSecurityPDA = { ent-ERTLeaderPDA } + .suffix = Security + .desc = { ent-ERTLeaderPDA.desc } +ent-CBURNPDA = CBURN PDA + .desc = Smells like rotten flesh. +ent-PsychologistPDA = psychologist PDA + .desc = Looks immaculately cleaned. +ent-ReporterPDA = reporter PDA + .desc = Smells like freshly printed press. +ent-ZookeeperPDA = zookeeper PDA + .desc = Made with genuine synthetic leather. Crikey! +ent-BoxerPDA = boxer PDA + .desc = Float like a butterfly, ringtone like a bee. +ent-DetectivePDA = detective PDA + .desc = Smells like rain... pouring down the rooftops... +ent-BrigmedicPDA = brigmedic PDA + .desc = I wonder whose pulse is on the screen? I hope he doesnt stop... PDA has a built-in health analyzer. +ent-CluwnePDA = cluwne PDA + .desc = Cursed cluwne PDA. + .suffix = Unremoveable +ent-SeniorEngineerPDA = senior engineer PDA + .desc = Seems to have been taken apart and put back together several times. +ent-SeniorResearcherPDA = senior researcher PDA + .desc = Looks like it's been through years of chemical burns and explosions. +ent-SeniorPhysicianPDA = senior physician PDA + .desc = Smells faintly like iron and chemicals. Has a built-in health analyzer. +ent-SeniorOfficerPDA = senior officer PDA + .desc = Beaten, battered and broken, but just barely useable. +ent-PiratePDA = pirate PDA + .desc = Yargh! +ent-SyndiAgentPDA = syndicate agent PDA + .desc = For those days when healing normal syndicates aren't enough, try healing nuclear operatives instead! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/pinpointer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/pinpointer.ftl new file mode 100644 index 00000000000..d39aa5070a2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/pinpointer.ftl @@ -0,0 +1,11 @@ +ent-PinpointerBase = pinpointer + .desc = A handheld tracking device. While typically far more capable, this one has been configured to lock onto certain signals. Keep upright to retain accuracy. +ent-PinpointerNuclear = pinpointer + .desc = { ent-PinpointerBase.desc } +ent-PinpointerSyndicateNuclear = syndicate pinpointer + .desc = Produced specifically for nuclear operative missions, get that disk! +ent-PinpointerUniversal = universal pinpointer + .desc = A handheld tracking device that locks onto any physical entity while off. Keep upright to retain accuracy. +ent-PinpointerStation = station pinpointer + .desc = A handheld tracking device that leads to the direction of any nearby station. + .suffix = Station diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/radio.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/radio.ftl new file mode 100644 index 00000000000..9e2b8667184 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/radio.ftl @@ -0,0 +1,2 @@ +ent-RadioHandheld = handheld radio + .desc = A handy handheld radio. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/station_beacon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/station_beacon.ftl new file mode 100644 index 00000000000..4dc876add7c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/station_beacon.ftl @@ -0,0 +1,200 @@ +ent-DefaultStationBeacon = station beacon + .desc = A small device that transmits information to station maps. Can be configured. + .suffix = General +ent-DefaultStationBeaconUnanchored = { ent-DefaultStationBeacon } + .suffix = General, Unanchored + .desc = { ent-DefaultStationBeacon.desc } +ent-StationBeaconPart = station beacon flatpack + .desc = A flatpack used for constructing a station beacon. +ent-DefaultStationBeaconCommand = { ent-DefaultStationBeacon } + .suffix = Command + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconBridge = { ent-DefaultStationBeaconCommand } + .suffix = Bridge + .desc = { ent-DefaultStationBeaconCommand.desc } +ent-DefaultStationBeaconVault = { ent-DefaultStationBeaconCommand } + .suffix = Vault + .desc = { ent-DefaultStationBeaconCommand.desc } +ent-DefaultStationBeaconCaptainsQuarters = { ent-DefaultStationBeaconCommand } + .suffix = Captain's Quarters + .desc = { ent-DefaultStationBeaconCommand.desc } +ent-DefaultStationBeaconHOPOffice = { ent-DefaultStationBeaconCommand } + .suffix = HOP's Office + .desc = { ent-DefaultStationBeaconCommand.desc } +ent-DefaultStationBeaconSecurity = { ent-DefaultStationBeacon } + .suffix = Security + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconBrig = { ent-DefaultStationBeaconSecurity } + .suffix = Brig + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconWardensOffice = { ent-DefaultStationBeaconSecurity } + .suffix = Warden's Office + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconHOSRoom = { ent-DefaultStationBeaconSecurity } + .suffix = HOS’s Room + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconArmory = { ent-DefaultStationBeaconSecurity } + .suffix = Armory + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconPermaBrig = { ent-DefaultStationBeaconSecurity } + .suffix = Perma Brig + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconDetectiveRoom = { ent-DefaultStationBeaconSecurity } + .suffix = Detective's Room + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconCourtroom = { ent-DefaultStationBeaconSecurity } + .suffix = Courtroom + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconLawOffice = { ent-DefaultStationBeaconSecurity } + .suffix = Law Office + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconSecurityCheckpoint = { ent-DefaultStationBeaconSecurity } + .suffix = Sec Checkpoint + .desc = { ent-DefaultStationBeaconSecurity.desc } +ent-DefaultStationBeaconMedical = { ent-DefaultStationBeacon } + .suffix = Medical + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconMedbay = { ent-DefaultStationBeaconMedical } + .suffix = Medbay + .desc = { ent-DefaultStationBeaconMedical.desc } +ent-DefaultStationBeaconChemistry = { ent-DefaultStationBeaconMedical } + .suffix = Chemistry + .desc = { ent-DefaultStationBeaconMedical.desc } +ent-DefaultStationBeaconCryonics = { ent-DefaultStationBeaconMedical } + .suffix = Cryonics + .desc = { ent-DefaultStationBeaconMedical.desc } +ent-DefaultStationBeaconCMORoom = { ent-DefaultStationBeaconMedical } + .suffix = CMO's room + .desc = { ent-DefaultStationBeaconMedical.desc } +ent-DefaultStationBeaconMorgue = { ent-DefaultStationBeaconMedical } + .suffix = Morgue + .desc = { ent-DefaultStationBeaconMedical.desc } +ent-DefaultStationBeaconSurgery = { ent-DefaultStationBeaconMedical } + .suffix = Surgery + .desc = { ent-DefaultStationBeaconMedical.desc } +ent-DefaultStationBeaconScience = { ent-DefaultStationBeacon } + .suffix = Science + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconRND = { ent-DefaultStationBeaconScience } + .suffix = Research and Development + .desc = { ent-DefaultStationBeaconScience.desc } +ent-DefaultStationBeaconServerRoom = { ent-DefaultStationBeaconScience } + .suffix = Research Server Room + .desc = { ent-DefaultStationBeaconScience.desc } +ent-DefaultStationBeaconRDRoom = { ent-DefaultStationBeaconScience } + .suffix = RD's Room + .desc = { ent-DefaultStationBeaconScience.desc } +ent-DefaultStationBeaconRobotics = { ent-DefaultStationBeaconScience } + .suffix = Robotics + .desc = { ent-DefaultStationBeaconScience.desc } +ent-DefaultStationBeaconArtifactLab = { ent-DefaultStationBeaconScience } + .suffix = Artifact Lab + .desc = { ent-DefaultStationBeaconScience.desc } +ent-DefaultStationBeaconAnomalyGenerator = { ent-DefaultStationBeaconScience } + .suffix = Anomaly Generator + .desc = { ent-DefaultStationBeaconScience.desc } +ent-DefaultStationBeaconSupply = { ent-DefaultStationBeacon } + .suffix = Supply + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconCargoReception = { ent-DefaultStationBeaconSupply } + .suffix = Cargo Reception + .desc = { ent-DefaultStationBeaconSupply.desc } +ent-DefaultStationBeaconCargoBay = { ent-DefaultStationBeaconSupply } + .suffix = Cargo Bay + .desc = { ent-DefaultStationBeaconSupply.desc } +ent-DefaultStationBeaconQMRoom = { ent-DefaultStationBeaconSupply } + .suffix = QM's Room + .desc = { ent-DefaultStationBeaconSupply.desc } +ent-DefaultStationBeaconSalvage = { ent-DefaultStationBeaconSupply } + .suffix = Salvage + .desc = { ent-DefaultStationBeaconSupply.desc } +ent-DefaultStationBeaconEngineering = { ent-DefaultStationBeacon } + .suffix = Engineering + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconCERoom = { ent-DefaultStationBeaconEngineering } + .suffix = CE's Room + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconAME = { ent-DefaultStationBeaconEngineering } + .suffix = AME + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconSolars = { ent-DefaultStationBeaconEngineering } + .suffix = Solars + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconGravGen = { ent-DefaultStationBeaconEngineering } + .suffix = Grav Gen + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconSingularity = { ent-DefaultStationBeaconEngineering } + .suffix = PA Control + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconPowerBank = { ent-DefaultStationBeaconEngineering } + .suffix = SMES Power Bank + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconTelecoms = { ent-DefaultStationBeaconEngineering } + .suffix = Telecoms + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconAtmospherics = { ent-DefaultStationBeaconEngineering } + .suffix = Atmospherics + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconTEG = { ent-DefaultStationBeaconEngineering } + .suffix = TEG + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconTechVault = { ent-DefaultStationBeaconEngineering } + .suffix = Tech Vault + .desc = { ent-DefaultStationBeaconEngineering.desc } +ent-DefaultStationBeaconService = { ent-DefaultStationBeacon } + .suffix = Service + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconKitchen = { ent-DefaultStationBeaconService } + .suffix = Kitchen + .desc = { ent-DefaultStationBeaconService.desc } +ent-DefaultStationBeaconBar = { ent-DefaultStationBeaconService } + .suffix = Bar + .desc = { ent-DefaultStationBeaconService.desc } +ent-DefaultStationBeaconBotany = { ent-DefaultStationBeaconService } + .suffix = Botany + .desc = { ent-DefaultStationBeaconService.desc } +ent-DefaultStationBeaconJanitorsCloset = { ent-DefaultStationBeaconService } + .suffix = Janitor's Closet + .desc = { ent-DefaultStationBeaconService.desc } +ent-DefaultStationBeaconAI = { ent-DefaultStationBeacon } + .suffix = AI + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconAISatellite = { ent-DefaultStationBeaconAI } + .suffix = AI Satellite + .desc = { ent-DefaultStationBeaconAI.desc } +ent-DefaultStationBeaconAICore = { ent-DefaultStationBeaconAI } + .suffix = AI Core + .desc = { ent-DefaultStationBeaconAI.desc } +ent-DefaultStationBeaconArrivals = { ent-DefaultStationBeacon } + .suffix = Arrivals + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconEvac = { ent-DefaultStationBeacon } + .suffix = Evac + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconEVAStorage = { ent-DefaultStationBeacon } + .suffix = EVA Storage + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconChapel = { ent-DefaultStationBeacon } + .suffix = Chapel + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconLibrary = { ent-DefaultStationBeacon } + .suffix = Library + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconTheater = { ent-DefaultStationBeacon } + .suffix = Theater + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconDorms = { ent-DefaultStationBeacon } + .suffix = Dorms + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconToolRoom = { ent-DefaultStationBeacon } + .suffix = Tool Room + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconDisposals = { ent-DefaultStationBeacon } + .suffix = Disposals + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconCryosleep = { ent-DefaultStationBeacon } + .suffix = Cryosleep + .desc = { ent-DefaultStationBeacon.desc } +ent-DefaultStationBeaconEscapePod = { ent-DefaultStationBeacon } + .suffix = Escape Pod + .desc = { ent-DefaultStationBeacon.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/station_map.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/station_map.ftl new file mode 100644 index 00000000000..4610941c965 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/station_map.ftl @@ -0,0 +1,8 @@ +ent-BaseHandheldStationMap = station map + .desc = Displays a readout of the current station. +ent-HandheldStationMap = { ent-BaseHandheldStationMap } + .suffix = Handheld, Powered + .desc = { ent-BaseHandheldStationMap.desc } +ent-HandheldStationMapUnpowered = { ent-BaseHandheldStationMap } + .suffix = Handheld, Unpowered + .desc = { ent-BaseHandheldStationMap.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/swapper.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/swapper.ftl new file mode 100644 index 00000000000..ff8a5ed715c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/swapper.ftl @@ -0,0 +1,2 @@ +ent-DeviceQuantumSpinInverter = quantum spin inverter + .desc = An experimental device that is able to swap the locations of two entities by switching their particles' spin values. Must be linked to another device to function. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/chimp_upgrade_kit.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/chimp_upgrade_kit.ftl new file mode 100644 index 00000000000..a57d8a7ad0e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/chimp_upgrade_kit.ftl @@ -0,0 +1,2 @@ +ent-WeaponPistolCHIMPUpgradeKit = C.H.I.M.P. handcannon upgrade chip + .desc = An experimental upgrade kit for the C.H.I.M.P. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl new file mode 100644 index 00000000000..e51ab7967bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/guardian_activators.ftl @@ -0,0 +1,15 @@ +ent-HoloparasiteInjector = holoparasite injector + .desc = A complex artwork of handheld machinery allowing the user to host a holoparasite guardian. + .suffix = Ghost +ent-HoloClownInjector = holoclown injector + .desc = A complex artwork of handheld machinery allowing the user to host a holoclown guardian. + .suffix = Ghost +ent-MagicalLamp = magical lamp + .desc = The wizard federation had to cut costs after the jinn merchandise scandal somehow. + .suffix = Ghost +ent-BoxHoloparasite = holoparasite box + .desc = A box containing a holoparasite injector + .suffix = Ghost +ent-BoxHoloclown = holoclown box + .desc = A box containing a holoclown injector + .suffix = Ghost diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/reinforcement_teleporter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/reinforcement_teleporter.ftl new file mode 100644 index 00000000000..7513825ad06 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/reinforcement_teleporter.ftl @@ -0,0 +1,13 @@ +ent-ReinforcementRadioSyndicate = syndicate reinforcement radio + .desc = Call in a syndicate agent of questionable quality, instantly! Only basic equipment provided. +ent-ReinforcementRadioSyndicateNukeops = { ent-ReinforcementRadioSyndicate } + .suffix = NukeOps + .desc = { ent-ReinforcementRadioSyndicate.desc } +ent-ReinforcementRadioSyndicateMonkey = syndicate monkey reinforcement radio + .desc = Calls in a specially trained monkey to assist you. +ent-ReinforcementRadioSyndicateMonkeyNukeops = { ent-ReinforcementRadioSyndicateMonkey } + .suffix = NukeOps + .desc = { ent-ReinforcementRadioSyndicateMonkey.desc } +ent-ReinforcementRadioSyndicateCyborgAssault = syndicate assault cyborg reinforcement radio + .desc = Call in a well armed assault cyborg, instantly! + .suffix = NukeOps diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/singularity_beacon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/singularity_beacon.ftl new file mode 100644 index 00000000000..493a39306ea --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/singularity_beacon.ftl @@ -0,0 +1,2 @@ +ent-SingularityBeacon = singularity beacon + .desc = A syndicate device that attracts the singularity. If it's loose and you're seeing this, run. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/war_declarator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/war_declarator.ftl new file mode 100644 index 00000000000..dcfb8fc512f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/devices/syndicate_gadgets/war_declarator.ftl @@ -0,0 +1,2 @@ +ent-NukeOpsDeclarationOfWar = declaration of war + .desc = Use to send a declaration of hostilities to the target, delaying your shuttle departure while they prepare for your assault. Such a brazen move will attract the attention of powerful benefactors within the Syndicate, who will supply your team with a massive amount of bonus telecrystals. Must be used at start of mission, or your benefactors will lose interest. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/bike_horn.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/bike_horn.ftl new file mode 100644 index 00000000000..d6ae2077f86 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/bike_horn.ftl @@ -0,0 +1,9 @@ +ent-BikeHorn = bike horn + .desc = A horn off of a bicycle. +ent-CluwneHorn = broken bike horn + .desc = A broken horn off of a bicycle. +ent-GoldenBikeHorn = golden honker + .desc = A happy honk prize, pray to the gods for your reward. + .suffix = No mapping +ent-BananiumHorn = bananium horn + .desc = An air horn made from bananium. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/candy_bucket.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/candy_bucket.ftl new file mode 100644 index 00000000000..1c623361e28 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/candy_bucket.ftl @@ -0,0 +1,2 @@ +ent-CandyBucket = candy bucket + .desc = A festive bucket for all your treats. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/crayons.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/crayons.ftl new file mode 100644 index 00000000000..9cfd9980ad7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/crayons.ftl @@ -0,0 +1,24 @@ +ent-Crayon = crayon + .desc = A colourful crayon. Looks tasty. Mmmm... +ent-CrayonWhite = white crayon + .desc = { ent-Crayon.desc } +ent-CrayonMime = mime crayon + .desc = { ent-Crayon.desc } +ent-CrayonRainbow = rainbow crayon + .desc = { ent-Crayon.desc } +ent-CrayonBlack = black crayon + .desc = { ent-Crayon.desc } +ent-CrayonRed = red crayon + .desc = { ent-Crayon.desc } +ent-CrayonOrange = orange crayon + .desc = { ent-Crayon.desc } +ent-CrayonYellow = yellow crayon + .desc = { ent-Crayon.desc } +ent-CrayonGreen = green crayon + .desc = { ent-Crayon.desc } +ent-CrayonBlue = blue crayon + .desc = { ent-Crayon.desc } +ent-CrayonPurple = purple crayon + .desc = { ent-Crayon.desc } +ent-CrayonBox = crayon box + .desc = It's a box of crayons. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/darts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/darts.ftl new file mode 100644 index 00000000000..5373d3d20c1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/darts.ftl @@ -0,0 +1,16 @@ +ent-Dart = dart + .desc = light throwing dart for playing darts. Don't get in the eye! +ent-DartBlue = { ent-Dart } + .desc = { ent-Dart.desc } +ent-DartPurple = { ent-Dart } + .desc = { ent-Dart.desc } +ent-DartYellow = { ent-Dart } + .desc = { ent-Dart.desc } +ent-HypoDart = { ent-Dart } + .suffix = HypoDart + .desc = { ent-Dart.desc } +ent-TargetDarts = dartboard + .desc = A target for playing darts. +ent-HypoDartBox = hypodart box + .desc = A small box containing an hypodart. Packaging disintegrates when opened, leaving no evidence behind. + .suffix = HypoDart diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/dice.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/dice.ftl new file mode 100644 index 00000000000..8a02d492b7a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/dice.ftl @@ -0,0 +1,16 @@ +ent-BaseDice = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-PercentileDie = percentile die + .desc = A die with ten sides. Works better for d100 rolls than a golf ball. +ent-d20Dice = d20 + .desc = A die with twenty sides. The preferred die to throw at the GM. +ent-d12Dice = d12 + .desc = A die with twelve sides. There's an air of neglect about it. +ent-d10Dice = d10 + .desc = A die with ten sides. Useful for percentages. +ent-d8Dice = d8 + .desc = A die with eight sides. It feels... lucky. +ent-d6Dice = d6 + .desc = A die with six sides. Basic and serviceable. +ent-d4Dice = d4 + .desc = A die with four sides. The nerd's caltrop. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/dice_bag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/dice_bag.ftl new file mode 100644 index 00000000000..54f9f15410a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/dice_bag.ftl @@ -0,0 +1,4 @@ +ent-DiceBag = bag of dice + .desc = Contains all the luck you'll ever need. +ent-MagicDiceBag = bag of dice + .desc = { ent-DiceBag.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/error.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/error.ftl new file mode 100644 index 00000000000..fd39fa655ad --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/error.ftl @@ -0,0 +1,2 @@ +ent-Error = error + .desc = Hmmmm. Something went wrong. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/figurine_boxes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/figurine_boxes.ftl new file mode 100644 index 00000000000..aaa68fe1110 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/figurine_boxes.ftl @@ -0,0 +1,4 @@ +ent-MysteryFigureBoxTrash = unfolded cardboard box + .desc = A small, unfolded cardboard toy box. +ent-MysteryFigureBox = mystery spacemen minifigure box + .desc = A box containing a mystery minifigure. The side of the box depicts a few blacked-out 'rare' figures, including one with a large, non-humanoid shilouette. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/figurines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/figurines.ftl new file mode 100644 index 00000000000..7ad03d91ef3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/figurines.ftl @@ -0,0 +1,100 @@ +ent-BaseFigurine = figurine + .desc = A small miniature. +ent-ToyFigurineHeadOfPersonnel = station representative figure + .desc = A figurine depicting the glorious representative of all the station, away from their office as usual. +ent-ToyFigurinePassenger = passenger figure + .desc = A figurine depicting an every day, run-of-the-mill passenger. No funny business here. +ent-ToyFigurineGreytider = greytider figure + .desc = A figurine depicting a dubious-looking passenger. Greytide worldwide! +ent-ToyFigurineClown = clown figure + .desc = A figurine depicting a clown. You shudder to think of what people have probably done to this figurine before. +ent-ToyFigurineHoloClown = holoclown figure + .desc = A figurine depicting a holoclown. Even more annoying than a clown and no less real. +ent-ToyFigurineMime = mime figure + .desc = A figurine depicting that silent bastard you are all too familiar with. +ent-ToyFigurineMusician = musician figure + .desc = A figurine depicting a Musician, his music was electrifying. +ent-ToyFigurineBoxer = boxer figure + .desc = A figurine depicting a Boxer holding their red gloves. +ent-ToyFigurineCaptain = captain figure + .desc = A figurine depicting the standard outfit of a captain belonging to a civilian-sector Nanotrasen vessel. +ent-ToyFigurineHeadOfSecurity = sheriff figure + .desc = A figurine depicting the glorious head of the New Frontier Sheriff's Department. +ent-ToyFigurineWarden = bailiff figure + .desc = A figurine depicting a Bailiff, ready to jail someone at any moment. +ent-ToyFigurineDetective = detective figure + .desc = A figurine depicting a Detective wearing their iconic trench coat. +ent-ToyFigurineSecurity = deputy figure + .desc = A figurine depicting a Deputy holding a stunbaton, ready to defend the station. +ent-ToyFigurineLawyer = lawyer figure + .desc = A figurine depicting a Lawyer sporting a freshly tailored suit. +ent-ToyFigurineCargoTech = cargo technican figure + .desc = A figurine depicting a reptillian Cargo Technican. +ent-ToyFigurineSalvage = salvage technican figure + .desc = A figurine depicting a Salvage Technician holding a survival knife. +ent-ToyFigurineQuartermaster = quartermaster figure + .desc = A figurine depicting the glorious head of the Cargo department. +ent-ToyFigurineChiefEngineer = chief engineer figure + .desc = A figurine depicting the glorious head of the Engineering department. +ent-ToyFigurineEngineer = station engineer figure + .desc = A figurine depicting a Station Engineer holding a crowbar at-ready. +ent-ToyFigurineAtmosTech = atmospheric technician figure + .desc = A figurine depicting an Atmos Tech holding an unlit welder. +ent-ToyFigurineResearchDirector = research director figure + .desc = A figurine depicting the glorious head of the Science department. +ent-ToyFigurineScientist = scientist figurine + .desc = A figurine depicting a Scientist donning a labcoat. +ent-ToyFigurineChiefMedicalOfficer = chief medical officer figure + .desc = A figurine depicting the glorious head of the Medical department. +ent-ToyFigurineChemist = chemist figure + .desc = A figurine depicting a Chemist probably planning to make meth. +ent-ToyFigurineParamedic = paramedic figure + .desc = A figurine depicting a Paramedic wearing their void suit. +ent-ToyFigurineMedicalDoctor = medical doctor figure + .desc = A figurine depicting a Medical Doctor, donning a labcoat & syringe. +ent-ToyFigurineLibrarian = librarian figure + .desc = A figurine depicting the one-and-only librarian. +ent-ToyFigurineChaplain = chaplain figure + .desc = A figurine depicting a Chaplain hopefully praying for good things. +ent-ToyFigurineChef = chef figure + .desc = A figurine depicting a chef, master of the culinary arts!.. most of the time. +ent-ToyFigurineBartender = bartender figure + .desc = A figurine depicting a Bartender looking stylish with their rockin shades and tophat. +ent-ToyFigurineBotanist = botanist figure + .desc = A figurine depicting a Botanist that surely won't let kudzu get out of control. +ent-ToyFigurineJanitor = janitor figure + .desc = A figurine depicting a Janitor with their galoshes. +ent-ToyFigurineNukie = syndicate operative figure + .desc = A figurine depicting someone in a blood-red hardsuit, similar to what someone on a nuclear operative team might wear. +ent-ToyFigurineNukieElite = elite syndicate operative figure + .desc = A figurine depicting someone in an elite blood-red hardsuit, similar to what the medic of a nuclear operative team might wear. +ent-ToyFigurineNukieCommander = syndicate operative commander figure + .desc = A figurine depicting someone in a beefed-up blood-red hardsuit, similar to what the commander of a nuclear operative team might wear. +ent-ToyFigurineFootsoldier = syndicate footsoldier figure + .desc = A figurine depicting the outfit of a syndicate footsoldier. +ent-ToyFigurineWizard = wizard figure + .desc = A figurine depicting someone with a long, silky beard wearing a wizard outfit. Warlocks wish they had anything on this. +ent-ToyFigurineWizardFake = fake wizard figure + .desc = A figurine depicting someone in a fake-ass wizard costume. What a ripoff! +ent-ToyFigurineSpaceDragon = space dragon figure + .desc = A large figurine depicting a space dragon, its red eyes on gazing on its prey. +ent-ToyFigurineQueen = xeno queen figure + .desc = A large figurine depicting a xeno queen, ready to attack. +ent-ToyFigurineRatKing = rat king figure + .desc = A large figurine depicting a rat king, prepared to make its nest. +ent-ToyFigurineRatServant = rat servant figure + .desc = A figurine depicting a rat serving the king of rats! +ent-ToyFigurineMouse = mouse figure + .desc = A figurine depicting a mouse scuttling away to the nearest piece of food. +ent-ToyFigurineSlime = slime figure + .desc = A figurine depicting a translucent blue slime. +ent-ToyFigurineHamlet = hamlet figure + .desc = A figurine depicting Hamlet, microwave not included. +ent-ToyGriffin = griffin figure + .desc = An action figure modeled after 'The Griffin', criminal mastermind. +ent-ToyOwlman = owl figure + .desc = An action figure modeled after 'The Owl', defender of justice. +ent-ToySkeleton = skeleton figure + .desc = Spooked ya! +ent-ToyFigurineThief = thief character figure + .desc = Hiding in the shadows... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/immovable_rod.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/immovable_rod.ftl new file mode 100644 index 00000000000..b0182c58c0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/immovable_rod.ftl @@ -0,0 +1,11 @@ +ent-ImmovableRod = immovable rod + .desc = You can sense that it's hungry. That's usually a bad sign. +ent-ImmovableRodSlow = { ent-ImmovableRod } + .suffix = Slow + .desc = { ent-ImmovableRod.desc } +ent-ImmovableRodKeepTiles = { ent-ImmovableRod } + .suffix = Keep Tiles + .desc = { ent-ImmovableRod.desc } +ent-ImmovableRodKeepTilesStill = { ent-ImmovableRodKeepTiles } + .suffix = Keep Tiles, Still + .desc = { ent-ImmovableRodKeepTiles.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments.ftl new file mode 100644 index 00000000000..04c63364428 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments.ftl @@ -0,0 +1,60 @@ +ent-BaseHandheldInstrument = { ent-BaseItem } + .desc = That's an instrument. + .suffix = { "" } +ent-SynthesizerInstrument = synthesizer + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-AcousticGuitarInstrument = acoustic guitar + .desc = Anyway, here's Wonderwall. + .suffix = { "" } +ent-ViolinInstrument = violin + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-TrumpetInstrument = trumpet + .desc = The favorite instrument of jazz musicians and egotistical middle schoolers. + .suffix = { "" } +ent-GunpetInstrument = gunpet + .desc = Why do you need to examine this? Is it not self-explanatory? + .suffix = { "" } +ent-ElectricGuitarInstrument = electric guitar + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-AccordionInstrument = accordion + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-HarmonicaInstrument = harmonica + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-RecorderInstrument = recorder + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-TromboneInstrument = trombone + .desc = Everyone's favorite sliding brass instrument. + .suffix = { "" } +ent-EuphoniumInstrument = euphonium + .desc = A baby tuba? A Baritone? Whatever it is, it's a pretty cool mess of pipes. + .suffix = { "" } +ent-FrenchHornInstrument = french horn + .desc = The fact that holding it involves using your hand to muffle it may suggest something about its sound. + .suffix = { "" } +ent-SaxophoneInstrument = saxophone + .desc = An instrument. You could probably grind this into raw jazz. + .suffix = { "" } +ent-GlockenspielInstrument = glockenspiel + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-BanjoInstrument = banjo + .desc = { ent-BaseHandheldInstrument.desc } + .suffix = { "" } +ent-BikeHornInstrument = gilded bike horn + .desc = An exquisitely decorated bike horn, capable of honking in a variety of notes. + .suffix = { "" } +ent-SuperSynthesizerInstrument = super synthesizer + .desc = Blasting the ghetto with Touhou MIDIs since 2020. + .suffix = { "" } +ent-XylophoneInstrument = xylophone + .desc = Rainbow colored glockenspiel. + .suffix = { "" } +ent-PhoneInstrument = red phone + .desc = Should anything ever go wrong... + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/base_instruments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/base_instruments.ftl new file mode 100644 index 00000000000..2b941f6ec88 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/base_instruments.ftl @@ -0,0 +1,6 @@ +ent-BaseHandheldInstrument = { ent-BaseItem } + .desc = That's an instrument. +ent-BasePlaceableInstrument = baseinstrument + .desc = { ent-BaseStructureDynamic.desc } +ent-BasePlaceableInstrumentRotatable = baseinstrumentrotatable + .desc = { ent-BasePlaceableInstrument.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_brass.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_brass.ftl new file mode 100644 index 00000000000..639f7a26b2f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_brass.ftl @@ -0,0 +1,8 @@ +ent-TrumpetInstrument = trumpet + .desc = The favorite instrument of jazz musicians and egotistical middle schoolers. +ent-TromboneInstrument = trombone + .desc = Everyone's favorite sliding brass instrument. +ent-FrenchHornInstrument = french horn + .desc = The fact that holding it involves using your hand to muffle it may suggest something about its sound. +ent-EuphoniumInstrument = euphonium + .desc = A baby tuba? A Baritone? Whatever it is, it's a pretty cool mess of pipes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_misc.ftl new file mode 100644 index 00000000000..7df8fd1ff26 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_misc.ftl @@ -0,0 +1,20 @@ +ent-MusicalLungInstrument = musical lung + .desc = The spiritual and magical lung of a former opera singer. Though, to be honest, the vocal chords make the performance. +ent-SeashellInstrument = seashell + .desc = For laying down the shoreline beat. +ent-BirdToyInstrument = bird whistle + .desc = A delightful little whistle in the shape of a bird. It sings beautifully. +ent-PhoneInstrument = red phone + .desc = Should anything ever go wrong... +ent-PhoneInstrumentSyndicate = blood-red phone + .desc = For evil people to call their friends. +ent-HelicopterInstrument = toy helicopter + .desc = Ch-ka-ch-ka-ch-ka-ch-ka-ch-ka-ch-ka... +ent-CannedApplauseInstrument = canned applause + .desc = Seems like someone already used it all up... +ent-GunpetInstrument = gunpet + .desc = Why do you need to examine this? Is it not self-explanatory? +ent-BikeHornInstrument = gilded bike horn + .desc = An exquisitely decorated bike horn, capable of honking in a variety of notes. +ent-BananaPhoneInstrument = banana phone + .desc = A direct line to the Honkmother. Seems to always go to voicemail. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_percussion.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_percussion.ftl new file mode 100644 index 00000000000..49e4df3a620 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_percussion.ftl @@ -0,0 +1,18 @@ +ent-GlockenspielInstrument = glockenspiel + .desc = { ent-BaseHandheldInstrument.desc } +ent-MusicBoxInstrument = music box + .desc = Playing this makes you feel safe from scary animatronics. +ent-XylophoneInstrument = xylophone + .desc = Rainbow colored glockenspiel. +ent-MicrophoneInstrument = microphone + .desc = Perfect for singing your heart out. +ent-SynthesizerInstrument = synthesizer + .desc = { ent-BaseHandheldInstrument.desc } +ent-KalimbaInstrument = kalimba + .desc = The power of a piano right at your thumbs. +ent-WoodblockInstrument = woodblock + .desc = If you listen to this enough it'll start driving itself into your mind. +ent-ReverseCymbalsInstrument = reverse cymbals + .desc = I think you have it the wrong way around? +ent-SuperSynthesizerInstrument = super synthesizer + .desc = Blasting the ghetto with Touhou MIDIs since 2020. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_string.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_string.ftl new file mode 100644 index 00000000000..52df4275a0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_string.ftl @@ -0,0 +1,19 @@ +ent-ElectricGuitarInstrument = electric guitar + .desc = Now this makes you feel like a rock star! +ent-BassGuitarInstrument = bass guitar + .desc = You feel really cool holding this. Shame you're the only one that thinks that. +ent-RockGuitarInstrument = rock guitar + .desc = What an axe! +ent-AcousticGuitarInstrument = acoustic guitar + .desc = Anyway, here's Wonderwall. +ent-GuitarlessFretsInstrument = guitarless frets + .desc = who even needs a body? + .suffix = Admeme +ent-BanjoInstrument = banjo + .desc = { ent-BaseHandheldInstrument.desc } +ent-ViolinInstrument = violin + .desc = The favorite of musical virtuosos and bluegrass bands. +ent-ViolaInstrument = viola + .desc = Like a violin, but worse. +ent-CelloInstrument = cello + .desc = The nerds call these violoncellos. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_structures.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_structures.ftl new file mode 100644 index 00000000000..7e7205e4f62 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_structures.ftl @@ -0,0 +1,26 @@ +ent-PianoInstrument = piano + .desc = Play Needles Piano Now. +ent-UprightPianoInstrument = upright piano + .desc = I said Piannie! +ent-VibraphoneInstrument = vibraphone + .desc = Good vibes all around. +ent-MarimbaInstrument = marimba + .desc = { ent-BasePlaceableInstrumentRotatable.desc } +ent-ChurchOrganInstrument = church organ + .desc = This thing really blows! +ent-TubaInstrument = tuba + .desc = The big daddy of the brass family. Standing next to its majesty makes you feel insecure. +ent-HarpInstrument = harp + .desc = Plucking at the strings cuts your fingers, but at least the music is pretty. +ent-TimpaniInstrument = timpani + .desc = It goes BOOM BOOM BOOM BOOM! +ent-TaikoInstrument = taiko + .desc = A large drum. Looking at it fills you with the urge to slap it. +ent-ContrabassInstrument = contrabass + .desc = Perfect for laying down a nice jazzy beat. +ent-MinimoogInstrument = minimoog + .desc = This is a minimoog, like a space piano, but more spacey! +ent-TomDrumsInstrument = tom drums + .desc = Where'd the rest of the kit go? +ent-DawInstrument = digital audio workstation + .desc = Cutting edge music technology, straight from the 90s. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_wind.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_wind.ftl new file mode 100644 index 00000000000..df20fbdc1de --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/instruments/instruments_wind.ftl @@ -0,0 +1,18 @@ +ent-SaxophoneInstrument = saxophone + .desc = An instrument. You could probably grind this into raw jazz. +ent-AccordionInstrument = accordion + .desc = { ent-BaseHandheldInstrument.desc } +ent-HarmonicaInstrument = harmonica + .desc = { ent-BaseHandheldInstrument.desc } +ent-ClarinetInstrument = clarinet + .desc = Skweedward tintacklays. +ent-FluteInstrument = flute + .desc = Reaching new heights of being horrifyingly shrill. +ent-RecorderInstrument = recorder + .desc = Comes in various colors of fashionable plastic! +ent-PanFluteInstrument = pan flute + .desc = Perfect for luring ancient mythical beings to dance with you. +ent-OcarinaInstrument = ocarina + .desc = Good for playing lullabies. +ent-BagpipeInstrument = bagpipe + .desc = Pairs nicely with a kilt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/mech_figurines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/mech_figurines.ftl new file mode 100644 index 00000000000..958ca550789 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/mech_figurines.ftl @@ -0,0 +1,26 @@ +ent-BaseFigurineMech = figurine + .desc = A small miniature. +ent-ToyRipley = ripley toy + .desc = Mini-Mecha action figure! 'Mecha No. 1/12' is written on the back. +ent-ToyFireRipley = fire ripley + .desc = Mini-Mecha action figure! 'Mecha No. 2/12' is written on the back. +ent-ToyDeathRipley = deathripley toy + .desc = Mini-Mecha action figure! 'Mecha No. 3/12' is written on the back. +ent-ToyGygax = gygax toy + .desc = Mini-Mecha action figure! 'Mecha No. 4/12' is written on the back. +ent-ToyDurand = durand toy + .desc = Mini-Mecha action figure! 'Mecha No. 5/12' is written on the back. +ent-ToyHonk = H.O.N.K. toy + .desc = Mini-Mecha action figure! 'Mecha No. 6/12' is written on the back. +ent-ToyMarauder = marauder toy + .desc = Mini-Mecha action figure! 'Mecha No. 7/12' is written on the back. +ent-ToySeraph = seraph toy + .desc = Mini-Mecha action figure! 'Mecha No. 8/12' is written on the back. +ent-ToyMauler = mauler toy + .desc = Mini-Mecha action figure! 'Mecha No. 9/12' is written on the back. +ent-ToyOdysseus = odysseus toy + .desc = Mini-Mecha action figure! 'Mecha No. 10/12' is written on the back. +ent-ToyPhazon = phazon toy + .desc = Mini-Mecha action figure! 'Mecha No. 11/12' is written on the back. +ent-ToyReticence = reticence toy + .desc = Mini-Mecha action figure! 'Mecha No. 12/12' is written on the back. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/pai.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/pai.ftl new file mode 100644 index 00000000000..02c8da8fee5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/pai.ftl @@ -0,0 +1,10 @@ +ent-PersonalAI = personal ai device + .desc = Your electronic pal who's fun to be with! +ent-SyndicatePersonalAI = syndicate personal ai device + .desc = Your Syndicate pal who's fun to be with! +ent-PotatoAI = potato artificial intelligence + .desc = It's a potato. You forced it to be sentient, you monster. +ent-ActionPAIPlayMidi = Play MIDI + .desc = Open your portable MIDI interface to soothe your owner. +ent-ActionPAIOpenMap = Open Map + .desc = Open your map interface and guide your owner. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/puppet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/puppet.ftl new file mode 100644 index 00000000000..b394a0b430f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/puppet.ftl @@ -0,0 +1,5 @@ +ent-MrChips = mr chips + .desc = It's a dummy, dummy! + .suffix = Dummy +ent-MrDips = mr dips + .desc = { ent-MrChips.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/skub.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/skub.ftl new file mode 100644 index 00000000000..01b26ded26f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/skub.ftl @@ -0,0 +1,2 @@ +ent-Skub = skub + .desc = Skub is the fifth Chaos God. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/snap_pops.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/snap_pops.ftl new file mode 100644 index 00000000000..006015dd480 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/snap_pops.ftl @@ -0,0 +1,4 @@ +ent-SnapPop = snap pop + .desc = Throw it at the floor and listen to it POP! +ent-SnapPopBox = snap pop box + .desc = Contains twenty snap pops for a few minutes of popping fun! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/spray_paint.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/spray_paint.ftl new file mode 100644 index 00000000000..555518d255e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/spray_paint.ftl @@ -0,0 +1,31 @@ +ent-PaintBase = spray paint + .desc = A tin of spray paint. +ent-FunnyPaint = funny paint + .desc = A tin of funny paint, manufactured by Honk! Co. +ent-FunnyPaintYellow = funny paint + .desc = A tin of funny paint, manufactured by Honk! Co. +ent-DeathPaint = { ent-PaintBase } + .desc = { ent-PaintBase.desc } +ent-DeathPaintTwo = { ent-PaintBase } + .desc = { ent-PaintBase.desc } +ent-SprayPaintBlue = { ent-PaintBase } + .suffix = Blue + .desc = { ent-PaintBase.desc } +ent-SprayPaintRed = { ent-PaintBase } + .suffix = Red + .desc = { ent-PaintBase.desc } +ent-SprayPaintGreen = { ent-PaintBase } + .suffix = Green + .desc = { ent-PaintBase.desc } +ent-SprayPaintBlack = { ent-PaintBase } + .suffix = Black + .desc = { ent-PaintBase.desc } +ent-SprayPaintOrange = { ent-PaintBase } + .suffix = Orange + .desc = { ent-PaintBase.desc } +ent-SprayPaintPurple = { ent-PaintBase } + .suffix = Purple + .desc = { ent-PaintBase.desc } +ent-SprayPaintWhite = { ent-PaintBase } + .suffix = White + .desc = { ent-PaintBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/backgammon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/backgammon.ftl new file mode 100644 index 00000000000..4e2bc82ac29 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/backgammon.ftl @@ -0,0 +1,4 @@ +ent-BackgammonBoard = backgammon board + .desc = Old fashioned game of dice and pieces. +ent-BackgammonBoardTabletop = backgammon + .desc = { ent-BaseBoardTabletop.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/base.ftl new file mode 100644 index 00000000000..2b48aadcf35 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/base.ftl @@ -0,0 +1,6 @@ +ent-BaseBoardEntity = board + .desc = A blank board. +ent-BaseTabletopPiece = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseBoardTabletop = baseboard + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/checkers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/checkers.ftl new file mode 100644 index 00000000000..9935181f561 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/checkers.ftl @@ -0,0 +1,12 @@ +ent-CheckerBoard = checkerboard + .desc = A checkerboard. Pieces included! +ent-CheckerBoardTabletop = checkerboard + .desc = { ent-BaseBoardTabletop.desc } +ent-CheckerPieceWhite = white checker piece + .desc = { ent-BaseTabletopPiece.desc } +ent-CheckerCrownWhite = white checker crown + .desc = { ent-BaseTabletopPiece.desc } +ent-CheckerPieceBlack = black checker piece + .desc = { ent-BaseTabletopPiece.desc } +ent-CheckerCrownBlack = black checker crown + .desc = { ent-BaseTabletopPiece.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/chess.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/chess.ftl new file mode 100644 index 00000000000..1c35741d383 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/chess.ftl @@ -0,0 +1,28 @@ +ent-ChessBoard = chessboard + .desc = A chessboard. Pieces included! +ent-ChessBoardTabletop = chessboard + .desc = { ent-BaseBoardTabletop.desc } +ent-WhiteKing = white king + .desc = { ent-BaseTabletopPiece.desc } +ent-WhiteQueen = white queen + .desc = { ent-BaseTabletopPiece.desc } +ent-WhiteRook = white rook + .desc = { ent-BaseTabletopPiece.desc } +ent-WhiteBishop = white bishop + .desc = { ent-BaseTabletopPiece.desc } +ent-WhiteKnight = white knight + .desc = { ent-BaseTabletopPiece.desc } +ent-WhitePawn = white pawn + .desc = { ent-BaseTabletopPiece.desc } +ent-BlackKing = black king + .desc = { ent-BaseTabletopPiece.desc } +ent-BlackQueen = black queen + .desc = { ent-BaseTabletopPiece.desc } +ent-BlackRook = black rook + .desc = { ent-BaseTabletopPiece.desc } +ent-BlackBishop = black bishop + .desc = { ent-BaseTabletopPiece.desc } +ent-BlackKnight = black knight + .desc = { ent-BaseTabletopPiece.desc } +ent-BlackPawn = black pawn + .desc = { ent-BaseTabletopPiece.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/dnd.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/dnd.ftl new file mode 100644 index 00000000000..b14fb1e0277 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/dnd.ftl @@ -0,0 +1,22 @@ +ent-BaseBattlemap = battlemap + .desc = A battlemap for your epic dungeon exploring to begin, pieces not included! +ent-GrassBattlemap = grass battlemap + .desc = A battlemap for your epic dungeon exploring to begin, pieces not included! +ent-MoonBattlemap = moon battlemap + .desc = A battlemap for your epic moon exploring to begin, pieces not included! +ent-SandBattlemap = sand battlemap + .desc = A battlemap for your epic beach episodes to begin, pieces not included! +ent-SnowBattlemap = snow battlemap + .desc = A battlemap for your frigid exploring to begin, pieces not included! +ent-ShipBattlemap = ship battlemap + .desc = A battlemap for your epic space exploring to begin, pieces not included! +ent-GrassBoardTabletop = grass battlemap + .desc = { ent-BaseBoardTabletop.desc } +ent-MoonBoardTabletop = grass battlemap + .desc = { ent-BaseBoardTabletop.desc } +ent-SandBoardTabletop = sand battlemap + .desc = { ent-BaseBoardTabletop.desc } +ent-SnowBoardTabletop = snow battlemap + .desc = { ent-BaseBoardTabletop.desc } +ent-ShipBoardTabletop = ship battlemap + .desc = { ent-BaseBoardTabletop.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/parchis.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/parchis.ftl new file mode 100644 index 00000000000..eabc1fec67a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/parchis.ftl @@ -0,0 +1,4 @@ +ent-ParchisBoard = parchís board + .desc = Cross and circle board game famous for destroying countless friendships. +ent-ParchisBoardTabletop = parchís + .desc = { ent-BaseBoardTabletop.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/tabletopGeneric.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/tabletopGeneric.ftl new file mode 100644 index 00000000000..8f8a3e2a00a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/tabletop/tabletopGeneric.ftl @@ -0,0 +1,14 @@ +ent-BaseGenericTabletopPiece = { ent-BaseTabletopPiece } + .desc = { ent-BaseTabletopPiece.desc } +ent-RedTabletopPiece = red piece + .desc = { ent-BaseGenericTabletopPiece.desc } +ent-GreenTabletopPiece = green piece + .desc = { ent-BaseGenericTabletopPiece.desc } +ent-YellowTabletopPiece = yellow piece + .desc = { ent-BaseGenericTabletopPiece.desc } +ent-BlueTabletopPiece = blue piece + .desc = { ent-BaseGenericTabletopPiece.desc } +ent-WhiteTabletopPiece = white piece + .desc = { ent-BaseGenericTabletopPiece.desc } +ent-BlackTabletopPiece = black piece + .desc = { ent-BaseGenericTabletopPiece.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/toys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/toys.ftl new file mode 100644 index 00000000000..b3f905fbd0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/toys.ftl @@ -0,0 +1,117 @@ +ent-BasePlushie = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-PlushieGhost = ghost soft toy + .desc = The start of your personal GHOST GANG! +ent-PlushieGhostRevenant = revenant soft toy + .desc = So soft it almost makes you want to take a nap... + .suffix = DO NOT MAP +ent-PlushieBee = bee plushie + .desc = A cute toy that resembles an even cuter programmer. You'd have to be a monster to grind this up. +ent-PlushieHampter = hampter plushie + .desc = A cute stuffed toy that resembles a hamster. Its face looks squished. +ent-PlushieRGBee = RGBee plushie + .desc = A cute toy that resembles a bee plushie while you're on LSD. +ent-PlushieNuke = nukie plushie + .desc = A stuffed toy that resembles a syndicate nuclear operative. The tag claims operatives to be purely fictitious. +ent-PlushieRouny = rouny plushie + .desc = Rouny +ent-PlushieLamp = lamp plushie + .desc = A light emitting friend! +ent-PlushieArachind = arachnid plushie + .desc = An adorable stuffed toy that resembles an arachnid. It feels silky.. +ent-PlushieLizard = lizard plushie + .desc = An adorable stuffed toy that resembles a lizardperson. Made by CentCom as a token initiative to combat speciesism in work environments. "Welcome your new colleagues as you do this plush, with open arms!" +ent-PlushieLizardMirrored = { ent-PlushieLizard } + .desc = { ent-PlushieLizard.desc } +ent-PlushieSpaceLizard = space lizard plushie + .desc = An adorable stuffed toy that resembles a lizardperson in an EVA suit. Made by CentCom as a token initiative to combat speciesism in space environments. "Welcome your new colleges as you do this plush, with open arms!" +ent-PlushieDiona = diona plushie + .desc = An adorable stuffed toy that resembles a diona. Love water and cuddles. Do not wet! +ent-PlushieSharkBlue = blue shark soft toy + .desc = Big and safe to have by your side if you want to discover the world below the surface of the ocean. +ent-PlushieSharkPink = pink shark soft toy + .desc = Hehe shonk :) +ent-PlushieSharkGrey = grey shark soft toy + .desc = A quiet, reserved kind of shonk. Loves to ride the grey tide. +ent-PlushieRatvar = ratvar plushie + .desc = A small stuffed doll of the elder god Ratvar. +ent-PlushieNar = nar'sie plushie + .desc = A small stuffed doll of the elder goddess Nar'Sie. +ent-PlushieCarp = carp plushie + .desc = An adorable stuffed toy that resembles the monstrous space carp. +ent-PlushieSlime = slime plushie + .desc = An adorable stuffed toy that resembles a slime. It's basically a hacky sack. +ent-PlushieSnake = snake plushie + .desc = An adorable stuffed toy that resembles a snake. +ent-ToyMouse = mouse toy + .desc = A colorful toy mouse! +ent-ToyRubberDuck = rubber ducky + .desc = Not carried here by ocean currents. +ent-PlushieVox = vox plushie + .desc = SKREEEEEEEEEEEE! +ent-PlushieAtmosian = atmosian plushie + .desc = An adorable stuffed toy that resembles a brave atmosian. Unfortunately, he won't fix those depressurizations for you. +ent-PlushieXeno = xeno plushie + .desc = An adorable stuffed toy that resembles a scary xenomorf. You're lucky it's just a toy. +ent-PlushiePenguin = penguin plushie + .desc = I use arch btw! +ent-PlushieHuman = human plushie + .desc = This is a felt plush of a human. All craftsmanship is of the lowest quality. The human is naked. The human is crying. The human is screaming. +ent-PlushieMoth = moth plushie + .desc = Cute and fluffy moth plushie. Enjoy, bz! +ent-BaseFigurineCheapo = figurine + .desc = A small miniature. +ent-ToyAi = AI toy + .desc = A scaled-down toy AI core. +ent-ToyNuke = nuke toy + .desc = A plastic model of a Nuclear Fission Explosive. No uranium included... probably. +ent-ToyIan = ian toy + .desc = Unable to eat, but just as fluffy as the real guy! +ent-FoamWeaponBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-FoamCrossbow = foam crossbow + .desc = Aiming this at Security may get you filled with lead. +ent-ToyGunBase = ToyGunBase + .desc = A rooty tooty point and shooty. +ent-RevolverCapGun = cap gun + .desc = Looks almost like the real thing! Ages 8 and up. +ent-RevolverCapGunFake = cap gun + .desc = Looks almost like the real thing! Ages 8 and up. + .suffix = Fake +ent-FoamBlade = foamblade + .desc = It says "Sternside Changs number 1 fan" on it. +ent-Basketball = basketball + .desc = Where dah courts at? +ent-Football = football + .desc = Otherwise known as a handegg. +ent-BeachBall = beach ball + .desc = The simple beach ball is one of Nanotrasen's most popular products. 'Why do we make beach balls? Because we can! (TM)' - Nanotrasen +ent-BalloonSyn = syndie balloon + .desc = Handed out to the bravest souls who survived the "atomic twister" ride at Syndieland. +ent-BalloonCorgi = corgi balloon + .desc = Just like owning a real dog - but a lot floatier. +ent-SingularityToy = singuloth-brand toy + .desc = Mass-produced by a sadistic corporate conglomerate! +ent-TeslaToy = Teddy Tesla + .desc = The favorite toy of the great engineer Nikola Tesla. +ent-PonderingOrb = pondering orb + .desc = Ponderous, man... Really ponderous. +ent-ToySword = toy sword + .desc = New Sandy-Cat plastic sword! Comes with realistic sound and full color! Looks almost like the real thing! +ent-ToyAmongPequeno = among pequeno + .desc = sus! +ent-FoamCutlass = foam cutlass + .desc = Cosplay as a pirate and force your friends to walk the plank. +ent-ClownRecorder = clown recorder + .desc = When you just can't get those laughs coming the natural way! +ent-ToyHammer = rubber hammer + .desc = A brightly colored hammer made of rubber. +ent-WhoopieCushion = whoopie cushion + .desc = A practical joke device involving flatulence humour. +ent-PlasticBanana = banana + .desc = A plastic banana. + .suffix = Plastic +ent-CrazyGlue = crazy glue + .desc = A bottle of crazy glue manufactured by Honk! Co. +ent-NewtonCradle = newton cradle + .desc = A device bored paper pushers use to remind themselves that time did not stop yet. Contains gravity. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/whistles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/whistles.ftl new file mode 100644 index 00000000000..f02e169f7bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/fun/whistles.ftl @@ -0,0 +1,4 @@ +ent-BaseWhistle = whistle + .desc = Someone forgot to turn off kettle? +ent-SecurityWhistle = { ent-BaseWhistle } + .desc = Sound of it make you feel fear. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/magic/books.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/magic/books.ftl new file mode 100644 index 00000000000..9ea1e9a8d6a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/magic/books.ftl @@ -0,0 +1,16 @@ +ent-BaseSpellbook = spellbook + .desc = { ent-BaseItem.desc } +ent-SpawnSpellbook = spawn spellbook + .desc = { ent-BaseSpellbook.desc } +ent-ForceWallSpellbook = force wall spellbook + .desc = { ent-BaseSpellbook.desc } +ent-BlinkBook = blink spellbook + .desc = { ent-BaseSpellbook.desc } +ent-SmiteBook = smite spellbook + .desc = { ent-BaseSpellbook.desc } +ent-KnockSpellbook = knock spellbook + .desc = { ent-BaseSpellbook.desc } +ent-FireballSpellbook = fireball spellbook + .desc = { ent-BaseSpellbook.desc } +ent-ScrollRunes = scroll of runes + .desc = { ent-BaseSpellbook.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/crystal_shard.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/crystal_shard.ftl new file mode 100644 index 00000000000..79552576295 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/crystal_shard.ftl @@ -0,0 +1,14 @@ +ent-ShardCrystalBase = crystal shard + .desc = A small piece of crystal. +ent-ShardCrystalCyan = cyan crystal shard + .desc = A small piece of crystal. +ent-ShardCrystalBlue = blue crystal shard + .desc = { ent-ShardCrystalBase.desc } +ent-ShardCrystalOrange = orange crystal shard + .desc = { ent-ShardCrystalBase.desc } +ent-ShardCrystalPink = pink crystal shard + .desc = { ent-ShardCrystalBase.desc } +ent-ShardCrystalGreen = green crystal shard + .desc = { ent-ShardCrystalBase.desc } +ent-ShardCrystalRed = red crystal shard + .desc = { ent-ShardCrystalBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/ingots.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/ingots.ftl new file mode 100644 index 00000000000..2ea6f8c2a62 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/ingots.ftl @@ -0,0 +1,14 @@ +ent-IngotBase = { ent-BaseItem } + .desc = A heavy metal ingot stamped with the Nanotrasen logo. +ent-IngotGold = gold bar + .suffix = Full + .desc = { ent-IngotBase.desc } +ent-IngotGold1 = gold bar + .suffix = Single + .desc = { ent-IngotGold.desc } +ent-IngotSilver = silver bar + .suffix = Full + .desc = { ent-IngotBase.desc } +ent-IngotSilver1 = silver bar + .suffix = Single + .desc = { ent-IngotSilver.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/materials.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/materials.ftl new file mode 100644 index 00000000000..147ecdf73bb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/materials.ftl @@ -0,0 +1,78 @@ +ent-MaterialBase = { ent-BaseItem } + .desc = A raw material. +ent-MaterialCardboard = cardboard + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialCardboard10 = { ent-MaterialCardboard } + .suffix = 10 + .desc = { ent-MaterialCardboard.desc } +ent-MaterialCardboard1 = { ent-MaterialCardboard } + .suffix = Single + .desc = { ent-MaterialCardboard.desc } +ent-MaterialCloth = cloth + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialCloth10 = { ent-MaterialCloth } + .suffix = 10 + .desc = { ent-MaterialCloth.desc } +ent-MaterialCloth1 = { ent-MaterialCloth } + .suffix = Single + .desc = { ent-MaterialCloth.desc } +ent-MaterialDurathread = durathread + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialDurathread1 = { ent-MaterialDurathread } + .suffix = Single + .desc = { ent-MaterialDurathread.desc } +ent-MaterialWoodPlank = wood + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialWoodPlank10 = { ent-MaterialWoodPlank } + .suffix = 10 + .desc = { ent-MaterialWoodPlank.desc } +ent-MaterialWoodPlank1 = { ent-MaterialWoodPlank } + .suffix = Single + .desc = { ent-MaterialWoodPlank.desc } +ent-MaterialBiomass = biomass + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialBiomass1 = { ent-MaterialBiomass } + .suffix = Single + .desc = { ent-MaterialBiomass.desc } +ent-MaterialHideBear = bear hide + .desc = { ent-MaterialBase.desc } +ent-MaterialHideCorgi = corgi hide + .desc = Luxury pelt used in only the most elite fashion. Rumors say this is found when a corgi is sent to the nice farm. +ent-MaterialDiamond = refined diamond + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialDiamond1 = { ent-MaterialDiamond } + .suffix = Single + .desc = { ent-MaterialDiamond.desc } +ent-MaterialCotton = cotton + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialCotton1 = { ent-MaterialCotton } + .suffix = Single + .desc = { ent-MaterialCotton.desc } +ent-MaterialBananium = bananium + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialBananium1 = { ent-MaterialBananium } + .suffix = Single + .desc = { ent-MaterialBananium.desc } +ent-MaterialWebSilk = silk + .desc = A webby material. + .suffix = Full +ent-MaterialWebSilk25 = { ent-MaterialWebSilk } + .suffix = 25 + .desc = { ent-MaterialWebSilk.desc } +ent-MaterialWebSilk1 = { ent-MaterialWebSilk } + .suffix = 1 + .desc = { ent-MaterialWebSilk.desc } +ent-MaterialBones = bones + .suffix = Full + .desc = { ent-MaterialBase.desc } +ent-MaterialBones1 = { ent-MaterialBones } + .suffix = 1 + .desc = { ent-MaterialBones.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/ore.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/ore.ftl new file mode 100644 index 00000000000..837f3d5f1bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/ore.ftl @@ -0,0 +1,50 @@ +ent-OreBase = { ent-BaseItem } + .desc = A piece of unrefined ore. +ent-GoldOre = gold ore + .suffix = Full + .desc = { ent-OreBase.desc } +ent-GoldOre1 = { ent-GoldOre } + .suffix = Single + .desc = { ent-GoldOre.desc } +ent-SteelOre = iron ore + .suffix = Full + .desc = { ent-OreBase.desc } +ent-SteelOre1 = { ent-SteelOre } + .suffix = Single + .desc = { ent-SteelOre.desc } +ent-PlasmaOre = plasma ore + .suffix = Full + .desc = { ent-OreBase.desc } +ent-PlasmaOre1 = { ent-PlasmaOre } + .suffix = Single + .desc = { ent-PlasmaOre.desc } +ent-SilverOre = silver ore + .suffix = Full + .desc = { ent-OreBase.desc } +ent-SilverOre1 = { ent-SilverOre } + .suffix = Single + .desc = { ent-SilverOre.desc } +ent-SpaceQuartz = space quartz + .suffix = Full + .desc = { ent-OreBase.desc } +ent-SpaceQuartz1 = { ent-SpaceQuartz } + .suffix = Single + .desc = { ent-SpaceQuartz.desc } +ent-UraniumOre = uranium ore + .suffix = Full + .desc = { ent-OreBase.desc } +ent-UraniumOre1 = { ent-UraniumOre } + .suffix = Single + .desc = { ent-UraniumOre.desc } +ent-BananiumOre = bananium ore + .suffix = Full + .desc = { ent-OreBase.desc } +ent-BananiumOre1 = { ent-BananiumOre } + .suffix = Single + .desc = { ent-BananiumOre.desc } +ent-Coal = coal + .suffix = Full + .desc = { ent-OreBase.desc } +ent-Coal1 = { ent-Coal } + .suffix = Single + .desc = { ent-Coal.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/parts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/parts.ftl new file mode 100644 index 00000000000..47c45e895aa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/parts.ftl @@ -0,0 +1,17 @@ +ent-PartBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-PartRodMetal = metal rod + .suffix = Full + .desc = { ent-PartBase.desc } +ent-PartRodMetal10 = metal rod + .suffix = 10 + .desc = { ent-PartRodMetal.desc } +ent-PartRodMetal1 = metal rod + .suffix = Single + .desc = { ent-PartRodMetal.desc } +ent-PartRodMetalLingering0 = { ent-PartRodMetal } + .suffix = Lingering, 0 + .desc = { ent-PartRodMetal.desc } +ent-FloorTileItemSteelLingering0 = { ent-FloorTileItemSteel } + .suffix = Lingering, 0 + .desc = { ent-FloorTileItemSteel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/shards.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/shards.ftl new file mode 100644 index 00000000000..8d63c2b848a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/shards.ftl @@ -0,0 +1,10 @@ +ent-ShardBase = { ent-BaseItem } + .desc = It's a shard of some unknown material. +ent-ShardGlass = glass shard + .desc = A small piece of glass. +ent-ShardGlassReinforced = reinforced glass shard + .desc = A small piece of reinforced glass. +ent-ShardGlassPlasma = plasma glass shard + .desc = A small piece of plasma glass. +ent-ShardGlassUranium = uranium glass shard + .desc = A small piece of uranium glass. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/glass.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/glass.ftl new file mode 100644 index 00000000000..2010737e248 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/glass.ftl @@ -0,0 +1,43 @@ +ent-SheetGlassBase = glass + .desc = A sheet of glass, used often on the station in various applications. +ent-SheetGlass = { ent-SheetGlassBase } + .suffix = Full + .desc = { ent-SheetGlassBase.desc } +ent-SheetGlass10 = { ent-SheetGlass } + .suffix = 10 + .desc = { ent-SheetGlass.desc } +ent-SheetGlass1 = { ent-SheetGlass } + .suffix = Single + .desc = { ent-SheetGlass.desc } +ent-SheetGlassLingering0 = { ent-SheetGlass } + .suffix = Lingering, 0 + .desc = { ent-SheetGlass.desc } +ent-SheetRGlass = reinforced glass + .desc = A reinforced sheet of glass. + .suffix = Full +ent-SheetRGlass1 = reinforced glass + .suffix = Single + .desc = { ent-SheetRGlass.desc } +ent-SheetPGlass = plasma glass + .desc = A sheet of translucent plasma. + .suffix = Full +ent-SheetPGlass1 = plasma glass + .suffix = Single + .desc = { ent-SheetPGlass.desc } +ent-SheetRPGlass = reinforced plasma glass + .desc = A reinforced sheet of translucent plasma. + .suffix = Full +ent-SheetRPGlass1 = reinforced plasma glass + .suffix = Single + .desc = { ent-SheetRPGlass.desc } +ent-SheetUGlass = uranium glass + .desc = A sheet of uranium glass. + .suffix = Full +ent-SheetUGlass1 = uranium glass + .suffix = Single + .desc = { ent-SheetUGlass.desc } +ent-SheetRUGlass = reinforced uranium glass + .desc = A reinforced sheet of uranium. +ent-SheetRUGlass1 = reinforced uranium glass + .suffix = Single + .desc = { ent-SheetRUGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/metal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/metal.ftl new file mode 100644 index 00000000000..d244db0dc62 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/metal.ftl @@ -0,0 +1,23 @@ +ent-SheetMetalBase = { ent-BaseItem } + .desc = A sheet of metal, used often on the station in various applications. +ent-SheetSteel = steel + .suffix = Full + .desc = { ent-SheetMetalBase.desc } +ent-SheetSteel10 = steel + .suffix = 10 + .desc = { ent-SheetSteel.desc } +ent-SheetSteel1 = steel + .suffix = Single + .desc = { ent-SheetSteel.desc } +ent-SheetSteelLingering0 = { ent-SheetSteel } + .suffix = Lingering, 0 + .desc = { ent-SheetSteel.desc } +ent-SheetPlasteel = plasteel + .suffix = Full + .desc = { ent-SheetMetalBase.desc } +ent-SheetPlasteel10 = plasteel + .suffix = 10 + .desc = { ent-SheetPlasteel.desc } +ent-SheetPlasteel1 = plasteel + .suffix = Single + .desc = { ent-SheetPlasteel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/other.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/other.ftl new file mode 100644 index 00000000000..b750e51b871 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/materials/sheets/other.ftl @@ -0,0 +1,35 @@ +ent-SheetOtherBase = { ent-BaseItem } + .desc = A sheet of material, used often on the station in various applications. +ent-SheetPaper = paper + .suffix = Full + .desc = { ent-SheetOtherBase.desc } +ent-SheetPaper1 = paper + .suffix = Single + .desc = { ent-SheetPaper.desc } +ent-SheetPlasma = plasma + .suffix = Full + .desc = { ent-SheetOtherBase.desc } +ent-SheetPlasma1 = plasma + .suffix = Single + .desc = { ent-SheetPlasma.desc } +ent-SheetPlastic = plastic + .suffix = Full + .desc = { ent-SheetOtherBase.desc } +ent-SheetPlastic10 = plastic + .suffix = 10 + .desc = { ent-SheetPlastic.desc } +ent-SheetPlastic1 = plastic + .suffix = Single + .desc = { ent-SheetPlastic.desc } +ent-SheetUranium = uranium + .suffix = Full + .desc = { ent-SheetOtherBase.desc } +ent-SheetUranium1 = uranium + .suffix = Single + .desc = { ent-SheetUranium.desc } +ent-MaterialSheetMeat = meat sheet + .suffix = Full + .desc = { ent-SheetOtherBase.desc } +ent-MaterialSheetMeat1 = { ent-MaterialSheetMeat } + .suffix = Single + .desc = { ent-MaterialSheetMeat.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/authorbooks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/authorbooks.ftl new file mode 100644 index 00000000000..f82a6e35f20 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/authorbooks.ftl @@ -0,0 +1,60 @@ +ent-BookNarsieLegend = the legend of nar'sie + .desc = The book is an old, leather-bound tome with intricate engravings on the cover. The pages are yellowed and fragile with age, with the ink of the text faded in some places. It appears to have been well-read and well-loved, with dog-eared pages and marginalia scrawled in the margins. Despite its aged appearance, the book still exudes a sense of mystical power and wonder, hinting at the secrets and knowledge contained within its pages. +ent-BookTruth = exploring different philosophical perspectives on truth and the complexity of lying + .desc = A book exploring the different philosophical perspectives on truth and lying has a worn cover, with creases and marks indicating frequent use and thoughtful contemplation. The spine shows signs of wear from being pulled off the shelf again and again. The pages themselves are filled with underlines, notes in the margins, and highlighted passages as readers grapple with the nuances and complexities of the topic. +ent-BookWorld = shaping the state of the world - interplay of forces and choices + .desc = The book is a well-preserved hardcover with a simple, elegant design on the cover, depicting the image of a world in motion. The pages are crisp and clean, with no signs of wear or tear, suggesting that it has been well-cared for and valued by its previous owner. The text is printed in a clear, legible font, and the chapters are organized in a logical and easy-to-follow manner, making it accessible to readers of all levels of expertise. +ent-BookIanAntarctica = adventures of robert & ian - exploring antarctica + .desc = The book is a small paperback in good condition, with an illustration of Ian the corgi and the colony of penguins on the cover. The title, "Ian and Robert's Antarctic Adventure", is written in bold white letters against a blue background. The back cover features a brief summary of the story, highlighting the themes of humility, resilience, and the beauty of nature. +ent-BookSlothClownSSS = the sloth and the clown - space station shenanigans + .desc = The book looks new, with a glossy cover featuring Chuckles the clown and Snuggles the sloth floating in space with a backdrop of stars and planets. Chuckles is dressed in his banana costume and Snuggles is sleeping on a hammock made of space ropes. The title "The Sloth and the Clown - Space Station Shenanigans" is written in bold and colorful letters. +ent-BookSlothClownPranks = the sloth and the clown - pranks on zorgs + .desc = The book is in excellent condition, with crisp pages and a bright cover. The cover of the book features Chuckles and Snuggles, surrounded by the different species they encountered during their adventures in space. In the background, the Zorgs can be seen peeking out from behind a spaceship. +ent-BookSlothClownMMD = the sloth and the clown - maze maze danger + .desc = The book looks new and vibrant, with an image of Chuckles and Snuggles standing in front of the changing maze on the cover. The title "The Sloth and the Clown - Maze Maze Danger" is written in bold, colorful letters that pop against a background of space and stars. +ent-BookStruck = the humbling and transformative experience of being struck by lightning + .desc = The cover of the book is an electrifying image of lightning striking the ground, with a silhouette of a person standing in the midst of it. The title is written in bold letters in white against a black background, conveying the power and intensity of the experience. The subtitle is written in smaller letters below the title, providing a hint of the philosophical and spiritual themes explored within. +ent-BookSun = reaching for the sun - a plant's quest for life + .desc = The book is new, with a bright and vibrant cover featuring a plant stretching its leaves towards the sun. The title, "Reaching for the Sun - A Plant's Quest for Life," is written in bold, green letters, with an image of the sun rising behind the plant. The cover evokes a sense of growth, energy, and the beauty of nature. +ent-BookPossum = fallen ambitions - the tragic tale of morty the possum + .desc = The book is in good condition, with a hardcover and a dark green forest background. In the center of the cover, there is a sad looking possum sitting on a branch, with a distant and lonely expression on its face. The title, "Fallen Ambitions - The Tragic Tale of Morty the Possum," is written in bold, gold letters above the possum. +ent-BookCafe = the cafe possum + .desc = The book is in new condition, with a vibrant and whimsical cover that features a charming illustration of a tiny possum peeking out from behind a coffee cup, with a colorful and bustling cafe scene in the background. The title "The Cafe Possum" is written in bold, playful lettering, and the author's name is printed in a smaller font below it. +ent-BookFeather = a feather of magic - the wandering bird's journey to belonging + .desc = The book would be in new condition, with a glossy cover depicting the wandering bird surrounded by a glowing forest, with the magical feather at the center. The title, "A Feather of Magic," would be written in bold, glittering letters, while the subtitle, "The Wandering Bird's Journey to Belonging," would be written in smaller print underneath. The back cover would feature a brief summary of the story, along with reviews from critics praising the book's themes of hope and renewal. +ent-BookIanLostWolfPup = the adventures of ian and renault - finding the lost wolf pup + .desc = The book is a new condition with a colorful cover, depicting Ian the corgi and Renault the fox on a journey through the forest, with the lost wolf pup to their feet. The title "The Adventures of Ian and Renault - Finding the Lost Wolf Pup" is prominently displayed at the top, with the author's name below. The cover has a whimsical and adventurous feel to it, attracting readers of all ages. +ent-BookIanRanch = the adventures of ian and renault - ranch expedition + .desc = The book appears to be new, with crisp pages and an unblemished cover. The cover features a colorful illustration of Ian and Renault, surrounded by various animals they encountered on the ranch, including horses, cows, and chickens. The title, "The Adventures of Ian and Renault - Ranch Expedition," is written in bold letters above the image, with the subtitle, "Helping Animals in Need," written below. +ent-BookIanOcean = the adventures of ian and renault - an ocean adventure + .desc = The book is new and in excellent condition. The cover shows Ian and Renault running and playing on the beach, with the blue ocean and golden sand in the background. The title is written in bold, playful letters, and the subtitle reads "An Ocean Adventure." +ent-BookIanMountain = the adventures of ian and renault - A mountain expedition + .desc = The book is in new condition. The cover is a stunning mountain landscape with Ian and Renault in the foreground, looking out over the vista of the surrounding peaks and valleys. The title is written in bold, block letters at the top, with the subtitle, "A Mountain Expedition," written underneath. +ent-BookIanCity = the adventures of ian and renault - exploring the city + .desc = The book is in new condition, with crisp pages and a glossy cover. The cover features a colorful illustration of Ian and Renault exploring the city, with tall buildings and bustling streets in the background. Ian is leading the way, with his tail wagging excitedly, while Renault follows close behind, her ears perked up and her eyes wide with wonder. The title, "The Adventures of Ian and Renault," is written in bold, playful letters, with the subtitle, "Exploring the City," written below in smaller font. +ent-BookIanArctic = the adventures of ian and renault - an arctic journey of courage and friendship + .desc = The book looks new and adventurous, with a picture of Ian and Renault standing in front of an icy landscape with snowflakes falling all around them. The title, "The Adventures of Ian and Renault," is written in bold letters at the top, with a subtitle that reads, "An Arctic Journey of Courage and Friendship." +ent-BookIanDesert = the adventures of ian and renault - exploring the mysterious desert + .desc = The book is in new condition and would have a colorful cover depicting Ian and Renault against a desert backdrop. The cover would feature images of various animals and plants that the two encountered on their adventure, such as a rattlesnake, coyotes, sand dunes, and an oasis. The title, "The Adventures of Ian and Renault" is prominently displayed on the cover in bold letters, while the subtitle "Exploring the Mysterious Desert" is written in smaller letters underneath. +ent-BookNames = the power of names - a philosophical exploration + .desc = The book is a gently used philosophy text, with a cover that features a close-up of a person's mouth, with the word "names" written on their lips. The title is "The Power of Names - A Philosophical Exploration," and the author's name is prominently displayed underneath. The overall design is simple and elegant, with the focus on the text rather than any flashy graphics or images. +ent-BookEarth = earthly longing + .desc = The book is in good condition, with a slightly faded cover due to exposure to sunlight. The cover of the book depicts a panoramic view of the Earth from space, with a bright blue ocean and green landmasses. In the foreground, a lone astronaut is seen sitting in front of a window, gazing wistfully at the Earth. The title of the book, "Earthly Longing," is written in bold white letters against a black background at the top of the cover. +ent-BookAurora = journey beyond - the starship aurora mission + .desc = The book is in excellent condition, with a shiny cover depicting a spaceship hovering above a planet, perhaps with the Earth in the background. The title "Journey Beyond - The Starship Aurora Mission" is written in bold, silver letters. The cover also features a quote from a review, "A breathtaking tale of human achievement and exploration" to entice potential readers. +ent-BookTemple = the nature of the divine - embracing the many gods + .desc = The book appears new with crisp pages and an uncreased spine. The cover features an image of a temple with a glowing, multicolored aura around it, symbolizing the various gods discussed in the book. The title is displayed prominently in gold lettering, with the author's name and a brief summary of the book written in smaller text below. +ent-BookWatched = watched + .desc = The book is in good condition, with a slightly worn cover that features a dark and ominous space station looming in the background. The title "Watched" is written in bold letters that seem to be staring back at the reader, conveying the feeling of being constantly observed. The blurb on the back cover hints at a thrilling and suspenseful tale of paranoia and danger in a confined setting. +ent-BookMedicalOfficer = horizon's battle - a medical officer's tale of trust and survival + .desc = The cover features Smith, the medical officer, in his uniform, looking determined and ready to face any challenge. The backdrop shows the SS Horizon under attack, with explosions and smoke filling the space station. In the foreground, a wizard with a staff can be seen, adding an element of mystery and intrigue to the scene. The title is prominently displayed in bold letters, with the author's name and a tagline indicating the book's action-packed and suspenseful nature. +ent-BookMorgue = the ghostly residents of the abandoned morgue + .desc = The book looks old and worn, with faded lettering on the cover. The cover depicts a dark and eerie morgue, with a full moon casting an ominous glow over the scene. In the foreground are Morty the possum and Morticia the raccoon, with mischievous expressions on their faces, peeking out from behind a metal shelf. The title is written in bold, spooky letters, with the subtitle "A Tale of Animal Spirits" written in smaller font below. +ent-BookRufus = rufus and the mischievous fairy + .desc = The book is in new condition, with vibrant colors and illustrations on the cover. The cover shows Rufus on his bicycle, with Blossom flying beside him in a playful manner. The title is written in bold, whimsical font, with the characters' names highlighted in a contrasting color. The overall aesthetic is charming and inviting, appealing to children and adults alike. +ent-BookMap = the map of adventure + .desc = The book is in a good condition, with a glossy cover depicting a jungle scene with vibrant colors and intricate details. The title "The Map of Adventure," is written in bold, gold lettering. The cover also features an image of a mysterious suitcase with the map spilling out of it. +ent-BookJourney = a journey of music, mountains, and self-discovery + .desc = The book is in excellent condition, with crisp pages and a glossy cover. The cover features a striking image of a mountain range, with a silhouette of a climber with a guitar on their back in the foreground. The title is bold and eye-catching, with the subtitle "A Journey of Music, Mountains, and Self-Discovery." +ent-BookInspiration = finding inspiration - a writer's journey through the woods + .desc = The book is in a new condition with a cover depicting a serene forest scene with a waterfall and colorful wildflowers. The title of the book "Finding Inspiration - A Writer's Journey Through the Woods" and the author's name are prominently displayed at the bottom. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/bedsheets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/bedsheets.ftl new file mode 100644 index 00000000000..a7735563797 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/bedsheets.ftl @@ -0,0 +1,62 @@ +ent-BedsheetBase = BedsheetBase + .desc = A surprisingly soft linen bedsheet. +ent-BedsheetBlack = black bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetBlue = blue bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetBrown = brown bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetCaptain = captain's bedsheet + .desc = It has a Nanotrasen symbol on it, and was woven with a revolutionary new kind of thread guaranteed to have 0.01% permeability for most non-chemical substances, popular among most modern captains. +ent-BedsheetCE = CE's bedsheet + .desc = It's decorated with a wrench emblem. It's highly reflective and stain resistant, so you don't need to worry about ruining it with oil. +ent-BedsheetCentcom = CentCom bedsheet + .desc = Woven with advanced nanothread for warmth as well as being very decorated, essential for all officials. +ent-BedsheetClown = clown's bedsheet + .desc = A rainbow blanket with a clown mask woven in. It smells faintly of bananas. +ent-BedsheetCMO = CMO's bedsheet + .desc = It's a sterilized blanket that has a cross emblem. There's some cat fur on it, likely from Runtime. +ent-BedsheetCosmos = cosmos bedsheet + .desc = Made from the dreams of those who wonder at the stars. +ent-BedsheetCult = cult bedsheet + .desc = You might dream of Nar'Sie if you sleep with this. It seems rather tattered and glows of an eldritch presence. +ent-BedsheetGreen = green bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetGrey = grey bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetHOP = HOP's bedsheet + .desc = It's decorated with a key emblem. For those rare moments when you can rest and cuddle with Ian without someone screaming for you over the radio. +ent-BedsheetHOS = HOS's bedsheet + .desc = It's decorated with a shield emblem. While crime doesn't sleep, you do, but you are still THE LAW! +ent-BedsheetIan = Ian's bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetMedical = medical bedsheet + .desc = It's a sterilized blanket commonly used in the Medbay. Sterilization is voided if a virologist is present onboard the station. +ent-BedsheetMime = mime's bedsheet + .desc = A very soothing striped blanket. All the noise just seems to fade out when you're under the covers in this. +ent-BedsheetNT = NT bedsheet + .desc = It has the Nanotrasen logo on it and an aura of duty. +ent-BedsheetOrange = orange bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetPurple = purple bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetQM = QM's bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetRainbow = rainbow bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetRD = RD's bedsheet + .desc = It appears to have a beaker emblem, and is made out of fire-resistant material, although it probably won't protect you in the event of fires you're familiar with every day. +ent-BedsheetBrigmedic = brigmedic's bedsheet + .desc = Not worse than cotton. +ent-BedsheetRed = red bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetSyndie = syndicate bedsheet + .desc = It has a syndicate emblem and it has an aura of evil. +ent-BedsheetUSA = USA bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetWhite = white bedsheet + .desc = { ent-BedsheetBase.desc } +ent-BedsheetWiz = wizard's bedsheet + .desc = A special fabric enchanted with magic so you can have an enchanted night. It even glows! +ent-BedsheetYellow = yellow bedsheet + .desc = { ent-BedsheetBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/books.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/books.ftl new file mode 100644 index 00000000000..b0858dce50b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/books.ftl @@ -0,0 +1,43 @@ +ent-BookBase = book + .desc = A hardcover book. +ent-BookSpaceEncyclopedia = space encyclopedia + .desc = An encyclopedia containing all the knowledge. The author of this encyclopedia is unknown. +ent-BookTheBookOfControl = the book of control + .desc = Essential to become robust. +ent-BookBartendersManual = bartender's manual + .desc = This manual is stained with beer. +ent-BookChefGaming = chef gaming + .desc = A book about cooking written by a gamer chef. +ent-BookLeafLoversSecret = leaf lover's secret + .desc = It has a strong weed smell. It motivates you to feed and seed. +ent-BookEngineersHandbook = engineer's handbook + .desc = A handbook about engineering written by Nanotrasen. +ent-BookScientistsGuidebook = scientist's guidebook + .desc = A guidebook about science written by Nanotrasen. +ent-BookSecurity = security 101 + .desc = A book about security written by Nanotrasen. The book is stained with blood. It seems to have been used more as a weapon than reading material. +ent-BookHowToKeepStationClean = how to keep station clean + .desc = This book is very clean. +ent-BookHowToRockAndStone = how to rock and stone + .desc = A very detailed guide about salvage written by Karl, a legendary space miner, however he's missing. It motivates you to rock and stone. +ent-BookMedicalReferenceBook = medical reference book + .desc = A reference book about medical written by an old doctor. The handwriting is barely comprehensible. +ent-BookHowToSurvive = how to survive + .desc = Ironically the author of this book is dead. +ent-BookChemicalCompendium = chempendium + .desc = A comprehensive guide written by some old skeleton of a professor about chemical synthesis. +ent-BookRandom = { ent-BookBase } + .suffix = random + .desc = { ent-BookBase.desc } +ent-BookEscalation = Robert's Rules of Escalation + .desc = The book is stained with blood. It seems to have been used more as a weapon than reading material. +ent-BookEscalationSecurity = Robert's Rules of Escalation: Security Edition + .desc = The book is stained with blood. It seems to have been used more as a weapon than reading material. +ent-BookAtmosDistro = Newton's Guide to Atmos: The Distro + .desc = There are endless illegible notes scribbled in the margins. Most of the text is covered in handwritten question marks. +ent-BookAtmosWaste = Newton's Guide to Atmos: Waste + .desc = There are endless illegible notes scribbled in the margins. Most of the text is covered in handwritten question marks. +ent-BookAtmosAirAlarms = Newton's Guide to Atmos: Air Alarms + .desc = There are endless illegible notes scribbled in the margins. Most of the text is covered in handwritten question marks. +ent-BookAtmosVentsMore = Newton's Guide to Atmos: Vents and More + .desc = There are endless illegible notes scribbled in the margins. Most of the text is covered in handwritten question marks. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/botparts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/botparts.ftl new file mode 100644 index 00000000000..4a137ee1134 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/botparts.ftl @@ -0,0 +1,2 @@ +ent-ProximitySensor = proximity sensor + .desc = Senses things in close proximity. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/box.ftl new file mode 100644 index 00000000000..267ffe837c7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/box.ftl @@ -0,0 +1,2 @@ +ent-BoxBase = { ent-BaseStorageItem } + .desc = { ent-BaseStorageItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/brb_sign.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/brb_sign.ftl new file mode 100644 index 00000000000..95d0339706d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/brb_sign.ftl @@ -0,0 +1,2 @@ +ent-BrbSign = brb sign + .desc = Lets others know you are away. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/briefcases.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/briefcases.ftl new file mode 100644 index 00000000000..a694534bb4c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/briefcases.ftl @@ -0,0 +1,9 @@ +ent-BriefcaseBase = { ent-BaseStorageItem } + .desc = Useful for carrying items in your hands. +ent-BriefcaseBrown = brown briefcase + .desc = A handy briefcase. +ent-BriefcaseSyndieBase = { ent-BriefcaseBase } + .desc = Useful for carrying items in your hands. + .suffix = Syndicate, Empty +ent-BriefcaseSyndie = brown briefcase + .desc = A handy briefcase. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/broken_bottle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/broken_bottle.ftl new file mode 100644 index 00000000000..9deee7da6d2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/broken_bottle.ftl @@ -0,0 +1,2 @@ +ent-BrokenBottle = broken bottle + .desc = In Space Glasgow this is called a conversation starter. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/buffering.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/buffering.ftl new file mode 100644 index 00000000000..1e93ec79364 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/buffering.ftl @@ -0,0 +1,2 @@ +ent-BufferingIcon = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/candles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/candles.ftl new file mode 100644 index 00000000000..c7c07cc3db6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/candles.ftl @@ -0,0 +1,47 @@ +ent-Candle = candle + .desc = A thin wick threaded through fat. +ent-CandleRed = red candle + .desc = { ent-Candle.desc } +ent-CandleBlue = blue candle + .desc = { ent-Candle.desc } +ent-CandleBlack = black candle + .desc = { ent-Candle.desc } +ent-CandleGreen = green candle + .desc = { ent-Candle.desc } +ent-CandlePurple = purple candle + .desc = { ent-Candle.desc } +ent-CandleSmall = small candle + .desc = { ent-Candle.desc } +ent-CandleRedSmall = small red candle + .desc = { ent-CandleSmall.desc } +ent-CandleBlueSmall = small blue candle + .desc = { ent-CandleSmall.desc } +ent-CandleBlackSmall = small black candle + .desc = { ent-CandleSmall.desc } +ent-CandleGreenSmall = small green candle + .desc = { ent-CandleSmall.desc } +ent-CandlePurpleSmall = small purple candle + .desc = { ent-CandleSmall.desc } +ent-CandleInfinite = magic candle + .desc = It's either magic or high tech, but this candle never goes out. On the other hand, its flame is quite cold. + .suffix = Decorative +ent-CandleRedInfinite = magic red candle + .desc = { ent-CandleInfinite.desc } +ent-CandleBlueInfinite = magic blue candle + .desc = { ent-CandleInfinite.desc } +ent-CandleBlackInfinite = magic black candle + .desc = { ent-CandleInfinite.desc } +ent-CandleGreenInfinite = magic green candle + .desc = { ent-CandleInfinite.desc } +ent-CandlePurpleInfinite = magic purple candle + .desc = { ent-CandleInfinite.desc } +ent-CandleRedSmallInfinite = small magic red candle + .desc = { ent-CandleInfinite.desc } +ent-CandleBlueSmallInfinite = small magic blue candle + .desc = { ent-CandleInfinite.desc } +ent-CandleBlackSmallInfinite = small magic black candle + .desc = { ent-CandleInfinite.desc } +ent-CandleGreenSmallInfinite = small magic green candle + .desc = { ent-CandleInfinite.desc } +ent-CandlePurpleSmallInfinite = small magic purple candle + .desc = { ent-CandleInfinite.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/candy_bowl.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/candy_bowl.ftl new file mode 100644 index 00000000000..ef70578dda4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/candy_bowl.ftl @@ -0,0 +1,2 @@ +ent-CandyBowl = candy bowl + .desc = Grab as much as you can fit in your pockets! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/carpets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/carpets.ftl new file mode 100644 index 00000000000..c02894b5407 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/carpets.ftl @@ -0,0 +1,16 @@ +ent-FloorCarpetItemRed = red carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemBlack = black carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemBlue = blue carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemGreen = green carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemOrange = orange carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemSkyBlue = sky blue carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemPurple = purple carpet + .desc = { ent-FloorTileItemBase.desc } +ent-FloorCarpetItemPink = pink carpet + .desc = { ent-FloorTileItemBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/dat_fukken_disk.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/dat_fukken_disk.ftl new file mode 100644 index 00000000000..7a27e8580e2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/dat_fukken_disk.ftl @@ -0,0 +1,5 @@ +ent-NukeDisk = nuclear authentication disk + .desc = A nuclear auth disk, capable of arming a nuke if used along with a code. Note from nanotrasen reads "THIS IS YOUR MOST IMPORTANT POSESSION, SECURE DAT FUKKEN DISK!" +ent-NukeDiskFake = nuclear authentication disk + .desc = A nuclear auth disk, capable of arming a nuke if used along with a code. Note from nanotrasen reads "THIS IS YOUR MOST IMPORTANT POSESSION, SECURE DAT FUKKEN DISK!" + .suffix = Fake diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/desk_bell.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/desk_bell.ftl new file mode 100644 index 00000000000..5d72bce0ffb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/desk_bell.ftl @@ -0,0 +1,2 @@ +ent-DeskBell = desk bell + .desc = The cornerstone of any customer service job. You feel an unending urge to ring it. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/eggspider.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/eggspider.ftl new file mode 100644 index 00000000000..f9c9dfb452a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/eggspider.ftl @@ -0,0 +1,2 @@ +ent-EggSpider = egg spider + .desc = Is it a gemstone? Is it an egg? It looks expensive. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/filing_cabinets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/filing_cabinets.ftl new file mode 100644 index 00000000000..cea0f4ebdee --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/filing_cabinets.ftl @@ -0,0 +1,9 @@ +ent-filingCabinet = filing cabinet + .desc = A cabinet for all your filing needs. + .suffix = { "" } +ent-filingCabinetTall = tall cabinet + .desc = { ent-filingCabinet.desc } + .suffix = { "" } +ent-filingCabinetDrawer = chest drawer + .desc = A small drawer for all your filing needs, Now with wheels! + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/fire_extinguisher.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/fire_extinguisher.ftl new file mode 100644 index 00000000000..8088e5d9367 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/fire_extinguisher.ftl @@ -0,0 +1,4 @@ +ent-FireExtinguisher = fire extinguisher + .desc = It extinguishes fires. +ent-ExtinguisherSpray = extinguisher spray + .desc = { ent-Vapor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/fluff_lights.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/fluff_lights.ftl new file mode 100644 index 00000000000..335ad740c2e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/fluff_lights.ftl @@ -0,0 +1,14 @@ +ent-BaseLamp = lantern + .desc = { ent-BaseItem.desc } +ent-Lamp = lamp + .desc = A light emitting device. +ent-LampBanana = banana lamp + .desc = A light emitting device, shaped like a banana. +ent-LampGold = desk lamp + .desc = A light emitting device that would look great on a desk. +ent-LampInterrogator = interrogator lamp + .desc = Ultra-bright lamp for the bad cop +ent-Floodlight = floodlight + .desc = A pole with powerful mounted lights on it. +ent-FloodlightBroken = broken floodlight + .desc = A pole with powerful mounted lights on it. It's broken. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/handcuffs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/handcuffs.ftl new file mode 100644 index 00000000000..ec5c78b9513 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/handcuffs.ftl @@ -0,0 +1,14 @@ +ent-Handcuffs = handcuffs + .desc = Used to detain criminals and other assholes. +ent-Cablecuffs = makeshift handcuffs + .desc = Homemade handcuffs crafted from spare cables. +ent-Zipties = zipties + .desc = Tough single-use plastic zipties, ideal for restraining rowdy prisoners. +ent-BaseHandcuffsBroken = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-ZiptiesBroken = broken zipties + .desc = These zipties look like they tried to manage the wrong cables. +ent-CablecuffsBroken = broken cables + .desc = These cables are broken in several places and don't seem very useful. +ent-ClothingOuterStraightjacket = straitjacket + .desc = Used to restrain those who may cause harm to themselves or others. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/handy_flags.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/handy_flags.ftl new file mode 100644 index 00000000000..de9370cbdfc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/handy_flags.ftl @@ -0,0 +1,10 @@ +ent-BlankHandyFlag = blank handheld flag + .desc = Some piece of white cloth wound on a stick. +ent-NTHandyFlag = Nanotrasen handheld flag + .desc = Glory to NT! Wait, they really made a handheld flag for a corporation? +ent-SyndieHandyFlag = syndicate handheld flag + .desc = For truly rebellious patriots. Death to NT! +ent-LGBTQHandyFlag = LGBTQ handheld flag + .desc = The be gay do crime handy flag. +ent-PirateHandyFlag = pirate handheld flag + .desc = Holding it in your hands, show these carp that you're not kidding. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/ice_crust.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/ice_crust.ftl new file mode 100644 index 00000000000..3a3a29759e5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/ice_crust.ftl @@ -0,0 +1,2 @@ +ent-IceCrust = ice crust + .desc = It's cold and slippery. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/identification_cards.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/identification_cards.ftl new file mode 100644 index 00000000000..034984eeb3a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/identification_cards.ftl @@ -0,0 +1,125 @@ +ent-IDCardStandard = identification card + .desc = A card necessary to access various areas aboard the station. +ent-PassengerIDCard = passenger ID card + .desc = { ent-IDCardStandard.desc } +ent-TechnicalAssistantIDCard = technical assistant ID card + .desc = { ent-PassengerIDCard.desc } +ent-MedicalInternIDCard = medical intern ID card + .desc = { ent-PassengerIDCard.desc } +ent-ResearchAssistantIDCard = research assistant ID card + .desc = { ent-PassengerIDCard.desc } +ent-SecurityCadetIDCard = cadet ID card + .desc = { ent-PassengerIDCard.desc } +ent-ServiceWorkerIDCard = service worker ID card + .desc = { ent-PassengerIDCard.desc } +ent-CaptainIDCard = captain ID card + .desc = { ent-IDCardStandard.desc } +ent-SecurityIDCard = deputy ID card + .desc = { ent-IDCardStandard.desc } +ent-WardenIDCard = bailiff ID card + .desc = { ent-IDCardStandard.desc } +ent-EngineeringIDCard = engineer ID card + .desc = { ent-IDCardStandard.desc } +ent-MedicalIDCard = medical ID card + .desc = { ent-IDCardStandard.desc } +ent-ParamedicIDCard = paramedic ID card + .desc = { ent-IDCardStandard.desc } +ent-ChemistIDCard = chemist ID card + .desc = { ent-IDCardStandard.desc } +ent-CargoIDCard = cargo ID card + .desc = { ent-IDCardStandard.desc } +ent-SalvageIDCard = salvage ID card + .desc = { ent-IDCardStandard.desc } +ent-QuartermasterIDCard = quartermaster ID card + .desc = { ent-IDCardStandard.desc } +ent-ResearchIDCard = research ID card + .desc = { ent-IDCardStandard.desc } +ent-ClownIDCard = clown ID card + .desc = { ent-IDCardStandard.desc } +ent-MimeIDCard = mime ID card + .desc = { ent-IDCardStandard.desc } +ent-ChaplainIDCard = chaplain ID card + .desc = { ent-IDCardStandard.desc } +ent-JanitorIDCard = janitor ID card + .desc = { ent-IDCardStandard.desc } +ent-BartenderIDCard = bartender ID card + .desc = { ent-IDCardStandard.desc } +ent-PunPunIDCard = pun pun ID card + .desc = { ent-IDCardStandard.desc } +ent-ChefIDCard = chef ID card + .desc = { ent-IDCardStandard.desc } +ent-BotanistIDCard = botanist ID card + .desc = { ent-IDCardStandard.desc } +ent-LibrarianIDCard = librarian ID card + .desc = { ent-IDCardStandard.desc } +ent-LawyerIDCard = lawyer ID card + .desc = { ent-IDCardStandard.desc } +ent-HoPIDCard = station representative ID card + .desc = { ent-IDCardStandard.desc } +ent-CEIDCard = chief engineer ID card + .desc = { ent-IDCardStandard.desc } +ent-CMOIDCard = chief medical officer ID card + .desc = { ent-IDCardStandard.desc } +ent-RDIDCard = research director ID card + .desc = { ent-IDCardStandard.desc } +ent-HoSIDCard = sheriff ID card + .desc = { ent-IDCardStandard.desc } +ent-BrigmedicIDCard = brigmedic ID card + .desc = { ent-IDCardStandard.desc } +ent-CentcomIDCard = command officer ID card + .desc = { ent-IDCardStandard.desc } +ent-ERTLeaderIDCard = ERT leader ID card + .desc = { ent-CentcomIDCard.desc } +ent-ERTChaplainIDCard = ERT chaplain ID card + .desc = { ent-ERTLeaderIDCard.desc } +ent-ERTEngineerIDCard = ERT engineer ID card + .desc = { ent-ERTChaplainIDCard.desc } +ent-ERTJanitorIDCard = ERT janitor ID card + .desc = { ent-ERTChaplainIDCard.desc } +ent-ERTMedicIDCard = ERT medic ID card + .desc = { ent-ERTChaplainIDCard.desc } +ent-ERTSecurityIDCard = ERT security ID card + .desc = { ent-ERTChaplainIDCard.desc } +ent-CentcomIDCardSyndie = command officer ID card + .suffix = Fake + .desc = { ent-IDCardStandard.desc } +ent-MusicianIDCard = musician ID card + .desc = { ent-IDCardStandard.desc } +ent-CentcomIDCardDeathsquad = death squad ID card + .desc = { ent-CentcomIDCard.desc } +ent-AgentIDCard = passenger ID card + .suffix = Agent + .desc = { ent-IDCardStandard.desc } +ent-NukieAgentIDCard = passenger ID card + .suffix = Nukie + .desc = { ent-AgentIDCard.desc } +ent-AtmosIDCard = atmospheric technician ID card + .desc = { ent-IDCardStandard.desc } +ent-SyndicateIDCard = syndicate ID card + .desc = { ent-IDCardStandard.desc } +ent-PirateIDCard = pirate ID card + .desc = { ent-IDCardStandard.desc } +ent-PsychologistIDCard = psychologist ID card + .desc = { ent-IDCardStandard.desc } +ent-ReporterIDCard = reporter ID card + .desc = { ent-IDCardStandard.desc } +ent-BoxerIDCard = boxer ID card + .desc = { ent-IDCardStandard.desc } +ent-ZookeeperIDCard = zookeeper ID card + .desc = { ent-IDCardStandard.desc } +ent-DetectiveIDCard = detective ID card + .desc = { ent-IDCardStandard.desc } +ent-CBURNIDcard = CBURN ID card + .suffix = CBURN + .desc = { ent-CentcomIDCard.desc } +ent-CluwneIDCard = cluwne ID card + .suffix = Unremoveable + .desc = { ent-IDCardStandard.desc } +ent-SeniorEngineerIDCard = senior engineer ID card + .desc = { ent-IDCardStandard.desc } +ent-SeniorResearcherIDCard = senior researcher ID card + .desc = { ent-IDCardStandard.desc } +ent-SeniorPhysicianIDCard = senior physician ID card + .desc = { ent-IDCardStandard.desc } +ent-SeniorOfficerIDCard = senior officer ID card + .desc = { ent-IDCardStandard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/implanters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/implanters.ftl new file mode 100644 index 00000000000..6424396cb77 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/implanters.ftl @@ -0,0 +1,41 @@ +ent-BaseImplanter = implanter + .desc = A syringe exclusively designed for the injection and extraction of subdermal implants. +ent-Implanter = { ent-BaseImplanter } + .desc = A disposable syringe exclusively designed for the injection and extraction of subdermal implants. +ent-ImplanterAdmeme = { ent-Implanter } + .suffix = Admeme + .desc = { ent-Implanter.desc } +ent-BaseImplantOnlyImplanter = { ent-Implanter } + .desc = A disposable syringe exclusively designed for the injection of subdermal implants. +ent-BaseImplantOnlyImplanterSyndi = { ent-BaseImplantOnlyImplanter } + .desc = A compact disposable syringe exclusively designed for the injection of subdermal implants. +ent-SadTromboneImplanter = sad trombone implanter + .desc = { ent-BaseImplantOnlyImplanter.desc } +ent-LightImplanter = light implanter + .desc = { ent-BaseImplantOnlyImplanter.desc } +ent-BikeHornImplanter = bike horn implanter + .desc = { ent-BaseImplantOnlyImplanter.desc } +ent-TrackingImplanter = tracking implanter + .desc = { ent-BaseImplantOnlyImplanter.desc } +ent-StorageImplanter = storage implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-FreedomImplanter = freedom implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-UplinkImplanter = uplink implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-EmpImplanter = EMP implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-ScramImplanter = scram implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-DnaScramblerImplanter = DNA scrambler implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-MicroBombImplanter = micro-bomb implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-MacroBombImplanter = macro-bomb implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-DeathRattleImplanter = death rattle implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-DeathAcidifierImplanter = death acidifier implanter + .desc = { ent-BaseImplantOnlyImplanterSyndi.desc } +ent-MindShieldImplanter = mind-shield implanter + .desc = { ent-BaseImplantOnlyImplanter.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/improvised_gun_parts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/improvised_gun_parts.ftl new file mode 100644 index 00000000000..170e248df4b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/improvised_gun_parts.ftl @@ -0,0 +1,4 @@ +ent-ModularReceiver = modular receiver + .desc = A vital part used in the creation of firearms. +ent-RifleStock = rifle stock + .desc = A robust wooden stock, used in the creation of firearms. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/inflatable_wall.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/inflatable_wall.ftl new file mode 100644 index 00000000000..4e49a399a45 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/inflatable_wall.ftl @@ -0,0 +1,4 @@ +ent-InflatableWall = inflatable barricade + .desc = An inflated membrane. Activate to deflate. Do not puncture. +ent-InflatableDoor = inflatable door + .desc = An inflated membrane. Activate to deflate. Now with a door. Do not puncture. 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 new file mode 100644 index 00000000000..f36ae9760a6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/kudzu.ftl @@ -0,0 +1,19 @@ +ent-BaseKudzu = { "" } + .desc = { "" } +ent-Kudzu = kudzu + .desc = A rapidly growing, dangerous plant. WHY ARE YOU STOPPING TO LOOK AT IT?! +ent-WeakKudzu = { ent-Kudzu } + .suffix = Weak + .desc = { ent-Kudzu.desc } +ent-KudzuFlowerFriendly = floral carpet + .desc = A colorful carpet of flowers sprawling in every direction. You're not sure whether to take it down or leave it up. + .suffix = Friendly, Floral Anomaly +ent-KudzuFlowerAngry = { ent-KudzuFlowerFriendly } + .suffix = Angry, Floral Anomaly + .desc = { ent-KudzuFlowerFriendly.desc } +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 } +ent-ShadowKudzuWeak = Haze + .desc = { ent-ShadowKudzu.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/land_mine.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/land_mine.ftl new file mode 100644 index 00000000000..441febc5dec --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/land_mine.ftl @@ -0,0 +1,8 @@ +ent-BaseLandMine = { "" } + .desc = { "" } +ent-LandMineKick = kick mine + .desc = { ent-BaseLandMine.desc } +ent-LandMineModular = modular mine + .desc = This bad boy could be packing any number of dangers. Or a bike horn. +ent-LandMineExplosive = explosive mine + .desc = { ent-BaseLandMine.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl new file mode 100644 index 00000000000..2d9dbaf7d56 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/machine_parts.ftl @@ -0,0 +1,52 @@ +ent-BaseStockPart = stock part + .desc = What? +ent-CapacitorStockPart = capacitor + .desc = A basic capacitor used in the construction of a variety of devices. + .suffix = Rating 1 +ent-MicroManipulatorStockPart = manipulator + .desc = A basic manipulator used in the construction of a variety of devices. + .suffix = Rating 1 +ent-MatterBinStockPart = matter bin + .desc = A basic matter bin used in the construction of a variety of devices. + .suffix = Rating 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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/medalcase.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/medalcase.ftl new file mode 100644 index 00000000000..6178a841fe8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/medalcase.ftl @@ -0,0 +1,2 @@ +ent-MedalCase = medal case + .desc = Case with medals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/monkeycube.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/monkeycube.ftl new file mode 100644 index 00000000000..6b01ff2c731 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/monkeycube.ftl @@ -0,0 +1,18 @@ +ent-MonkeyCubeBox = monkey cube box + .desc = Drymate brand monkey cubes. Just add water! +ent-MonkeyCubeWrapped = monkey cube + .desc = Unwrap this to get a monkey cube. + .suffix = Wrapped +ent-KoboldCubeBox = kobold cube box + .desc = Condensed kobolds in a cube. Just add water! +ent-VariantCubeBox = variant cube box + .desc = Both kobold cubes and monkey cubes. Just add water! +ent-KoboldCubeWrapped = kobold cube + .desc = Unwrap this to get a kobold cube. + .suffix = Wrapped +ent-SyndicateSpongeBox = monkey cube box + .desc = Drymate brand monkey cubes. Just add water! + .suffix = Syndicate +ent-SyndicateSpongeWrapped = monkey cube + .desc = Unwrap this to get a monkey cube. + .suffix = Wrapped, Syndicate diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/paper.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/paper.ftl new file mode 100644 index 00000000000..29857dfa943 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/paper.ftl @@ -0,0 +1,69 @@ +ent-Paper = paper + .desc = A piece of white paper. +ent-PaperScrap = paper scrap + .desc = A crumpled up piece of white paper. +ent-PaperOffice = office paper + .desc = A plain sheet of office paper. +ent-PaperArtifactAnalyzer = artifact analyzer printout + .desc = The readout of a device forgotten to time +ent-PaperCaptainsThoughts = captain's thoughts + .desc = A page of the captain's journal. In luxurious lavender. +ent-PaperCargoInvoice = cargo invoice + .desc = A single unit of bureaucracy. +ent-PaperCargoBountyManifest = bounty manifest + .desc = A paper label designating a crate as containing a bounty. Selling a crate with this label will fulfill the bounty. +ent-PaperCNCSheet = character sheet + .desc = A sheet for your Carps and Crypts characters. +ent-PaperWritten = { ent-Paper } + .desc = { ent-Paper.desc } +ent-NukeCodePaper = nuclear authentication codes + .desc = { ent-Paper.desc } +ent-NukeCodePaperStation = { ent-NukeCodePaper } + .suffix = Station Only + .desc = { ent-NukeCodePaper.desc } +ent-Pen = pen + .desc = A dark ink pen. +ent-PenEmbeddable = { ent-Pen } + .desc = { ent-Pen.desc } +ent-LuxuryPen = luxury pen + .desc = A fancy and expensive pen that you only deserve to own if you're qualified to handle vast amounts of paperwork. +ent-CyberPen = Cybersun pen + .desc = A high-tech pen straight from Cybersun's legal department, capable of refracting hard-light at impossible angles through its diamond tip in order to write. So powerful, it's even able to rewrite officially stamped documents should the need arise. +ent-PenCap = captain's fountain pen + .desc = A luxurious fountain pen for the captain of the station. +ent-PenCentcom = CentCom pen + .desc = In an attempt to keep up with the "power" of the cybersun bureaucracy, NT made a replica of cyber pen, in their corporate style. +ent-PenHop = hop's fountain pen + .desc = A luxurious fountain pen for the hop of the station. +ent-BoxFolderBase = folder + .desc = A folder filled with top secret paperwork. +ent-BoxFolderRed = { ent-BoxFolderBase } + .suffix = Red + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderBlue = { ent-BoxFolderBase } + .suffix = Blue + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderYellow = { ent-BoxFolderBase } + .suffix = Yellow + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderWhite = { ent-BoxFolderBase } + .suffix = White + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderGrey = { ent-BoxFolderBase } + .suffix = Grey + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderBlack = { ent-BoxFolderBase } + .suffix = Black + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderGreen = { ent-BoxFolderBase } + .suffix = Green + .desc = { ent-BoxFolderBase.desc } +ent-BoxFolderCentCom = CentCom folder + .desc = CentCom's miserable little pile of secrets! + .suffix = DO NOT MAP +ent-BoxFolderClipboard = clipboard + .desc = The weapon of choice for those on the front lines of bureaucracy. +ent-BoxFolderCentComClipboard = CentCom clipboard + .desc = A luxurious clipboard upholstered with green velvet. Often seen carried by CentCom officials, seldom seen actually used. +ent-BoxFolderQmClipboard = requisition digi-board + .desc = A bulky electric clipboard, filled with shipping orders and financing details. With so many compromising documents, you ought to keep this safe. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/pet_carrier.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/pet_carrier.ftl new file mode 100644 index 00000000000..efb231f8ee9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/pet_carrier.ftl @@ -0,0 +1,2 @@ +ent-PetCarrier = big pet carrier + .desc = Allows large animals to be carried comfortably. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/potatoai_chip.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/potatoai_chip.ftl new file mode 100644 index 00000000000..c0b44c2e03d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/potatoai_chip.ftl @@ -0,0 +1,2 @@ +ent-PotatoAIChip = supercompact AI chip + .desc = This high-tech AI chip requires a voltage of exactly 1.1V to function correctly. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/rubber_stamp.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/rubber_stamp.ftl new file mode 100644 index 00000000000..42dd00fa8a4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/rubber_stamp.ftl @@ -0,0 +1,49 @@ +ent-RubberStampBase = generic rubber stamp + .desc = A rubber stamp for stamping important documents. +ent-RubberStampBaseAlt = alternate rubber stamp + .desc = { ent-RubberStampBase.desc } +ent-RubberStampCaptain = captain's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampCentcom = CentCom rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampChaplain = chaplain's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampClown = clown's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampCE = chief engineer's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampCMO = chief medical officer's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampHop = head of personnel's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampHos = head of security's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampMime = mime's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampQm = quartermaster's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampRd = research director's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampTrader = trader's rubber stamp + .desc = { ent-RubberStampBase.desc } +ent-RubberStampSyndicate = syndicate rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampWarden = warden's rubber stamp + .suffix = DO NOT MAP + .desc = { ent-RubberStampBase.desc } +ent-RubberStampApproved = APPROVED rubber stamp + .desc = { ent-RubberStampBaseAlt.desc } +ent-RubberStampDenied = DENIED rubber stamp + .desc = { ent-RubberStampBaseAlt.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/secret_documents.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/secret_documents.ftl new file mode 100644 index 00000000000..1490aa84d58 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/secret_documents.ftl @@ -0,0 +1,2 @@ +ent-BookSecretDocuments = emergency security orders + .desc = TOP SECRET. These documents specify the Emergency Orders that the Sheriff must carry out when ordered by Central Command. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/space_cash.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/space_cash.ftl new file mode 100644 index 00000000000..f51a6440f7c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/space_cash.ftl @@ -0,0 +1,32 @@ +ent-SpaceCash = spesos + .desc = You gotta have money. +ent-SpaceCash10 = { ent-SpaceCash } + .suffix = 10 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash100 = { ent-SpaceCash } + .suffix = 100 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash500 = { ent-SpaceCash } + .suffix = 500 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash1000 = { ent-SpaceCash } + .suffix = 1000 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash2500 = { ent-SpaceCash } + .suffix = 2500 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash5000 = { ent-SpaceCash } + .suffix = 5000 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash10000 = { ent-SpaceCash } + .suffix = 10000 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash20000 = { ent-SpaceCash } + .suffix = 20000 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash30000 = { ent-SpaceCash } + .suffix = 30000 + .desc = { ent-SpaceCash.desc } +ent-SpaceCash1000000 = { ent-SpaceCash } + .suffix = 1000000 + .desc = { ent-SpaceCash.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/spaceshroom.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/spaceshroom.ftl new file mode 100644 index 00000000000..ffe44e5cc6a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/spaceshroom.ftl @@ -0,0 +1,7 @@ +ent-Spaceshroom = spaceshroom + .desc = A cluster of wild mushrooms that likes to grow in dark, moist environments. + .suffix = Structure +ent-FoodSpaceshroom = spaceshroom + .desc = A wild mushroom. There's no telling what effect it could have... +ent-FoodSpaceshroomCooked = cooked spaceshroom + .desc = A wild mushroom that has been cooked through. It seems the heat has removed its chemical effects. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/spider_web.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/spider_web.ftl new file mode 100644 index 00000000000..00c14ba50d4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/spider_web.ftl @@ -0,0 +1,4 @@ +ent-SpiderWeb = spider web + .desc = It's stringy and sticky. +ent-SpiderWebClown = clown spider web + .desc = It's stringy and slippy. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/subdermal_implants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/subdermal_implants.ftl new file mode 100644 index 00000000000..1cb17a33942 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/subdermal_implants.ftl @@ -0,0 +1,32 @@ +ent-BaseSubdermalImplant = implant + .desc = A microscopic chip that's injected under the skin. +ent-SadTromboneImplant = sad trombone implant + .desc = This implant plays a sad tune when the user dies. +ent-LightImplant = light implant + .desc = This implant emits light from the user's skin on activation. +ent-BikeHornImplant = bike horn implant + .desc = This implant lets the user honk anywhere at any time. +ent-TrackingImplant = tracking implant + .desc = This implant has a tracking device monitor for the Security radio channel. +ent-StorageImplant = storage implant + .desc = This implant grants hidden storage within a person's body using bluespace technology. +ent-FreedomImplant = freedom implant + .desc = This implant lets the user break out of hand restraints up to three times before ceasing to function anymore. +ent-UplinkImplant = uplink implant + .desc = This implant lets the user access a hidden Syndicate uplink at will. +ent-EmpImplant = EMP implant + .desc = This implant creates an electromagnetic pulse when activated. +ent-ScramImplant = scram implant + .desc = This implant randomly teleports the user within a large radius when activated. +ent-DnaScramblerImplant = DNA scrambler implant + .desc = This implant lets the user randomly change their appearance and name once. +ent-MicroBombImplant = micro-bomb implant + .desc = This implant detonates the user upon activation or upon death. +ent-MacroBombImplant = macro-bomb implant + .desc = This implant creates a large explosion on death after a preprogrammed countdown. +ent-DeathAcidifierImplant = death-acidifier implant + .desc = This implant melts the user and their equipment upon death. +ent-DeathRattleImplant = death rattle implant + .desc = This implant will inform the Syndicate radio channel should the user fall into critical condition or die. +ent-MindShieldImplant = mind-shield implant + .desc = This implant will ensure loyalty to Nanotrasen and prevent mind control devices. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/tiles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/tiles.ftl new file mode 100644 index 00000000000..c242ecd3520 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/tiles.ftl @@ -0,0 +1,128 @@ +ent-FloorTileItemBase = { ent-BaseItem } + .desc = These could work as a pretty decent throwing weapon. +ent-FloorTileItemSteel = steel tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemSteelCheckerDark = steel dark checker tile + .desc = { ent-FloorTileItemSteel.desc } +ent-FloorTileItemSteelCheckerLight = steel light checker tile + .desc = { ent-FloorTileItemSteel.desc } +ent-FloorTileItemMetalDiamond = steel tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemWood = wood floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemWhite = white tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemDark = dark tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemTechmaint = techmaint floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemReinforced = reinforced tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemMono = mono tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemLino = linoleum floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemDirty = dirty tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemElevatorShaft = elevator shaft tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemRockVault = rock vault tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemBlue = blue tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemLime = lime tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemMining = mining tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemMiningDark = dark mining tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemMiningLight = light mining tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemFreezer = freezer tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShowroom = showroom tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemHydro = hydro tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemBar = bar tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemClown = clown tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemMime = mime tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemKitchen = kitchen tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemLaundry = laundry tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemConcrete = concrete tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGrayConcrete = gray concrete tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemOldConcrete = old concrete tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemArcadeBlue = blue arcade floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemArcadeBlue2 = blue arcade floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemArcadeRed = red arcade floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemEighties = eighties floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemCarpetClown = clown carpet floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemCarpetOffice = office carpet floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemBoxing = boxing ring floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGym = gym floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttleWhite = white shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttleBlue = blue shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttleOrange = orange shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttlePurple = purple shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttleRed = red shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttleGrey = grey shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemShuttleBlack = black shuttle floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGold = gold floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemSilver = silver tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGCircuit = green circuit floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemBCircuit = blue circuit floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGCircuit4 = { ent-FloorTileItemGCircuit } + .suffix = 4 + .desc = { ent-FloorTileItemGCircuit.desc } +ent-FloorTileItemBCircuit4 = { ent-FloorTileItemBCircuit } + .suffix = 4 + .desc = { ent-FloorTileItemBCircuit.desc } +ent-FloorTileItemGrass = grass tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGrassJungle = jungle grass tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemSnow = snow tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemWoodPattern = wood pattern floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemFlesh = flesh floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemSteelMaint = steel maint floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGratingMaint = grating maint floor + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemWeb = web tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemAstroGrass = astro-grass + .desc = Fake grass that covers up wires and even comes with realistic NanoTrimmings! +ent-FloorTileItemAstroIce = astro-ice + .desc = Fake ice that's as slippery as the real thing, while being easily removable! +ent-FloorTileItemWoodLarge = large wood floor + .desc = { ent-FloorTileItemBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/torch.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/torch.ftl new file mode 100644 index 00000000000..02893615220 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/torch.ftl @@ -0,0 +1,2 @@ +ent-Torch = torch + .desc = A torch fashioned from some wood. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/utensils.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/utensils.ftl new file mode 100644 index 00000000000..183dbfb7d05 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/misc/utensils.ftl @@ -0,0 +1,14 @@ +ent-UtensilBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-UtensilBasePlastic = { ent-UtensilBase } + .desc = { ent-UtensilBase.desc } +ent-Fork = fork + .desc = An eating utensil, perfect for stabbing. +ent-ForkPlastic = plastic fork + .desc = An eating utensil, perfect for stabbing. +ent-Spoon = spoon + .desc = There is no spoon. +ent-SpoonPlastic = plastic spoon + .desc = There is no spoon. +ent-KnifePlastic = plastic knife + .desc = That's not a knife. This is a knife. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/antimatter_jar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/antimatter_jar.ftl new file mode 100644 index 00000000000..f91aed9b044 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/antimatter_jar.ftl @@ -0,0 +1,2 @@ +ent-AmeJar = AME fuel jar + .desc = A hermetically sealed jar containing antimatter for use in an antimatter reactor. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/antimatter_part.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/antimatter_part.ftl new file mode 100644 index 00000000000..55f3a7332bb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/antimatter_part.ftl @@ -0,0 +1,2 @@ +ent-AmePart = AME flatpack + .desc = A flatpack used for constructing an antimatter engine reactor. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/lights.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/lights.ftl new file mode 100644 index 00000000000..bddd9d40b4b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/lights.ftl @@ -0,0 +1,38 @@ +ent-BaseLightbulb = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseLightTube = { ent-BaseLightbulb } + .desc = { ent-BaseLightbulb.desc } +ent-LightBulb = incandescent light bulb + .desc = A light bulb. +ent-LightBulbOld = old incandescent light bulb + .desc = An aging light bulb. +ent-LightBulbBroken = incandescent light bulb + .desc = A light bulb. + .suffix = Broken +ent-ServiceLightBulb = service light bulb + .desc = A low-brightness green lightbulb used in janitorial service lights. +ent-LightTube = fluorescent light tube + .desc = A light fixture. +ent-LightTubeOld = old fluorescent light tube + .desc = An aging light fixture. +ent-LightTubeBroken = fluorescent light tube + .desc = A light fixture. + .suffix = Broken +ent-LedLightTube = led light tube + .desc = A high power high energy bulb. +ent-ExteriorLightTube = exterior light tube + .desc = A high power high energy bulb for the depths of space. May contain mercury. +ent-SodiumLightTube = sodium light tube + .desc = A high power high energy bulb for the depths of space. Salty. +ent-LightTubeCrystalCyan = cyan crystal light tube + .desc = A high power high energy bulb which has a small colored crystal inside. +ent-LightTubeCrystalBlue = blue crystal light tube + .desc = { ent-LightTubeCrystalCyan.desc } +ent-LightTubeCrystalPink = pink crystal light tube + .desc = { ent-LightTubeCrystalCyan.desc } +ent-LightTubeCrystalOrange = orange crystal light tube + .desc = { ent-LightTubeCrystalCyan.desc } +ent-LightTubeCrystalRed = red crystal light tube + .desc = { ent-LightTubeCrystalCyan.desc } +ent-LightTubeCrystalGreen = green crystal light tube + .desc = { ent-LightTubeCrystalCyan.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/powercells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/powercells.ftl new file mode 100644 index 00000000000..9b7d68f9c25 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/powercells.ftl @@ -0,0 +1,53 @@ +ent-BasePowerCell = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-PowerCellPotato = potato battery + .desc = Someone's stuck two nails and some wire in a large potato. Somehow it provides a little charge. +ent-PowerCellSmall = small-capacity power cell + .desc = A rechargeable power cell. This is the cheapest kind you can find. + .suffix = Full +ent-PowerCellSmallPrinted = { ent-PowerCellSmall } + .suffix = Empty + .desc = { ent-PowerCellSmall.desc } +ent-PowerCellMedium = medium-capacity power cell + .desc = A rechargeable power cell. This is the popular and reliable version. + .suffix = Full +ent-PowerCellMediumPrinted = { ent-PowerCellMedium } + .suffix = Empty + .desc = { ent-PowerCellMedium.desc } +ent-PowerCellHigh = high-capacity power cell + .desc = A rechargeable standardized power cell. This premium brand stores up to 50% more energy than the competition. + .suffix = Full +ent-PowerCellHighPrinted = { ent-PowerCellHigh } + .suffix = Empty + .desc = { ent-PowerCellHigh.desc } +ent-PowerCellHyper = hyper-capacity power cell + .desc = A rechargeable standardized power cell. This one looks like a rare and powerful prototype. + .suffix = Full +ent-PowerCellHyperPrinted = { ent-PowerCellHyper } + .suffix = Empty + .desc = { ent-PowerCellHyper.desc } +ent-PowerCellMicroreactor = microreactor power cell + .desc = A rechargeable standardized microreactor cell. Has lower capacity but slowly recharges by itself. + .suffix = Full +ent-PowerCellMicroreactorPrinted = { ent-PowerCellMicroreactor } + .suffix = Empty + .desc = { ent-PowerCellMicroreactor.desc } +ent-PowerCellAntiqueProto = antique power cell prototype + .desc = A small cell that self recharges. Used in old laser arms research. +ent-BasePowerCage = { ent-BasePowerCell } + .desc = { ent-BasePowerCell.desc } +ent-PowerCageSmall = small-capacity power cage + .desc = A rechargeable power cage for big devices. This is the cheapest kind you can find. +ent-PowerCageMedium = medium-capacity power cage + .desc = A rechargeable power cage for big devices. The gold standard of capacity and cost. +ent-PowerCageHigh = high-capacity power cage + .desc = A rechargeable power cage for big devices. Increased capacity for increased power levels. +ent-PowerCageSmallEmpty = { ent-PowerCageSmall } + .suffix = Empty + .desc = { ent-PowerCageSmall.desc } +ent-PowerCageMediumEmpty = { ent-PowerCageMedium } + .suffix = Empty + .desc = { ent-PowerCageMedium.desc } +ent-PowerCageHighEmpty = { ent-PowerCageHigh } + .suffix = Empty + .desc = { ent-PowerCageHigh.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/powersink.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/powersink.ftl new file mode 100644 index 00000000000..021de8c9046 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/powersink.ftl @@ -0,0 +1,2 @@ +ent-PowerSink = power sink + .desc = Drains immense amounts of electricity from the grid. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/solar_parts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/solar_parts.ftl new file mode 100644 index 00000000000..82a2cf0760b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/power/solar_parts.ftl @@ -0,0 +1,2 @@ +ent-SolarAssemblyPart = solar assembly flatpack + .desc = A flatpack used for constructing a solar assembly. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/shields/shields.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/shields/shields.ftl new file mode 100644 index 00000000000..d5517c8655d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/shields/shields.ftl @@ -0,0 +1,24 @@ +ent-BaseShield = base shield + .desc = A shield! +ent-RiotShield = riot shield + .desc = A large tower shield. Good for controlling crowds. +ent-RiotLaserShield = riot laser shield + .desc = A riot shield built for withstanding lasers, but not much else. +ent-RiotBulletShield = riot bullet shield + .desc = A ballistic riot shield built for withstanding bullets, but not much else. +ent-WoodenBuckler = wooden buckler + .desc = A small round wooden makeshift shield. +ent-MakeshiftShield = makeshift shield + .desc = A rundown looking shield, not good for much. +ent-WebShield = web shield + .desc = A stringy shield. It's weak, and doesn't seem to do well against heat. +ent-ClockworkShield = clockwork shield + .desc = Ratvar oyrffrf lbh jvgu uvf cebgrpgvba. +ent-MirrorShield = mirror shield + .desc = Eerily glows red... you hear the geometer whispering +ent-EnergyShield = energy shield + .desc = Exotic energy shield, when folded, can even fit in your pocket. +ent-BrokenEnergyShield = broken energy shield + .desc = Something inside is burned out, it is no longer functional. +ent-TelescopicShield = telescopic shield + .desc = An advanced riot shield made of lightweight materials that collapses for easy storage. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/atmos.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/atmos.ftl new file mode 100644 index 00000000000..f81349f44e8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/atmos.ftl @@ -0,0 +1,2 @@ +ent-GasAnalyzer = gas analyzer + .desc = A hand-held environmental scanner which reports current gas levels. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/cargo/cargo_pallet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/cargo/cargo_pallet.ftl new file mode 100644 index 00000000000..aaae1ec67d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/cargo/cargo_pallet.ftl @@ -0,0 +1,2 @@ +ent-CargoPallet = cargo pallet + .desc = Designates valid items to sell to CentCom when a shuttle is recalled. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chapel/bibles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chapel/bibles.ftl new file mode 100644 index 00000000000..64b33166a6a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chapel/bibles.ftl @@ -0,0 +1,6 @@ +ent-Bible = bible + .desc = New Interstellar Version 2340 +ent-BibleNecronomicon = necronomicon + .desc = There's a note: Klatuu, Verata, Nikto -- Don't forget it again! +ent-ActionBibleSummon = Summon familiar + .desc = Summon a familiar that will aid you and gain humanlike intelligence once inhabited by a soul. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chapel/urn.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chapel/urn.ftl new file mode 100644 index 00000000000..e7afc306485 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chapel/urn.ftl @@ -0,0 +1,2 @@ +ent-Urn = urn + .desc = Store the Dead smart and Compact since 2300 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemical-containers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemical-containers.ftl new file mode 100644 index 00000000000..cfbc2dc5290 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemical-containers.ftl @@ -0,0 +1,50 @@ +ent-Jug = jug + .desc = Used to contain a very large amount of chemicals or solutions. Chugging is extremely ill-advised. +ent-JugCarbon = jug (carbon) + .desc = { ent-Jug.desc } +ent-JugIodine = jug (iodine) + .desc = { ent-Jug.desc } +ent-JugFluorine = jug (fluorine) + .desc = { ent-Jug.desc } +ent-JugChlorine = jug (chlorine) + .desc = { ent-Jug.desc } +ent-JugAluminium = jug (aluminium) + .desc = { ent-Jug.desc } +ent-JugPhosphorus = jug (phosphorus) + .desc = { ent-Jug.desc } +ent-JugSulfur = jug (sulfur) + .desc = { ent-Jug.desc } +ent-JugSilicon = jug (silicon) + .desc = { ent-Jug.desc } +ent-JugHydrogen = jug (hydrogen) + .desc = { ent-Jug.desc } +ent-JugLithium = jug (lithium) + .desc = { ent-Jug.desc } +ent-JugSodium = jug (sodium) + .desc = { ent-Jug.desc } +ent-JugPotassium = jug (potassium) + .desc = { ent-Jug.desc } +ent-JugRadium = jug (radium) + .desc = { ent-Jug.desc } +ent-JugIron = jug (iron) + .desc = { ent-Jug.desc } +ent-JugCopper = jug (copper) + .desc = { ent-Jug.desc } +ent-JugGold = jug (gold) + .desc = { ent-Jug.desc } +ent-JugMercury = jug (mercury) + .desc = { ent-Jug.desc } +ent-JugSilver = jug (silver) + .desc = { ent-Jug.desc } +ent-JugEthanol = jug (ethanol) + .desc = { ent-Jug.desc } +ent-JugSugar = jug (sugar) + .desc = { ent-Jug.desc } +ent-JugNitrogen = jug (nitrogen) + .desc = { ent-Jug.desc } +ent-JugOxygen = jug (oxygen) + .desc = { ent-Jug.desc } +ent-JugPlantBGone = jug (Plant-B-Gone) + .desc = { ent-Jug.desc } +ent-JugWeldingFuel = jug (welding fuel) + .desc = { ent-Jug.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry-bottles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry-bottles.ftl new file mode 100644 index 00000000000..ce498a9af9a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry-bottles.ftl @@ -0,0 +1,38 @@ +ent-BaseChemistryEmptyBottle = bottle + .desc = A small bottle. +ent-ChemistryEmptyBottle01 = { ent-BaseChemistryEmptyBottle } + .desc = { ent-BaseChemistryEmptyBottle.desc } +ent-ChemistryEmptyBottle02 = { ent-BaseChemistryEmptyBottle } + .desc = { ent-BaseChemistryEmptyBottle.desc } +ent-ChemistryEmptyBottle03 = { ent-BaseChemistryEmptyBottle } + .desc = { ent-BaseChemistryEmptyBottle.desc } +ent-ChemistryEmptyBottle04 = { ent-BaseChemistryEmptyBottle } + .desc = { ent-BaseChemistryEmptyBottle.desc } +ent-BaseChemistryBottleFilled = { ent-BaseChemistryEmptyBottle } + .desc = { ent-BaseChemistryEmptyBottle.desc } +ent-EpinephrineChemistryBottle = epinephrine bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-RobustHarvestChemistryBottle = robust harvest bottle + .desc = This will increase the potency of your plants. +ent-EZNutrientChemistryBottle = ez nutrient bottle + .desc = This will provide some nutrition to your plants. +ent-Left4ZedChemistryBottle = left-4-zed bottle + .desc = This will increase the effectiveness of mutagen. +ent-UnstableMutagenChemistryBottle = unstable mutagen bottle + .desc = This will cause rapid mutations in your plants. +ent-NocturineChemistryBottle = nocturine bottle + .desc = This will make someone fall down almost immediately. Hard to overdose on. +ent-EphedrineChemistryBottle = ephedrine bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-OmnizineChemistryBottle = omnizine bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-CognizineChemistryBottle = cognizine bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-PaxChemistryBottle = pax bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-MuteToxinChemistryBottle = mute toxin bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-LeadChemistryBottle = lead bottle + .desc = { ent-BaseChemistryBottleFilled.desc } +ent-ToxinChemistryBottle = toxin bottle + .desc = { ent-BaseChemistryBottleFilled.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry-vials.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry-vials.ftl new file mode 100644 index 00000000000..fc8ff4af54a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry-vials.ftl @@ -0,0 +1,4 @@ +ent-BaseChemistryEmptyVial = vial + .desc = A small vial. +ent-VestineChemistryVial = vestine vial + .desc = { ent-BaseChemistryEmptyVial.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry.ftl new file mode 100644 index 00000000000..0a07b40785e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry.ftl @@ -0,0 +1,30 @@ +ent-BaseBeaker = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseBeakerMetallic = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-Beaker = beaker + .desc = Used to contain a moderate amount of chemicals and solutions. +ent-CryoxadoneBeakerSmall = cryoxadone beaker + .desc = Filled with a reagent used in cryogenic tubes. +ent-LargeBeaker = large beaker + .desc = Used to contain a large amount of chemicals or solutions. +ent-CryostasisBeaker = cryostasis beaker + .desc = Used to contain chemicals or solutions without reactions. +ent-BluespaceBeaker = bluespace beaker + .desc = Powered by experimental bluespace technology. +ent-Dropper = dropper + .desc = Used to transfer small amounts of chemical solution between containers. +ent-BorgDropper = borgdropper + .desc = Used to transfer small amounts of chemical solution between containers. Extended for use by medical borgs. +ent-BaseSyringe = syringe + .desc = Used to draw blood samples from mobs, or to inject them with reagents. +ent-Syringe = { ent-BaseSyringe } + .desc = { ent-BaseSyringe.desc } +ent-SyringeBluespace = bluespace syringe + .desc = Injecting with advanced bluespace technology. +ent-SyringeCryostasis = cryostasis syringe + .desc = A syringe used to contain chemicals or solutions without reactions. +ent-Pill = pill + .desc = It's not a suppository. +ent-PillCanister = pill canister + .desc = Holds up to 10 pills. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry/chem_bag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry/chem_bag.ftl new file mode 100644 index 00000000000..e46a24ecba2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/chemistry/chem_bag.ftl @@ -0,0 +1,2 @@ +ent-ChemBag = chemistry bag + .desc = A bag for storing chemistry products, such as pills, pill canisters, bottles, and syringes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/forensics/forensics.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/forensics/forensics.ftl new file mode 100644 index 00000000000..840ad676f6e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/forensics/forensics.ftl @@ -0,0 +1,2 @@ +ent-ForensicPad = forensic pad + .desc = A forensic pad for collecting fingerprints or fibers. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/leaves.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/leaves.ftl new file mode 100644 index 00000000000..34695704ebe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/leaves.ftl @@ -0,0 +1,12 @@ +ent-LeavesCannabis = cannabis leaves + .desc = Recently legalized in most galaxies. +ent-LeavesCannabisDried = dried cannabis leaves + .desc = Dried cannabis leaves, ready to be ground. +ent-GroundCannabis = ground cannabis + .desc = Ground cannabis, ready to take you on a trip. +ent-LeavesTobacco = tobacco leaves + .desc = Dry them out to make some smokes. +ent-LeavesTobaccoDried = dried tobacco leaves + .desc = Dried tobacco leaves, ready to be ground. +ent-GroundTobacco = ground tobacco + .desc = Ground tobacco, perfect for hand-rolled cigarettes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/seeds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/seeds.ftl new file mode 100644 index 00000000000..e8392b3b13a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/seeds.ftl @@ -0,0 +1,110 @@ +ent-SeedBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-WheatSeeds = packet of wheat seeds + .desc = { ent-SeedBase.desc } +ent-OatSeeds = packet of oat seeds + .desc = { ent-SeedBase.desc } +ent-BananaSeeds = packet of banana seeds + .desc = { ent-SeedBase.desc } +ent-MimanaSeeds = packet of mimana seeds + .desc = { ent-SeedBase.desc } +ent-CarrotSeeds = packet of carrot seeds + .desc = { ent-SeedBase.desc } +ent-CabbageSeeds = packet of cabbage seeds + .desc = { ent-SeedBase.desc } +ent-GarlicSeeds = packet of garlic seeds + .desc = { ent-SeedBase.desc } +ent-LaughinPeaSeeds = packet of laughin' pea pods + .desc = These seeds give off a very soft purple glow.. they should grow into Laughin' Peas. +ent-LemonSeeds = packet of lemon seeds + .desc = { ent-SeedBase.desc } +ent-LemoonSeeds = packet of lemoon seeds + .desc = { ent-SeedBase.desc } +ent-LimeSeeds = packet of lime seeds + .desc = { ent-SeedBase.desc } +ent-OrangeSeeds = packet of orange seeds + .desc = { ent-SeedBase.desc } +ent-PineappleSeeds = packet of pineapple seeds + .desc = { ent-SeedBase.desc } +ent-PotatoSeeds = packet of potato seeds + .desc = { ent-SeedBase.desc } +ent-SugarcaneSeeds = packet of sugarcane seeds + .desc = { ent-SeedBase.desc } +ent-TowercapSeeds = packet of tower cap spores + .desc = { ent-SeedBase.desc } +ent-SteelcapSeeds = packet of steel cap spores + .desc = { ent-SeedBase.desc } +ent-TomatoSeeds = packet of tomato seeds + .desc = { ent-SeedBase.desc } +ent-BlueTomatoSeeds = packet of blue tomato seeds + .desc = { ent-SeedBase.desc } +ent-BloodTomatoSeeds = packet of blood tomato seeds + .desc = { ent-SeedBase.desc } +ent-EggplantSeeds = packet of eggplant seeds + .desc = { ent-SeedBase.desc } +ent-AppleSeeds = packet of apple seeds + .desc = { ent-SeedBase.desc } +ent-CornSeeds = packet of corn seeds + .desc = { ent-SeedBase.desc } +ent-ChanterelleSeeds = packet of chanterelle spores + .desc = { ent-SeedBase.desc } +ent-EggySeeds = packet of egg-plant seeds + .desc = { ent-SeedBase.desc } +ent-TobaccoSeeds = packet of tobacco seeds + .desc = These seeds grow into tobacco plants. +ent-CannabisSeeds = packet of cannabis seeds + .desc = Taxable. +ent-NettleSeeds = packet of nettle seeds + .desc = Handle with gloves. +ent-DeathNettleSeeds = packet of death nettle seeds + .desc = Handle with very thick gloves. +ent-ChiliSeeds = packet of chili seeds + .desc = Spicy. +ent-ChillySeeds = packet of chilly seeds + .desc = Frostburn. +ent-AloeSeeds = packet of aloe seeds + .desc = Soothing. +ent-PoppySeeds = packet of poppy seeds + .desc = Do not eat within 72 hours of a drug test. +ent-LilySeeds = packet of lily seeds + .desc = These seeds grow into lilies. +ent-LingzhiSeeds = packet of lingzhi spores + .desc = Also known as reishi. +ent-AmbrosiaVulgarisSeeds = packet of ambrosia vulgaris seeds + .desc = A medicinal plant for the common folk. +ent-AmbrosiaDeusSeeds = packet of ambrosia deus seeds + .desc = A medicinal plant for the gods themselves. +ent-GalaxythistleSeeds = packet of galaxythistle seeds + .desc = Brushes of starry nights. +ent-FlyAmanitaSeeds = packet of fly amanita spores + .desc = The iconic, extremely deadly mushroom to be used for purely ornamental purposes. +ent-GatfruitSeeds = packet of gatfruit seeds + .desc = These are no peashooters. +ent-OnionSeeds = packet of onion seeds + .desc = Not a shallot. +ent-RiceSeeds = packet of rice seeds + .desc = { ent-SeedBase.desc } +ent-SoybeanSeeds = packet of soybean seeds + .desc = { ent-SeedBase.desc } +ent-SpacemansTrumpetSeeds = packet of spaceman's trumpet seeds + .desc = { ent-SeedBase.desc } +ent-KoibeanSeeds = packet of koibean seeds + .desc = { ent-SeedBase.desc } +ent-OnionRedSeeds = packet of red onion seeds + .desc = Purple despite the name. +ent-WatermelonSeeds = packet of watermelon seeds + .desc = { ent-SeedBase.desc } +ent-GrapeSeeds = packet of grape seeds + .desc = { ent-SeedBase.desc } +ent-CocoaSeeds = packet of cocoa seeds + .desc = { ent-SeedBase.desc } +ent-BerrySeeds = packet of berry seeds + .desc = { ent-SeedBase.desc } +ent-BungoSeeds = packet of bungo seeds + .desc = Don't eat the pits. +ent-PeaSeeds = packet of pea pods + .desc = These humble plants were once a vital part in the study of genetics. +ent-PumpkinSeeds = packet of pumpkin seeds + .desc = { ent-SeedBase.desc } +ent-CottonSeeds = packet of cotton seeds + .desc = { ent-SeedBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/sprays.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/sprays.ftl new file mode 100644 index 00000000000..d810cd72e1a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/sprays.ftl @@ -0,0 +1,9 @@ +ent-PlantBGoneSpray = Plant-B-Gone + .desc = Kills those pesky weeds! + .suffix = Filled +ent-WeedSpray = weed spray + .desc = It's a toxic mixture, in spray form, to kill small weeds. + .suffix = Filled +ent-PestSpray = pest spray + .desc = It's some pest eliminator spray! Do not inhale! + .suffix = Filled diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/tools.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/tools.ftl new file mode 100644 index 00000000000..0107dee9e5e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/hydroponics/tools.ftl @@ -0,0 +1,12 @@ +ent-HydroponicsToolMiniHoe = mini hoe + .desc = It's used for removing weeds or scratching your back. +ent-HydroponicsToolClippers = plant clippers + .desc = A tool used to take samples from plants. +ent-HydroponicsToolScythe = scythe + .desc = A sharp and curved blade on a long fibremetal handle, this tool makes it easy to reap what you sow. +ent-HydroponicsToolHatchet = hatchet + .desc = A very sharp axe blade upon a short fibremetal handle. It has a long history of chopping things, but now it is used for chopping wood. +ent-HydroponicsToolSpade = spade + .desc = A small tool for digging and moving dirt. +ent-PlantBag = plant bag + .desc = A bag for botanists to easily move their huge harvests. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/janitor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/janitor.ftl new file mode 100644 index 00000000000..c49cce472f7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/janitor.ftl @@ -0,0 +1,22 @@ +ent-MopItem = mop + .desc = A mop that can't be stopped, viscera cleanup detail awaits. +ent-AdvMopItem = advanced mop + .desc = Motorized mop that has a bigger reservoir and quickly replaces reagents inside with water. Automatic Clown Countermeasure not included. +ent-MopBucket = mop bucket + .desc = Holds water and the tears of the janitor. +ent-MopBucketFull = mop bucket + .suffix = full + .desc = { ent-MopBucket.desc } +ent-WetFloorSign = wet floor sign + .desc = Caution! Wet Floor! +ent-WetFloorSignMineExplosive = { ent-WetFloorSign } + .suffix = Explosive + .desc = { ent-WetFloorSign.desc } +ent-JanitorialTrolley = janitorial trolley + .desc = This is the alpha and omega of sanitation. +ent-FloorDrain = drain + .desc = Drains puddles around it. Useful for dumping mop buckets or keeping certain rooms clean. +ent-Plunger = plunger + .desc = A plunger with a red plastic suction-cup and a wooden handle. Used to unclog drains. +ent-RagItem = damp rag + .desc = For cleaning up messes, you suppose. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/soap.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/soap.ftl new file mode 100644 index 00000000000..2bccd2c9448 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/soap.ftl @@ -0,0 +1,14 @@ +ent-Soap = soap + .desc = A cheap bar of soap. Doesn't smell. +ent-SoapNT = soap + .desc = A Nanotrasen brand bar of soap. Smells of plasma. +ent-SoapDeluxe = soap + .desc = A deluxe Waffle Co. brand bar of soap. Smells of strawberries. +ent-SoapSyndie = soap + .desc = An untrustworthy bar of soap. Smells of fear. +ent-SoapletSyndie = soaplet + .desc = A tiny piece of syndicate soap. +ent-SoapHomemade = soap + .desc = A homemade bar of soap. Smells of... well.... +ent-SoapOmega = omega soap + .desc = The most advanced soap known to mankind. Smells of bluespace. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/spray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/spray.ftl new file mode 100644 index 00000000000..b151357473c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/spray.ftl @@ -0,0 +1,15 @@ +ent-SprayBottle = spray bottle + .desc = A spray bottle with an unscrewable top. + .suffix = Empty +ent-MegaSprayBottle = mega spray bottle + .desc = A huge spray bottle, capable of unrivaled janitorial power. + .suffix = Empty +ent-SprayBottleWater = spray bottle + .suffix = Filled + .desc = { ent-SprayBottle.desc } +ent-SprayBottleSpaceCleaner = space cleaner + .desc = BLAM!-brand non-foaming space cleaner! +ent-Vapor = vapor + .desc = { "" } +ent-BigVapor = { ent-Vapor } + .desc = { ent-Vapor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/trashbag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/trashbag.ftl new file mode 100644 index 00000000000..0012115ec0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/janitorial/trashbag.ftl @@ -0,0 +1,6 @@ +ent-TrashBag = trash bag + .desc = { ent-BaseStorageItem.desc } +ent-TrashBagBlue = trash bag + .desc = { ent-TrashBag.desc } +ent-BagOfSummoningGarbage = spell of all-consuming cleanliness + .desc = { ent-TrashBagBlue.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/kitchen/foodcarts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/kitchen/foodcarts.ftl new file mode 100644 index 00000000000..52a78d57613 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/kitchen/foodcarts.ftl @@ -0,0 +1,6 @@ +ent-FoodCartBase = Food Cart + .desc = A cart for food. +ent-FoodCartHot = hot food cart + .desc = Get out there and slang some dogs. +ent-FoodCartCold = cold food cart + .desc = It's the Ice Cream Man! It's the Ice Cream Man! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/librarian/books_bag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/librarian/books_bag.ftl new file mode 100644 index 00000000000..ab09442b52a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/librarian/books_bag.ftl @@ -0,0 +1,2 @@ +ent-BooksBag = books bag + .desc = A refined bag to carry your own library diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mech_construction.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mech_construction.ftl new file mode 100644 index 00000000000..4666f2d9a0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mech_construction.ftl @@ -0,0 +1,58 @@ +ent-BaseMechPart = { "" } + .desc = { "" } +ent-BaseRipleyPart = { ent-BaseMechPart } + .desc = { ent-BaseMechPart.desc } +ent-BaseRipleyPartItem = { ent-BaseRipleyPart } + .desc = { ent-BaseRipleyPart.desc } +ent-RipleyHarness = ripley harness + .desc = The core of the Ripley APLU. +ent-RipleyLArm = ripley left arm + .desc = The left arm of the Ripley APLU. It belongs on the chassis of the mech. +ent-RipleyLLeg = ripley left leg + .desc = The left leg of the Ripley APLU. It belongs on the chassis of the mech. +ent-RipleyRLeg = ripley right leg + .desc = The right leg of the Ripley APLU. It belongs on the chassis of the mech. +ent-RipleyRArm = ripley right arm + .desc = The right arm of the Ripley APLU. It belongs on the chassis of the mech. +ent-RipleyChassis = ripley chassis + .desc = An in-progress construction of the Ripley APLU mech. +ent-BaseHonkerPart = { ent-BaseMechPart } + .desc = { ent-BaseMechPart.desc } +ent-BaseHonkerPartItem = { ent-BaseHonkerPart } + .desc = { ent-BaseHonkerPart.desc } +ent-HonkerHarness = H.O.N.K. harness + .desc = The core of the H.O.N.K. mech +ent-HonkerLArm = H.O.N.K. left arm + .desc = A H.O.N.K. left arm, with unique sockets that accept odd weaponry designed by clown scientists. +ent-HonkerLLeg = H.O.N.K. left leg + .desc = A H.O.N.K. left leg. The foot appears just large enough to fully accommodate a clown shoe. +ent-HonkerRLeg = H.O.N.K. right leg + .desc = A H.O.N.K. right leg. The foot appears just large enough to fully accommodate a clown shoe. +ent-HonkerRArm = H.O.N.K. right arm + .desc = A H.O.N.K. right arm, with unique sockets that accept odd weaponry designed by clown scientists. +ent-HonkerChassis = H.O.N.K. chassis + .desc = An in-progress construction of a H.O.N.K. mech. Contains chuckle unit, bananium core and honk support systems. +ent-BaseHamtrPart = { ent-BaseMechPart } + .desc = { ent-BaseMechPart.desc } +ent-BaseHamtrPartItem = { ent-BaseHamtrPart } + .desc = { ent-BaseHamtrPart.desc } +ent-HamtrHarness = HAMTR harness + .desc = The core of the HAMTR. +ent-HamtrLArm = HAMTR left arm + .desc = The left arm of the HAMTR. It belongs on the chassis of the mech. +ent-HamtrLLeg = HAMTR left leg + .desc = The left leg of the HAMTR. It belongs on the chassis of the mech. +ent-HamtrRLeg = HAMTR right leg + .desc = The right leg of the HAMTR. It belongs on the chassis of the mech. +ent-HamtrRArm = HAMTR right arm + .desc = The right arm of the HAMTR. It belongs on the chassis of the mech. +ent-HamtrChassis = HAMTR chassis + .desc = An in-progress construction of the HAMTR mech. +ent-BaseVimPart = { ent-BaseMechPart } + .desc = { ent-BaseMechPart.desc } +ent-BaseVimPartItem = { ent-BaseVimPart } + .desc = { ent-BaseVimPart.desc } +ent-VimHarness = vim harness + .desc = A small mounting bracket for vim parts. +ent-VimChassis = vim chassis + .desc = An in-progress construction of the Vim exosuit. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mecha_equipment.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mecha_equipment.ftl new file mode 100644 index 00000000000..7c0229cbb5f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mecha_equipment.ftl @@ -0,0 +1,8 @@ +ent-BaseMechEquipment = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-MechEquipmentGrabber = hydraulic clamp + .desc = Gives the mech the ability to grab things and drag them around. +ent-MechEquipmentGrabberSmall = small hydraulic clamp + .desc = Gives the mech the ability to grab things and drag them around. +ent-MechEquipmentHorn = mech horn + .desc = An enhanced bike horn that plays a hilarious array of sounds for the enjoyment of the crew. HONK! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mechs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mechs.ftl new file mode 100644 index 00000000000..8b24349b6cc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mech/mechs.ftl @@ -0,0 +1,22 @@ +ent-BaseMech = { "" } + .desc = { "" } +ent-MechRipley = Ripley APLU + .desc = Versatile and lightly armored, the Ripley is useful for almost any heavy work scenario. The "APLU" stands for Autonomous Power Loading Unit. +ent-MechRipleyBattery = { ent-MechRipley } + .suffix = Battery + .desc = { ent-MechRipley.desc } +ent-MechHonker = H.O.N.K. + .desc = Produced by "Tyranny of Honk, INC", this exosuit is designed as heavy clown-support. Used to spread the fun and joy of life. HONK! +ent-MechHonkerBattery = { ent-MechHonker } + .suffix = Battery + .desc = { ent-MechHonker.desc } +ent-MechHamtr = HAMTR + .desc = An experimental mech which uses a brain–computer interface to connect directly to a hamsters brain. +ent-MechHamtrBattery = { ent-MechHamtr } + .suffix = Battery + .desc = { ent-MechHamtr.desc } +ent-MechVim = Vim + .desc = A miniature exosuit from Nanotrasen, developed to let the irreplaceable station pets live a little longer. +ent-MechVimBattery = { ent-MechVim } + .suffix = Battery + .desc = { ent-MechVim.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 new file mode 100644 index 00000000000..18d35da4b4b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/defib.ftl @@ -0,0 +1,11 @@ +ent-BaseDefibrillator = defibrillator + .desc = CLEAR! Zzzzat! +ent-Defibrillator = { ent-BaseDefibrillator } + + .desc = { ent-BaseDefibrillator.desc } +ent-DefibrillatorEmpty = { ent-Defibrillator } + .suffix = Empty + .desc = { ent-Defibrillator.desc } +ent-DefibrillatorOneHandedUnpowered = { ent-BaseDefibrillator } + .suffix = One-Handed, Unpowered + .desc = { ent-BaseDefibrillator.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/disease.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/disease.ftl new file mode 100644 index 00000000000..9c62b95ae55 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/disease.ftl @@ -0,0 +1,4 @@ +ent-DiseaseSwab = sterile swab + .desc = Used for taking and transfering samples. Sterile until open. Single use only. +ent-Vaccine = vaccine + .desc = Prevents people who DON'T already have a disease from catching it. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/handheld_crew_monitor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/handheld_crew_monitor.ftl new file mode 100644 index 00000000000..e26ac5ea1e4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/handheld_crew_monitor.ftl @@ -0,0 +1,5 @@ +ent-HandheldCrewMonitor = handheld crew monitor + .desc = A hand-held crew monitor displaying the status of suit sensors. +ent-HandheldCrewMonitorEmpty = { ent-HandheldCrewMonitor } + .suffix = Empty + .desc = { ent-HandheldCrewMonitor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/healing.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/healing.ftl new file mode 100644 index 00000000000..52d4663343b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/healing.ftl @@ -0,0 +1,143 @@ +ent-BaseHealingItem = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-Ointment = ointment + .desc = Used to treat those nasty burns. Less effective on caustic burns. + .suffix = Full +ent-Ointment1 = { ent-Ointment } + .suffix = Single + .desc = { ent-Ointment.desc } +ent-Ointment10Lingering = { ent-Ointment } + .suffix = 10, Lingering + .desc = { ent-Ointment.desc } +ent-RegenerativeMesh = regenerative mesh + .desc = Used to treat even the nastiest burns. Also effective against caustic burns. + .suffix = Full +ent-OintmentAdvanced1 = { ent-RegenerativeMesh } + .suffix = Single + .desc = { ent-RegenerativeMesh.desc } +ent-Brutepack = bruise pack + .desc = A therapeutic gel pack and bandages designed to treat blunt-force trauma. + .suffix = Full +ent-Brutepack1 = { ent-Brutepack } + .suffix = Single + .desc = { ent-Brutepack.desc } +ent-Brutepack10Lingering = { ent-Brutepack } + .suffix = 10, Lingering + .desc = { ent-Brutepack.desc } +ent-MedicatedSuture = medicated suture + .desc = A suture soaked in medicine, treats blunt-force trauma effectively and closes wounds. + .suffix = Full +ent-BrutepackAdvanced1 = { ent-MedicatedSuture } + .suffix = Single + .desc = { ent-MedicatedSuture.desc } +ent-Bloodpack = blood pack + .desc = Contains a groundbreaking universal blood replacement created by Nanotrasen's advanced medical science. + .suffix = Full +ent-Bloodpack10Lingering = { ent-Bloodpack } + .suffix = 10, Lingering + .desc = { ent-Bloodpack.desc } +ent-Tourniquet = tourniquet + .desc = Stops bleeding! Hopefully. +ent-Gauze = roll of gauze + .desc = Some sterile gauze to wrap around bloody stumps. + .suffix = Full +ent-Gauze1 = { ent-Gauze } + .suffix = Single + .desc = { ent-Gauze.desc } +ent-Gauze10Lingering = { ent-Gauze } + .suffix = 10, Lingering + .desc = { ent-Gauze.desc } +ent-AloeCream = aloe cream + .desc = A topical cream for burns. +ent-HealingToolbox = healing toolbox + .desc = A powerful toolbox imbued with robust energy. It can heal your wounds and fill you with murderous intent. + .suffix = DO NOT MAP +ent-PillDexalin = pill (dexalin 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterDexalin = pill canister (dexalin 10u) + .suffix = Dexalin, 7 + .desc = { ent-PillCanister.desc } +ent-PillDylovene = pill (dylovene 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterDylovene = pill canister (dylovene 10u) + .suffix = Dylovene, 5 + .desc = { ent-PillCanister.desc } +ent-PillHyronalin = pill (hyronalin 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterHyronalin = pill canister (hyronalin 10u) + .suffix = Hyronalin, 5 + .desc = { ent-PillCanister.desc } +ent-PillIron = pill (iron 10u) + .desc = { ent-Pill.desc } +ent-PillCopper = pill (copper 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterIron = pill canister (iron 10u) + .suffix = Iron, 5 + .desc = { ent-PillCanister.desc } +ent-PillCanisterCopper = pill canister (copper 10u) + .suffix = Copper, 5 + .desc = { ent-PillCanister.desc } +ent-PillKelotane = pill (kelotane 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterKelotane = pill canister (kelotane 10u) + .suffix = Kelotane, 5 + .desc = { ent-PillCanister.desc } +ent-PillDermaline = pill (dermaline 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterDermaline = pill canister (dermaline 10u) + .suffix = Dermaline, 5 + .desc = { ent-PillCanister.desc } +ent-PillSpaceDrugs = space drugs + .desc = { ent-Pill.desc } +ent-PillTricordrazine = pill (tricordrazine 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterTricordrazine = pill canister (tricordrazine 10u) + .suffix = Tricordrazine, 5 + .desc = { ent-PillCanister.desc } +ent-PillBicaridine = pill (bicaridine 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterBicaridine = pill canister (bicaridine 10u) + .suffix = Bicaridine, 5 + .desc = { ent-PillCanister.desc } +ent-PillCharcoal = pill (charcoal 10u) + .desc = { ent-Pill.desc } +ent-PillCanisterCharcoal = pill canister (charcoal 10u) + .suffix = Charcoal, 3 + .desc = { ent-PillCanister.desc } +ent-PillRomerol = romerol pill + .desc = { ent-Pill.desc } +ent-PillAmbuzol = ambuzol pill + .desc = { ent-Pill.desc } +ent-PillAmbuzolPlus = ambuzol plus pill + .desc = { ent-Pill.desc } +ent-PillCanisterRandom = { ent-PillCanister } + .suffix = Random + .desc = { ent-PillCanister.desc } +ent-SyringeEphedrine = ephedrine syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeInaprovaline = inaprovaline syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeTranexamicAcid = tranexamic acid syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeBicaridine = bicaridine syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeDermaline = dermaline syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeHyronalin = hyronalin syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeIpecac = ipecac syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeAmbuzol = ambuzol syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeSigynate = sigynate syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeEthylredoxrazine = ethylredoxrazine syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringePhalanximine = phalanximine syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeSaline = saline syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeRomerol = romerol syringe + .desc = { ent-BaseSyringe.desc } +ent-SyringeStimulants = stimulants syringe + .desc = { ent-BaseSyringe.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/healthanalyzer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/healthanalyzer.ftl new file mode 100644 index 00000000000..96997df4dc4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/healthanalyzer.ftl @@ -0,0 +1,8 @@ +ent-HandheldHealthAnalyzerUnpowered = health analyzer + .desc = A hand-held body scanner capable of distinguishing vital signs of the subject. +ent-HandheldHealthAnalyzer = { ent-HandheldHealthAnalyzerUnpowered } + .suffix = Powered + .desc = { ent-HandheldHealthAnalyzerUnpowered.desc } +ent-HandheldHealthAnalyzerEmpty = { ent-HandheldHealthAnalyzer } + .suffix = Empty + .desc = { ent-HandheldHealthAnalyzer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/hypospray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/hypospray.ftl new file mode 100644 index 00000000000..b6774d7d827 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/hypospray.ftl @@ -0,0 +1,34 @@ +ent-Hypospray = hypospray + .desc = A sterile injector for rapid administration of drugs to patients. +ent-SyndiHypo = gorlex hypospray + .desc = Using reverse engineered designs from NT, Cybersun produced these in limited quantities for Gorlex Marauder operatives. +ent-BorgHypo = borghypo + .desc = A sterile injector for rapid administration of drugs to patients. A cheaper and more specialised version for medical borgs. +ent-AdminHypo = experimental hypospray + .desc = The ultimate application of bluespace technology and rapid chemical administration. + .suffix = Admeme +ent-ChemicalMedipen = chemical medipen + .desc = A sterile injector for rapid administration of drugs to patients. This one can't be refilled. +ent-EmergencyMedipen = emergency medipen + .desc = A rapid and safe way to stabilize patients in critical condition for personnel without advanced medical knowledge. Beware, as it's easy to overdose on epinephrine and tranexamic acid. +ent-AntiPoisonMedipen = poison auto-injector + .desc = A rapid dose of anti-poison. Contains ultravasculine and epinephrine. +ent-BruteAutoInjector = brute auto-injector + .desc = A rapid dose of bicaridine and tranexamic acid, intended for combat applications +ent-BurnAutoInjector = burn auto-injector + .desc = A rapid dose of dermaline and leporazine, intended for combat applications +ent-RadAutoInjector = rad auto-injector + .desc = A rapid dose of anti-radiation. Contains arithrazine and bicaridine. +ent-SpaceMedipen = space medipen + .desc = Contains a mix of chemicals that protect you from the deadly effects of space. +ent-Stimpack = stimulant injector + .desc = Contains enough stimulants for you to have the chemical's effect for 30 seconds. Use it when you're sure you're ready to throw down. +ent-StimpackMini = stimulant microinjector + .desc = A microinjector of stimulants that give you about fifteen seconds of the chemical's effects. +ent-CombatMedipen = combat medipen + .desc = A single-use medipen containing chemicals that regenerate most types of damage. +ent-Hypopen = pen + .desc = A dark ink pen. + .suffix = Hypopen +ent-HypopenBox = hypopen box + .desc = A small box containing a hypopen. Packaging disintegrates when opened, leaving no evidence behind. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/medkits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/medkits.ftl new file mode 100644 index 00000000000..e86112685bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/medkits.ftl @@ -0,0 +1,16 @@ +ent-Medkit = first aid kit + .desc = It's an emergency medical kit for those serious boo-boos. +ent-MedkitBurn = burn treatment kit + .desc = A specialized medical kit for when the toxins lab spontaneously burns down. +ent-MedkitToxin = toxin treatment kit + .desc = Used to treat toxic blood content. +ent-MedkitO2 = oxygen deprivation treatment kit + .desc = A box full of oxygen goodies. +ent-MedkitBrute = brute trauma treatment kit + .desc = A first aid kit for when you get toolboxed. +ent-MedkitAdvanced = advanced first aid kit + .desc = An advanced kit to help deal with advanced wounds. +ent-MedkitRadiation = radiation treatment kit + .desc = If you took your Rad-X you wouldn't need this. +ent-MedkitCombat = combat medical kit + .desc = For the big weapons among us. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/morgue.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/morgue.ftl new file mode 100644 index 00000000000..2d63adab82d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/morgue.ftl @@ -0,0 +1,9 @@ +ent-BodyBag_Container = body bag + .desc = A plastic bag designed for the storage and transportation of cadavers to stop body decomposition. +ent-BodyBag_Folded = body bag + .desc = A plastic bag designed for the storage and transportation of cadavers to stop body decomposition. + .suffix = folded +ent-Ash = ash + .desc = This used to be something, but now it's not. +ent-Ectoplasm = ectoplasm + .desc = Much less deadly in this form. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/randompill.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/randompill.ftl new file mode 100644 index 00000000000..ded073158a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/randompill.ftl @@ -0,0 +1,2 @@ +ent-StrangePill = strange pill + .desc = This unusual pill bears no markings. There's no telling what it contains. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/surgery.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/surgery.ftl new file mode 100644 index 00000000000..a827a1fb4b9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/medical/surgery.ftl @@ -0,0 +1,26 @@ +ent-BaseToolSurgery = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-Cautery = cautery + .desc = A surgical tool used to cauterize open wounds. +ent-Drill = drill + .desc = A surgical drill for making holes into hard material. +ent-Scalpel = scalpel + .desc = A surgical tool used to make incisions into flesh. +ent-ScalpelShiv = shiv + .desc = A pointy piece of glass, abraded to an edge and wrapped in tape for a handle. +ent-ScalpelAdvanced = advanced scalpel + .desc = Made of more expensive materials, sharper and generally more reliable. +ent-ScalpelLaser = laser scalpel + .desc = A scalpel which uses a directed laser to slice instead of a blade, for more precise surgery while also cauterizing as it cuts. +ent-Retractor = retractor + .desc = A surgical tool used to hold open incisions. +ent-Hemostat = hemostat + .desc = A surgical tool used to compress blood vessels to prevent bleeding. +ent-Saw = metal saw + .desc = For cutting wood and other objects to pieces. Or sawing bones, in case of emergency. +ent-SawImprov = choppa + .desc = A wicked serrated blade made of whatever nasty sharp things you could find. +ent-SawElectric = circular saw + .desc = For heavy duty cutting. +ent-SawAdvanced = advanced circular saw + .desc = You think you can cut anything with it. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mining/ore_bag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mining/ore_bag.ftl new file mode 100644 index 00000000000..27f09df0ab8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/mining/ore_bag.ftl @@ -0,0 +1,2 @@ +ent-OreBag = ore bag + .desc = A robust bag for salvage specialists and miners alike to carry large amounts of ore. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/rehydrateable.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/rehydrateable.ftl new file mode 100644 index 00000000000..f5cd26c3a25 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/rehydrateable.ftl @@ -0,0 +1,25 @@ +ent-MonkeyCube = monkey cube + .desc = Just add water! +ent-KoboldCube = kobold cube + .desc = { ent-MonkeyCube.desc } +ent-CowCube = cow cube + .desc = { ent-MonkeyCube.desc } +ent-GoatCube = goat cube + .desc = { ent-MonkeyCube.desc } +ent-MothroachCube = mothroach cube + .desc = { ent-MonkeyCube.desc } +ent-MouseCube = mouse cube + .desc = { ent-MonkeyCube.desc } +ent-CockroachCube = cockroach cube + .desc = Just add wa- OH GOD! +ent-SpaceCarpCube = carp cube + .desc = Just add water! At your own risk. +ent-SpaceTickCube = tick cube + .desc = Just add water! At your own risk. +ent-AbominationCube = abomination cube + .desc = Just add blood! +ent-DehydratedSpaceCarp = dehydrated space carp + .desc = Looks like a plush toy carp, but just add water and it becomes a real-life space carp! +ent-SyndicateSponge = monkey cube + .desc = Just add water! + .suffix = Syndicate diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/anomaly.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/anomaly.ftl new file mode 100644 index 00000000000..8e2f2f97506 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/anomaly.ftl @@ -0,0 +1,22 @@ +ent-AnomalyScanner = anomaly scanner + .desc = A hand-held scanner built to collect information on various anomalous objects. +ent-AnomalyLocatorUnpowered = anomaly locator + .desc = A device designed to aid in the locating of anomalies. Did you check the gas miners? + .suffix = Unpowered +ent-AnomalyLocator = { ent-AnomalyLocatorUnpowered } + .suffix = Powered + .desc = { ent-AnomalyLocatorUnpowered.desc } +ent-AnomalyLocatorEmpty = { ent-AnomalyLocator } + .suffix = Empty + .desc = { ent-AnomalyLocator.desc } +ent-AnomalyLocatorWideUnpowered = wide-spectrum anomaly locator + .desc = A device that looks for anomalies from an extended distance, but has no way to determine the distance to them. + .suffix = Unpowered +ent-AnomalyLocatorWide = { ent-AnomalyLocatorWideUnpowered } + .suffix = Powered + .desc = { ent-AnomalyLocatorWideUnpowered.desc } +ent-AnomalyLocatorWideEmpty = { ent-AnomalyLocatorWide } + .suffix = Empty + .desc = { ent-AnomalyLocatorWide.desc } +ent-WeaponGauntletGorilla = G.O.R.I.L.L.A. gauntlet + .desc = A robust piece of research equipment. When powered with an anomaly core, a single blow can launch anomalous objects through the air. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/disk.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/disk.ftl new file mode 100644 index 00000000000..9cd096b839a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/disk.ftl @@ -0,0 +1,14 @@ +ent-ResearchDisk = research point disk (1000) + .desc = A disk for the R&D server containing 1000 points. +ent-ResearchDisk5000 = research point disk (5000) + .desc = A disk for the R&D server containing 5000 points. +ent-ResearchDisk10000 = research point disk (10000) + .desc = A disk for the R&D server containing 10000 points. +ent-ResearchDiskDebug = research point disk + .desc = A disk for the R&D server containing all the points you could ever need. + .suffix = DEBUG, DO NOT MAP +ent-TechnologyDisk = technology disk + .desc = A disk for the R&D server containing research technology. +ent-TechnologyDiskRare = { ent-TechnologyDisk } + .suffix = rare. + .desc = { ent-TechnologyDisk.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/rped.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/rped.ftl new file mode 100644 index 00000000000..99142f8c0c8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/research/rped.ftl @@ -0,0 +1,2 @@ +ent-RPED = RPED + .desc = A Rapid Part Exchange Device, perfect for quickly upgrading machines. 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 new file mode 100644 index 00000000000..8fc9f09d7d9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_modules.ftl @@ -0,0 +1,78 @@ +ent-BaseBorgModule = borg module + .desc = A piece of tech that gives cyborgs new abilities. +ent-BaseProviderBorgModule = { "" } + .desc = { "" } +ent-ActionBorgSwapModule = Swap Module + .desc = Select this module, enabling you to use the tools it provides. +ent-BaseBorgModuleCargo = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BaseBorgModuleEngineering = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BaseBorgModuleJanitor = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BaseBorgModuleMedical = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BaseBorgModuleService = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BaseBorgModuleSyndicate = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BaseBorgModuleSyndicateAssault = { ent-BaseBorgModule } + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleCable = cable cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleFireExtinguisher = fire extinguisher cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleGPS = GPS cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleRadiationDetection = radiation detection cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleTool = tool cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleAppraisal = appraisal cyborg module + .desc = { ent-BaseBorgModuleCargo.desc } +ent-BorgModuleMining = mining cyborg module + .desc = { ent-BaseBorgModuleCargo.desc } +ent-BorgModuleGrapplingGun = grappling gun cyborg module + .desc = { ent-BaseBorgModuleCargo.desc } +ent-BorgModuleAdvancedTool = advanced tool cyborg module + .desc = { ent-BaseBorgModuleEngineering.desc } +ent-BorgModuleConstruction = construction cyborg module + .desc = { ent-BaseBorgModuleEngineering.desc } +ent-BorgModuleRCD = RCD cyborg module + .desc = { ent-BaseBorgModuleEngineering.desc } +ent-BorgModuleLightReplacer = light replacer cyborg module + .desc = { ent-BaseBorgModuleJanitor.desc } +ent-BorgModuleCleaning = cleaning cyborg module + .desc = { ent-BaseBorgModuleJanitor.desc } +ent-BorgModuleAdvancedCleaning = advanced cleaning cyborg module + .desc = { ent-BaseBorgModuleJanitor.desc } +ent-BorgModuleDiagnosis = diagnosis cyborg module + .desc = { ent-BaseBorgModuleMedical.desc } +ent-BorgModuleTreatment = treatment cyborg module + .desc = { ent-BaseBorgModuleMedical.desc } +ent-BorgModuleDefibrillator = defibrillator cyborg module + .desc = { ent-BaseBorgModuleMedical.desc } +ent-BorgModuleAdvancedTreatment = advanced treatment cyborg module + .desc = { ent-BaseBorgModuleMedical.desc } +ent-BorgModuleArtifact = artifact cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleAnomaly = anomaly cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleService = service cyborg module + .desc = { ent-BaseBorgModuleService.desc } +ent-BorgModuleMusique = musique cyborg module + .desc = { ent-BaseBorgModuleService.desc } +ent-BorgModuleGardening = gardening cyborg module + .desc = { ent-BaseBorgModuleService.desc } +ent-BorgModuleHarvesting = harvesting cyborg module + .desc = { ent-BaseBorgModuleService.desc } +ent-BorgModuleClowning = clowning cyborg module + .desc = { ent-BaseBorgModuleService.desc } +ent-BorgModuleSyndicateWeapon = weapon cyborg module + .desc = { ent-BaseBorgModule.desc } +ent-BorgModuleOperative = operative cyborg module + .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. +ent-BorgModuleL6C = L6C ROW cyborg module + .desc = A module that comes with a L6C. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_parts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_parts.ftl new file mode 100644 index 00000000000..36e56f48035 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/borg_parts.ftl @@ -0,0 +1,68 @@ +ent-LeftArmBorg = { ent-BaseBorgArmLeft } + .desc = { ent-BaseBorgArmLeft.desc } +ent-RightArmBorg = { ent-BaseBorgArmRight } + .desc = { ent-BaseBorgArmRight.desc } +ent-LeftLegBorg = { ent-BaseBorgLegLeft } + .desc = { ent-BaseBorgLegLeft.desc } +ent-RightLegBorg = { ent-BaseBorgLegRight } + .desc = { ent-BaseBorgLegRight.desc } +ent-LightHeadBorg = { ent-BaseBorgHead } + .desc = { ent-BaseBorgHead.desc } +ent-TorsoBorg = { ent-BaseBorgTorso } + .desc = { ent-BaseBorgTorso.desc } +ent-LeftArmBorgEngineer = engineer cyborg left arm + .desc = { ent-BaseBorgArmLeft.desc } +ent-RightArmBorgEngineer = engineer cyborg right arm + .desc = { ent-BaseBorgArmRight.desc } +ent-LeftLegBorgEngineer = engineer cyborg left leg + .desc = { ent-BaseBorgLegLeft.desc } +ent-RightLegBorgEngineer = engineer cyborg right leg + .desc = { ent-BaseBorgLegRight.desc } +ent-HeadBorgEngineer = engineer cyborg head + .desc = { ent-BaseBorgHead.desc } +ent-TorsoBorgEngineer = engineer cyborg torso + .desc = { ent-BaseBorgTorso.desc } +ent-LeftLegBorgJanitor = janitor cyborg left leg + .desc = { ent-BaseBorgLegLeft.desc } +ent-RightLegBorgJanitor = janitor cyborg right leg + .desc = { ent-BaseBorgLegRight.desc } +ent-HeadBorgJanitor = janitor cyborg head + .desc = { ent-BaseBorgHead.desc } +ent-TorsoBorgJanitor = janitor cyborg torso + .desc = { ent-BaseBorgTorso.desc } +ent-LeftArmBorgMedical = medical cyborg left arm + .desc = { ent-BaseBorgArmLeft.desc } +ent-RightArmBorgMedical = medical cyborg right arm + .desc = { ent-BaseBorgArmRight.desc } +ent-LeftLegBorgMedical = medical cyborg left leg + .desc = { ent-BaseBorgLegLeft.desc } +ent-RightLegBorgMedical = medical cyborg right leg + .desc = { ent-BaseBorgLegRight.desc } +ent-HeadBorgMedical = medical cyborg head + .desc = { ent-BaseBorgHead.desc } +ent-TorsoBorgMedical = medical cyborg torso + .desc = { ent-BaseBorgTorso.desc } +ent-LeftArmBorgMining = mining cyborg left arm + .desc = { ent-BaseBorgArmLeft.desc } +ent-RightArmBorgMining = mining cyborg right arm + .desc = { ent-BaseBorgArmRight.desc } +ent-LeftLegBorgMining = mining cyborg left leg + .desc = { ent-BaseBorgLegLeft.desc } +ent-RightLegBorgMining = mining cyborg right leg + .desc = { ent-BaseBorgLegRight.desc } +ent-HeadBorgMining = mining cyborg head + .desc = { ent-BaseBorgHead.desc } +ent-TorsoBorgMining = mining cyborg torso + .desc = { ent-BaseBorgTorso.desc } +ent-LeftArmBorgService = service cyborg left arm + .desc = { ent-BaseBorgArmLeft.desc } +ent-RightArmBorgService = service cyborg right arm + .desc = { ent-BaseBorgArmRight.desc } +ent-LeftLegBorgService = service cyborg left leg + .desc = { ent-BaseBorgLegLeft.desc } +ent-RightLegBorgService = service cyborg right leg + .desc = { ent-BaseBorgLegRight.desc } +ent-HeadBorgService = service cyborg head + .desc = { ent-BaseBorgHead.desc } +ent-TorsoBorgService = service cyborg torso + .desc = { ent-BaseBorgTorso.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/endoskeleton.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/endoskeleton.ftl new file mode 100644 index 00000000000..b0855bd22df --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/endoskeleton.ftl @@ -0,0 +1,2 @@ +ent-CyborgEndoskeleton = cyborg endoskeleton + .desc = A frame that cyborgs are built on. Significantly less spooky than expected. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/mmi.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/mmi.ftl new file mode 100644 index 00000000000..3404a8272b8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/robotics/mmi.ftl @@ -0,0 +1,7 @@ +ent-MMI = man-machine interface + .desc = A machine able to facilitate communication between a biological brain and electronics, enabling crew to continue to provide value after work-related incidents. +ent-MMIFilled = { ent-MMI } + .suffix = Filled + .desc = { ent-MMI.desc } +ent-PositronicBrain = positronic brain + .desc = An artificial brain capable of spontaneous neural activity. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/salvage/ore_bag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/salvage/ore_bag.ftl new file mode 100644 index 00000000000..574cc7f13fd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/salvage/ore_bag.ftl @@ -0,0 +1,2 @@ +ent-OreBag = ore bag + .desc = A robust bag for salvage specialists and miners alike to carry large amounts of ore. Magnetises any nearby ores when attached to a belt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/salvage/ore_bag_holding.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/salvage/ore_bag_holding.ftl new file mode 100644 index 00000000000..4bdeca10ffe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/salvage/ore_bag_holding.ftl @@ -0,0 +1,2 @@ +ent-OreBagOfHolding = ore bag of holding + .desc = A robust bag of holding for salvage billionaires and rich miners alike to carry large amounts of ore. Magnetises any nearby ores when attached to a belt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/barrier.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/barrier.ftl new file mode 100644 index 00000000000..ff6910ec935 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/barrier.ftl @@ -0,0 +1,2 @@ +ent-DeployableBarrier = deployable barrier + .desc = A deployable barrier. Swipe your ID card to lock/unlock it. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/evidence-marker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/evidence-marker.ftl new file mode 100644 index 00000000000..e006fb6a658 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/evidence-marker.ftl @@ -0,0 +1,22 @@ +ent-EvidenceMarker = evidence marker + .desc = A numbered yellow marker, useful for labeling evidence on a crime scene. +ent-EvidenceMarkerOne = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerTwo = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerThree = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerFour = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerFive = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerSix = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerSeven = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerEight = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-EvidenceMarkerNine = { ent-EvidenceMarker } + .desc = { ent-EvidenceMarker.desc } +ent-BoxEvidenceMarkers = evidence marker box + .desc = A pack of numbered yellow markers, useful for labeling evidence on a crime scene. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/target.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/target.ftl new file mode 100644 index 00000000000..bc5d597d8d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/security/target.ftl @@ -0,0 +1,10 @@ +ent-BaseTarget = { ent-BaseStructureDynamic } + .desc = { ent-BaseStructureDynamic.desc } +ent-TargetHuman = human target + .desc = A shooting target. This one is a human. +ent-TargetSyndicate = syndicate target + .desc = A shooting target. This one is a syndicate agent. +ent-TargetClown = clown target + .desc = A shooting target. This one is a clown. +ent-TargetStrange = strange target + .desc = A shooting target. You aren't quite sure what this one is, but it seems to be extra robust. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/service/barber.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/service/barber.ftl new file mode 100644 index 00000000000..df9663e8a95 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/service/barber.ftl @@ -0,0 +1,2 @@ +ent-BarberScissors = barber scissors + .desc = is able to reshape the hairstyle of any crew cut to your liking. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/service/vending_machine_restock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/service/vending_machine_restock.ftl new file mode 100644 index 00000000000..3fe6b0a142d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/service/vending_machine_restock.ftl @@ -0,0 +1,54 @@ +ent-BaseVendingMachineRestock = vending machine restock box + .desc = A box for restocking vending machines with corporate goodies. +ent-VendingMachineRestockBooze = Booze-O-Mat restock box + .desc = Slot into your Booze-O-Mat to start the party! Not for sale to passengers below the legal age. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockChang = Mr. Chang's restock box + .desc = A box covered in white labels with bold red Chinese characters, ready to be loaded into the nearest Mr. Chang's vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockChefvend = ChefVend restock box + .desc = Refill the ChefVend. Just don't break any more of the eggs. +ent-VendingMachineRestockCondimentStation = condiment station restock box + .desc = Refill the condiment station. Mmmm, cold sauce. +ent-VendingMachineRestockClothes = wardrobe restock box + .desc = It's time to step up your fashion! Place inside any clothes vendor restock slot to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockCostumes = AutoDrobe restock box + .desc = A panoply of NanoTrasen employees are prancing about a colorful theater in a tragicomedy. You can join them too! Load this into your nearest AutoDrobe vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockDinnerware = Plasteel Chef's restock box + .desc = It's never raw in this kitchen! Drop into the restock slot on the Plasteel Chef to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockDiscountDans = Discount Dan's restock box + .desc = A box full of salt and starch. Why suffer Quality when you can have Quantity? Discount Dan's! A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockDonut = Robust Donuts restock box + .desc = A box full of toroidal bundles of fried dough for restocking a vending machine. Use only as directed by Robust Industries, LLC. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockEngineering = EngiVend restock box + .desc = Only to be used by certified professionals. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockGames = Good Clean Fun restock box + .desc = It's time to roll for initiative, dice dragons! Load up at the Good Clean Fun vending machine! A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockGetmoreChocolateCorp = GetMore Chocolate restock box + .desc = A box loaded with the finest ersatz cacao. Only to be used in official Getmore Chocolate vending machines. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockHotDrinks = Solar's Best restock box + .desc = Toasty! For use in Solar's Best Hot Drinks or other affiliate vending machines. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockMedical = NanoMed restock box + .desc = Slot into your department's NanoMed or NanoMedPlus to dispense. Handle with care. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockNutriMax = NutriMax restock box + .desc = We'll make your thumbs green with our tools. Let's get to harvesting! Load into a NutriMax vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockPTech = PTech restock box + .desc = All the bureaucracy you can handle, and more! Load into the PTech vending machine to get started. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockRobustSoftdrinks = beverage restock box + .desc = A cold, clunky container of colliding chilly cylinders. Use only as directed by Robust Industries, LLC. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockSecTech = SecTech restock box + .desc = Communists beware: the reinforcements have arrived! A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockSalvageEquipment = Salvage Vendor restock box + .desc = Strike the earth ere the space carp nip your behind! Slam into a salvage vendor to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockSeeds = MegaSeed restock box + .desc = A label says they're heirloom seeds, passed down from our ancestors. Pack it into the MegaSeed Servitor! A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockSmokes = ShadyCigs restock box + .desc = It's hard to see anything under all the Surgeon General warnings, but it mentions loading it into a vending machine. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockTankDispenser = tank dispenser restock box + .desc = Capable of replacing tanks in a gas tank dispenser. Handle with care. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockVendomat = Vendomat restock box + .desc = A box full of parts for various machinery. Load it into a Vendomat to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockRobotics = Robotech Deluxe restock box + .desc = A box full of tools for creating borgs. Load it into a Robotech Deluxe to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockHappyHonk = Happy Honk restock box + .desc = place this box full of fun into the restock slot on the Happy Honk Dispenser to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. +ent-VendingMachineRestockChemVend = ChemVend restock box + .desc = A box filled with chemicals and covered in dangerous-looking NFPA diamonds. Load it into a ChemVend to begin. A label reads THE BOX IS TAMPER PROOF AND WILL DESTROY IT'S CONTENT ON HARM. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/syndicate.ftl new file mode 100644 index 00000000000..14ebbb86d8e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/syndicate.ftl @@ -0,0 +1,27 @@ +ent-Telecrystal = telecrystal + .desc = It seems to be pulsing with suspiciously enticing energies. + .suffix = 20 TC +ent-Telecrystal1 = { ent-Telecrystal } + .suffix = 1 TC + .desc = { ent-Telecrystal.desc } +ent-Telecrystal5 = { ent-Telecrystal } + .suffix = 5 TC + .desc = { ent-Telecrystal.desc } +ent-Telecrystal10 = { ent-Telecrystal } + .suffix = 10 TC + .desc = { ent-Telecrystal.desc } +ent-BaseUplinkRadio = syndicate uplink + .desc = Suspiciously looking old radio... + .suffix = Empty +ent-BaseUplinkRadio20TC = { ent-BaseUplinkRadio } + .suffix = 20 TC + .desc = { ent-BaseUplinkRadio.desc } +ent-BaseUplinkRadio25TC = { ent-BaseUplinkRadio } + .suffix = 25 TC + .desc = { ent-BaseUplinkRadio.desc } +ent-BaseUplinkRadio40TC = { ent-BaseUplinkRadio } + .suffix = 40 TC, NukeOps + .desc = { ent-BaseUplinkRadio.desc } +ent-BaseUplinkRadioDebug = { ent-BaseUplinkRadio } + .suffix = DEBUG + .desc = { ent-BaseUplinkRadio.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/artifact_equipment.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/artifact_equipment.ftl new file mode 100644 index 00000000000..54dfd2bd161 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/artifact_equipment.ftl @@ -0,0 +1,2 @@ +ent-CrateArtifactContainer = artifact container + .desc = Used to safely contain and move artifacts. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/artifacts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/artifacts.ftl new file mode 100644 index 00000000000..96d4bdbd5cd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/artifacts.ftl @@ -0,0 +1,12 @@ +ent-BaseXenoArtifact = alien artifact + .desc = A strange alien device. + .suffix = { "" } +ent-SimpleXenoArtifact = { ent-BaseXenoArtifact } + .suffix = Simple + .desc = { ent-BaseXenoArtifact.desc } +ent-MediumXenoArtifact = { ent-BaseXenoArtifact } + .suffix = Medium + .desc = { ent-BaseXenoArtifact.desc } +ent-ComplexXenoArtifact = { ent-BaseXenoArtifact } + .suffix = Complex + .desc = { ent-BaseXenoArtifact.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/item_artifacts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/item_artifacts.ftl new file mode 100644 index 00000000000..cd0853ddd8c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/item_artifacts.ftl @@ -0,0 +1,19 @@ +ent-BaseXenoArtifactItem = alien artifact + .desc = A strange handheld alien device. +ent-SimpleXenoArtifactItem = { ent-BaseXenoArtifactItem } + .suffix = Simple + .desc = { ent-BaseXenoArtifactItem.desc } +ent-MediumXenoArtifactItem = { ent-BaseXenoArtifactItem } + .suffix = Medium + .desc = { ent-BaseXenoArtifactItem.desc } +ent-ComplexXenoArtifactItem = { ent-BaseXenoArtifactItem } + .suffix = Complex + .desc = { ent-BaseXenoArtifactItem.desc } +ent-VariedXenoArtifactItem = { ent-BaseXenoArtifactItem } + .suffix = Varied + .desc = { ent-BaseXenoArtifactItem.desc } +ent-ArtifactFragment = artifact fragment + .desc = A broken piece of an artifact. You could probably repair it if you had more. +ent-ArtifactFragment1 = { ent-ArtifactFragment } + .suffix = Single + .desc = { ent-ArtifactFragment.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/node_scanner.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/node_scanner.ftl new file mode 100644 index 00000000000..8aefcef06bd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/node_scanner.ftl @@ -0,0 +1,2 @@ +ent-NodeScanner = node scanner + .desc = The archeologist's friend, able to identify the node of an artifact with only a single scan. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/structure_artifacts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/structure_artifacts.ftl new file mode 100644 index 00000000000..ca99c925a12 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/specific/xenoarchaeology/structure_artifacts.ftl @@ -0,0 +1,11 @@ +ent-BaseXenoArtifact = alien artifact + .desc = A strange alien device. +ent-SimpleXenoArtifact = { ent-BaseXenoArtifact } + .suffix = Simple + .desc = { ent-BaseXenoArtifact.desc } +ent-MediumXenoArtifact = { ent-BaseXenoArtifact } + .suffix = Medium + .desc = { ent-BaseXenoArtifact.desc } +ent-ComplexXenoArtifact = { ent-BaseXenoArtifact } + .suffix = Complex + .desc = { ent-BaseXenoArtifact.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/access_configurator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/access_configurator.ftl new file mode 100644 index 00000000000..8a5a38eb56a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/access_configurator.ftl @@ -0,0 +1,2 @@ +ent-AccessConfigurator = access configurator + .desc = Used to modify the access level requirements for airlocks and other lockable devices. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/airlock_painter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/airlock_painter.ftl new file mode 100644 index 00000000000..fd8a2cd7b04 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/airlock_painter.ftl @@ -0,0 +1,2 @@ +ent-AirlockPainter = airlock painter + .desc = An airlock painter for painting airlocks. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/appraisal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/appraisal.ftl new file mode 100644 index 00000000000..819ace0c6b1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/appraisal.ftl @@ -0,0 +1,2 @@ +ent-AppraisalTool = appraisal tool + .desc = A beancounter's best friend, with a quantum connection to the galactic market and the ability to appraise even the toughest items. It will also tell you if a crate contains a completed bounty. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/bucket.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/bucket.ftl new file mode 100644 index 00000000000..6cbc0333021 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/bucket.ftl @@ -0,0 +1,2 @@ +ent-Bucket = bucket + .desc = It's a boring old bucket. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/cable_coils.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/cable_coils.ftl new file mode 100644 index 00000000000..b7659552b6e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/cable_coils.ftl @@ -0,0 +1,39 @@ +ent-CableStack = cable stack + .suffix = Full + .desc = { ent-BaseItem.desc } +ent-CableHVStack = HV cable coil + .desc = HV cables for connecting engines to heavy duty machinery, SMESes, and substations. + .suffix = Full +ent-CableHVStack10 = { ent-CableHVStack } + .suffix = 10 + .desc = { ent-CableHVStack.desc } +ent-CableHVStackLingering10 = { ent-CableHVStack10 } + .suffix = Lingering, 10 + .desc = { ent-CableHVStack10.desc } +ent-CableHVStack1 = { ent-CableHVStack } + .suffix = 1 + .desc = { ent-CableHVStack.desc } +ent-CableMVStack = MV cable coil + .desc = MV cables for connecting substations to APCs, and also powering a select few things like emitters. + .suffix = Full +ent-CableMVStack10 = { ent-CableMVStack } + .suffix = 10 + .desc = { ent-CableMVStack.desc } +ent-CableMVStackLingering10 = { ent-CableMVStack10 } + .suffix = Lingering, 10 + .desc = { ent-CableMVStack10.desc } +ent-CableMVStack1 = { ent-CableMVStack } + .suffix = 1 + .desc = { ent-CableMVStack.desc } +ent-CableApcStack = LV cable coil + .desc = Low-Voltage stack of wires for connecting APCs to machines and other purposes. + .suffix = Full +ent-CableApcStack10 = { ent-CableApcStack } + .suffix = 10 + .desc = { ent-CableApcStack.desc } +ent-CableApcStackLingering10 = { ent-CableApcStack10 } + .suffix = Lingering, 10 + .desc = { ent-CableApcStack10.desc } +ent-CableApcStack1 = { ent-CableApcStack } + .suffix = 1 + .desc = { ent-CableApcStack.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/cowtools.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/cowtools.ftl new file mode 100644 index 00000000000..9746b04074d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/cowtools.ftl @@ -0,0 +1,19 @@ +ent-Haycutters = haycutters + .desc = This kills the wire. Moo! +ent-Moodriver = moodriver + .desc = Turn to use. Moo! +ent-Wronch = wronch + .desc = Wronch thing. Moo! +ent-Cowbar = cowbar + .desc = Cow your problems away. Moo! +ent-Mooltitool = mooltitool + .desc = An crude tool to copy, store, and send electrical pulses and signals through wires and machines. Moo! +ent-Cowelder = cowelding tool + .desc = Melts anything as long as it's fueled, don't forget your eye protection! Moo! +ent-Milkalyzer = milkalyzer + .desc = A hand-held environmental scanner which reports current gas levels. Moo! +ent-CowToolbox = cow toolbox + .desc = A weirdly shaped box, stocked with... tools? +ent-CowToolboxFilled = cow toolbox + .suffix = Filled + .desc = { ent-CowToolbox.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/decoys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/decoys.ftl new file mode 100644 index 00000000000..da6779ef077 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/decoys.ftl @@ -0,0 +1,12 @@ +ent-BaseDecoy = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BalloonOperative = operative balloon + .desc = Upon closer inspection, this Syndicate operative is actually a balloon. +ent-BalloonAgent = agent balloon + .desc = Upon closer inspection, this Syndicate agent is actually a balloon. +ent-BalloonElite = elite operative balloon + .desc = Upon closer inspection, this Syndicate elite operative is actually a balloon. +ent-BalloonJuggernaut = juggernaut balloon + .desc = Upon closer inspection, this Syndicate juggernaut is actually a balloon. +ent-BalloonCommander = commander balloon + .desc = Upon closer inspection, this Syndicate commander is actually a balloon. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/emag.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/emag.ftl new file mode 100644 index 00000000000..9278730405c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/emag.ftl @@ -0,0 +1,6 @@ +ent-EmagUnlimited = cryptographic sequencer + .desc = The all-in-one hacking solution. The thinking man's lockpick. The iconic EMAG. + .suffix = Unlimited +ent-Emag = { ent-EmagUnlimited } + .suffix = Limited + .desc = { ent-EmagUnlimited.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/flare.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/flare.ftl new file mode 100644 index 00000000000..b4c8e6a6a6b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/flare.ftl @@ -0,0 +1,2 @@ +ent-Flare = emergency flare + .desc = A flare that produces a very bright light for a short while. Point the flame away from yourself. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/flashlights.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/flashlights.ftl new file mode 100644 index 00000000000..60b6e77cc64 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/flashlights.ftl @@ -0,0 +1,7 @@ +ent-FlashlightLantern = flashlight + .desc = It lights the way to freedom. +ent-FlashlightSeclite = seclite + .desc = A robust flashlight used by security. +ent-EmptyFlashlightLantern = { ent-FlashlightLantern } + .suffix = Empty + .desc = { ent-FlashlightLantern.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/fulton.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/fulton.ftl new file mode 100644 index 00000000000..13ed43ac38e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/fulton.ftl @@ -0,0 +1,10 @@ +ent-FultonBeacon = fulton beacon + .desc = Beacon to receive fulton extractions. +ent-Fulton = fulton + .desc = Used to extract containers, items, or forcibly recruit people into your base of operations. + .suffix = Full +ent-Fulton1 = fulton + .suffix = One + .desc = { ent-Fulton.desc } +ent-FultonEffect = fulton effect + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/gas_tanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/gas_tanks.ftl new file mode 100644 index 00000000000..574cc300839 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/gas_tanks.ftl @@ -0,0 +1,26 @@ +ent-GasTankBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-GasTankRoundBase = { ent-GasTankBase } + .desc = { ent-GasTankBase.desc } +ent-OxygenTank = oxygen tank + .desc = A standard cylindrical gas tank for oxygen. +ent-NitrogenTank = nitrogen tank + .desc = A standard cylindrical gas tank for nitrogen. +ent-EmergencyOxygenTank = emergency oxygen tank + .desc = An easily portable tank for emergencies. Contains very little oxygen, rated for survival use only. +ent-ExtendedEmergencyOxygenTank = extended-capacity emergency oxygen tank + .desc = An emergency tank with extended capacity. Technically rated for prolonged use. +ent-DoubleEmergencyOxygenTank = double emergency oxygen tank + .desc = A high-grade dual-tank emergency life support container. It holds a decent amount of oxygen for it's small size. +ent-AirTank = air tank + .desc = Mixed anyone? +ent-NitrousOxideTank = nitrous oxide tank + .desc = Contains a mixture of air and nitrous oxide. Make sure you don't refill it with pure N2O. +ent-PlasmaTank = plasma tank + .desc = Contains dangerous plasma. Do not inhale. Extremely flammable. +ent-EmergencyNitrogenTank = emergency nitrogen tank + .desc = An easily portable tank for emergencies. Contains very little nitrogen, rated for survival use only. +ent-ExtendedEmergencyNitrogenTank = extended-capacity emergency nitrogen tank + .desc = An emergency tank with extended capacity. Technically rated for prolonged use. +ent-DoubleEmergencyNitrogenTank = double emergency nitrogen tank + .desc = A high-grade dual-tank emergency life support container. It holds a decent amount of oxygen for it's small size. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/glowstick.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/glowstick.ftl new file mode 100644 index 00000000000..44d6c856ef6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/glowstick.ftl @@ -0,0 +1,22 @@ +ent-GlowstickBase = green glowstick + .desc = Useful for raves and emergencies. +ent-GlowstickRed = red glowstick + .desc = { ent-GlowstickBase.desc } +ent-GlowstickPurple = purple glowstick + .desc = { ent-GlowstickBase.desc } +ent-GlowstickYellow = yellow glowstick + .desc = { ent-GlowstickBase.desc } +ent-GlowstickBlue = blue glowstick + .desc = { ent-GlowstickBase.desc } +ent-LightBehaviourTest1 = light pulse test + .desc = { ent-BaseItem.desc } +ent-LightBehaviourTest2 = color cycle test + .desc = { ent-BaseItem.desc } +ent-LightBehaviourTest3 = multi-behaviour light test + .desc = { ent-BaseItem.desc } +ent-LightBehaviourTest4 = light fade in test + .desc = { ent-BaseItem.desc } +ent-LightBehaviourTest5 = light pulse radius test + .desc = { ent-BaseItem.desc } +ent-LightBehaviourTest6 = light randomize radius test + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/gps.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/gps.ftl new file mode 100644 index 00000000000..f23233a73b8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/gps.ftl @@ -0,0 +1,2 @@ +ent-HandheldGPSBasic = global positioning system + .desc = Helping lost spacemen find their way through the planets since 2016. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/hand_labeler.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/hand_labeler.ftl new file mode 100644 index 00000000000..d1e20e7a063 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/hand_labeler.ftl @@ -0,0 +1,2 @@ +ent-HandLabeler = hand labeler + .desc = A hand labeler, used to label items and objects. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/handheld_mass_scanner.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/handheld_mass_scanner.ftl new file mode 100644 index 00000000000..1e74f069b71 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/handheld_mass_scanner.ftl @@ -0,0 +1,8 @@ +ent-HandHeldMassScanner = handheld mass scanner + .desc = A hand-held mass scanner. +ent-HandHeldMassScannerEmpty = { ent-HandHeldMassScanner } + .suffix = Empty + .desc = { ent-HandHeldMassScanner.desc } +ent-HandHeldMassScannerBorg = { ent-HandHeldMassScanner } + .suffix = Borg + .desc = { ent-HandHeldMassScanner.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/inflatable_wall.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/inflatable_wall.ftl new file mode 100644 index 00000000000..4d51aec03f6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/inflatable_wall.ftl @@ -0,0 +1,15 @@ +ent-InflatableWallStack = inflatable barricade + .desc = A folded membrane which rapidly expands into a large cubical shape on activation. + .suffix = Full +ent-InflatableDoorStack = inflatable door + .desc = A folded membrane which rapidly expands into a large cubical shape on activation. + .suffix = Full +ent-InflatableWallStack5 = { ent-InflatableWallStack } + .suffix = 5 + .desc = { ent-InflatableWallStack.desc } +ent-InflatableWallStack1 = { ent-InflatableWallStack } + .suffix = 1 + .desc = { ent-InflatableWallStack.desc } +ent-InflatableDoorStack1 = { ent-InflatableDoorStack } + .suffix = 1 + .desc = { ent-InflatableDoorStack.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jammer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jammer.ftl new file mode 100644 index 00000000000..4c822de1288 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jammer.ftl @@ -0,0 +1,2 @@ +ent-RadioJammer = radio jammer + .desc = This device will disrupt any nearby outgoing radio communication when activated. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jaws_of_life.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jaws_of_life.ftl new file mode 100644 index 00000000000..63861648e55 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jaws_of_life.ftl @@ -0,0 +1,4 @@ +ent-JawsOfLife = jaws of life + .desc = A set of jaws of life, compressed through the magic of science. +ent-SyndicateJawsOfLife = syndicate jaws of life + .desc = Useful for entering the station or its departments. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jetpacks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jetpacks.ftl new file mode 100644 index 00000000000..6aef938783e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/jetpacks.ftl @@ -0,0 +1,42 @@ +ent-JetpackEffect = { "" } + .desc = { "" } +ent-BaseJetpack = Jetpack + .desc = It's a jetpack. +ent-ActionToggleJetpack = Toggle jetpack + .desc = Toggles the jetpack, giving you movement outside the station. +ent-JetpackBlue = jetpack + .suffix = Empty + .desc = { ent-BaseJetpack.desc } +ent-JetpackBlueFilled = jetpack + .suffix = Filled + .desc = { ent-JetpackBlue.desc } +ent-JetpackBlack = jetpack + .suffix = Empty + .desc = { ent-BaseJetpack.desc } +ent-JetpackBlackFilled = jetpack + .suffix = Filled + .desc = { ent-JetpackBlack.desc } +ent-JetpackCaptain = captain's jetpack + .suffix = Empty + .desc = { ent-BaseJetpack.desc } +ent-JetpackCaptainFilled = captain's jetpack + .suffix = Filled + .desc = { ent-JetpackCaptain.desc } +ent-JetpackMini = mini jetpack + .suffix = Empty + .desc = { ent-BaseJetpack.desc } +ent-JetpackMiniFilled = mini jetpack + .suffix = Filled + .desc = { ent-JetpackMini.desc } +ent-JetpackSecurity = security jetpack + .suffix = Empty + .desc = { ent-BaseJetpack.desc } +ent-JetpackSecurityFilled = security jetpack + .suffix = Filled + .desc = { ent-JetpackSecurity.desc } +ent-JetpackVoid = void jetpack + .suffix = Empty + .desc = { ent-BaseJetpack.desc } +ent-JetpackVoidFilled = void jetpack + .suffix = Filled + .desc = { ent-JetpackVoid.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/lantern.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/lantern.ftl new file mode 100644 index 00000000000..908b3e0f39a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/lantern.ftl @@ -0,0 +1,5 @@ +ent-Lantern = lantern + .desc = The holy light guides the way. +ent-LanternFlash = { ent-Lantern } + .suffix = Flash + .desc = { ent-Lantern.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/light_replacer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/light_replacer.ftl new file mode 100644 index 00000000000..b57182c6316 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/light_replacer.ftl @@ -0,0 +1,5 @@ +ent-LightReplacer = light replacer + .desc = An item which uses magnets to easily replace broken lights. Refill By adding more lights into the replacer. +ent-LightReplacerEmpty = { ent-LightReplacer } + .suffix = Empty + .desc = { ent-LightReplacer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/lighters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/lighters.ftl new file mode 100644 index 00000000000..27c03bd5c56 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/lighters.ftl @@ -0,0 +1,8 @@ +ent-Lighter = basic lighter + .desc = A simple plastic cigarette lighter. +ent-CheapLighter = cheap lighter + .desc = A dangerously inexpensive plastic lighter, don't burn your thumb! +ent-FlippoLighter = flippo lighter + .desc = A rugged metal lighter, lasts quite a while. +ent-FlippoEngravedLighter = flippo engraved lighter + .desc = A rugged golden lighter, lasts quite a while. Engravings serve no tactical advantage whatsoever. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/matches.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/matches.ftl new file mode 100644 index 00000000000..a5aa4eb41b8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/matches.ftl @@ -0,0 +1,9 @@ +ent-SmallboxItem = { ent-BaseStorageItem } + .desc = { ent-BaseStorageItem.desc } +ent-Matchstick = match stick + .desc = A simple match stick, used for lighting fine smokables. +ent-MatchstickSpent = { ent-Matchstick } + .suffix = spent + .desc = { ent-Matchstick.desc } +ent-Matchbox = match box + .desc = A small box of Almost But Not Quite Plasma Premium Matches. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/spray_painter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/spray_painter.ftl new file mode 100644 index 00000000000..d0d727d35bb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/spray_painter.ftl @@ -0,0 +1,2 @@ +ent-SprayPainter = spray painter + .desc = A spray painter for painting airlocks and pipes. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/t-ray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/t-ray.ftl new file mode 100644 index 00000000000..dfd0540259d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/t-ray.ftl @@ -0,0 +1,2 @@ +ent-trayScanner = t-ray scanner + .desc = A high-tech scanning device that uses Terahertz Radiation to detect subfloor infrastructure. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/toolbox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/toolbox.ftl new file mode 100644 index 00000000000..3a788bfd915 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/toolbox.ftl @@ -0,0 +1,19 @@ +ent-ToolboxBase = { ent-BaseStorageItem } + .desc = { ent-BaseStorageItem.desc } +ent-ToolboxEmergency = emergency toolbox + .desc = A bright red toolbox, stocked with emergency tools. +ent-ToolboxMechanical = mechanical toolbox + .desc = A blue box, stocked with mechanical tools. +ent-ToolboxElectrical = electrical toolbox + .desc = A toolbox typically stocked with electrical gear. +ent-ToolboxElectricalTurret = electrical toolbox + .desc = A toolbox typically stocked with electrical gear. + .suffix = Syndicate, Turret +ent-ToolboxArtistic = artistic toolbox + .desc = A toolbox typically stocked with artistic supplies. +ent-ToolboxSyndicate = suspicious toolbox + .desc = A sinister looking toolbox filled with elite syndicate tools. +ent-ToolboxGolden = golden toolbox + .desc = A solid gold toolbox. A rapper would kill for this. +ent-ToolboxThief = thief undetermined toolbox + .desc = This is where your favorite thief's supplies lie. Try to remember which ones. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/tools.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/tools.ftl new file mode 100644 index 00000000000..50b5368f4c4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/tools.ftl @@ -0,0 +1,35 @@ +ent-Wirecutter = wirecutter + .desc = This kills the wire. +ent-Screwdriver = screwdriver + .desc = Industrial grade torque in a small screwdriving package. +ent-Wrench = wrench + .desc = A common tool for assembly and disassembly. Remember: righty tighty, lefty loosey. +ent-Crowbar = crowbar + .desc = A multipurpose tool to pry open doors and fight interdimensional invaders. +ent-CrowbarRed = emergency crowbar + .desc = { ent-Crowbar.desc } +ent-Multitool = multitool + .desc = An advanced tool to copy, store, and send electrical pulses and signals through wires and machines +ent-NetworkConfigurator = network configurator + .desc = A tool for linking devices together. Has two modes, a list mode for mass linking devices and a linking mode for advanced device linking. +ent-PowerDrill = power drill + .desc = A simple powered hand drill. +ent-RCD = RCD + .desc = An advanced construction device which can place/remove walls, floors, and airlocks quickly. +ent-RCDEmpty = { ent-RCD } + .suffix = Empty + .desc = { ent-RCD.desc } +ent-RCDRecharging = experimental rcd + .desc = A bluespace-enhanced RCD that regenerates charges passively. + .suffix = AutoRecharge +ent-RCDExperimental = experimental rcd + .desc = A bluespace-enhanced RCD that regenerates charges passively. + .suffix = Admeme +ent-RCDAmmo = RCD Ammo + .desc = Ammo cartridge for an RCD. +ent-Omnitool = omnitool + .desc = A drone's best friend. +ent-Shovel = shovel + .desc = A large tool for digging and moving dirt. +ent-RollingPin = rolling pin + .desc = A tool used to shape and flatten dough. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/welders.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/welders.ftl new file mode 100644 index 00000000000..528eb7225d9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/tools/welders.ftl @@ -0,0 +1,10 @@ +ent-Welder = welding tool + .desc = Melts anything as long as it's fueled, don't forget your eye protection! +ent-WelderIndustrial = industrial welding tool + .desc = An industrial welder with over double the fuel capacity. +ent-WelderIndustrialAdvanced = advanced industrial welding tool + .desc = An advanced industrial welder with over double the fuel capacity and hotter flame. +ent-WelderExperimental = experimental welding tool + .desc = An experimental welder capable of self-fuel generation and less harmful to the eyes. +ent-WelderMini = emergency welding tool + .desc = A miniature welder used during emergencies. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/actions.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/actions.ftl new file mode 100644 index 00000000000..6031b685cd3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/actions.ftl @@ -0,0 +1,2 @@ +ent-ActionVehicleHorn = Honk + .desc = Honk! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/buckleable.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/buckleable.ftl new file mode 100644 index 00000000000..74163a9a251 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/buckleable.ftl @@ -0,0 +1,26 @@ +ent-BaseVehicle = { "" } + .desc = { "" } +ent-BaseVehicleRideable = Vehicle + .desc = { ent-BaseVehicle.desc } +ent-VehicleJanicart = janicart + .desc = The janitor's trusty steed. +ent-VehicleJanicartDestroyed = destroyed janicart + .desc = { ent-MachineFrameDestroyed.desc } +ent-VehicleSecway = secway + .desc = The future of transportation. Popularized by St. James, the patron saint of security officers and internet forum moderators. +ent-VehicleATV = ATV + .desc = All-Tile Vehicle. +ent-VehicleSyndicateSegway = syndicate segway + .desc = Be an enemy of the corporation, in style. +ent-VehicleSkeletonMotorcycle = skeleton motorcycle + .desc = Bad to the Bone. +ent-VehicleUnicycle = unicycle + .desc = It only has one wheel! +ent-VehicleUnicycleFolded = { ent-VehicleUnicycle } + .suffix = folded + .desc = { ent-VehicleUnicycle.desc } +ent-VehicleWheelchair = wheelchair + .desc = A chair with big wheels. It looks like you can move in these on your own. +ent-VehicleWheelchairFolded = { ent-VehicleWheelchair } + .suffix = folded + .desc = { ent-VehicleWheelchair.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/keys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/keys.ftl new file mode 100644 index 00000000000..eaca886e8c1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/vehicles/keys.ftl @@ -0,0 +1,12 @@ +ent-VehicleKeyJanicart = janicart keys + .desc = Interesting design. +ent-VehicleKeySecway = secway keys + .desc = The keys to the future. +ent-VehicleKeyATV = ATV keys + .desc = Think this looks like just one key? ATV keys means "actually two vehicle keys." +ent-VehicleKeySkeleton = vehicle skeleton keys + .desc = Unlock any vehicle. +ent-VehicleKeySyndicateSegway = syndicate segway keys + .desc = Patterned after the iconic EMAG design. +ent-VehicleKeySkeletonMotorcycle = skeleton motorcycle keys + .desc = A beautiful set of keys adorned with a skull. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/firebomb.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/firebomb.ftl new file mode 100644 index 00000000000..30006e809cd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/firebomb.ftl @@ -0,0 +1,8 @@ +ent-FireBomb = fire bomb + .desc = A weak, improvised incendiary device. +ent-FireBombEmpty = fire bomb + .desc = A weak, improvised incendiary device. This one has no fuel. + .suffix = empty +ent-FireBombFuel = { ent-FireBombEmpty } + .desc = A weak, improvised incendiary device. This one is missing wires. + .suffix = fuel diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/funny.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/funny.ftl new file mode 100644 index 00000000000..c8fe9ea2f46 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/funny.ftl @@ -0,0 +1,10 @@ +ent-HotPotato = hot potato + .desc = Once activated, you can't drop this time bomb - hit someone else with it to save yourself! Don't burn your hands! +ent-HotPotatoEffect = { "" } + .desc = { "" } +ent-TrashBananaPeelExplosive = banana peel + .suffix = Explosive + .desc = { ent-TrashBananaPeel.desc } +ent-TrashBananaPeelExplosiveUnarmed = banana + .desc = There's something unusual about this banana. + .suffix = Unarmed diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/ied.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/ied.ftl new file mode 100644 index 00000000000..ef71e12795c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/ied.ftl @@ -0,0 +1,8 @@ +ent-ImprovisedExplosive = improvised explosive device + .desc = A weak, improvised incendiary device. +ent-ImprovisedExplosiveEmpty = improvised explosive device + .desc = A weak, improvised incendiary device. This one has no fuel. + .suffix = empty +ent-ImprovisedExplosiveFuel = { ent-ImprovisedExplosiveEmpty } + .desc = A weak, improvised incendiary device. This one is missing wires. + .suffix = fuel diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/pen.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/pen.ftl new file mode 100644 index 00000000000..cf7664e5679 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/pen.ftl @@ -0,0 +1,5 @@ +ent-PenExploding = pen + .desc = A dark ink pen. + .suffix = Exploding +ent-PenExplodingBox = exploding pen box + .desc = A small box containing an exploding pen. Packaging disintegrates when opened, leaving no evidence behind. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/pipebomb.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/pipebomb.ftl new file mode 100644 index 00000000000..6b52971db9e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/pipebomb.ftl @@ -0,0 +1,8 @@ +ent-PipeBomb = pipe bomb + .desc = An improvised explosive made from pipes and wire. +ent-PipeBombGunpowder = pipe bomb + .desc = An improvised explosive made from a pipe. This one has no gunpowder. + .suffix = Gunpowder +ent-PipeBombCable = pipe bomb + .desc = An improvised explosive made from a pipe. This one has no cable. + .suffix = Cable diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/plastic.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/plastic.ftl new file mode 100644 index 00000000000..7db0e1d44a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/plastic.ftl @@ -0,0 +1,6 @@ +ent-BasePlasticExplosive = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-C4 = composition C-4 + .desc = Used to put holes in specific areas without too much extra hole. A saboteur's favorite. +ent-SeismicCharge = seismic charge + .desc = Concussion based explosive designed to destroy large amounts of rock. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/spider.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/spider.ftl new file mode 100644 index 00000000000..241d200b4cc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/bombs/spider.ftl @@ -0,0 +1,2 @@ +ent-SpiderCharge = spider clan charge + .desc = A modified C-4 charge supplied to you by the Spider Clan. Its explosive power has been juiced up, but only works in one specific area. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/antimaterial.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/antimaterial.ftl new file mode 100644 index 00000000000..ed1590b9beb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/antimaterial.ftl @@ -0,0 +1,2 @@ +ent-MagazineBoxAntiMaterial = ammunition box (.60 anti-material) + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/antimateriel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/antimateriel.ftl new file mode 100644 index 00000000000..ec214efc692 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/antimateriel.ftl @@ -0,0 +1,6 @@ +ent-BaseMagazineBoxAntiMateriel = ammunition box (.60 anti-materiel) + .desc = { ent-BaseItem.desc } +ent-MagazineBoxAntiMaterielBig = ammunition box (.60 anti-materiel) + .desc = { ent-BaseMagazineBoxAntiMateriel.desc } +ent-MagazineBoxAntiMateriel = ammunition box (.60 anti-materiel) + .desc = { ent-BaseMagazineBoxAntiMateriel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/caseless_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/caseless_rifle.ftl new file mode 100644 index 00000000000..20428907ce2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/caseless_rifle.ftl @@ -0,0 +1,14 @@ +ent-BaseMagazineBoxCaselessRifle = ammunition box (.25 caseless) + .desc = { ent-BaseItem.desc } +ent-MagazineBoxCaselessRifle10x24 = ammunition box (.25 caseless) + .desc = { ent-BaseMagazineBoxCaselessRifle.desc } +ent-MagazineBoxCaselessRifleBig = ammunition box (.25 caseless) + .desc = { ent-BaseMagazineBoxCaselessRifle.desc } +ent-MagazineBoxCaselessRifleBigRubber = ammunition box (.25 caseless rubber) + .desc = { ent-BaseMagazineBoxCaselessRifle.desc } +ent-MagazineBoxCaselessRifle = ammunition box (.25 caseless) + .desc = { ent-BaseMagazineBoxCaselessRifle.desc } +ent-MagazineBoxCaselessRiflePractice = ammunition box (.25 caseless practice) + .desc = { ent-BaseMagazineBoxCaselessRifle.desc } +ent-MagazineBoxCaselessRifleRubber = ammunition box (.25 caseless rubber) + .desc = { ent-BaseMagazineBoxCaselessRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/clrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/clrifle.ftl new file mode 100644 index 00000000000..03d1029eae7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/clrifle.ftl @@ -0,0 +1,27 @@ +ent-BoxClRifleBase = ammunition box (.25 caseless) + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-BoxClRifle10x24 = ammunition box (.25 caseless) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBigBox = ammunition box (.25 caseless) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBigBoxRubber = ammunition box (.25 caseless rubber) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBox = ammunition box (.25 caseless) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBoxFlash = ammunition box (.25 caseless flash) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBoxHV = ammunition box (.25 caseless high-velocity) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBoxPractice = ammunition box (.25 caseless practice) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } +ent-BoxClRifleBoxRubber = ammunition box (.25 caseless rubber) + .desc = { ent-BoxClRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/light_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/light_rifle.ftl new file mode 100644 index 00000000000..66fde99b175 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/light_rifle.ftl @@ -0,0 +1,14 @@ +ent-BaseMagazineBoxLightRifle = ammunition box (.30 rifle) + .desc = { ent-BaseItem.desc } +ent-MagazineBoxLightRifleBig = ammunition box (.30 rifle) + .desc = { ent-BaseMagazineBoxLightRifle.desc } +ent-MagazineBoxLightRifle = ammunition box (.30 rifle) + .desc = { ent-BaseMagazineBoxLightRifle.desc } +ent-MagazineBoxLightRiflePractice = ammunition box (.30 rifle practice) + .desc = { ent-BaseMagazineBoxLightRifle.desc } +ent-MagazineBoxLightRifleRubber = ammunition box (.30 rifle rubber) + .desc = { ent-BaseMagazineBoxLightRifle.desc } +ent-MagazineBoxLightRifleIncendiary = ammunition box (.30 rifle incendiary) + .desc = { ent-BaseMagazineBoxLightRifle.desc } +ent-MagazineBoxLightRifleUranium = ammunition box (.30 rifle uranium) + .desc = { ent-BaseMagazineBoxLightRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/lrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/lrifle.ftl new file mode 100644 index 00000000000..15d9baa57e7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/lrifle.ftl @@ -0,0 +1,18 @@ +ent-BoxLRifleBase = ammunition box (.30 rifle) + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-BoxLRifleBigBox = ammunition box (.30 rifle) + .desc = { ent-BoxLRifleBase.desc } + .suffix = { "" } +ent-BoxLRifleBox = ammunition box (.30 rifle) + .desc = { ent-BoxLRifleBase.desc } + .suffix = { "" } +ent-BoxLRifleBoxHV = ammunition box (.30 rifle high-velocity) + .desc = { ent-BoxLRifleBase.desc } + .suffix = { "" } +ent-BoxLRifleBoxPractice = ammunition box (.30 rifle practice) + .desc = { ent-BoxLRifleBase.desc } + .suffix = { "" } +ent-BoxLRifleBoxRubber = ammunition box (.30 rifle rubber) + .desc = { ent-BoxLRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/magnum.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/magnum.ftl new file mode 100644 index 00000000000..ae1c07a5652 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/magnum.ftl @@ -0,0 +1,14 @@ +ent-BaseMagazineBoxMagnum = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-MagazineBoxMagnum = ammunition box (.45 magnum) + .desc = { ent-BaseMagazineBoxMagnum.desc } +ent-MagazineBoxMagnumPractice = ammunition box (.45 magnum practice) + .desc = { ent-BaseMagazineBoxMagnum.desc } +ent-MagazineBoxMagnumRubber = ammunition box (.45 magnum rubber) + .desc = { ent-BaseMagazineBoxMagnum.desc } +ent-MagazineBoxMagnumIncendiary = ammunition box (.45 magnum incendiary) + .desc = { ent-BaseMagazineBoxMagnum.desc } +ent-MagazineBoxMagnumUranium = ammunition box (.45 magnum uranium) + .desc = { ent-BaseMagazineBoxMagnum.desc } +ent-MagazineBoxMagnumAP = ammunition box (.45 magnum armor-piercing) + .desc = { ent-BaseMagazineBoxMagnum.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/pistol.ftl new file mode 100644 index 00000000000..cb3ee93c7fc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/pistol.ftl @@ -0,0 +1,12 @@ +ent-BaseMagazineBoxPistol = ammunition box (.35 auto) + .desc = { ent-BaseItem.desc } +ent-MagazineBoxPistol = ammunition box (.35 auto) + .desc = { ent-BaseMagazineBoxPistol.desc } +ent-MagazineBoxPistolPractice = ammunition box (.35 auto practice) + .desc = { ent-BaseMagazineBoxPistol.desc } +ent-MagazineBoxPistolRubber = ammunition box (.35 auto rubber) + .desc = { ent-BaseMagazineBoxPistol.desc } +ent-MagazineBoxPistolIncendiary = ammunition box (.35 auto incendiary) + .desc = { ent-BaseMagazineBoxPistol.desc } +ent-MagazineBoxPistolUranium = ammunition box (.35 auto uranium) + .desc = { ent-BaseMagazineBoxPistol.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/rifle.ftl new file mode 100644 index 00000000000..0396ac76ac7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/rifle.ftl @@ -0,0 +1,16 @@ +ent-BaseMagazineBoxRifle = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-MagazineBoxRifleBig = ammunition box (.20 rifle) + .desc = { ent-BaseMagazineBoxRifle.desc } +ent-MagazineBoxRifleBigRubber = ammunition box (.20 rifle rubber) + .desc = { ent-BaseMagazineBoxRifle.desc } +ent-MagazineBoxRifle = ammunition box (.20 rifle) + .desc = { ent-BaseMagazineBoxRifle.desc } +ent-MagazineBoxRiflePractice = ammunition box (.20 rifle practice) + .desc = { ent-BaseMagazineBoxRifle.desc } +ent-MagazineBoxRifleRubber = ammunition box (.20 rifle rubber) + .desc = { ent-BaseMagazineBoxRifle.desc } +ent-MagazineBoxRifleIncendiary = ammunition box (.20 rifle incendiary) + .desc = { ent-BaseMagazineBoxRifle.desc } +ent-MagazineBoxRifleUranium = ammunition box (.20 rifle uranium) + .desc = { ent-BaseMagazineBoxRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/shotgun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/shotgun.ftl new file mode 100644 index 00000000000..0fcb3501fef --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/shotgun.ftl @@ -0,0 +1,18 @@ +ent-BaseAmmoProvider = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-AmmoProviderShotgunShell = { ent-BaseAmmoProvider } + .desc = { ent-BaseAmmoProvider.desc } +ent-BoxBeanbag = shotgun beanbag cartridges dispenser + .desc = A dispenser box full of beanbag shots, designed for riot shotguns. +ent-BoxLethalshot = shotgun lethal cartridges dispenser + .desc = A dispenser box full of lethal pellet shots, designed for riot shotguns. +ent-BoxShotgunSlug = shotgun slug cartridges dispenser + .desc = A dispenser box full of slugs, designed for riot shotguns. +ent-BoxShotgunFlare = shotgun flare cartridges dispenser + .desc = A dispenser box full of flare cartridges, designed for riot shotguns. +ent-BoxShotgunIncendiary = shotgun incendiary cartridges dispenser + .desc = A dispenser box full of incendiary cartridges, designed for riot shotguns. +ent-BoxShotgunPractice = shotgun practice cartridges dispenser + .desc = A dispenser box full of practice cartridges, designed for riot shotguns. +ent-BoxShellTranquilizer = tranquilizer cartridges dispenser + .desc = A dispenser box full of tranquilizer cartridges, designed for riot shotguns. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/srifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/srifle.ftl new file mode 100644 index 00000000000..ab5991fa492 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/srifle.ftl @@ -0,0 +1,24 @@ +ent-BoxSRifleBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-BoxSRifleBigBox = ammunition box (.20 rifle) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } +ent-BoxSRifleBigBoxRubber = ammunition box (.20 rifle rubber) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } +ent-BoxSRifleBox = ammunition box (.20 rifle) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } +ent-BoxSRifleBoxFlash = ammunition box (.20 rifle flash) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } +ent-BoxSRifleBoxHV = ammunition box (.20 rifle high-velocity) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } +ent-BoxSRifleBoxPractice = ammunition box (.20 rifle practice) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } +ent-BoxSRifleBoxRubber = ammunition box (.20 rifle rubber) + .desc = { ent-BoxSRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/toy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/toy.ftl new file mode 100644 index 00000000000..3615c359d36 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/boxes/toy.ftl @@ -0,0 +1,6 @@ +ent-BoxDonkSoftBase = foamdart box + .desc = { ent-BaseItem.desc } +ent-BoxDonkSoftBox = box of foam darts + .desc = { ent-BoxDonkSoftBase.desc } +ent-BoxCartridgeCap = cap gun cartridge box + .desc = { ent-BaseMagazineBoxMagnum.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/BaseCartridge.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/BaseCartridge.ftl new file mode 100644 index 00000000000..eff49436588 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/BaseCartridge.ftl @@ -0,0 +1,3 @@ +ent-BaseCartridge = { ent-BaseItem } + .desc = { ent-BaseItem.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/antimaterial.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/antimaterial.ftl new file mode 100644 index 00000000000..d37fd754d61 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/antimaterial.ftl @@ -0,0 +1,2 @@ +ent-CartridgeAntiMaterial = cartridge (.60 anti-material) + .desc = { ent-BaseCartridge.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/antimateriel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/antimateriel.ftl new file mode 100644 index 00000000000..7918ad71f67 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/antimateriel.ftl @@ -0,0 +1,2 @@ +ent-CartridgeAntiMateriel = cartridge (.60 anti-materiel) + .desc = { ent-BaseCartridge.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/base_cartridge.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/base_cartridge.ftl new file mode 100644 index 00000000000..3a32e7e40cc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/base_cartridge.ftl @@ -0,0 +1,2 @@ +ent-BaseCartridge = { ent-BaseItem } + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/caseless_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/caseless_rifle.ftl new file mode 100644 index 00000000000..afe83629543 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/caseless_rifle.ftl @@ -0,0 +1,8 @@ +ent-BaseCartridgeCaselessRifle = cartridge (.25 rifle) + .desc = { ent-BaseCartridge.desc } +ent-CartridgeCaselessRifle = cartridge (.25 caseless) + .desc = { ent-BaseCartridgeCaselessRifle.desc } +ent-CartridgeCaselessRiflePractice = cartridge (.25 caseless practice) + .desc = { ent-BaseCartridgeCaselessRifle.desc } +ent-CartridgeCaselessRifleRubber = cartridge (.25 caseless rubber) + .desc = { ent-BaseCartridgeCaselessRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/clrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/clrifle.ftl new file mode 100644 index 00000000000..6ac3849d451 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/clrifle.ftl @@ -0,0 +1,18 @@ +ent-CartridgeClRifleBase = cartridge (.25 rifle) + .desc = { ent-BaseCartridge.desc } + .suffix = { "" } +ent-CartridgeClRifle = cartridge (.25 caseless) + .desc = { ent-CartridgeClRifleBase.desc } + .suffix = { "" } +ent-CartridgeClRifleFlash = cartridge (.25 caseless flash) + .desc = { ent-CartridgeClRifleBase.desc } + .suffix = { "" } +ent-CartridgeClRifleHV = cartridge (.25 caseless high-velocity) + .desc = { ent-CartridgeClRifleBase.desc } + .suffix = { "" } +ent-CartridgeClRiflePractice = cartridge (.25 caseless practice) + .desc = { ent-CartridgeClRifleBase.desc } + .suffix = { "" } +ent-CartridgeClRifleRubber = cartridge (.25 caseless rubber) + .desc = { ent-CartridgeClRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/heavy_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/heavy_rifle.ftl new file mode 100644 index 00000000000..53270940397 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/heavy_rifle.ftl @@ -0,0 +1,4 @@ +ent-BaseCartridgeHeavyRifle = cartridge (.20 rifle) + .desc = { ent-BaseCartridge.desc } +ent-CartridgeMinigun = cartridge (.10 rifle) + .desc = { ent-BaseCartridgeHeavyRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/hrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/hrifle.ftl new file mode 100644 index 00000000000..df3081ccc5b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/hrifle.ftl @@ -0,0 +1,6 @@ +ent-CartridgeHRifleBase = cartridge (.20 rifle) + .desc = { ent-BaseCartridge.desc } + .suffix = { "" } +ent-CartridgeMinigun = cartridge (.10 rifle) + .desc = { ent-CartridgeHRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/light_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/light_rifle.ftl new file mode 100644 index 00000000000..7c07b506645 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/light_rifle.ftl @@ -0,0 +1,12 @@ +ent-BaseCartridgeLightRifle = cartridge (.30 rifle) + .desc = { ent-BaseCartridge.desc } +ent-CartridgeLightRifle = cartridge (.30 rifle) + .desc = { ent-BaseCartridgeLightRifle.desc } +ent-CartridgeLightRiflePractice = cartridge (.30 rifle practice) + .desc = { ent-BaseCartridgeLightRifle.desc } +ent-CartridgeLightRifleRubber = cartridge (.30 rifle rubber) + .desc = { ent-BaseCartridgeLightRifle.desc } +ent-CartridgeLightRifleIncendiary = cartridge (.30 rifle incendiary) + .desc = { ent-BaseCartridgeLightRifle.desc } +ent-CartridgeLightRifleUranium = cartridge (.30 rifle uranium) + .desc = { ent-BaseCartridgeLightRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/lrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/lrifle.ftl new file mode 100644 index 00000000000..62f8e5967bb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/lrifle.ftl @@ -0,0 +1,18 @@ +ent-CartridgeLRifleBase = cartridge (.30 rifle) + .desc = { ent-BaseCartridge.desc } + .suffix = { "" } +ent-CartridgeLRifle = cartridge (.30 rifle) + .desc = { ent-CartridgeLRifleBase.desc } + .suffix = { "" } +ent-CartridgeLRifleFlash = cartridge (.30 rifle flash) + .desc = { ent-CartridgeLRifleBase.desc } + .suffix = { "" } +ent-CartridgeLRifleHV = cartridge (.30 rifle high-velocity) + .desc = { ent-CartridgeLRifleBase.desc } + .suffix = { "" } +ent-CartridgeLRiflePractice = cartridge (.30 rifle practice) + .desc = { ent-CartridgeLRifleBase.desc } + .suffix = { "" } +ent-CartridgeLRifleRubber = cartridge (.30 rifle rubber) + .desc = { ent-CartridgeLRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/magnum.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/magnum.ftl new file mode 100644 index 00000000000..d0d74d06655 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/magnum.ftl @@ -0,0 +1,14 @@ +ent-BaseCartridgeMagnum = cartridge (.45 magnum) + .desc = { ent-BaseCartridge.desc } +ent-CartridgeMagnum = cartridge (.45 magnum) + .desc = { ent-BaseCartridgeMagnum.desc } +ent-CartridgeMagnumPractice = cartridge (.45 magnum practice) + .desc = { ent-BaseCartridgeMagnum.desc } +ent-CartridgeMagnumRubber = cartridge (.45 magnum rubber) + .desc = { ent-BaseCartridgeMagnum.desc } +ent-CartridgeMagnumIncendiary = cartridge (.45 magnum incendiary) + .desc = { ent-BaseCartridgeMagnum.desc } +ent-CartridgeMagnumAP = cartridge (.45 magnum armor-piercing) + .desc = { ent-BaseCartridgeMagnum.desc } +ent-CartridgeMagnumUranium = cartridge (.45 magnum uranium) + .desc = { ent-BaseCartridgeMagnum.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/pistol.ftl new file mode 100644 index 00000000000..293080ad5f8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/pistol.ftl @@ -0,0 +1,12 @@ +ent-BaseCartridgePistol = cartridge (.35 auto) + .desc = { ent-BaseCartridge.desc } +ent-CartridgePistol = cartridge (.35 auto) + .desc = { ent-BaseCartridgePistol.desc } +ent-CartridgePistolPractice = cartridge (.35 auto practice) + .desc = { ent-BaseCartridgePistol.desc } +ent-CartridgePistolRubber = cartridge (.35 auto rubber) + .desc = { ent-BaseCartridgePistol.desc } +ent-CartridgePistolIncendiary = cartridge (.35 auto incendiary) + .desc = { ent-BaseCartridgePistol.desc } +ent-CartridgePistolUranium = cartridge (.35 auto uranium) + .desc = { ent-BaseCartridgePistol.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/rifle.ftl new file mode 100644 index 00000000000..f929f52beab --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/rifle.ftl @@ -0,0 +1,12 @@ +ent-BaseCartridgeRifle = cartridge (.20 rifle) + .desc = { ent-BaseCartridge.desc } +ent-CartridgeRifle = cartridge (.20 rifle) + .desc = { ent-BaseCartridgeRifle.desc } +ent-CartridgeRiflePractice = cartridge (.20 rifle practice) + .desc = { ent-BaseCartridgeRifle.desc } +ent-CartridgeRifleRubber = cartridge (.20 rifle rubber) + .desc = { ent-BaseCartridgeRifle.desc } +ent-CartridgeRifleIncendiary = cartridge (.20 rifle incendiary) + .desc = { ent-BaseCartridgeRifle.desc } +ent-CartridgeRifleUranium = cartridge (.20 rifle uranium) + .desc = { ent-BaseCartridgeRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/shotgun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/shotgun.ftl new file mode 100644 index 00000000000..6fcd2b5fb13 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/shotgun.ftl @@ -0,0 +1,20 @@ +ent-BaseShellShotgun = shell (.50) + .desc = { ent-BaseCartridge.desc } +ent-ShellShotgunBeanbag = shell (.50 beanbag) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellShotgunSlug = shell (.50 slug) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellShotgunFlare = shell (.50 flare) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellShotgun = shell (.50) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellShotgunIncendiary = shell (.50 incendiary) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellShotgunPractice = shell (.50 practice) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellTranquilizer = shell (.50 tranquilizer) + .desc = { ent-BaseShellShotgun.desc } +ent-ShellShotgunImprovised = improvised shotgun shell + .desc = A homemade shotgun shell that shoots painful metal shrapnel. The spread is so wide that it couldn't hit the broad side of a barn. +ent-ShellShotgunUranium = uranium shotgun shell + .desc = { ent-BaseShellShotgun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/srifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/srifle.ftl new file mode 100644 index 00000000000..e51f0c04d5e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/srifle.ftl @@ -0,0 +1,18 @@ +ent-CartridgeSRifleBase = cartridge (.20 rifle) + .desc = { ent-BaseCartridge.desc } + .suffix = { "" } +ent-CartridgeSRifle = cartridge (.20 rifle) + .desc = { ent-CartridgeSRifleBase.desc } + .suffix = { "" } +ent-CartridgeSRifleFlash = cartridge (.20 rifle flash) + .desc = { ent-CartridgeSRifleBase.desc } + .suffix = { "" } +ent-CartridgeSRifleHV = cartridge (.20 rifle high-velocity) + .desc = { ent-CartridgeSRifleBase.desc } + .suffix = { "" } +ent-CartridgeSRiflePractice = cartridge (.20 rifle practice) + .desc = { ent-CartridgeSRifleBase.desc } + .suffix = { "" } +ent-CartridgeSRifleRubber = cartridge (.20 rifle rubber) + .desc = { ent-CartridgeSRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/toy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/toy.ftl new file mode 100644 index 00000000000..374664e400a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/cartridges/toy.ftl @@ -0,0 +1,4 @@ +ent-BaseCartridgeCap = cartridge (cap) + .desc = { ent-BaseCartridge.desc } +ent-CartridgeCap = cap gun cartridge + .desc = { ent-BaseCartridgeCap.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/explosives.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/explosives.ftl new file mode 100644 index 00000000000..413c115c3ed --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/explosives.ftl @@ -0,0 +1,27 @@ +ent-CartridgeRocket = PG-7VL grenade + .desc = A 1.5 warhead designed for the RPG-7 launcher. Has tubular shape. +ent-CartridgeRocketSlow = PG-7VL grenade "Snail-Rocket" + .desc = A 1.5 warhead designed for the RPG-7 launcher. It's unusually slow. +ent-BaseGrenade = base grenade + .desc = { ent-BaseItem.desc } +ent-GrenadeBaton = baton grenade + .desc = { ent-BaseGrenade.desc } +ent-GrenadeBlast = blast grenade + .desc = { ent-BaseGrenade.desc } +ent-GrenadeFlash = flash grenade + .desc = { ent-BaseGrenade.desc } +ent-GrenadeFrag = frag grenade + .desc = { ent-BaseGrenade.desc } +ent-GrenadeEMP = EMP grenade + .desc = { ent-BaseGrenade.desc } +ent-BaseCannonBall = base cannon ball + .desc = { ent-BaseItem.desc } +ent-CannonBall = cannonball + .suffix = Pirate + .desc = { ent-BaseCannonBall.desc } +ent-CannonBallGrapeshot = grapeshot + .suffix = Pirate + .desc = { ent-BaseCannonBall.desc } +ent-CannonBallGlassshot = glassshot + .suffix = Pirate + .desc = { ent-BaseCannonBall.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/caseless_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/caseless_rifle.ftl new file mode 100644 index 00000000000..1a0fc91323d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/caseless_rifle.ftl @@ -0,0 +1,26 @@ +ent-BaseMagazineCaselessRifle = magazine (.25 caseless) + .desc = { ent-BaseItem.desc } +ent-BaseMagazineCaselessRifleShort = caseless rifle short magazine (.25 caseless) + .desc = { ent-BaseMagazineCaselessRifle.desc } +ent-BaseMagazinePistolCaselessRifle = pistol magazine (.25 caseless) + .desc = { ent-BaseMagazineCaselessRifle.desc } +ent-MagazineCaselessRifle10x24 = box magazine (.25 caseless) + .desc = { ent-BaseMagazineCaselessRifle.desc } +ent-MagazinePistolCaselessRifle = pistol magazine (.25 caseless) + .desc = { ent-BaseMagazinePistolCaselessRifle.desc } +ent-MagazinePistolCaselessRiflePractice = pistol magazine (.25 caseless practice) + .desc = { ent-BaseMagazinePistolCaselessRifle.desc } +ent-MagazinePistolCaselessRifleRubber = pistol magazine (.25 caseless rubber) + .desc = { ent-BaseMagazinePistolCaselessRifle.desc } +ent-MagazineCaselessRifle = magazine (.25 caseless) + .desc = { ent-BaseMagazineCaselessRifle.desc } +ent-MagazineCaselessRiflePractice = magazine (.25 caseless practice) + .desc = { ent-BaseMagazineCaselessRifle.desc } +ent-MagazineCaselessRifleRubber = magazine (.25 caseless rubber) + .desc = { ent-BaseMagazineCaselessRifle.desc } +ent-MagazineCaselessRifleShort = short magazine (.25 caseless) + .desc = { ent-BaseMagazineCaselessRifleShort.desc } +ent-MagazineCaselessRifleShortPractice = short magazine (.25 caseless practice) + .desc = { ent-BaseMagazineCaselessRifleShort.desc } +ent-MagazineCaselessRifleShortRubber = short magazine (.25 caseless rubber) + .desc = { ent-BaseMagazineCaselessRifleShort.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/clrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/clrifle.ftl new file mode 100644 index 00000000000..861c785cda8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/clrifle.ftl @@ -0,0 +1,45 @@ +ent-MagazineClRifleBase = magazine (.25 caseless) + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-MagazineClRifle10x24 = box magazine (.25 caseless) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRiflePistol = pistol magazine (.25 caseless) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRiflePistolHV = pistol magazine (.25 caseless high-velocity) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRiflePistolPractice = pistol magazine (.25 caseless practice) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRiflePistolRubber = pistol magazine (.25 caseless rubber) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifle = magazine (.25 caseless) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleHV = magazine (.25 caseless high-velocity) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRiflePractice = magazine (.25 caseless practice) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleRubber = magazine (.25 caseless rubber) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleShort = short magazine (.25 caseless) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleShortFlash = short magazine (.25 caseless flash) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleShortHV = short magazine (.25 caseless high-velocity) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleShortPractice = short magazine (.25 caseless practice) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } +ent-MagazineClRifleShortRubber = short magazine (.25 caseless rubber) + .desc = { ent-MagazineClRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/grenade.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/grenade.ftl new file mode 100644 index 00000000000..2b19048a813 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/grenade.ftl @@ -0,0 +1,14 @@ +ent-BaseMagazineGrenade = grenade cartridge + .desc = { ent-BaseItem.desc } +ent-MagazineGrenadeEmpty = grenade cartridge + .desc = { ent-BaseMagazineGrenade.desc } +ent-MagazineGrenadeFrag = frag grenade cartridge + .desc = { ent-BaseMagazineGrenade.desc } +ent-MagazineGrenadeEMP = EMP grenade cartridge + .desc = { ent-BaseMagazineGrenade.desc } +ent-MagazineGrenadeFlash = flash grenade cartridge + .desc = { ent-BaseMagazineGrenade.desc } +ent-MagazineGrenadeBlast = blast grenade cartridge + .desc = { ent-BaseMagazineGrenade.desc } +ent-MagazineGrenadeBaton = baton grenade cartridge + .desc = { ent-BaseMagazineGrenade.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/heavy_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/heavy_rifle.ftl new file mode 100644 index 00000000000..afde7e5b3be --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/heavy_rifle.ftl @@ -0,0 +1,2 @@ +ent-BaseMagazineHeavyRifle = magazine (.20 rifle) + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/hrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/hrifle.ftl new file mode 100644 index 00000000000..e66c2277b7e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/hrifle.ftl @@ -0,0 +1,6 @@ +ent-MagazineHRifleBase = magazine (.20 rifle) + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-MagazineMinigun = Minigun magazine box (.10 rifle) + .desc = { ent-MagazineHRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/light_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/light_rifle.ftl new file mode 100644 index 00000000000..3d22f32d7ab --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/light_rifle.ftl @@ -0,0 +1,14 @@ +ent-BaseMagazineLightRifle = magazine (.30 rifle) + .desc = { ent-BaseItem.desc } +ent-MagazineLightRifleBox = L6 SAW magazine box (.30 rifle) + .desc = { ent-BaseMagazineLightRifle.desc } +ent-MagazineLightRifle = magazine (.30 rifle) + .desc = { ent-BaseMagazineLightRifle.desc } +ent-MagazineLightRiflePractice = magazine (.30 rifle practice) + .desc = { ent-BaseMagazineLightRifle.desc } +ent-MagazineLightRifleRubber = magazine (.30 rifle rubber) + .desc = { ent-BaseMagazineLightRifle.desc } +ent-MagazineLightRifleUranium = magazine (.30 rifle uranium) + .desc = { ent-BaseMagazineLightRifle.desc } +ent-MagazineLightRifleMaxim = pan magazine (.30 rifle) + .desc = { ent-BaseMagazineLightRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/lrifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/lrifle.ftl new file mode 100644 index 00000000000..b4064de9673 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/lrifle.ftl @@ -0,0 +1,27 @@ +ent-MagazineLRifleBase = magazine (.30 rifle) + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-MagazineLRifleBox = L6 SAW magazine box (.30 rifle) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRifle = magazine (.30 rifle) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRifleFlash = magazine (.30 rifle flash) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRifleHV = magazine (.30 rifle high-velocity) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRiflePractice = magazine (.30 rifle practice) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRifleRubber = magazine (.30 rifle rubber) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRifleMaxim = pan magazine (.30 rifle) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } +ent-MagazineLRiflePkBox = PK munitions box (.30 rifle) + .desc = { ent-MagazineLRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/magnum.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/magnum.ftl new file mode 100644 index 00000000000..75e59fe4f3b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/magnum.ftl @@ -0,0 +1,24 @@ +ent-BaseMagazineMagnum = pistol magazine (.45 magnum) + .desc = { ent-BaseMagazinePistol.desc } +ent-BaseMagazineMagnumSubMachineGun = Vector magazine (.45 magnum) + .desc = { ent-BaseItem.desc } +ent-MagazineMagnum = pistol magazine (.45 magnum) + .desc = { ent-BaseMagazineMagnum.desc } +ent-MagazineMagnumPractice = pistol magazine (.45 magnum practice) + .desc = { ent-BaseMagazineMagnum.desc } +ent-MagazineMagnumRubber = pistol magazine (.45 magnum rubber) + .desc = { ent-BaseMagazineMagnum.desc } +ent-MagazineMagnumUranium = pistol magazine (.45 magnum uranium) + .desc = { ent-BaseMagazineMagnum.desc } +ent-MagazineMagnumAP = pistol magazine (.45 magnum armor-piercing) + .desc = { ent-BaseMagazineMagnum.desc } +ent-MagazineMagnumSubMachineGun = Vector magazine (.45 magnum) + .desc = { ent-BaseMagazineMagnumSubMachineGun.desc } +ent-MagazineMagnumSubMachineGunPractice = Vector magazine (.45 magnum practice) + .desc = { ent-BaseMagazineMagnumSubMachineGun.desc } +ent-MagazineMagnumSubMachineGunRubber = Vector magazine (.45 magnum rubber) + .desc = { ent-BaseMagazineMagnumSubMachineGun.desc } +ent-MagazineMagnumSubMachineGunUranium = Vector magazine (.45 magnum uranium) + .desc = { ent-BaseMagazineMagnumSubMachineGun.desc } +ent-MagazineMagnumSubMachineGunPiercing = Vector magazine (.45 magnum armor-piercing) + .desc = { ent-BaseMagazineMagnumSubMachineGun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/pistol.ftl new file mode 100644 index 00000000000..42584975093 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/pistol.ftl @@ -0,0 +1,28 @@ +ent-BaseMagazinePistol = pistol magazine (.35 auto) + .desc = { ent-BaseItem.desc } +ent-BaseMagazinePistolHighCapacity = machine pistol magazine (.35 auto) + .desc = { ent-BaseItem.desc } +ent-BaseMagazinePistolSubMachineGun = SMG magazine (.35 auto) + .desc = { ent-BaseItem.desc } +ent-MagazinePistolSubMachineGunTopMounted = WT550 magazine (.35 auto top-mounted) + .desc = { ent-BaseItem.desc } +ent-MagazinePistol = pistol magazine (.35 auto) + .desc = { ent-BaseMagazinePistol.desc } +ent-MagazinePistolPractice = pistol magazine (.35 auto practice) + .desc = { ent-BaseMagazinePistol.desc } +ent-MagazinePistolRubber = pistol magazine (.35 auto rubber) + .desc = { ent-BaseMagazinePistol.desc } +ent-MagazinePistolHighCapacity = machine pistol magazine (.35 auto) + .desc = { ent-BaseMagazinePistolHighCapacity.desc } +ent-MagazinePistolHighCapacityPractice = machine pistol magazine (.35 auto practice) + .desc = { ent-BaseMagazinePistolHighCapacity.desc } +ent-MagazinePistolHighCapacityRubber = machine pistol magazine (.35 auto rubber) + .desc = { ent-BaseMagazinePistolHighCapacity.desc } +ent-MagazinePistolSubMachineGun = SMG magazine (.35 auto) + .desc = { ent-BaseMagazinePistolSubMachineGun.desc } +ent-MagazinePistolSubMachineGunPractice = SMG magazine (.35 auto practice) + .desc = { ent-BaseMagazinePistolSubMachineGun.desc } +ent-MagazinePistolSubMachineGunRubber = SMG magazine (.35 auto rubber) + .desc = { ent-BaseMagazinePistolSubMachineGun.desc } +ent-MagazinePistolSubMachineGunUranium = SMG magazine (.35 auto rubber) + .desc = { ent-BaseMagazinePistolSubMachineGun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/rifle.ftl new file mode 100644 index 00000000000..a4c85f0400d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/rifle.ftl @@ -0,0 +1,10 @@ +ent-BaseMagazineRifle = magazine (.20 rifle) + .desc = { ent-BaseItem.desc } +ent-MagazineRifle = magazine (.20 rifle) + .desc = { ent-BaseMagazineRifle.desc } +ent-MagazineRiflePractice = magazine (.20 rifle practice) + .desc = { ent-BaseMagazineRifle.desc } +ent-MagazineRifleRubber = magazine (.20 rifle rubber) + .desc = { ent-BaseMagazineRifle.desc } +ent-MagazineRifleUranium = magazine (.20 rifle uranium) + .desc = { ent-BaseMagazineRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/shotgun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/shotgun.ftl new file mode 100644 index 00000000000..9b7752fbf40 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/shotgun.ftl @@ -0,0 +1,10 @@ +ent-BaseMagazineShotgun = ammo drum (.50 shells) + .desc = { ent-BaseItem.desc } +ent-MagazineShotgun = ammo drum (.50 pellet) + .desc = { ent-BaseMagazineShotgun.desc } +ent-MagazineShotgunBeanbag = ammo drum (.50 beanbags) + .desc = { ent-BaseMagazineShotgun.desc } +ent-MagazineShotgunSlug = ammo drum (.50 slug) + .desc = { ent-BaseMagazineShotgun.desc } +ent-MagazineShotgunIncendiary = ammo drum (.50 incendiary) + .desc = { ent-BaseMagazineShotgun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/srifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/srifle.ftl new file mode 100644 index 00000000000..759ca97a1cd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/magazines/srifle.ftl @@ -0,0 +1,18 @@ +ent-MagazineSRifleBase = magazine (.20 rifle) + .desc = { ent-BaseItem.desc } + .suffix = { "" } +ent-MagazineSRifle = magazine (.20 rifle) + .desc = { ent-MagazineSRifleBase.desc } + .suffix = { "" } +ent-MagazineSRifleFlash = magazine (.20 rifle flash) + .desc = { ent-MagazineSRifleBase.desc } + .suffix = { "" } +ent-MagazineSRifleHV = magazine (.20 rifle high-velocity) + .desc = { ent-MagazineSRifleBase.desc } + .suffix = { "" } +ent-MagazineSRiflePractice = magazine (.20 rifle practice) + .desc = { ent-MagazineSRifleBase.desc } + .suffix = { "" } +ent-MagazineSRifleRubber = magazine (.20 rifle rubber) + .desc = { ent-MagazineSRifleBase.desc } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/antimaterial.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/antimaterial.ftl new file mode 100644 index 00000000000..e13d3669602 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/antimaterial.ftl @@ -0,0 +1,2 @@ +ent-BulletAntiMaterial = bullet (.60 anti-material) + .desc = { ent-BaseBulletHighVelocity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/antimateriel.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/antimateriel.ftl new file mode 100644 index 00000000000..aa0f084ea4e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/antimateriel.ftl @@ -0,0 +1,2 @@ +ent-BulletAntiMateriel = bullet (.60 anti-materiel) + .desc = { ent-BaseBullet.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/caseless_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/caseless_rifle.ftl new file mode 100644 index 00000000000..b98a7f82be5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/caseless_rifle.ftl @@ -0,0 +1,6 @@ +ent-BulletCaselessRifle = bullet (.25 caseless) + .desc = { ent-BaseBullet.desc } +ent-BulletCaselessRiflePractice = bullet (.25 caseless practice) + .desc = { ent-BaseBulletPractice.desc } +ent-BulletCaselessRifleRubber = bullet (.25 caseless rubber) + .desc = { ent-BaseBulletRubber.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/grenade.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/grenade.ftl new file mode 100644 index 00000000000..b8e0a127c16 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/grenade.ftl @@ -0,0 +1,6 @@ +ent-PelletClusterRubber = pellet (ball, Rubber) + .desc = { ent-BaseBullet.desc } +ent-PelletClusterLethal = pellet (ball, Lethal) + .desc = { ent-BaseBullet.desc } +ent-PelletClusterIncendiary = pellet (ball, incendiary) + .desc = { ent-BaseBulletIncendiary.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/heavy_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/heavy_rifle.ftl new file mode 100644 index 00000000000..47abd7ba6d2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/heavy_rifle.ftl @@ -0,0 +1,4 @@ +ent-BulletHeavyRifle = bullet (.20 rifle) + .desc = { ent-BaseBullet.desc } +ent-BulletMinigun = minigun bullet (.10 rifle) + .desc = { ent-BulletHeavyRifle.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/light_rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/light_rifle.ftl new file mode 100644 index 00000000000..0250e09da6a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/light_rifle.ftl @@ -0,0 +1,10 @@ +ent-BulletLightRifle = bullet (.20 rifle) + .desc = { ent-BaseBullet.desc } +ent-BulletLightRiflePractice = bullet (.20 rifle practice) + .desc = { ent-BaseBulletPractice.desc } +ent-BulletLightRifleRubber = bullet (.20 rifle rubber) + .desc = { ent-BaseBulletRubber.desc } +ent-BulletLightRifleIncendiary = bullet (.20 rifle incendiary) + .desc = { ent-BaseBulletIncendiary.desc } +ent-BulletLightRifleUranium = bullet (.20 rifle uranium) + .desc = { ent-BaseBulletUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/magnum.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/magnum.ftl new file mode 100644 index 00000000000..4e1186af254 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/magnum.ftl @@ -0,0 +1,12 @@ +ent-BulletMagnum = bullet (.45 magnum) + .desc = { ent-BaseBullet.desc } +ent-BulletMagnumPractice = bullet (.45 magnum practice) + .desc = { ent-BaseBulletPractice.desc } +ent-BulletMagnumRubber = bullet (.45 magnum rubber) + .desc = { ent-BaseBulletRubber.desc } +ent-BulletMagnumIncendiary = bullet (.45 magnum incendiary) + .desc = { ent-BaseBulletIncendiary.desc } +ent-BulletMagnumAP = bullet (.45 magnum armor-piercing) + .desc = { ent-BaseBulletAP.desc } +ent-BulletMagnumUranium = bullet (.45 magnum uranium) + .desc = { ent-BaseBulletUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/pistol.ftl new file mode 100644 index 00000000000..1c153146492 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/pistol.ftl @@ -0,0 +1,10 @@ +ent-BulletPistol = bullet (.35 auto) + .desc = { ent-BaseBullet.desc } +ent-BulletPistolPractice = bullet (.35 auto practice) + .desc = { ent-BaseBulletPractice.desc } +ent-BulletPistolRubber = bullet (.35 auto rubber) + .desc = { ent-BaseBulletRubber.desc } +ent-BulletPistolIncendiary = bullet (.35 auto incendiary) + .desc = { ent-BaseBulletIncendiary.desc } +ent-BulletPistolUranium = bullet (.35 auto uranium) + .desc = { ent-BaseBulletUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/rifle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/rifle.ftl new file mode 100644 index 00000000000..c413c8a6bb7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/rifle.ftl @@ -0,0 +1,10 @@ +ent-BulletRifle = bullet (0.20 rifle) + .desc = { ent-BaseBullet.desc } +ent-BulletRiflePractice = bullet (0.20 rifle practice) + .desc = { ent-BaseBulletPractice.desc } +ent-BulletRifleRubber = bullet (0.20 rifle rubber) + .desc = { ent-BaseBulletRubber.desc } +ent-BulletRifleIncendiary = bullet (0.20 rifle incendiary) + .desc = { ent-BaseBulletIncendiary.desc } +ent-BulletRifleUranium = bullet (0.20 rifle uranium) + .desc = { ent-BaseBulletUranium.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/shotgun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/shotgun.ftl new file mode 100644 index 00000000000..405fcb51a41 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/shotgun.ftl @@ -0,0 +1,22 @@ +ent-PelletShotgunSlug = pellet (.50 slug) + .desc = { ent-BaseBullet.desc } +ent-PelletShotgunBeanbag = beanbag (.50) + .desc = { ent-BaseBullet.desc } +ent-PelletShotgun = pellet (.50) + .desc = { ent-BaseBullet.desc } +ent-PelletShotgunIncendiary = pellet (.50 incendiary) + .desc = { ent-BaseBulletIncendiary.desc } +ent-PelletShotgunPractice = pellet (.50 practice) + .desc = { ent-BaseBulletPractice.desc } +ent-PelletShotgunImprovised = improvised pellet + .desc = { ent-BaseBullet.desc } +ent-PelletShotgunTranquilizer = pellet (.50 tranquilizer) + .desc = { ent-BaseBulletPractice.desc } +ent-PelletShotgunFlare = pellet (.50 flare) + .desc = { "" } +ent-PelletShotgunUranium = pellet (.50 uranium) + .desc = { ent-BaseBullet.desc } +ent-PelletGrapeshot = grapeshot pellet + .desc = { ent-BaseBullet.desc } +ent-PelletGlass = glass shard + .desc = { ent-BaseBullet.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/toy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/toy.ftl new file mode 100644 index 00000000000..bacb8133824 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/projectiles/toy.ftl @@ -0,0 +1,2 @@ +ent-BulletFoam = foam dart + .desc = I hope you're wearing eye protection. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/magnum.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/magnum.ftl new file mode 100644 index 00000000000..1684b99a371 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/magnum.ftl @@ -0,0 +1,12 @@ +ent-BaseSpeedLoaderMagnum = speed loader (.45 magnum) + .desc = { ent-BaseItem.desc } +ent-SpeedLoaderMagnum = speed loader (.45 magnum) + .desc = { ent-BaseSpeedLoaderMagnum.desc } +ent-SpeedLoaderMagnumPractice = speed loader (.45 magnum practice) + .desc = { ent-BaseSpeedLoaderMagnum.desc } +ent-SpeedLoaderMagnumRubber = speed loader (.45 magnum rubber) + .desc = { ent-BaseSpeedLoaderMagnum.desc } +ent-SpeedLoaderMagnumAP = speed loader (.45 magnum armor-piercing) + .desc = { ent-BaseSpeedLoaderMagnum.desc } +ent-SpeedLoaderMagnumUranium = speed loader (.45 magnum uranium) + .desc = { ent-BaseSpeedLoaderMagnum.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/pistol.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/pistol.ftl new file mode 100644 index 00000000000..c515ba04657 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/pistol.ftl @@ -0,0 +1,8 @@ +ent-BaseSpeedLoaderPistol = speed loader (.35 auto) + .desc = { ent-BaseItem.desc } +ent-SpeedLoaderPistol = speed loader (.35 auto) + .desc = { ent-BaseSpeedLoaderPistol.desc } +ent-SpeedLoaderPistolPractice = speed loader (.35 auto practice) + .desc = { ent-BaseSpeedLoaderPistol.desc } +ent-SpeedLoaderPistolRubber = speed loader (.35 auto rubber) + .desc = { ent-BaseSpeedLoaderPistol.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/rifle_light.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/rifle_light.ftl new file mode 100644 index 00000000000..236430db0e2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/rifle_light.ftl @@ -0,0 +1,2 @@ +ent-SpeedLoaderLightRifle = speed loader (.30 rifle) + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/toy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/toy.ftl new file mode 100644 index 00000000000..b0776f545ea --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/ammunition/speedloaders/toy.ftl @@ -0,0 +1,4 @@ +ent-BaseSpeedLoaderCap = cap gun loader + .desc = { ent-BaseItem.desc } +ent-SpeedLoaderCap = cap gun loader + .desc = { ent-BaseSpeedLoaderCap.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_pka.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_pka.ftl new file mode 100644 index 00000000000..2fcd934456d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_pka.ftl @@ -0,0 +1,2 @@ +ent-WeaponProtoKineticAcceleratorBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_staff.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_staff.ftl new file mode 100644 index 00000000000..746f661f5c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_staff.ftl @@ -0,0 +1,2 @@ +ent-WeaponStaffBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_wand.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_wand.ftl new file mode 100644 index 00000000000..795316ff2f2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/base_wand.ftl @@ -0,0 +1,2 @@ +ent-WeaponWandBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/pka.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/pka.ftl new file mode 100644 index 00000000000..d3f505adb02 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/pka.ftl @@ -0,0 +1,2 @@ +ent-WeaponProtoKineticAccelerator = proto-kinetic accelerator + .desc = Fires low-damage kinetic bolts at a short range. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/spraynozzle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/spraynozzle.ftl new file mode 100644 index 00000000000..38e12c83d73 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/spraynozzle.ftl @@ -0,0 +1,2 @@ +ent-WeaponSprayNozzle = spray nozzle + .desc = A high-powered spray nozzle used in conjunction with a backpack-mounted water tank. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/staves.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/staves.ftl new file mode 100644 index 00000000000..70259dbfb8e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/staves.ftl @@ -0,0 +1,4 @@ +ent-WeaponStaffHealing = staff of healing + .desc = You don't foresee having to use this in your quest for carnage too often. +ent-WeaponStaffPolymorphDoor = staff of entrance + .desc = For when you need a get-away route. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/wands.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/wands.ftl new file mode 100644 index 00000000000..a604cc8d37c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/wands.ftl @@ -0,0 +1,16 @@ +ent-WeaponWandPolymorphBase = { ent-WeaponWandBase } + .desc = { ent-WeaponWandBase.desc } +ent-WeaponWandPolymorphCarp = wand of carp polymorph + .desc = For when you need a carp filet quick and the clown is looking juicy. +ent-WeaponWandPolymorphMonkey = wand of monkey polymorph + .desc = For when you need a monkey friend. +ent-WeaponWandFireball = wand of fireball + .desc = Great big balls of fire! +ent-WeaponWandDeath = magical wand of instant death + .desc = Only the best and brightest of the Space Wizards R&D team worked together to create this beauty. +ent-WeaponWandPolymorphDoor = wand of entrance + .desc = For when you need a get-away route. +ent-WeaponWandCluwne = wand of cluwning + .desc = Make their situation worse by turning them into a cluwne. +ent-WeaponWandPolymorphBread = magic bread wand + .desc = Turn all your friends into bread! Your boss! Your enemies! Your dog! Make everything bread! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/watergun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/watergun.ftl new file mode 100644 index 00000000000..ca4552cc9b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/basic/watergun.ftl @@ -0,0 +1,8 @@ +ent-WeaponWaterGunBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-WeaponWaterPistol = water pistol + .desc = The dinkiest of water-based weaponry. You swear the trigger doesn't do anything. +ent-WeaponWaterBlaster = water blaster + .desc = With this bad boy, you'll be the cooleste kid at the summer barbecue. +ent-WeaponWaterBlasterSuper = super water blaster + .desc = No! No! Not in the eyes! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/battery/battery_guns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/battery/battery_guns.ftl new file mode 100644 index 00000000000..6001551ef35 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/battery/battery_guns.ftl @@ -0,0 +1,50 @@ +ent-BaseWeaponBattery = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseWeaponPowerCell = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-BaseWeaponBatterySmall = { ent-BaseWeaponBattery } + .desc = { ent-BaseWeaponBattery.desc } +ent-BaseWeaponPowerCellSmall = { ent-BaseWeaponPowerCell } + .desc = { ent-BaseWeaponPowerCell.desc } +ent-WeaponLaserSvalinn = svalinn laser pistol + .desc = A cheap and widely used laser pistol. +ent-WeaponLaserGun = retro laser pistol + .desc = A weapon using light amplified by the stimulated emission of radiation. +ent-WeaponMakeshiftLaser = makeshift laser pistol + .desc = Better pray it won't burn your hands off. +ent-WeaponTeslaGun = tesla gun + .desc = The power of the primordial element of lightning in your hands. +ent-WeaponLaserCarbine = laser rifle + .desc = Favoured by Nanotrasen Security for being cheap and easy to use. +ent-WeaponLaserCarbinePractice = practice laser rifle + .desc = This modified laser rifle fires harmless beams in the 40-watt range, for target practice. +ent-WeaponPulsePistol = pulse pistol + .desc = A state of the art energy pistol favoured as a sidearm by the NT operatives. +ent-WeaponPulseCarbine = pulse carbine + .desc = A high tech energy carbine favoured by the NT-ERT operatives. +ent-WeaponPulseRifle = pulse rifle + .desc = A weapon that is almost as infamous as its users. +ent-WeaponLaserCannon = laser cannon + .desc = A heavy duty, high powered laser weapon. +ent-WeaponParticleDecelerator = portable particle decelerator + .desc = A portable particle decelerator capable of decomposing a tesla or singularity. +ent-WeaponXrayCannon = x-ray cannon + .desc = An experimental weapon that uses concentrated x-ray energy against its target. +ent-WeaponDisabler = disabler + .desc = A self-defense weapon that exhausts organic targets, weakening them until they collapse. +ent-WeaponDisablerSMG = disabler SMG + .desc = Advanced weapon that exhausts organic targets, weakening them until they collapse. +ent-WeaponDisablerPractice = practice disabler + .desc = A self-defense weapon that exhausts organic targets, weakening them until they collapse. This one has been undertuned for cadets. +ent-WeaponTaser = taser + .desc = A low-capacity, energy-based stun gun used by security teams to subdue targets at range. +ent-WeaponAntiqueLaser = antique laser pistol + .desc = This is an antique laser pistol. All craftsmanship is of the highest quality. It is decorated with assistant leather and chrome. The object menaces with spikes of energy. +ent-WeaponAdvancedLaser = advanced laser pistol + .desc = An experimental high-energy laser pistol with a self-charging nuclear battery. +ent-WeaponPistolCHIMP = C.H.I.M.P. handcannon + .desc = Just because it's a little C.H.I.M.P. doesn't mean it can't punch like an A.P.E. +ent-WeaponPistolCHIMPUpgraded = experimental C.H.I.M.P. handcannon + .desc = This C.H.I.M.P. seems to have a greater punch than is usual... +ent-WeaponBehonkerLaser = eye of a behonker + .desc = The eye of a behonker, it fires a laser when squeezed. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/bow/bow.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/bow/bow.ftl new file mode 100644 index 00000000000..cf9e1c4e31d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/bow/bow.ftl @@ -0,0 +1,4 @@ +ent-BaseBow = bow + .desc = The original rooty tooty point and shooty. +ent-BowImprovised = { ent-BaseBow } + .desc = { ent-BaseBow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/explosives/clusterbang.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/explosives/clusterbang.ftl new file mode 100644 index 00000000000..229ad59c290 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/explosives/clusterbang.ftl @@ -0,0 +1,5 @@ +ent-ClusterBang = clusterbang + .desc = Can be used only with flashbangs. Explodes several times. +ent-ClusterBangFull = { ent-ClusterBang } + .suffix = Full + .desc = { ent-ClusterBang.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/explosives/grenades.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/explosives/grenades.ftl new file mode 100644 index 00000000000..303b9bdcc66 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/explosives/grenades.ftl @@ -0,0 +1,8 @@ +ent-ExGrenade = explosive grenade + .desc = Grenade that creates a small but devastating explosion. +ent-GrenadeFlashBang = flashbang + .desc = Eeeeeeeeeeeeeeeeeeeeee +ent-SyndieMiniBomb = Syndicate minibomb + .desc = A syndicate manufactured explosive used to sow destruction and chaos. +ent-NuclearGrenade = the nuclear option + .desc = Please don't throw it, think of the children. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/flare_gun.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/flare_gun.ftl new file mode 100644 index 00000000000..f3d90137ef9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/flare_gun.ftl @@ -0,0 +1,2 @@ +ent-WeaponFlareGun = flare gun + .desc = A compact, single-shot pistol that fires shotgun shells. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/hmgs/hmgs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/hmgs/hmgs.ftl new file mode 100644 index 00000000000..06c12b19b40 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/hmgs/hmgs.ftl @@ -0,0 +1,4 @@ +ent-BaseWeaponHeavyMachineGun = BaseWeaponHeavyMachineGun + .desc = Spray and pray +ent-WeaponMinigun = minigun + .desc = Vzzzzzt! Rahrahrahrah! Vrrrrr! Uses .10 rifle ammo. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/launchers/launchers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/launchers/launchers.ftl new file mode 100644 index 00000000000..a933fb4c5e6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/launchers/launchers.ftl @@ -0,0 +1,28 @@ +ent-BaseWeaponLauncher = BaseWeaponLauncher + .desc = A rooty tooty point and shooty. +ent-WeaponLauncherChinaLake = china lake + .desc = PLOOP +ent-WeaponLauncherRocket = RPG-7 + .desc = A modified ancient rocket-propelled grenade launcher. +ent-WeaponLauncherMultipleRocket = multiple rocket launcher + .desc = A modified ancient rocket-propelled grenade launcher. +ent-WeaponLauncherPirateCannon = pirate cannon + .desc = Kaboom! +ent-WeaponTetherGun = tether gun + .desc = Manipulates gravity around objects to fling them at high velocities. +ent-WeaponForceGun = force gun + .desc = Manipulates gravity around objects to fling them at high velocities. +ent-WeaponGrapplingGun = grappling gun + .desc = { ent-BaseItem.desc } +ent-WeaponTetherGunAdmin = tether gun + .desc = Manipulates gravity around objects to fling them at high velocities. + .suffix = Admeme +ent-WeaponForceGunAdmin = force gun + .desc = Manipulates gravity around objects to fling them at high velocities. + .suffix = Admeme +ent-WeaponLauncherAdmemeMeteorLarge = meteor launcher + .desc = It fires large meteors + .suffix = Admeme +ent-WeaponLauncherAdmemeImmovableRodSlow = immovable rod launcher + .desc = It fires slow immovable rods. + .suffix = Admeme diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/lmgs/lmgs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/lmgs/lmgs.ftl new file mode 100644 index 00000000000..e3769e1c8fa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/lmgs/lmgs.ftl @@ -0,0 +1,6 @@ +ent-BaseWeaponLightMachineGun = BaseWeaponLightMachineGun + .desc = A rooty tooty point and shooty. +ent-WeaponLightMachineGunL6 = L6 SAW + .desc = A rather traditionally made LMG with a pleasantly lacquered wooden pistol grip. Uses .30 rifle ammo. +ent-WeaponLightMachineGunL6C = L6C ROW + .desc = A L6 SAW for use by cyborgs. Creates .30 rifle ammo on the fly from an internal ammo fabricator, which slowly self-charges. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/pistols/pistols.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/pistols/pistols.ftl new file mode 100644 index 00000000000..e8221a95739 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/pistols/pistols.ftl @@ -0,0 +1,16 @@ +ent-BaseWeaponPistol = BasePistol + .desc = A rooty tooty point and shooty. +ent-WeaponPistolViper = viper + .desc = A small, easily concealable, but somewhat underpowered gun. Retrofitted with a fully automatic receiver. Uses .35 auto ammo. +ent-WeaponPistolCobra = cobra + .desc = A rugged, robust operator handgun with inbuilt silencer. Uses .25 caseless ammo. +ent-WeaponPistolMk58 = mk 58 + .desc = A cheap, ubiquitous sidearm, produced by a NanoTrasen subsidiary. Uses .35 auto ammo. +ent-WeaponPistolMk58Nonlethal = { ent-WeaponPistolMk58 } + .suffix = Non-lethal + .desc = { ent-WeaponPistolMk58.desc } +ent-WeaponPistolN1984 = N1984 + .desc = The sidearm of any self respecting officer. Comes in .45 magnum, the lord's caliber. +ent-WeaponPistolN1984Nonlethal = N1984 + .suffix = Non-lethal + .desc = { ent-WeaponPistolN1984.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/pneumatic_cannon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/pneumatic_cannon.ftl new file mode 100644 index 00000000000..2fe4439a1fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/pneumatic_cannon.ftl @@ -0,0 +1,10 @@ +ent-WeaponImprovisedPneumaticCannon = improvised pneumatic cannon + .desc = Improvised using nothing but a pipe, some zipties, and a pneumatic cannon. Doesn't accept tanks without enough gas. +ent-LauncherCreamPie = pie cannon + .desc = Load cream pie for optimal results. +ent-WeaponImprovisedPneumaticCannonGun = { ent-WeaponImprovisedPneumaticCannon } + .suffix = Gun + .desc = { ent-WeaponImprovisedPneumaticCannon.desc } +ent-WeaponImprovisedPneumaticCannonAdmeme = { ent-WeaponImprovisedPneumaticCannonGun } + .suffix = Admeme + .desc = { ent-WeaponImprovisedPneumaticCannonGun.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/arrows.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/arrows.ftl new file mode 100644 index 00000000000..49fb25799c5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/arrows.ftl @@ -0,0 +1,6 @@ +ent-BaseArrow = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-ArrowRegular = arrow + .desc = You can feel the power of the steppe within you. +ent-ArrowImprovised = glass shard arrow + .desc = The greyshirt's preferred projectile. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/hitscan.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/hitscan.ftl new file mode 100644 index 00000000000..9547eb2fd72 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/hitscan.ftl @@ -0,0 +1,2 @@ +ent-HitscanEffect = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/impacts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/impacts.ftl new file mode 100644 index 00000000000..12e16a61ac1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/impacts.ftl @@ -0,0 +1,8 @@ +ent-BulletImpactEffect = { "" } + .desc = { "" } +ent-BulletImpactEffectDisabler = { "" } + .desc = { "" } +ent-BulletImpactEffectOrangeDisabler = { "" } + .desc = { "" } +ent-BulletImpactEffectKinetic = { "" } + .desc = { "" } 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 new file mode 100644 index 00000000000..e2ca9fb0bc3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/magic.ftl @@ -0,0 +1,22 @@ +ent-ProjectileFireball = fireball + .desc = You better GITTAH WEIGH. +ent-ProjectileAnomalyFireball = fireball + .desc = Hovering blob of flame. +ent-ProjectilePolyboltBase = { ent-BaseBullet } + .desc = { ent-BaseBullet.desc } +ent-ProjectilePolyboltCarp = carp polybolt + .desc = Nooo, I don't wanna be fish! +ent-ProjectilePolyboltMonkey = monkey polybolt + .desc = Nooo, I don't wanna be monkey! +ent-ProjectilePolyboltDoor = door polybolt + .desc = Nooo, I don't wanna be door! +ent-ProjectileHealingBolt = healing bolt + .desc = I COMMAND YOU TO LIVE! +ent-BulletInstakillMagic = magical lead cylinder + .desc = This looks familiar. +ent-ProjectilePolyboltCluwne = cluwne polybolt + .desc = knoH KnoH! +ent-ProjectileIcicle = Icicle + .desc = Brrrrr. +ent-ProjectilePolyboltBread = bread polybolt + .desc = Nooo, I don't wanna be bread! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/meteors.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/meteors.ftl new file mode 100644 index 00000000000..39f60c88f6f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/meteors.ftl @@ -0,0 +1,2 @@ +ent-MeteorLarge = meteor + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/projectiles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/projectiles.ftl new file mode 100644 index 00000000000..787f7247b7f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/projectiles/projectiles.ftl @@ -0,0 +1,86 @@ +ent-MuzzleFlashEffect = { "" } + .desc = { "" } +ent-BaseBullet = BaseBullet + .desc = If you can see this you're probably dead! +ent-BaseBulletTrigger = { ent-BaseBullet } + .desc = { ent-BaseBullet.desc } +ent-BaseBulletPractice = base bullet practice + .desc = { ent-BaseBullet.desc } +ent-BaseBulletRubber = base bullet rubber + .desc = { ent-BaseBullet.desc } +ent-BaseBulletIncendiary = base bullet incendiary + .desc = { ent-BaseBullet.desc } +ent-BaseBulletAP = base bullet armor-piercing + .desc = { ent-BaseBullet.desc } +ent-BaseBulletUranium = base bullet uranium + .desc = { ent-BaseBullet.desc } +ent-BulletTaser = taser bolt + .desc = { ent-BaseBullet.desc } +ent-BulletDisabler = disabler bolt + .desc = { ent-BaseBullet.desc } +ent-BulletDisablerPractice = disabler bolt practice + .desc = { ent-BaseBullet.desc } +ent-EmitterBolt = emitter bolt + .desc = { ent-BaseBullet.desc } +ent-WatcherBolt = watcher bolt + .desc = { ent-BaseBullet.desc } +ent-WatcherBoltMagmawing = magmawing watcher bolt + .desc = { ent-BaseBullet.desc } +ent-BulletKinetic = kinetic bolt + .desc = Not too bad, but you still don't want to get hit by it. +ent-BulletKineticShuttle = { ent-BaseBullet } + .desc = { ent-BaseBullet.desc } +ent-BulletCharge = charge bolt + .desc = Marks a target for additional damage. +ent-AnomalousParticleDelta = delta particles + .desc = { ent-BaseBullet.desc } +ent-AnomalousParticleDeltaStrong = { ent-AnomalousParticleDelta } + .desc = { ent-AnomalousParticleDelta.desc } +ent-AnomalousParticleEpsilon = epsilon particles + .desc = { ent-AnomalousParticleDelta.desc } +ent-AnomalousParticleEpsilonStrong = { ent-AnomalousParticleEpsilon } + .desc = { ent-AnomalousParticleEpsilon.desc } +ent-AnomalousParticleZeta = zeta particles + .desc = { ent-AnomalousParticleDelta.desc } +ent-AnomalousParticleZetaStrong = { ent-AnomalousParticleZeta } + .desc = { ent-AnomalousParticleZeta.desc } +ent-AnomalousParticleOmegaStrong = omega particles + .desc = { ent-AnomalousParticleDelta.desc } +ent-BulletRocket = rocket + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletWeakRocket = weak rocket + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletGrenadeBaton = baton grenade + .desc = { ent-BaseBullet.desc } +ent-BulletGrenadeBlast = blast grenade + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletGrenadeFlash = flash grenade + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletGrenadeFrag = frag grenade + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletGrenadeEMP = EMP rocket + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletCap = cap bullet + .desc = { ent-BaseBullet.desc } +ent-BulletAcid = acid spit + .desc = { ent-BaseBullet.desc } +ent-BulletWaterShot = water + .desc = { "" } +ent-BulletCannonBall = cannonball + .desc = { ent-BaseBulletTrigger.desc } +ent-GrapplingHook = grappling hook + .desc = { "" } +ent-BulletDisablerSmg = disabler bolt smg + .desc = { ent-BaseBullet.desc } +ent-TeslaGunBullet = tesla gun lightning + .desc = { ent-BaseBullet.desc } +ent-BaseBulletEmp = base bullet emp + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletGrenadeEmp = emp grenade + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletRocketEmp = rocket + .desc = { ent-BaseBulletTrigger.desc } +ent-ProjectileEmp = emp projectile + .desc = { ent-BaseBulletTrigger.desc } +ent-BulletEnergyGunLaser = energy bolt + .desc = { ent-BaseBullet.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/revolvers/revolvers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/revolvers/revolvers.ftl new file mode 100644 index 00000000000..607cc1a518b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/revolvers/revolvers.ftl @@ -0,0 +1,15 @@ +ent-BaseWeaponRevolver = BaseWeaponRevolver + .desc = A rooty tooty point and shooty. +ent-WeaponRevolverDeckard = Deckard + .desc = A rare, custom-built revolver. Use when there is no time for Voight-Kampff test. Uses .45 magnum ammo. +ent-WeaponRevolverInspector = Inspector + .desc = A detective's best friend. Uses .45 magnum ammo. +ent-WeaponRevolverMateba = Mateba + .desc = The iconic sidearm of the dreaded death squads. Uses .45 magnum ammo. +ent-WeaponRevolverPython = Python + .desc = A robust revolver favoured by Syndicate agents. Uses .45 magnum ammo. +ent-WeaponRevolverPythonAP = Python + .desc = A robust revolver favoured by Syndicate agents. Uses .45 magnum ammo. + .suffix = armor-piercing +ent-WeaponRevolverPirate = pirate revolver + .desc = An odd, old-looking revolver, favoured by pirate crews. Uses .45 magnum ammo. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/rifles/rifles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/rifles/rifles.ftl new file mode 100644 index 00000000000..623b3433375 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/rifles/rifles.ftl @@ -0,0 +1,11 @@ +ent-BaseWeaponRifle = BaseWeaponRifle + .desc = A rooty tooty point and shooty. +ent-WeaponRifleAk = AKMS + .desc = An iconic weapon of war. Uses .30 rifle ammo. +ent-WeaponRifleM90GrenadeLauncher = M-90gl + .desc = An older bullpup carbine model, with an attached underbarrel grenade launcher. Uses .20 rifle ammo. +ent-WeaponRifleLecter = Lecter + .desc = A high end military grade assault rifle. Uses .20 rifle ammo. +ent-WeaponRifleLecterRubber = Lecter + .suffix = Non-lethal + .desc = { ent-WeaponRifleLecter.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/shotguns/shotguns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/shotguns/shotguns.ftl new file mode 100644 index 00000000000..0a8e70e3845 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/shotguns/shotguns.ftl @@ -0,0 +1,31 @@ +ent-BaseWeaponShotgun = BaseWeaponShotgun + .desc = A rooty tooty point and shooty. +ent-WeaponShotgunBulldog = Bulldog + .desc = It's a magazine-fed shotgun designed for close quarters combat. Uses .50 shotgun shells. +ent-WeaponShotgunDoubleBarreled = double-barreled shotgun + .desc = An immortal classic. Uses .50 shotgun shells. +ent-WeaponShotgunDoubleBarreledRubber = double-barreled shotgun + .desc = An immortal classic. Uses .50 shotgun shells. + .suffix = Non-Lethal +ent-WeaponShotgunEnforcer = Enforcer + .desc = A premium combat shotgun based on the Kammerer design, featuring an upgraded clip capacity. .50 shotgun shells. +ent-WeaponShotgunEnforcerRubber = { ent-WeaponShotgunEnforcer } + .suffix = Non-Lethal + .desc = { ent-WeaponShotgunEnforcer.desc } +ent-WeaponShotgunKammerer = Kammerer + .desc = When an old Remington design meets modern materials, this is the result. A favourite weapon of militia forces throughout many worlds. Uses .50 shotgun shells. +ent-WeaponShotgunSawn = sawn-off shotgun + .desc = Groovy! Uses .50 shotgun shells. +ent-WeaponShotgunSawnEmpty = sawn-off shogun + .desc = Groovy! Uses .50 shotgun shells. + .suffix = Empty +ent-WeaponShotgunHandmade = handmade pistol + .desc = Looks unreliable. Uses .50 shotgun shells. +ent-WeaponShotgunBlunderbuss = blunderbuss + .desc = Deadly at close range. + .suffix = Pirate +ent-WeaponShotgunImprovised = improvised shotgun + .desc = A shitty, hand-made shotgun that uses .50 shotgun shells. It can only hold one round in the chamber. +ent-WeaponShotgunImprovisedLoaded = improvised shotgun + .suffix = Loaded + .desc = { ent-WeaponShotgunImprovised.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/smgs/smgs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/smgs/smgs.ftl new file mode 100644 index 00000000000..1730ca59126 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/smgs/smgs.ftl @@ -0,0 +1,19 @@ +ent-BaseWeaponSubMachineGun = BaseSMG + .desc = A rooty tooty point and shooty. +ent-WeaponSubMachineGunAtreides = Atreides + .desc = Pla-ket-ket-ket-ket! Uses .35 auto ammo. +ent-WeaponSubMachineGunC20r = C-20r sub machine gun + .desc = A firearm that is often used by the infamous nuclear operatives. Uses .35 auto ammo. +ent-WeaponSubMachineGunDrozd = Drozd + .desc = An excellent fully automatic Heavy SMG. +ent-WeaponSubMachineGunVector = Vector + .desc = An excellent fully automatic Heavy SMG. Uses .45 magnum ammo. + .suffix = Deprecated use Drozd +ent-WeaponSubMachineGunWt550 = WT550 + .desc = An excellent SMG, produced by NanoTrasen's Small Arms Division. Uses .35 auto ammo. +ent-WeaponSubMachineGunDrozdRubber = Drozd + .suffix = Non-Lethal + .desc = { ent-WeaponSubMachineGunDrozd.desc } +ent-WeaponSubMachineGunVectorRubber = Vector + .desc = An excellent fully automatic Heavy SMG. Uses .45 magnum ammo. + .suffix = Non-Lethal diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/snipers/snipers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/snipers/snipers.ftl new file mode 100644 index 00000000000..3e46069f33b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/snipers/snipers.ftl @@ -0,0 +1,10 @@ +ent-BaseWeaponSniper = BaseWeaponSniper + .desc = A rooty tooty point and shooty. +ent-WeaponSniperMosin = Kardashev-Mosin + .desc = A weapon for hunting, or endless trench warfare. Uses .30 rifle ammo. +ent-WeaponSniperHristov = Hristov + .desc = A portable anti-materiel rifle. Fires armor piercing 14.5mm shells. Uses .60 anti-materiel ammo. +ent-Musket = musket + .desc = This should've been in a museum long before you were born. Uses .60 anti-materiel ammo. +ent-WeaponPistolFlintlock = flintlock pistol + .desc = A pirate's companion. Yarrr! Uses .60 anti-materiel ammo. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/turrets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/turrets.ftl new file mode 100644 index 00000000000..4452070f6cf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/guns/turrets.ftl @@ -0,0 +1,19 @@ +ent-WeaponTurretSyndicateBroken = ballistic turret (broken) + .desc = A ballistic machine gun auto-turret. +ent-BaseWeaponTurret = ballistic turret + .desc = { ent-BaseStructure.desc } +ent-WeaponTurretSyndicate = { ent-BaseWeaponTurret } + .suffix = Syndicate + .desc = { ent-BaseWeaponTurret.desc } +ent-WeaponTurretSyndicateDisposable = disposable ballistic turret + .suffix = Syndicate, Disposable + .desc = { ent-BaseWeaponTurret.desc } +ent-WeaponTurretNanoTrasen = { ent-BaseWeaponTurret } + .suffix = NanoTrasen + .desc = { ent-BaseWeaponTurret.desc } +ent-WeaponTurretHostile = { ent-BaseWeaponTurret } + .suffix = Hostile + .desc = { ent-BaseWeaponTurret.desc } +ent-WeaponTurretXeno = xeno turret + .desc = Shoots 9mm acid projectiles + .suffix = Xeno diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/armblade.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/armblade.ftl new file mode 100644 index 00000000000..b2a78991f43 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/armblade.ftl @@ -0,0 +1,2 @@ +ent-ArmBlade = arm blade + .desc = A grotesque blade made out of bone and flesh that cleaves through people as a hot knife through butter. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/baseball_bat.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/baseball_bat.ftl new file mode 100644 index 00000000000..8505dbee00d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/baseball_bat.ftl @@ -0,0 +1,5 @@ +ent-BaseBallBat = baseball bat + .desc = A robust baseball bat. +ent-WeaponMeleeKnockbackStick = knockback stick + .desc = And then he spleefed all over. + .suffix = Do not map diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/chainsaw.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/chainsaw.ftl new file mode 100644 index 00000000000..1b3249532ef --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/chainsaw.ftl @@ -0,0 +1,2 @@ +ent-Chainsaw = chainsaw + .desc = A very large chainsaw. Usually you use this for cutting down trees... usually. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/cult.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/cult.ftl new file mode 100644 index 00000000000..484ade16eb7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/cult.ftl @@ -0,0 +1,6 @@ +ent-RitualDagger = ritual dagger + .desc = A strange dagger used by sinister groups for rituals and sacrifices. +ent-EldritchBlade = eldritch blade + .desc = A sword humming with unholy energy. +ent-UnholyHalberd = unholy halberd + .desc = A poleaxe that seems to be linked to its wielder. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/e_sword.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/e_sword.ftl new file mode 100644 index 00000000000..e4f5f81b8dc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/e_sword.ftl @@ -0,0 +1,12 @@ +ent-EnergySword = energy sword + .desc = A very loud & dangerous sword with a beam made of pure, concentrated plasma. Cuts through unarmored targets like butter. +ent-EnergyDagger = pen + .desc = A dark ink pen. + .suffix = E-Dagger +ent-EnergyDaggerBox = e-dagger box + .desc = A small box containing an e-dagger. Packaging disintegrates when opened, leaving no evidence behind. + .suffix = E-Dagger +ent-EnergyCutlass = energy cutlass + .desc = An exotic energy weapon. +ent-EnergySwordDouble = double-bladed energy sword + .desc = Syndicate Command Interns thought that having one blade on the energy sword was not enough. This can be stored in pockets. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/fireaxe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/fireaxe.ftl new file mode 100644 index 00000000000..afed89f0edc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/fireaxe.ftl @@ -0,0 +1,4 @@ +ent-FireAxe = fireaxe + .desc = Truly, the weapon of a madman. Who would think to fight fire with an axe? +ent-FireAxeFlaming = fire axe + .desc = Why fight fire with an axe when you can fight with fire and axe? Now featuring rugged rubberized handle! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/gohei.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/gohei.ftl new file mode 100644 index 00000000000..4f6d57a63b9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/gohei.ftl @@ -0,0 +1,2 @@ +ent-Gohei = gohei + .desc = A wooden stick with white streamers at the end. Originally used by shrine maidens to purify things. Now used by the station's weeaboos. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/knife.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/knife.ftl new file mode 100644 index 00000000000..bdfe742fc53 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/knife.ftl @@ -0,0 +1,20 @@ +ent-BaseKnife = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-KitchenKnife = kitchen knife + .desc = A general purpose Chef's Knife made by Asters Merchant Guild. Guaranteed to stay sharp for years to come.. +ent-ButchCleaver = butcher's cleaver + .desc = A huge blade used for chopping and chopping up meat. This includes clowns and clown-by-products. +ent-CombatKnife = combat knife + .desc = A deadly knife intended for melee confrontations. +ent-SurvivalKnife = survival knife + .desc = Weapon of first and last resort for combatting space carp. +ent-KukriKnife = kukri knife + .desc = Professionals have standards. Be polite. Be efficient. Have a plan to kill everyone you meet. +ent-Shiv = shiv + .desc = A crude weapon fashioned from a piece of cloth and a glass shard. +ent-ReinforcedShiv = reinforced shiv + .desc = A crude weapon fashioned from a piece of cloth and a reinforced glass shard. +ent-PlasmaShiv = plasma shiv + .desc = A crude weapon fashioned from a piece of cloth and a plasma glass shard. +ent-UraniumShiv = uranium shiv + .desc = A crude weapon fashioned from a piece of cloth and a uranium glass shard. Violates the geneva convention! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/mining.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/mining.ftl new file mode 100644 index 00000000000..4942ab90904 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/mining.ftl @@ -0,0 +1,8 @@ +ent-BaseWeaponCrusher = crusher + .desc = An early design of the proto-kinetic accelerator. +ent-WeaponCrusher = { ent-BaseWeaponCrusher } + .desc = { ent-BaseWeaponCrusher.desc } +ent-WeaponCrusherDagger = crusher dagger + .desc = A scaled down version of a proto-kinetic crusher. Uses kinetic energy to vibrate the blade at high speeds. +ent-WeaponCrusherGlaive = crusher glaive + .desc = An early design of the proto-kinetic accelerator, in glaive form. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/needle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/needle.ftl new file mode 100644 index 00000000000..57aab009b18 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/needle.ftl @@ -0,0 +1,2 @@ +ent-WeaponMeleeNeedle = official security anti-inflatable armament + .desc = A specialty weapon used in the destruction of unique syndicate morale-boosting equipment. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/pickaxe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/pickaxe.ftl new file mode 100644 index 00000000000..165639ea22f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/pickaxe.ftl @@ -0,0 +1,4 @@ +ent-Pickaxe = pickaxe + .desc = Notched to perfection, for jamming it into rocks +ent-MiningDrill = mining drill + .desc = Powerful tool used to quickly drill through rocks diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/sledgehammer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/sledgehammer.ftl new file mode 100644 index 00000000000..fd9f2351bc2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/sledgehammer.ftl @@ -0,0 +1,2 @@ +ent-Sledgehammer = sledgehammer + .desc = The perfect tool for wanton carnage. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/spear.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/spear.ftl new file mode 100644 index 00000000000..21f02977193 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/spear.ftl @@ -0,0 +1,10 @@ +ent-Spear = spear + .desc = Definition of a Classic. Keeping murder affordable since 200,000 BCE. +ent-SpearReinforced = reinforced spear + .desc = A spear with a reinforced glass shard as a tip. +ent-SpearPlasma = plasma spear + .desc = A spear with a plasma shard as a tip. +ent-SpearUranium = uranium spear + .desc = A spear with a uranium shard as a tip. +ent-SpearBone = bone spear + .desc = A spear made of bones. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/stunprod.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/stunprod.ftl new file mode 100644 index 00000000000..0aba41acb63 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/stunprod.ftl @@ -0,0 +1,2 @@ +ent-Stunprod = stun prod + .desc = A stun prod for illegal incapacitation. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/sword.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/sword.ftl new file mode 100644 index 00000000000..5855dc3a7e2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/sword.ftl @@ -0,0 +1,14 @@ +ent-CaptainSabre = captain's sabre + .desc = A ceremonial weapon belonging to the captain of the station. +ent-Katana = katana + .desc = Ancient craftwork made with not so ancient plasteel. +ent-EnergyKatana = energy katana + .desc = A katana infused with strong energy. +ent-Machete = machete + .desc = A large, vicious looking blade. +ent-Claymore = claymore + .desc = An ancient war blade. +ent-Cutlass = cutlass + .desc = A wickedly curved blade, often seen in the hands of space pirates. +ent-Throngler = The Throngler + .desc = Why would you make this? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/weapon_toolbox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/weapon_toolbox.ftl new file mode 100644 index 00000000000..069a57b209c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/weapon_toolbox.ftl @@ -0,0 +1,3 @@ +ent-WeaponMeleeToolboxRobust = robust toolbox + .desc = A tider's weapon. + .suffix = DO NOT MAP diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/white_cane.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/white_cane.ftl new file mode 100644 index 00000000000..817a7be1d1b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/white_cane.ftl @@ -0,0 +1,2 @@ +ent-WhiteCane = white cane + .desc = This isn't for you. It's for the people who can't figure out you're blind when you ask if cargo is the bar. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/zombieclaw.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/zombieclaw.ftl new file mode 100644 index 00000000000..604b6b25fa2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/melee/zombieclaw.ftl @@ -0,0 +1,3 @@ +ent-ZombieClaw = Zombie Claw + .desc = { "" } + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/security.ftl new file mode 100644 index 00000000000..dc924786cf2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/security.ftl @@ -0,0 +1,11 @@ +ent-Stunbaton = stun baton + .desc = A stun baton for incapacitating people with. Actively harming with this is considered bad tone. +ent-Truncheon = truncheon + .desc = A rigid, steel-studded baton, meant to harm. +ent-Flash = flash + .desc = An ultrabright flashbulb with a trigger, which causes the victim to be dazed and lose their eyesight for a moment. Useless when burnt out. +ent-SciFlash = flash + .suffix = 2 charges + .desc = { ent-Flash.desc } +ent-PortableFlasher = portable flasher + .desc = An ultrabright flashbulb with a proximity trigger, useful for making an area security-only. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/bola.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/bola.ftl new file mode 100644 index 00000000000..16a0df47918 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/bola.ftl @@ -0,0 +1,2 @@ +ent-Bola = bola + .desc = Linked together with some spare cuffs and metal. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/clusterbang.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/clusterbang.ftl new file mode 100644 index 00000000000..c636824940e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/clusterbang.ftl @@ -0,0 +1,17 @@ +ent-ClusterBang = clusterbang + .desc = Can be used only with flashbangs. Explodes several times. +ent-ClusterBangFull = ClusterBang + .desc = Launches three flashbangs after the timer runs out. + .suffix = Full +ent-ClusterGrenade = clustergrenade + .desc = Why use one grenade when you can use three at once! +ent-ClusterBananaPeel = cluster banana peel + .desc = Splits into 6 explosive banana peels after throwing, guaranteed fun! +ent-GrenadeStinger = stinger grenade + .desc = Nothing to see here, please disperse. +ent-GrenadeIncendiary = incendiary grenade + .desc = Guaranteed to light up the mood. +ent-GrenadeShrapnel = shrapnel grenade + .desc = Releases a deadly spray of shrapnel that causes severe bleeding. +ent-SlipocalypseClusterSoap = slipocalypse clustersoap + .desc = Spreads small pieces of syndicate soap over an area upon landing on the floor. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/grenades.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/grenades.ftl new file mode 100644 index 00000000000..19b93fd54eb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/grenades.ftl @@ -0,0 +1,26 @@ +ent-GrenadeBase = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-ExGrenade = explosive grenade + .desc = Grenade that creates a small but devastating explosion. +ent-GrenadeFlashBang = flashbang + .desc = Eeeeeeeeeeeeeeeeeeeeee +ent-GrenadeFlashEffect = { "" } + .desc = { "" } +ent-SyndieMiniBomb = syndicate minibomb + .desc = A syndicate-manufactured explosive used to stow destruction and cause chaos. +ent-SupermatterGrenade = supermatter grenade + .desc = Grenade that simulates delamination of the supermatter engine, pulling things in a heap and exploding after some time. +ent-WhiteholeGrenade = whitehole grenade + .desc = Grenade that repulses everything around for some time. +ent-NuclearGrenade = the nuclear option + .desc = Please don't throw it, think of the children. +ent-ModularGrenade = modular grenade + .desc = A grenade casing. Requires a trigger and a payload. +ent-EmpGrenade = EMP grenade + .desc = A grenade designed to wreak havoc on electronic systems. +ent-HolyHandGrenade = holy hand grenade + .desc = O Lord, bless this thy hand grenade, that with it thou mayst blow thine enemies to tiny bits, in thy mercy. +ent-SmokeGrenade = smoke grenade + .desc = A tactical grenade that releases a large, long-lasting cloud of smoke when used. +ent-TearGasGrenade = tear gas grenade + .desc = A riot control tear gas grenade. Causes irritation, pain and makes you cry your eyes out. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/throwing_stars.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/throwing_stars.ftl new file mode 100644 index 00000000000..ccd1ba7e9f3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/objects/weapons/throwable/throwing_stars.ftl @@ -0,0 +1,4 @@ +ent-ThrowingStar = throwing star + .desc = An ancient weapon still used to this day, due to its ease of lodging itself into its victim's body parts. +ent-ThrowingStarNinja = ninja throwing star + .desc = { ent-ThrowingStar.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/base.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/base.ftl new file mode 100644 index 00000000000..13ab4cf2924 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/base.ftl @@ -0,0 +1,28 @@ +ent-BaseStation = { "" } + .desc = { "" } +ent-BaseStationCargo = { "" } + .desc = { "" } +ent-BaseStationJobsSpawning = { "" } + .desc = { "" } +ent-BaseStationRecords = { "" } + .desc = { "" } +ent-BaseStationArrivals = { "" } + .desc = { "" } +ent-BaseStationGateway = { "" } + .desc = { "" } +ent-BaseStationShuttles = { "" } + .desc = { "" } +ent-BaseStationCentcomm = { "" } + .desc = { "" } +ent-BaseStationEvacuation = { "" } + .desc = { "" } +ent-BaseStationAlertLevels = { "" } + .desc = { "" } +ent-BaseStationExpeditions = { "" } + .desc = { "" } +ent-BaseStationMagnet = { "" } + .desc = { "" } +ent-BaseStationSiliconLawCrewsimov = { "" } + .desc = { "" } +ent-BaseStationAllEventsEligible = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/nanotrasen.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/nanotrasen.ftl new file mode 100644 index 00000000000..92623bba96b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/nanotrasen.ftl @@ -0,0 +1,8 @@ +ent-BaseStationNanotrasen = { "" } + .desc = { "" } +ent-StandardNanotrasenStation = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-NanotrasenCentralCommand = { ent-BaseStation } + .desc = { ent-BaseStation.desc } +ent-StandardStationArena = { ent-BaseStation } + .desc = { ent-BaseStation.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/syndicate.ftl new file mode 100644 index 00000000000..c254efea33a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/syndicate.ftl @@ -0,0 +1,4 @@ +ent-BaseStationSyndicate = { "" } + .desc = { "" } +ent-StandardNukieOutpost = { ent-BaseStationSyndicate } + .desc = { ent-BaseStationSyndicate.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 new file mode 100644 index 00000000000..850fc39f047 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/stations/test.ftl @@ -0,0 +1,2 @@ +ent-TestStation = { ent-BaseStation } + .desc = { ent-BaseStation.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/barricades.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/barricades.ftl new file mode 100644 index 00000000000..25253e467e2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/barricades.ftl @@ -0,0 +1,8 @@ +ent-BaseBarricade = wooden barricade + .desc = A barricade made out of wood planks. It looks like it can take a few solid hits. +ent-Barricade = { ent-BaseBarricade } + .desc = { ent-BaseBarricade.desc } +ent-BarricadeBlock = { ent-Barricade } + .desc = { ent-Barricade.desc } +ent-BarricadeDirectional = { ent-BaseBarricade } + .desc = { ent-BaseBarricade.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/base_structure.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/base_structure.ftl new file mode 100644 index 00000000000..887761c9f3e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/base_structure.ftl @@ -0,0 +1,4 @@ +ent-BaseStructure = { "" } + .desc = { "" } +ent-BaseStructureDynamic = { ent-BaseStructure } + .desc = { ent-BaseStructure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cargo_console.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cargo_console.ftl new file mode 100644 index 00000000000..265fbaebda9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cargo_console.ftl @@ -0,0 +1,2 @@ +ent-CargoTelepad = cargo telepad + .desc = { ent-BaseStructureDynamic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cargo_telepad.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cargo_telepad.ftl new file mode 100644 index 00000000000..d6f0bdce8b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cargo_telepad.ftl @@ -0,0 +1,2 @@ +ent-CargoTelepad = cargo telepad + .desc = Beam in the pizzas and dig in. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/catwalk.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/catwalk.ftl new file mode 100644 index 00000000000..b53c092001b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/catwalk.ftl @@ -0,0 +1,2 @@ +ent-Catwalk = catwalk + .desc = A catwalk for easier EVA maneuvering and cable placement. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/conveyor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/conveyor.ftl new file mode 100644 index 00000000000..1c57581e0a6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/conveyor.ftl @@ -0,0 +1,5 @@ +ent-ConveyorBelt = conveyor belt + .desc = A conveyor belt, commonly used to transport large numbers of items elsewhere quite quickly. +ent-ConveyorBeltAssembly = conveyor belt + .desc = A conveyor belt assembly. Used to construct a conveyor belt. + .suffix = assembly diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cryopod.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cryopod.ftl new file mode 100644 index 00000000000..58a18d75ab5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/cryopod.ftl @@ -0,0 +1,8 @@ +ent-CryogenicSleepUnit = cryogenic sleep unit + .desc = A super-cooled container that keeps crewmates safe during space travel. +ent-CryogenicSleepUnitSpawner = { ent-CryogenicSleepUnit } + .suffix = Spawner, Roundstart AllJobs + .desc = { ent-CryogenicSleepUnit.desc } +ent-CryogenicSleepUnitSpawnerLateJoin = { ent-CryogenicSleepUnit } + .suffix = Spawner, LateJoin + .desc = { ent-CryogenicSleepUnit.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/banners.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/banners.ftl new file mode 100644 index 00000000000..6d048bfdee8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/banners.ftl @@ -0,0 +1,26 @@ +ent-BannerBase = base banner + .desc = It's the concept of a banner, you shouldn't be seeing this. +ent-BannerNanotrasen = nanotrasen banner + .desc = A banner displaying the Nanotrasen logo. It looks rather cheap. +ent-BannerCargo = cargo banner + .desc = A banner displaying the colors of the cargo department. +ent-BannerEngineering = engineering banner + .desc = A banner displaying the colors of the engineering department. Scrungularty. +ent-BannerMedical = medical banner + .desc = A banner displaying the colors of the medical department. How sterile. +ent-BannerRevolution = revolution banner + .desc = A banner displaying revolution. Viva! +ent-BannerSyndicate = syndicate banner + .desc = A banner from which, according to the syndicate, you should feel hatred for NT. +ent-BannerScience = science banner + .desc = A banner displaying the colors of the science department. Where stupidity is proven greater than the universe. +ent-BannerSecurity = security banner + .desc = A banner displaying the colors of the security department. +ent-BannerBlue = blue banner + .desc = A banner displaying the color blue. Dabudidabudai. +ent-BannerRed = red banner + .desc = A banner displaying the color red. The edgy one. +ent-BannerYellow = yellow banner + .desc = A banner displaying the color yellow. Reminds you of ducks and lemon stands. +ent-BannerGreen = green banner + .desc = A banner displaying the color green. Grass, leaves, guacamole. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/bonfire.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/bonfire.ftl new file mode 100644 index 00000000000..fe24c9c9d83 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/bonfire.ftl @@ -0,0 +1,4 @@ +ent-Bonfire = bonfire + .desc = What can be better then late evening under the sky with guitar and friends. +ent-LegionnaireBonfire = legionnaire bonfire + .desc = There, in the land of lava and ash, place to to cook marshmallow and potato. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/cobwebs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/cobwebs.ftl new file mode 100644 index 00000000000..d692f1a6159 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/cobwebs.ftl @@ -0,0 +1,4 @@ +ent-Cobweb1 = cobweb + .desc = Somebody should remove that. +ent-Cobweb2 = { ent-Cobweb1 } + .desc = { ent-Cobweb1.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/crystals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/crystals.ftl new file mode 100644 index 00000000000..609b69cd2b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/crystals.ftl @@ -0,0 +1,18 @@ +ent-CrystalGreen = crystal + .desc = A crystaline solid. + .suffix = green +ent-CrystalPink = { ent-CrystalGreen } + .suffix = pink + .desc = { ent-CrystalGreen.desc } +ent-CrystalGrey = { ent-CrystalGreen } + .suffix = red + .desc = { ent-CrystalGreen.desc } +ent-CrystalOrange = { ent-CrystalGreen } + .suffix = orange + .desc = { ent-CrystalGreen.desc } +ent-CrystalBlue = { ent-CrystalGreen } + .suffix = blue + .desc = { ent-CrystalGreen.desc } +ent-CrystalCyan = { ent-CrystalGreen } + .suffix = cyan + .desc = { ent-CrystalGreen.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/curtains.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/curtains.ftl new file mode 100644 index 00000000000..489e259ea51 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/curtains.ftl @@ -0,0 +1,5 @@ +ent-HospitalCurtains = curtains + .desc = Contains less than 1% mercury. +ent-HospitalCurtainsOpen = { ent-HospitalCurtains } + .suffix = Open + .desc = { ent-HospitalCurtains.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/decorated_fir_tree.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/decorated_fir_tree.ftl new file mode 100644 index 00000000000..06c63d66043 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/decorated_fir_tree.ftl @@ -0,0 +1,2 @@ +ent-DecoratedFirTree = decorated fir tree + .desc = A very festive tree for a very festive holiday. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/fireplace.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/fireplace.ftl new file mode 100644 index 00000000000..5960e6c4c76 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/fireplace.ftl @@ -0,0 +1,2 @@ +ent-Fireplace = fireplace + .desc = A place that has fire. Cozy! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/flesh_blockers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/flesh_blockers.ftl new file mode 100644 index 00000000000..40f20d6be87 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/flesh_blockers.ftl @@ -0,0 +1,2 @@ +ent-FleshBlocker = flesh clump + .desc = An annoying clump of flesh. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/showcase.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/showcase.ftl new file mode 100644 index 00000000000..30fd40a9ec8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/showcase.ftl @@ -0,0 +1,10 @@ +ent-BaseShowcaseRobot = security robot showcase + .desc = A non-functional replica of an old security robot. +ent-ShowcaseRobot = security robot showcase + .desc = A non-functional replica of an old security robot. +ent-ShowcaseRobotWhite = white robot showcase + .desc = A non-functional replica of an old robot. +ent-ShowcaseRobotAntique = cargo robot showcase + .desc = A non-functional replica of an old cargo robot. +ent-ShowcaseRobotMarauder = marauder showcase + .desc = A non-functional replica of a marauder, painted green. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/statues.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/statues.ftl new file mode 100644 index 00000000000..60927c69b5d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/decoration/statues.ftl @@ -0,0 +1,8 @@ +ent-StatueVenusRed = statue of a pure maiden + .desc = An ancient marble statue. The subject is depicted with a floor-length braid and is wielding a red toolbox. + .suffix = Red +ent-StatueVenusBlue = statue of a pure maiden + .desc = An ancient marble statue. The subject is depicted with a floor-length braid and is wielding a blue toolbox. + .suffix = Blue +ent-StatueBananiumClown = bananium savior statue + .desc = A bananium statue. It portrays the return of the savior who will rise up and lead the clowns to the great honk. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/base_structuredispensers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/base_structuredispensers.ftl new file mode 100644 index 00000000000..39303332a80 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/base_structuredispensers.ftl @@ -0,0 +1,2 @@ +ent-ReagentDispenserBase = { ent-ConstructibleMachine } + .desc = { ent-ConstructibleMachine.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/booze.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/booze.ftl new file mode 100644 index 00000000000..fa706a71c71 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/booze.ftl @@ -0,0 +1,6 @@ +ent-BoozeDispenser = booze dispenser + .desc = A booze dispenser with a single slot for a container to be filled. + .suffix = Filled +ent-BoozeDispenserEmpty = { ent-BoozeDispenser } + .suffix = Empty + .desc = { ent-BoozeDispenser.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/chem.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/chem.ftl new file mode 100644 index 00000000000..cb73cd118f1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/chem.ftl @@ -0,0 +1,6 @@ +ent-ChemDispenser = chemical dispenser + .desc = An industrial grade chemical dispenser. + .suffix = Filled +ent-ChemDispenserEmpty = chemical dispenser + .suffix = Empty + .desc = { ent-ChemDispenser.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/soda.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/soda.ftl new file mode 100644 index 00000000000..27a850cd013 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/dispensers/soda.ftl @@ -0,0 +1,6 @@ +ent-soda_dispenser = soda dispenser + .desc = A beverage dispenser with a selection of soda and several other common beverages. Has a single fill slot for containers. + .suffix = Filled +ent-SodaDispenserEmpty = { ent-soda_dispenser } + .suffix = Empty + .desc = { ent-soda_dispenser.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/access.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/access.ftl new file mode 100644 index 00000000000..12eccdd97c0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/access.ftl @@ -0,0 +1,390 @@ +ent-AirlockServiceLocked = { ent-Airlock } + .suffix = Service, Locked + .desc = { ent-Airlock.desc } +ent-AirlockLawyerLocked = { ent-Airlock } + .suffix = Lawyer, Locked + .desc = { ent-Airlock.desc } +ent-AirlockTheatreLocked = { ent-Airlock } + .suffix = Theatre, Locked + .desc = { ent-Airlock.desc } +ent-AirlockChapelLocked = { ent-Airlock } + .suffix = Chapel, Locked + .desc = { ent-Airlock.desc } +ent-AirlockJanitorLocked = { ent-Airlock } + .suffix = Janitor, Locked + .desc = { ent-Airlock.desc } +ent-AirlockKitchenLocked = { ent-Airlock } + .suffix = Kitchen, Locked + .desc = { ent-Airlock.desc } +ent-AirlockBarLocked = { ent-Airlock } + .suffix = Bar, Locked + .desc = { ent-Airlock.desc } +ent-AirlockHydroponicsLocked = { ent-Airlock } + .suffix = Hydroponics, Locked + .desc = { ent-Airlock.desc } +ent-AirlockServiceCaptainLocked = { ent-Airlock } + .suffix = Captain, Locked + .desc = { ent-Airlock.desc } +ent-AirlockExternalLocked = { ent-AirlockExternal } + .suffix = External, Locked + .desc = { ent-AirlockExternal.desc } +ent-AirlockExternalCargoLocked = { ent-AirlockExternal } + .suffix = External, Cargo, Locked + .desc = { ent-AirlockExternal.desc } +ent-AirlockExternalEngineeringLocked = { ent-AirlockExternal } + .suffix = External, Engineering, Locked + .desc = { ent-AirlockExternal.desc } +ent-AirlockExternalAtmosphericsLocked = { ent-AirlockExternal } + .suffix = External, Atmospherics, Locked + .desc = { ent-AirlockExternal.desc } +ent-AirlockExternalSyndicateLocked = { ent-AirlockExternal } + .suffix = External, Syndicate, Locked + .desc = { ent-AirlockExternal.desc } +ent-AirlockExternalNukeopLocked = { ent-AirlockExternal } + .suffix = External, Nukeop, Locked + .desc = { ent-AirlockExternal.desc } +ent-AirlockFreezerLocked = { ent-AirlockFreezer } + .suffix = Kitchen, Locked + .desc = { ent-AirlockFreezer.desc } +ent-AirlockFreezerKitchenHydroLocked = { ent-AirlockFreezer } + .suffix = Kitchen/Hydroponics, Locked + .desc = { ent-AirlockFreezer.desc } +ent-AirlockFreezerHydroponicsLocked = { ent-AirlockFreezer } + .suffix = Hydroponics, Locked + .desc = { ent-AirlockFreezer.desc } +ent-AirlockEngineeringLocked = { ent-AirlockEngineering } + .suffix = Engineering, Locked + .desc = { ent-AirlockEngineering.desc } +ent-AirlockAtmosphericsLocked = { ent-AirlockAtmospherics } + .suffix = Atmospherics, Locked + .desc = { ent-AirlockAtmospherics.desc } +ent-AirlockCargoLocked = { ent-AirlockCargo } + .suffix = Cargo, Locked + .desc = { ent-AirlockCargo.desc } +ent-AirlockSalvageLocked = { ent-AirlockCargo } + .suffix = Salvage, Locked + .desc = { ent-AirlockCargo.desc } +ent-AirlockMiningLocked = { ent-AirlockMining } + .suffix = Mining(Salvage), Locked + .desc = { ent-AirlockMining.desc } +ent-AirlockMedicalLocked = { ent-AirlockMedical } + .suffix = Medical, Locked + .desc = { ent-AirlockMedical.desc } +ent-AirlockVirologyLocked = { ent-AirlockVirology } + .suffix = Virology, Locked + .desc = { ent-AirlockVirology.desc } +ent-AirlockChemistryLocked = { ent-AirlockChemistry } + .suffix = Chemistry, Locked + .desc = { ent-AirlockChemistry.desc } +ent-AirlockScienceLocked = { ent-AirlockScience } + .suffix = Science, Locked + .desc = { ent-AirlockScience.desc } +ent-AirlockMedicalScienceLocked = { ent-AirlockScience } + .suffix = Medical/Science, Locked + .desc = { ent-AirlockScience.desc } +ent-AirlockCentralCommandLocked = { ent-AirlockCentralCommand } + .suffix = Central Command, Locked + .desc = { ent-AirlockCentralCommand.desc } +ent-AirlockCommandLocked = { ent-AirlockCommand } + .suffix = Command, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockCaptainLocked = { ent-AirlockCommand } + .suffix = Captain, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockChiefMedicalOfficerLocked = { ent-AirlockCommand } + .suffix = ChiefMedicalOfficer, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockChiefEngineerLocked = { ent-AirlockCommand } + .suffix = ChiefEngineer, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockHeadOfSecurityLocked = { ent-AirlockCommand } + .suffix = HeadOfSecurity, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockResearchDirectorLocked = { ent-AirlockCommand } + .suffix = ResearchDirector, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockHeadOfPersonnelLocked = { ent-AirlockCommand } + .suffix = HeadOfPersonnel, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockQuartermasterLocked = { ent-AirlockCommand } + .suffix = Quartermaster, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockSecurityLocked = { ent-AirlockSecurity } + .suffix = Security, Locked + .desc = { ent-AirlockSecurity.desc } +ent-AirlockDetectiveLocked = { ent-AirlockSecurity } + .suffix = Detective, Locked + .desc = { ent-AirlockSecurity.desc } +ent-AirlockBrigLocked = { ent-AirlockSecurity } + .suffix = Brig, Locked + .desc = { ent-AirlockSecurity.desc } +ent-AirlockSecurityLawyerLocked = { ent-AirlockSecurity } + .suffix = Security/Lawyer, Locked + .desc = { ent-AirlockSecurity.desc } +ent-AirlockArmoryLocked = { ent-AirlockSecurity } + .suffix = Armory, Locked + .desc = { ent-AirlockSecurity.desc } +ent-AirlockVaultLocked = { ent-AirlockSecurity } + .suffix = Vault, Locked + .desc = { ent-AirlockSecurity.desc } +ent-AirlockEVALocked = { ent-AirlockCommand } + .suffix = EVA, Locked + .desc = { ent-AirlockCommand.desc } +ent-AirlockServiceGlassLocked = { ent-AirlockGlass } + .suffix = Service, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockLawyerGlassLocked = { ent-AirlockGlass } + .suffix = Lawyer, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockTheatreGlassLocked = { ent-AirlockGlass } + .suffix = Theatre, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockBarGlassLocked = { ent-AirlockGlass } + .suffix = Bar, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockExternalGlassLocked = { ent-AirlockExternalGlass } + .suffix = External, Glass, Locked + .desc = { ent-AirlockExternalGlass.desc } +ent-AirlockExternalGlassCargoLocked = { ent-AirlockExternalGlass } + .suffix = External, Glass, Cargo, Locked + .desc = { ent-AirlockExternalGlass.desc } +ent-AirlockExternalGlassSyndicateLocked = { ent-AirlockExternalGlass } + .suffix = External, Glass, Syndicate, Locked + .desc = { ent-AirlockExternalGlass.desc } +ent-AirlockExternalGlassNukeopLocked = { ent-AirlockExternalGlass } + .suffix = External, Glass, Nukeop, Locked + .desc = { ent-AirlockExternalGlass.desc } +ent-AirlockExternalGlassEngineeringLocked = { ent-AirlockExternalGlass } + .suffix = External, Glass, Engineering, Locked + .desc = { ent-AirlockExternalGlass.desc } +ent-AirlockExternalGlassAtmosphericsLocked = { ent-AirlockExternalGlass } + .suffix = External, Glass, Atmospherics, Locked + .desc = { ent-AirlockExternalGlass.desc } +ent-AirlockKitchenGlassLocked = { ent-AirlockGlass } + .suffix = Kitchen, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockJanitorGlassLocked = { ent-AirlockGlass } + .suffix = Janitor, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockHydroGlassLocked = { ent-AirlockGlass } + .suffix = Hydroponics, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockChapelGlassLocked = { ent-AirlockGlass } + .suffix = Chapel, Locked + .desc = { ent-AirlockGlass.desc } +ent-AirlockEngineeringGlassLocked = { ent-AirlockEngineeringGlass } + .suffix = Engineering, Locked + .desc = { ent-AirlockEngineeringGlass.desc } +ent-AirlockAtmosphericsGlassLocked = { ent-AirlockAtmosphericsGlass } + .suffix = Atmospherics, Locked + .desc = { ent-AirlockAtmosphericsGlass.desc } +ent-AirlockCargoGlassLocked = { ent-AirlockCargoGlass } + .suffix = Cargo, Locked + .desc = { ent-AirlockCargoGlass.desc } +ent-AirlockSalvageGlassLocked = { ent-AirlockCargoGlass } + .suffix = Salvage, Locked + .desc = { ent-AirlockCargoGlass.desc } +ent-AirlockMiningGlassLocked = { ent-AirlockMiningGlass } + .suffix = Mining(Salvage), Locked + .desc = { ent-AirlockMiningGlass.desc } +ent-AirlockChemistryGlassLocked = { ent-AirlockChemistryGlass } + .suffix = Chemistry, Locked + .desc = { ent-AirlockChemistryGlass.desc } +ent-AirlockMedicalGlassLocked = { ent-AirlockMedicalGlass } + .suffix = Medical, Locked + .desc = { ent-AirlockMedicalGlass.desc } +ent-AirlockVirologyGlassLocked = { ent-AirlockVirologyGlass } + .suffix = Virology, Locked + .desc = { ent-AirlockVirologyGlass.desc } +ent-AirlockScienceGlassLocked = { ent-AirlockScienceGlass } + .suffix = Science, Locked + .desc = { ent-AirlockScienceGlass.desc } +ent-AirlockMedicalScienceGlassLocked = { ent-AirlockScienceGlass } + .suffix = Medical/Science, Locked + .desc = { ent-AirlockScienceGlass.desc } +ent-AirlockCentralCommandGlassLocked = { ent-AirlockCentralCommandGlass } + .suffix = Central Command, Locked + .desc = { ent-AirlockCentralCommandGlass.desc } +ent-AirlockCommandGlassLocked = { ent-AirlockCommandGlass } + .suffix = Command, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockCaptainGlassLocked = { ent-AirlockCommandGlass } + .suffix = Captain, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockChiefMedicalOfficerGlassLocked = { ent-AirlockCommandGlass } + .suffix = ChiefMedicalOfficer, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockChiefEngineerGlassLocked = { ent-AirlockCommandGlass } + .suffix = ChiefEngineer, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockHeadOfSecurityGlassLocked = { ent-AirlockCommandGlass } + .suffix = HeadOfSecurity, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockResearchDirectorGlassLocked = { ent-AirlockCommandGlass } + .suffix = ResearchDirector, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockHeadOfPersonnelGlassLocked = { ent-AirlockCommandGlass } + .suffix = HeadOfPersonnel, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockQuartermasterGlassLocked = { ent-AirlockCommandGlass } + .suffix = Quartermaster, Locked + .desc = { ent-AirlockCommandGlass.desc } +ent-AirlockSecurityGlassLocked = { ent-AirlockSecurityGlass } + .suffix = Security, Locked + .desc = { ent-AirlockSecurityGlass.desc } +ent-AirlockDetectiveGlassLocked = { ent-AirlockSecurityGlass } + .suffix = Detective, Locked + .desc = { ent-AirlockSecurityGlass.desc } +ent-AirlockBrigGlassLocked = { ent-AirlockSecurityGlass } + .suffix = Brig, Locked + .desc = { ent-AirlockSecurityGlass.desc } +ent-AirlockSecurityLawyerGlassLocked = { ent-AirlockSecurityGlass } + .suffix = Security/Lawyer, Locked + .desc = { ent-AirlockSecurityGlass.desc } +ent-AirlockArmoryGlassLocked = { ent-AirlockSecurityGlass } + .suffix = Armory, Locked + .desc = { ent-AirlockSecurityGlass.desc } +ent-AirlockEVAGlassLocked = { ent-AirlockCommandGlassLocked } + .suffix = EVA, Locked + .desc = { ent-AirlockCommandGlassLocked.desc } +ent-AirlockSyndicateGlassLocked = { ent-AirlockSyndicateGlass } + .suffix = Syndicate, Locked + .desc = { ent-AirlockSyndicateGlass.desc } +ent-AirlockSyndicateNukeopGlassLocked = { ent-AirlockSyndicateGlass } + .suffix = Nukeop, Locked + .desc = { ent-AirlockSyndicateGlass.desc } +ent-AirlockMaintLocked = { ent-AirlockMaint } + .suffix = Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintGlassLocked = { ent-AirlockMaintGlass } + .suffix = Locked + .desc = { ent-AirlockMaintGlass.desc } +ent-AirlockMaintSalvageLocked = { ent-AirlockMaint } + .suffix = Salvage, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintCargoLocked = { ent-AirlockMaint } + .suffix = Cargo, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintCommandLocked = { ent-AirlockMaint } + .suffix = Command, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintCommonLocked = { ent-AirlockMaint } + .suffix = Common, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintEngiLocked = { ent-AirlockMaint } + .suffix = Engineering, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintAtmoLocked = { ent-AirlockMaint } + .suffix = Atmospherics, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintBarLocked = { ent-AirlockMaint } + .suffix = Bar, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintChapelLocked = { ent-AirlockMaint } + .suffix = Chapel, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintHydroLocked = { ent-AirlockMaint } + .suffix = Hydroponics, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintJanitorLocked = { ent-AirlockMaint } + .suffix = Janitor, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintLawyerLocked = { ent-AirlockMaint } + .suffix = Lawyer, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintServiceLocked = { ent-AirlockMaint } + .suffix = Service, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintTheatreLocked = { ent-AirlockMaint } + .suffix = Theatre, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintKitchenLocked = { ent-AirlockMaint } + .suffix = Kitchen, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintIntLocked = { ent-AirlockMaint } + .suffix = Interior, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintMedLocked = { ent-AirlockMaint } + .suffix = Medical, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintChemLocked = { ent-AirlockMaint } + .suffix = Chemistry, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintRnDLocked = { ent-AirlockMaint } + .suffix = Science, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintRnDMedLocked = { ent-AirlockMaint } + .suffix = Medical/Science, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintSecLocked = { ent-AirlockMaint } + .suffix = Security, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintDetectiveLocked = { ent-AirlockMaint } + .suffix = Detective, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintHOPLocked = { ent-AirlockMaint } + .suffix = HeadOfPersonnel, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintCaptainLocked = { ent-AirlockMaint } + .suffix = Captain, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintChiefEngineerLocked = { ent-AirlockMaint } + .suffix = ChiefEngineer, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintChiefMedicalOfficerLocked = { ent-AirlockMaint } + .suffix = ChiefMedicalOfficer, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintHeadOfSecurityLocked = { ent-AirlockMaint } + .suffix = HeadOfSecurity, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintResearchDirectorLocked = { ent-AirlockMaint } + .suffix = ResearchDirector, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockMaintArmoryLocked = { ent-AirlockMaint } + .suffix = Armory, Locked + .desc = { ent-AirlockMaint.desc } +ent-AirlockSyndicateLocked = { ent-AirlockSyndicate } + .suffix = Syndicate, Locked + .desc = { ent-AirlockSyndicate.desc } +ent-AirlockSyndicateNukeopLocked = { ent-AirlockSyndicate } + .suffix = Nukeop, Locked + .desc = { ent-AirlockSyndicate.desc } +ent-AirlockExternalShuttleLocked = { ent-AirlockShuttle } + .suffix = External, Docking, Locked + .desc = { ent-AirlockShuttle.desc } +ent-AirlockExternalShuttleSyndicateLocked = { ent-AirlockShuttleSyndicate } + .suffix = External, Docking, Syndicate, Locked + .desc = { ent-AirlockShuttleSyndicate.desc } +ent-AirlockExternalShuttleNukeopLocked = { ent-AirlockShuttleSyndicate } + .suffix = External, Docking, Nukeop, Locked + .desc = { ent-AirlockShuttleSyndicate.desc } +ent-AirlockExternalGlassShuttleLocked = { ent-AirlockGlassShuttle } + .suffix = External, Glass, Docking, Locked + .desc = { ent-AirlockGlassShuttle.desc } +ent-AirlockExternalGlassShuttleSyndicateLocked = { ent-AirlockGlassShuttleSyndicate } + .suffix = Syndicate, Locked, Glass + .desc = { ent-AirlockGlassShuttleSyndicate.desc } +ent-AirlockExternalGlassShuttleNukeopLocked = { ent-AirlockGlassShuttleSyndicate } + .suffix = Nukeop, Locked, Glass + .desc = { ent-AirlockGlassShuttleSyndicate.desc } +ent-AirlockExternalGlassShuttleEmergencyLocked = { ent-AirlockGlassShuttle } + .suffix = External, Emergency, Glass, Docking, Locked + .desc = { ent-AirlockGlassShuttle.desc } +ent-AirlockExternalGlassShuttleArrivals = { ent-AirlockGlassShuttle } + .suffix = External, Arrivals, Glass, Docking + .desc = { ent-AirlockGlassShuttle.desc } +ent-AirlockExternalGlassShuttleEscape = { ent-AirlockGlassShuttle } + .suffix = External, Escape 3x4, Glass, Docking + .desc = { ent-AirlockGlassShuttle.desc } +ent-HighSecCentralCommandLocked = { ent-HighSecDoor } + .suffix = Central Command, Locked + .desc = { ent-HighSecDoor.desc } +ent-HighSecCommandLocked = { ent-HighSecDoor } + .suffix = Command, Locked + .desc = { ent-HighSecDoor.desc } +ent-HighSecCaptainLocked = { ent-HighSecDoor } + .suffix = Captain, Locked + .desc = { ent-HighSecDoor.desc } +ent-HighSecArmoryLocked = { ent-HighSecDoor } + .suffix = Armory, Locked + .desc = { ent-HighSecDoor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/airlocks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/airlocks.ftl new file mode 100644 index 00000000000..23386679bb2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/airlocks.ftl @@ -0,0 +1,86 @@ +ent-AirlockFreezer = { ent-Airlock } + .suffix = Freezer + .desc = { ent-Airlock.desc } +ent-AirlockEngineering = { ent-Airlock } + .suffix = Engineering + .desc = { ent-Airlock.desc } +ent-AirlockAtmospherics = { ent-AirlockEngineering } + .suffix = Atmospherics + .desc = { ent-AirlockEngineering.desc } +ent-AirlockCargo = { ent-Airlock } + .suffix = Cargo + .desc = { ent-Airlock.desc } +ent-AirlockMedical = { ent-Airlock } + .suffix = Medical + .desc = { ent-Airlock.desc } +ent-AirlockVirology = { ent-AirlockMedical } + .suffix = Virology + .desc = { ent-AirlockMedical.desc } +ent-AirlockChemistry = { ent-AirlockMedical } + .suffix = Chemistry + .desc = { ent-AirlockMedical.desc } +ent-AirlockScience = { ent-Airlock } + .suffix = Science + .desc = { ent-Airlock.desc } +ent-AirlockCommand = { ent-Airlock } + .suffix = Command + .desc = { ent-Airlock.desc } +ent-AirlockSecurity = { ent-Airlock } + .suffix = Security + .desc = { ent-Airlock.desc } +ent-AirlockMaint = maintenance access + .desc = { ent-Airlock.desc } +ent-AirlockSyndicate = { ent-AirlockSecurity } + .suffix = Syndicate + .desc = { ent-AirlockSecurity.desc } +ent-AirlockMining = { ent-AirlockCargo } + .suffix = Mining(Salvage) + .desc = { ent-AirlockCargo.desc } +ent-AirlockCentralCommand = { ent-AirlockCommand } + .suffix = Central Command + .desc = { ent-AirlockCommand.desc } +ent-AirlockHatch = airtight hatch + .desc = { ent-Airlock.desc } +ent-AirlockHatchMaintenance = maintenance hatch + .desc = { ent-Airlock.desc } +ent-AirlockGlass = glass airlock + .desc = { ent-Airlock.desc } +ent-AirlockEngineeringGlass = { ent-AirlockGlass } + .suffix = Engineering + .desc = { ent-AirlockGlass.desc } +ent-AirlockMaintGlass = { ent-AirlockGlass } + .suffix = Maintenance + .desc = { ent-AirlockGlass.desc } +ent-AirlockAtmosphericsGlass = { ent-AirlockEngineeringGlass } + .suffix = Atmospherics + .desc = { ent-AirlockEngineeringGlass.desc } +ent-AirlockCargoGlass = { ent-AirlockGlass } + .suffix = Cargo + .desc = { ent-AirlockGlass.desc } +ent-AirlockMedicalGlass = { ent-AirlockGlass } + .suffix = Medical + .desc = { ent-AirlockGlass.desc } +ent-AirlockChemistryGlass = { ent-AirlockMedicalGlass } + .suffix = Chemistry + .desc = { ent-AirlockMedicalGlass.desc } +ent-AirlockVirologyGlass = { ent-AirlockMedicalGlass } + .suffix = Virology + .desc = { ent-AirlockMedicalGlass.desc } +ent-AirlockScienceGlass = { ent-AirlockGlass } + .suffix = Science + .desc = { ent-AirlockGlass.desc } +ent-AirlockCommandGlass = { ent-AirlockGlass } + .suffix = Command + .desc = { ent-AirlockGlass.desc } +ent-AirlockSecurityGlass = { ent-AirlockGlass } + .suffix = Security + .desc = { ent-AirlockGlass.desc } +ent-AirlockSyndicateGlass = { ent-AirlockSecurityGlass } + .suffix = Syndicate + .desc = { ent-AirlockSecurityGlass.desc } +ent-AirlockMiningGlass = { ent-AirlockCargoGlass } + .suffix = Mining(Salvage) + .desc = { ent-AirlockCargoGlass.desc } +ent-AirlockCentralCommandGlass = { ent-AirlockCommandGlass } + .suffix = Central Command + .desc = { ent-AirlockCommandGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/assembly.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/assembly.ftl new file mode 100644 index 00000000000..6f504d1ae74 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/assembly.ftl @@ -0,0 +1,99 @@ +ent-AirlockAssemblyAtmospherics = { ent-AirlockAssembly } + .suffix = Atmospherics + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyAtmosphericsGlass = { ent-AirlockAssembly } + .suffix = Atmospherics, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyCargo = { ent-AirlockAssembly } + .suffix = Cargo + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyCargoGlass = { ent-AirlockAssembly } + .suffix = Cargo, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyCommand = { ent-AirlockAssembly } + .suffix = Command + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyCommandGlass = { ent-AirlockAssembly } + .suffix = Command, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyEngineering = { ent-AirlockAssembly } + .suffix = Engineering + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyEngineeringGlass = { ent-AirlockAssembly } + .suffix = Engineering, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyExternal = { ent-AirlockAssembly } + .suffix = External + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyExternalGlass = { ent-AirlockAssembly } + .suffix = External, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyGlass = { ent-AirlockAssembly } + .suffix = Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyFreezer = { ent-AirlockAssembly } + .suffix = Freezer + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyMaintenance = { ent-AirlockAssembly } + .suffix = Maintenance + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyMaintenanceGlass = { ent-AirlockAssembly } + .suffix = Maintenance, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyMedical = { ent-AirlockAssembly } + .suffix = Medical + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyMedicalGlass = { ent-AirlockAssembly } + .suffix = Medical, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyScience = { ent-AirlockAssembly } + .suffix = Science + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyScienceGlass = { ent-AirlockAssembly } + .suffix = Science, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblySecurity = { ent-AirlockAssembly } + .suffix = Security + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblySecurityGlass = { ent-AirlockAssembly } + .suffix = Security, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyShuttle = { ent-AirlockAssembly } + .suffix = Shuttle + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyShuttleGlass = { ent-AirlockAssembly } + .suffix = Shuttle, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyVirology = { ent-AirlockAssembly } + .suffix = Virology + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyVirologyGlass = { ent-AirlockAssembly } + .suffix = Virology, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyCentralCommand = { ent-AirlockAssembly } + .suffix = CentralCommand + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyCentralCommandGlass = { ent-AirlockAssembly } + .suffix = CentralCommand, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyMining = { ent-AirlockAssembly } + .suffix = Mining + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyMiningGlass = { ent-AirlockAssembly } + .suffix = Mining, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblySyndicate = { ent-AirlockAssembly } + .suffix = Syndicate + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblySyndicateGlass = { ent-AirlockAssembly } + .suffix = Syndicate, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyShuttleSyndicate = { ent-AirlockAssembly } + .suffix = ShuttleSyndicate + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyShuttleSyndicateGlass = { ent-AirlockAssembly } + .suffix = ShuttleSyndicate, Glass + .desc = { ent-AirlockAssembly.desc } +ent-AirlockAssemblyHighSec = { ent-AirlockAssembly } + .suffix = HighSec + .desc = { ent-AirlockAssembly.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/base_assembly.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/base_assembly.ftl new file mode 100644 index 00000000000..e88e91c1c14 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/base_assembly.ftl @@ -0,0 +1,2 @@ +ent-AirlockAssembly = airlock assembly + .desc = It opens, it closes, and maybe crushes you. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/base_structureairlocks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/base_structureairlocks.ftl new file mode 100644 index 00000000000..81876b6d6a1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/base_structureairlocks.ftl @@ -0,0 +1,2 @@ +ent-Airlock = airlock + .desc = It opens, it closes, and maybe crushes you. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/clockwork.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/clockwork.ftl new file mode 100644 index 00000000000..3fa04bcf000 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/clockwork.ftl @@ -0,0 +1,6 @@ +ent-PinionAirlock = { ent-Airlock } + .suffix = Pinion, Clockwork + .desc = { ent-Airlock.desc } +ent-PinionAirlockGlass = { ent-AirlockGlass } + .suffix = Pinion, Clockwork + .desc = { ent-AirlockGlass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/easy_pry.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/easy_pry.ftl new file mode 100644 index 00000000000..529caf35663 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/easy_pry.ftl @@ -0,0 +1,24 @@ +ent-AirlockExternalEasyPry = { ent-AirlockExternal } + .desc = It opens, it closes, it might crush you, and there might be only space behind it. Has to be manually activated. Has a valve labelled "TURN TO OPEN" + .suffix = External, EasyPry +ent-AirlockExternalGlassEasyPry = { ent-AirlockExternalGlass } + .desc = It opens, it closes, it might crush you, and there might be only space behind it. Has to be manually activated. Has a valve labelled "TURN TO OPEN" + .suffix = External, Glass, EasyPry +ent-AirlockGlassShuttleEasyPry = { ent-AirlockGlassShuttle } + .desc = Necessary for connecting two space craft together. Has a valve labelled "TURN TO OPEN" + .suffix = EasyPry, Docking +ent-AirlockShuttleEasyPry = { ent-AirlockShuttle } + .desc = Necessary for connecting two space craft together. Has a valve labelled "TURN TO OPEN" + .suffix = EasyPry, Docking +ent-AirlockExternalEasyPryLocked = { ent-AirlockExternalLocked } + .desc = It opens, it closes, it might crush you, and there might be only space behind it. Has to be manually activated. Has a valve labelled "TURN TO OPEN" + .suffix = External, EasyPry, Locked +ent-AirlockExternalGlassEasyPryLocked = { ent-AirlockExternalGlassLocked } + .desc = It opens, it closes, it might crush you, and there might be only space behind it. Has to be manually activated. Has a valve labelled "TURN TO OPEN" + .suffix = External, Glass, EasyPry, Locked +ent-AirlockGlassShuttleEasyPryLocked = { ent-AirlockExternalGlassShuttleLocked } + .desc = Necessary for connecting two space craft together. Has a valve labelled "TURN TO OPEN" + .suffix = EasyPry, Docking, Locked +ent-AirlockShuttleEasyPryLocked = { ent-AirlockExternalShuttleLocked } + .desc = Necessary for connecting two space craft together. Has a valve labelled "TURN TO OPEN" + .suffix = EasyPry, Docking, Locked diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/external.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/external.ftl new file mode 100644 index 00000000000..290aedf2c55 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/external.ftl @@ -0,0 +1,6 @@ +ent-AirlockExternal = { ent-Airlock } + .desc = It opens, it closes, it might crush you, and there might be only space behind it. + .suffix = External +ent-AirlockExternalGlass = { ent-AirlockExternal } + .suffix = Glass, External + .desc = { ent-AirlockExternal.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/highsec.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/highsec.ftl new file mode 100644 index 00000000000..fbd6bb8a8e6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/highsec.ftl @@ -0,0 +1,2 @@ +ent-HighSecDoor = high security door + .desc = Keeps the bad out and keeps the good in. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/shuttle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/shuttle.ftl new file mode 100644 index 00000000000..27ea1c57700 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/airlocks/shuttle.ftl @@ -0,0 +1,15 @@ +ent-AirlockShuttle = external airlock + .desc = Necessary for connecting two space craft together. + .suffix = Docking +ent-AirlockGlassShuttle = external airlock + .desc = Necessary for connecting two space craft together. + .suffix = Glass, Docking +ent-AirlockShuttleAssembly = external airlock assembly + .desc = An incomplete structure necessary for connecting two space craft together. + .suffix = Docking +ent-AirlockGlassShuttleSyndicate = external airlock + .desc = Necessary for connecting two space craft together. + .suffix = Glass, Docking +ent-AirlockShuttleSyndicate = external airlock + .desc = Necessary for connecting two space craft together. + .suffix = Docking diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/firelocks/firelock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/firelocks/firelock.ftl new file mode 100644 index 00000000000..13da64766c0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/firelocks/firelock.ftl @@ -0,0 +1,8 @@ +ent-BaseFirelock = firelock + .desc = Apply crowbar. +ent-Firelock = { ent-BaseFirelock } + .desc = { ent-BaseFirelock.desc } +ent-FirelockGlass = glass firelock + .desc = { ent-Firelock.desc } +ent-FirelockEdge = firelock + .desc = { ent-BaseFirelock.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/firelocks/frame.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/firelocks/frame.ftl new file mode 100644 index 00000000000..2fafd153cfa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/firelocks/frame.ftl @@ -0,0 +1,2 @@ +ent-FirelockFrame = firelock frame + .desc = That is a firelock frame. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/materialdoors/material_doors.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/materialdoors/material_doors.ftl new file mode 100644 index 00000000000..2376ca61551 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/materialdoors/material_doors.ftl @@ -0,0 +1,20 @@ +ent-BaseMaterialDoor = door + .desc = A door, where will it lead? +ent-BaseMaterialDoorNavMap = { ent-BaseMaterialDoor } + .desc = { ent-BaseMaterialDoor.desc } +ent-MetalDoor = metal door + .desc = { ent-BaseMaterialDoorNavMap.desc } +ent-WoodDoor = wooden door + .desc = A door, where will it lead? +ent-PaperDoor = paper door + .desc = A door, where will it lead? +ent-PlasmaDoor = plasma door + .desc = A door, where will it lead? +ent-GoldDoor = gold door + .desc = A door, where will it lead? +ent-SilverDoor = silver door + .desc = A door, where will it lead? +ent-BananiumDoor = bananium door + .desc = A door, where will it lead? +ent-WebDoor = web door + .desc = A door, leading to the lands of the spiders... or a spaced room. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/secretdoor/secret_door.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/secretdoor/secret_door.ftl new file mode 100644 index 00000000000..58ec4357eb7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/secretdoor/secret_door.ftl @@ -0,0 +1,7 @@ +ent-BaseSecretDoor = solid wall + .desc = Keeps the air in and the greytide out. + .suffix = secret door +ent-BaseSecretDoorAssembly = secret door assembly + .desc = It opens, it closes, and maybe crushes you. +ent-SolidSecretDoor = solid wall + .desc = { ent-BaseSecretDoor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/blast_door.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/blast_door.ftl new file mode 100644 index 00000000000..175943a94d1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/blast_door.ftl @@ -0,0 +1,7 @@ +ent-BlastDoor = blast door + .desc = This one says 'BLAST DONGER'. +ent-BlastDoorOpen = { ent-BlastDoor } + .suffix = Open + .desc = { ent-BlastDoor.desc } +ent-BlastDoorFrame = blast door frame + .desc = This one says 'BLAST DONGER'. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/blast_door_autolink.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/blast_door_autolink.ftl new file mode 100644 index 00000000000..1a01017f5e7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/blast_door_autolink.ftl @@ -0,0 +1,30 @@ +ent-BlastDoorExterior1 = { ent-BlastDoor } + .suffix = Autolink, Ext1 + .desc = { ent-BlastDoor.desc } +ent-BlastDoorExterior1Open = { ent-BlastDoorOpen } + .suffix = Open, Autolink, Ext1 + .desc = { ent-BlastDoorOpen.desc } +ent-BlastDoorExterior2 = { ent-BlastDoor } + .suffix = Autolink, Ext2 + .desc = { ent-BlastDoor.desc } +ent-BlastDoorExterior2Open = { ent-BlastDoorOpen } + .suffix = Open, Autolink, Ext2 + .desc = { ent-BlastDoorOpen.desc } +ent-BlastDoorExterior3 = { ent-BlastDoor } + .suffix = Autolink, Ext3 + .desc = { ent-BlastDoor.desc } +ent-BlastDoorExterior3Open = { ent-BlastDoorOpen } + .suffix = Open, Autolink, Ext3 + .desc = { ent-BlastDoorOpen.desc } +ent-BlastDoorBridge = { ent-BlastDoor } + .suffix = Autolink, Bridge + .desc = { ent-BlastDoor.desc } +ent-BlastDoorBridgeOpen = { ent-BlastDoorOpen } + .suffix = Open, Autolink, Bridge + .desc = { ent-BlastDoorOpen.desc } +ent-BlastDoorWindows = { ent-BlastDoor } + .suffix = Autolink, Windows + .desc = { ent-BlastDoor.desc } +ent-BlastDoorWindowsOpen = { ent-BlastDoorOpen } + .suffix = Open, Autolink, Windows + .desc = { ent-BlastDoorOpen.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/shutters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/shutters.ftl new file mode 100644 index 00000000000..8f6e6fb6fe6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/shutter/shutters.ftl @@ -0,0 +1,19 @@ +ent-BaseShutter = shutter + .desc = One shudders to think about what might be behind this shutter. +ent-ShuttersNormal = { ent-BaseShutter } + .desc = { ent-BaseShutter.desc } +ent-ShuttersNormalOpen = { ent-ShuttersNormal } + .suffix = Open + .desc = { ent-ShuttersNormal.desc } +ent-ShuttersRadiation = radiation shutters + .desc = Why did they make these shutters radioactive? +ent-ShuttersRadiationOpen = { ent-ShuttersRadiation } + .suffix = Open + .desc = { ent-ShuttersRadiation.desc } +ent-ShuttersWindow = window shutters + .desc = The Best (TM) place to see your friends explode! +ent-ShuttersWindowOpen = { ent-ShuttersWindow } + .suffix = Open + .desc = { ent-ShuttersWindow.desc } +ent-ShuttersFrame = shutter frame + .desc = A frame for constructing a shutter. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/assembly.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/assembly.ftl new file mode 100644 index 00000000000..dd66375a0a2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/assembly.ftl @@ -0,0 +1,4 @@ +ent-WindoorAssembly = windoor assembly + .desc = It opens, it closes, and you can see through it! +ent-WindoorAssemblySecure = secure windoor assembly + .desc = It opens, it closes, and you can see through it! This one looks tough. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/base_structurewindoors.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/base_structurewindoors.ftl new file mode 100644 index 00000000000..2f603687029 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/base_structurewindoors.ftl @@ -0,0 +1,4 @@ +ent-BaseWindoor = { ent-BaseStructure } + .desc = { ent-BaseStructure.desc } +ent-BaseSecureWindoor = { ent-BaseWindoor } + .desc = { ent-BaseWindoor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/clockwork.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/clockwork.ftl new file mode 100644 index 00000000000..8102579fd2b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/clockwork.ftl @@ -0,0 +1,2 @@ +ent-BaseClockworkWindoor = clockwork windoor + .desc = { ent-BaseWindoor.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/windoor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/windoor.ftl new file mode 100644 index 00000000000..506f57542be --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/doors/windoors/windoor.ftl @@ -0,0 +1,97 @@ +ent-Windoor = windoor + .desc = It's a window and a sliding door. Wow! +ent-WindoorSecure = secure windoor + .desc = It's a sturdy window and a sliding door. Wow! +ent-WindoorBarLocked = { ent-Windoor } + .suffix = Bar, Locked + .desc = { ent-Windoor.desc } +ent-WindoorBarKitchenLocked = { ent-Windoor } + .suffix = Bar&Kitchen, Locked + .desc = { ent-Windoor.desc } +ent-WindoorCargoLocked = { ent-Windoor } + .suffix = Cargo, Locked + .desc = { ent-Windoor.desc } +ent-WindoorChapelLocked = { ent-Windoor } + .suffix = Chapel, Locked + .desc = { ent-Windoor.desc } +ent-WindoorHydroponicsLocked = { ent-Windoor } + .suffix = Hydroponics, Locked + .desc = { ent-Windoor.desc } +ent-WindoorJanitorLocked = { ent-Windoor } + .suffix = Janitor, Locked + .desc = { ent-Windoor.desc } +ent-WindoorKitchenLocked = { ent-Windoor } + .suffix = Kitchen, Locked + .desc = { ent-Windoor.desc } +ent-WindoorKitchenHydroponicsLocked = { ent-Windoor } + .suffix = Kitchen&Hydroponics, Locked + .desc = { ent-Windoor.desc } +ent-WindoorServiceLocked = { ent-Windoor } + .suffix = Service, Locked + .desc = { ent-Windoor.desc } +ent-WindoorTheatreLocked = { ent-Windoor } + .suffix = Theatre, Locked + .desc = { ent-Windoor.desc } +ent-WindoorSecureArmoryLocked = { ent-WindoorSecureSecurityLocked } + .suffix = Armory, Locked + .desc = { ent-WindoorSecureSecurityLocked.desc } +ent-WindoorSecureAtmosphericsLocked = { ent-WindoorSecure } + .suffix = Atmospherics, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureBarLocked = { ent-WindoorSecure } + .suffix = Bar, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureBrigLocked = { ent-WindoorSecureSecurityLocked } + .suffix = Brig, Locked + .desc = { ent-WindoorSecureSecurityLocked.desc } +ent-WindoorSecureCargoLocked = { ent-WindoorSecure } + .suffix = Cargo, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureChapelLocked = { ent-WindoorSecure } + .suffix = Chapel, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureChemistryLocked = { ent-WindoorSecure } + .suffix = Chemistry, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureCentralCommandLocked = { ent-WindoorSecure } + .suffix = Central Command, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureCommandLocked = { ent-WindoorSecure } + .suffix = Command, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureDetectiveLocked = { ent-WindoorSecure } + .suffix = Detective, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureEngineeringLocked = { ent-WindoorSecure } + .suffix = Engineering, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureExternalLocked = { ent-WindoorSecure } + .suffix = External, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureJanitorLocked = { ent-WindoorSecure } + .suffix = Janitor, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureKitchenLocked = { ent-WindoorSecure } + .suffix = Kitchen, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureSecurityLawyerLocked = { ent-WindoorSecureSecurityLocked } + .suffix = Security/Lawyer, Locked + .desc = { ent-WindoorSecureSecurityLocked.desc } +ent-WindoorSecureMedicalLocked = { ent-WindoorSecure } + .suffix = Medical, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureSalvageLocked = { ent-WindoorSecure } + .suffix = Salvage, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureSecurityLocked = { ent-WindoorSecure } + .suffix = Security, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureScienceLocked = { ent-WindoorSecure } + .suffix = Science, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureServiceLocked = { ent-WindoorSecure } + .suffix = Service, Locked + .desc = { ent-WindoorSecure.desc } +ent-WindoorSecureHeadOfPersonnelLocked = { ent-WindoorSecure } + .suffix = HeadOfPersonnel, Locked + .desc = { ent-WindoorSecure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/altar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/altar.ftl new file mode 100644 index 00000000000..c5068a2bd1d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/altar.ftl @@ -0,0 +1,40 @@ +ent-AltarBase = altar + .desc = Altar of the Gods. +ent-AltarNanotrasen = nanotrasen altar + .desc = { ent-AltarBase.desc } +ent-AltarChaos = chaos altar + .desc = { ent-AltarNanotrasen.desc } +ent-AltarDruid = druid altar + .desc = { ent-AltarNanotrasen.desc } +ent-AltarToolbox = toolbox altar + .desc = { ent-AltarNanotrasen.desc } +ent-AltarSpaceChristian = space-Christian altar + .desc = { ent-AltarNanotrasen.desc } +ent-AltarSatana = satanic altar + .desc = { ent-AltarNanotrasen.desc } +ent-AltarTechnology = technology altar + .desc = { ent-AltarNanotrasen.desc } +ent-AltarConvertFestival = festival altar + .desc = { ent-AltarBase.desc } +ent-AltarConvertMaint = maint altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvertBlue = blue altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvertBurden = burden altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvert = convert altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvertOrange = orange altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvertRed = red altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvertWhite = white altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarConvertYellow = yellow altar + .desc = { ent-AltarConvertFestival.desc } +ent-AltarHeaven = heaven altar + .desc = { ent-AltarBase.desc } +ent-AltarFangs = fanged altar + .desc = { ent-AltarHeaven.desc } +ent-AltarBananium = honkmother altar + .desc = A bananium altar dedicated to the honkmother. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/beds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/beds.ftl new file mode 100644 index 00000000000..194e6775582 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/beds.ftl @@ -0,0 +1,14 @@ +ent-Bed = bed + .desc = This is used to lie in, sleep in or strap on. Resting here provides extremely slow healing. +ent-MedicalBed = medical bed + .desc = A hospital bed for patients to recover in. Resting here provides fairly slow healing. +ent-DogBed = dog bed + .desc = A comfy-looking dog bed. You can even strap your pet in, in case the gravity turns off. +ent-Mattress = mattress + .desc = Better sleep in that then on the floor i guess. +ent-WebBed = web bed + .desc = You got webbed. +ent-PsychBed = psychologist bed + .desc = An upholstered bed for the psychological care of patients. +ent-WebNest = web nest + .desc = You got webbed. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/bench.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/bench.ftl new file mode 100644 index 00000000000..6cf2268859f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/bench.ftl @@ -0,0 +1,11 @@ +ent-BenchComfy = comfortable bench + .desc = A bench with an extremely comfortable backrest. +ent-BenchColorfulComfy = { ent-BenchComfy } + .desc = A bench with an extremely comfortable backrest. + .suffix = Solo. Colorful +ent-BenchRedComfy = { ent-BenchComfy } + .suffix = Solo. Red + .desc = { ent-BenchComfy.desc } +ent-BenchBlueComfy = { ent-BenchComfy } + .suffix = Solo. Blue + .desc = { ent-BenchComfy.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/bookshelf.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/bookshelf.ftl new file mode 100644 index 00000000000..c3331dea54f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/bookshelf.ftl @@ -0,0 +1,2 @@ +ent-Bookshelf = bookshelf + .desc = Mostly filled with books. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/carpets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/carpets.ftl new file mode 100644 index 00000000000..4cc5f36a43c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/carpets.ftl @@ -0,0 +1,20 @@ +ent-CarpetBase = { ent-BaseStructure } + .desc = Fancy walking surface. +ent-Carpet = red carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetBlack = black carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetPink = pink carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetBlue = blue carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetGreen = green carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetOrange = orange carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetSBlue = skyblue carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetPurple = purple carpet + .desc = { ent-CarpetBase.desc } +ent-CarpetChapel = chapel's carpet + .desc = { ent-BaseStructure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/chairs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/chairs.ftl new file mode 100644 index 00000000000..53a70b965c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/chairs.ftl @@ -0,0 +1,36 @@ +ent-SeatBase = chair + .desc = You sit in this. Either by will or force. +ent-Chair = chair + .desc = { ent-SeatBase.desc } +ent-ChairGreyscale = chair + .suffix = White + .desc = { ent-Chair.desc } +ent-Stool = stool + .desc = Apply butt. +ent-StoolBar = bar stool + .desc = { ent-SeatBase.desc } +ent-ChairOfficeLight = white office chair + .desc = { ent-SeatBase.desc } +ent-ChairOfficeDark = dark office chair + .desc = { ent-ChairOfficeLight.desc } +ent-ComfyChair = comfy chair + .desc = It looks comfy. +ent-ChairPilotSeat = pilot seat + .desc = The pilot seat of a prestigious ship. +ent-ChairWood = wooden chair + .desc = { ent-SeatBase.desc } +ent-ChairRitual = ritual chair + .desc = Looks uncomfortable. +ent-ChairMeat = meat chair + .desc = Uncomfortably sweaty. +ent-ChairCursed = cursed chair + .desc = It's staring back. +ent-ChairWeb = web chair + .desc = For true web developers. +ent-ChairFolding = folding chair + .desc = If you carry six of these you become the coolest kid at church. +ent-ChairFoldingSpawnFolded = { ent-ChairFolding } + .suffix = folded + .desc = { ent-ChairFolding.desc } +ent-SteelBench = steel bench + .desc = A long chair made for a metro. Really standard design. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/dresser.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/dresser.ftl new file mode 100644 index 00000000000..35db796e03b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/dresser.ftl @@ -0,0 +1,5 @@ +ent-Dresser = dresser + .desc = Wooden dresser, can store things inside itself, ideal for underwear, and someone's kidneys?... +ent-DresserFilled = { ent-Dresser } + .suffix = Filled + .desc = { ent-Dresser.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/instruments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/instruments.ftl new file mode 100644 index 00000000000..2b3c6301a78 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/instruments.ftl @@ -0,0 +1,24 @@ +ent-BasePlaceableInstrument = baseinstrument + .desc = { ent-BaseStructureDynamic.desc } + .suffix = { "" } +ent-BasePlaceableInstrumentRotatable = baseinstrumentrotatable + .desc = { ent-BasePlaceableInstrument.desc } + .suffix = { "" } +ent-PianoInstrument = piano + .desc = Play Needles Piano Now. + .suffix = { "" } +ent-UprightPianoInstrument = upright piano + .desc = I said Piannie! + .suffix = { "" } +ent-MinimoogInstrument = minimoog + .desc = This is a minimoog, like a space piano, but more spacey! + .suffix = { "" } +ent-ChurchOrganInstrument = church organ + .desc = This thing really blows! + .suffix = { "" } +ent-TubaInstrument = tuba + .desc = The big daddy of the brass family. Standing next to its majesty makes you feel insecure. + .suffix = { "" } +ent-DawInstrument = digital audio workstation + .desc = Cutting edge music technology, straight from the 90s. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/memorial.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/memorial.ftl new file mode 100644 index 00000000000..f477b6615b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/memorial.ftl @@ -0,0 +1,7 @@ +ent-Memorial = memorial + .desc = Commemorating something. +ent-SS13Memorial = Tomb of the Unknown Employee + .desc = + Here rests an unknown employee + Unknown by name or rank + Whose acts will not be forgotten diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl new file mode 100644 index 00000000000..78227e95dc4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/potted_plants.ftl @@ -0,0 +1,66 @@ +ent-PottedPlantBase = potted plant + .desc = A little bit of nature contained in a pot. +ent-PottedPlant0 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant1 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant2 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant3 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant4 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant5 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant6 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant7 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant8 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantBioluminscent = bioluminescent potted plant + .desc = It produces light! +ent-PottedPlant10 = { ent-PottedPlantBase } + .desc = A pretty piece of nature contained in a pot. +ent-PottedPlant11 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant12 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant13 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant14 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant15 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant16 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant17 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant18 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant19 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant20 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant21 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant22 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant23 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlant24 = { ent-PottedPlantBase } + .desc = { ent-PottedPlantBase.desc } +ent-PottedPlantRD = RD's potted plant + .desc = + A gift from the botanical staff, presented after the RD's reassignment. There's a tag on it that says "Y'all come back now, y'hear?" + It doesn't look very healthy... +ent-PottedPlant26 = { ent-PottedPlantBase } + .desc = Is it just me, or is it blinking? +ent-PottedPlant27 = plastic potted plant + .desc = A fake, cheap looking, plastic tree. Perfect for people who kill every plant they touch. +ent-PottedPlant28 = { ent-PottedPlant27 } + .desc = { ent-PottedPlant27.desc } +ent-PottedPlant29 = { ent-PottedPlant27 } + .desc = { ent-PottedPlant27.desc } +ent-PottedPlant30 = { ent-PottedPlant27 } + .desc = { ent-PottedPlant27.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/rollerbeds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/rollerbeds.ftl new file mode 100644 index 00000000000..17553f3745e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/rollerbeds.ftl @@ -0,0 +1,15 @@ +ent-RollerBed = rollerbed + .desc = Used to carry patients around without damaging them. +ent-RollerBedSpawnFolded = { ent-RollerBed } + .suffix = folded + .desc = { ent-RollerBed.desc } +ent-CheapRollerBed = rollerbed + .desc = A run-down rollerbed. Used to carry patients around. +ent-CheapRollerBedSpawnFolded = { ent-CheapRollerBed } + .suffix = folded + .desc = { ent-CheapRollerBed.desc } +ent-EmergencyRollerBed = rollerbed + .desc = A robust looking rollerbed used for emergencies. +ent-EmergencyRollerBedSpawnFolded = { ent-EmergencyRollerBed } + .suffix = folded + .desc = { ent-EmergencyRollerBed.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/sink.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/sink.ftl new file mode 100644 index 00000000000..8bc7dc60c71 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/sink.ftl @@ -0,0 +1,13 @@ +ent-SinkEmpty = sink + .desc = The faucets have been tightened to the maximum possible torque but are still known to drip. + .suffix = Empty +ent-Sink = sink + .suffix = Water + .desc = { ent-SinkEmpty.desc } +ent-SinkWide = wide sink + .desc = { ent-Sink.desc } +ent-SinkStemless = sink + .desc = { ent-SinkEmpty.desc } +ent-SinkStemlessWater = sink + .suffix = Water + .desc = { ent-SinkStemless.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/base_structuretables.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/base_structuretables.ftl new file mode 100644 index 00000000000..7ce9dfeae24 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/base_structuretables.ftl @@ -0,0 +1,4 @@ +ent-TableBase = table + .desc = A square piece of metal standing on four metal legs. +ent-CounterBase = counter + .desc = { ent-TableBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/operating_table.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/operating_table.ftl new file mode 100644 index 00000000000..e5d876079bf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/operating_table.ftl @@ -0,0 +1,2 @@ +ent-OperatingTable = operating table + .desc = Special medical table for surgery. This one just seems to be a useless prop, though. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/tables.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/tables.ftl new file mode 100644 index 00000000000..13493bad67b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/tables/tables.ftl @@ -0,0 +1,31 @@ +ent-TableFrame = table frame + .desc = Pieces of metal that make the frame of a table. +ent-CounterWoodFrame = wooden counter frame + .desc = Pieces of wood that make the frame of a table. +ent-CounterMetalFrame = metal counter frame + .desc = Pieces of metal that make the frame of a table. +ent-Table = table + .desc = A square piece of metal standing on four metal legs. +ent-TableReinforced = reinforced table + .desc = A square piece of metal standing on four metal legs. Extra robust. +ent-TableGlass = glass table + .desc = A square piece of glass, standing on four metal legs. +ent-TableReinforcedGlass = reinforced glass table + .desc = A square piece of glass, standing on four metal legs. Extra robust. +ent-TablePlasmaGlass = plasma glass table + .desc = A square piece of plasma glass, standing on four metal legs. Pretty! +ent-TableWood = wood table + .desc = Do not apply fire to this. Rumour says it burns easily. +ent-TableCarpet = gambling table + .desc = Play em' cowboy. +ent-TableStone = stone table + .desc = Literally the sturdiest thing you have ever seen. +ent-TableWeb = web table + .desc = Really smooth and surprisingly durable. +ent-TableDebug = table + .desc = PUT ON THEM CODERSOCKS!! + .suffix = DEBUG +ent-TableCounterWood = wood counter + .desc = Do not apply fire to this. Rumour says it burns easily. +ent-TableCounterMetal = metal counter + .desc = Looks like a good place to put a drink down. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/toilet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/toilet.ftl new file mode 100644 index 00000000000..bde241a7fc7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/furniture/toilet.ftl @@ -0,0 +1,6 @@ +ent-ToiletEmpty = toilet + .desc = The HT-451, a torque rotation-based, waste disposal unit for small matter. This one seems remarkably clean. + .suffix = Empty +ent-ToiletDirtyWater = { ent-ToiletEmpty } + .suffix = Dirty Water + .desc = { ent-ToiletEmpty.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/gates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/gates.ftl new file mode 100644 index 00000000000..9d6c35846ed --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/gates.ftl @@ -0,0 +1,8 @@ +ent-BaseLogicItem = { ent-BaseItem } + .desc = { ent-BaseItem.desc } +ent-LogicGate = logic gate + .desc = A logic gate with two inputs and one output. Technicians can change its mode of operation using a screwdriver. +ent-EdgeDetector = edge detector + .desc = Splits rising and falling edges into unique pulses and detects how edgy you are. +ent-PowerSensor = power sensor + .desc = Generates signals in response to powernet changes. Can be cycled between cable voltages. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/holographic/projections.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/holographic/projections.ftl new file mode 100644 index 00000000000..5dcaf0d07e3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/holographic/projections.ftl @@ -0,0 +1,8 @@ +ent-HolosignWetFloor = wet floor sign + .desc = The words flicker as if they mean nothing. +ent-HoloFan = holofan + .desc = A barrier of hard light that blocks air, but nothing else. +ent-HolosignSecurity = holographic barrier + .desc = A barrier of hard light that blocks movement, but pretty weak. +ent-HolosignForcefield = holographic force field + .desc = A powerful temporal containment field that doesn't let anything through, not even a tesla or singularity. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/hydro_tray.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/hydro_tray.ftl new file mode 100644 index 00000000000..d242bb3be89 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/hydro_tray.ftl @@ -0,0 +1,5 @@ +ent-hydroponicsTray = hydroponics tray + .desc = An interstellar-grade space farmplot allowing for rapid growth and selective breeding of crops. Just... keep in mind the space weeds. +ent-HydroponicsTrayEmpty = { ent-hydroponicsTray } + .suffix = Empty + .desc = { ent-hydroponicsTray.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/lighting/base_lighting.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/lighting/base_lighting.ftl new file mode 100644 index 00000000000..3573700e69a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/lighting/base_lighting.ftl @@ -0,0 +1,72 @@ +ent-AlwaysPoweredWallLight = light + .desc = An always powered light. + .suffix = Always powered +ent-PoweredlightEmpty = light + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Empty +ent-Poweredlight = { ent-PoweredlightEmpty } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. +ent-PoweredlightLED = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = LED +ent-AlwaysPoweredLightLED = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, LED + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightExterior = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Blue +ent-AlwaysPoweredLightExterior = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Blue + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightSodium = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Sodium +ent-AlwaysPoweredLightSodium = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Sodium + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-SmallLight = small light + .desc = An always powered light. + .suffix = Always Powered +ent-PoweredSmallLightEmpty = small light + .desc = A light fixture. Draws power and produces light when equipped with a light bulb. + .suffix = Empty +ent-PoweredSmallLight = { ent-PoweredSmallLightEmpty } + .desc = { ent-PoweredSmallLightEmpty.desc } +ent-EmergencyLight = emergency light + .desc = A small light with an internal battery that turns on as soon as it stops receiving any power. Nanotrasen technology allows it to adapt its color to alert crew to the conditions of the station. +ent-PoweredlightCyan = { ent-Poweredlight } + .suffix = Cyan + .desc = { ent-Poweredlight.desc } +ent-AlwaysPoweredlightCyan = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Cyan + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightBlue = { ent-Poweredlight } + .suffix = Blue + .desc = { ent-Poweredlight.desc } +ent-AlwaysPoweredlightBlue = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Blue + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightPink = { ent-Poweredlight } + .suffix = Pink + .desc = { ent-Poweredlight.desc } +ent-AlwaysPoweredlightPink = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Pink + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightOrange = { ent-Poweredlight } + .suffix = Orange + .desc = { ent-Poweredlight.desc } +ent-AlwaysPoweredlightOrange = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Orange + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightRed = { ent-Poweredlight } + .suffix = Red + .desc = { ent-Poweredlight.desc } +ent-AlwaysPoweredlightRed = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Red + .desc = { ent-AlwaysPoweredWallLight.desc } +ent-PoweredlightGreen = { ent-Poweredlight } + .suffix = Green + .desc = { ent-Poweredlight.desc } +ent-AlwaysPoweredlightGreen = { ent-AlwaysPoweredWallLight } + .suffix = Always Powered, Green + .desc = { ent-AlwaysPoweredWallLight.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/lighting/ground_lighting.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/lighting/ground_lighting.ftl new file mode 100644 index 00000000000..eadfe948e08 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/lighting/ground_lighting.ftl @@ -0,0 +1,10 @@ +ent-BaseLightStructure = { ent-BaseStructure } + .desc = { ent-BaseStructure.desc } +ent-LightPostSmall = post light + .desc = An always powered light. + .suffix = Always Powered +ent-PoweredLightPostSmallEmpty = post light + .desc = A small light post. + .suffix = Empty +ent-PoweredLightPostSmall = post light + .desc = A light fixture. Draws power and produces light when equipped with a light tube. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/anomaly_equipment.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/anomaly_equipment.ftl new file mode 100644 index 00000000000..c3d58c26866 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/anomaly_equipment.ftl @@ -0,0 +1,8 @@ +ent-MachineAnomalyVessel = anomaly vessel + .desc = A container able to harness a scan of an anomaly and turn it into research data. +ent-MachineAnomalyVesselExperimental = experimental anomaly vessel + .desc = An advanced anomaly vessel capable of greater research potential at the cost of increased volatility and low-level radioactive decay into the environment. +ent-MachineAPE = A.P.E. + .desc = An Anomalous Particle Emitter, capable of shooting out unstable particles which can interface with anomalies. +ent-MachineAnomalyGenerator = anomaly generator + .desc = The peak of pseudoscientific technology. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/anomaly_sync.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/anomaly_sync.ftl new file mode 100644 index 00000000000..e36fa125305 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/anomaly_sync.ftl @@ -0,0 +1,2 @@ +ent-MachineAnomalySynchronizer = anomaly synchronizer + .desc = A sophisticated device that reads changes in anomalous waves, and converts them into energy signals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/artifact_analyzer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/artifact_analyzer.ftl new file mode 100644 index 00000000000..1ebf2cf3cec --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/artifact_analyzer.ftl @@ -0,0 +1,6 @@ +ent-MachineArtifactAnalyzer = artifact analyzer + .desc = A platform capable of performing analysis on various types of artifacts. +ent-MachineTraversalDistorter = traversal distorter + .desc = A machine capable of distorting the traversal of artifact nodes. +ent-MachineArtifactCrusher = artifact crusher + .desc = Best not to let your fingers get stuck... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/base_structuremachines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/base_structuremachines.ftl new file mode 100644 index 00000000000..97f665003b6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/base_structuremachines.ftl @@ -0,0 +1,6 @@ +ent-BaseMachine = { ent-BaseStructure } + .desc = { ent-BaseStructure.desc } +ent-BaseMachinePowered = { ent-BaseMachine } + .desc = { ent-BaseMachine.desc } +ent-ConstructibleMachine = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/bombs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/bombs.ftl new file mode 100644 index 00000000000..4467506500d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/bombs.ftl @@ -0,0 +1,9 @@ +ent-BaseHardBomb = hardbomb + .desc = Just keep talking and nobody will explode. +ent-TrainingBomb = training bomb + .desc = A bomb for dummies, manual not included. +ent-SyndicateBomb = syndicate bomb + .desc = A bomb for Syndicate operatives and agents alike. The real deal, no more training, get to it! +ent-DebugHardBomb = debug bomb + .desc = Holy shit this is gonna explode + .suffix = DEBUG diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/chem_master.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/chem_master.ftl new file mode 100644 index 00000000000..d039ae4201e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/chem_master.ftl @@ -0,0 +1,2 @@ +ent-chem_master = ChemMaster 4000 + .desc = An industrial grade chemical manipulator with pill and bottle production included. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/cloning_machine.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/cloning_machine.ftl new file mode 100644 index 00000000000..4ab2d1cd3af --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/cloning_machine.ftl @@ -0,0 +1,2 @@ +ent-CloningPod = cloning pod + .desc = A Cloning Pod. 50% reliable. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/arcades.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/arcades.ftl new file mode 100644 index 00000000000..bfb70044861 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/arcades.ftl @@ -0,0 +1,9 @@ +ent-ArcadeBase = arcade + .desc = An arcade cabinet. +ent-SpaceVillainArcade = space villain arcade + .desc = { ent-ArcadeBase.desc } +ent-SpaceVillainArcadeFilled = { ent-SpaceVillainArcade } + .suffix = Filled + .desc = { ent-SpaceVillainArcade.desc } +ent-BlockGameArcade = NT block game + .desc = An arcade cabinet with a strangely familiar game. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/base_structurecomputers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/base_structurecomputers.ftl new file mode 100644 index 00000000000..c03e2568bed --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/base_structurecomputers.ftl @@ -0,0 +1,2 @@ +ent-BaseComputer = computer + .desc = { ent-BaseStructureComputer.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 new file mode 100644 index 00000000000..9f547331d59 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/computers.ftl @@ -0,0 +1,66 @@ +ent-ComputerAlert = alerts computer + .desc = Used to access the station's automated alert system. +ent-ComputerEmergencyShuttle = emergency shuttle console + .desc = Handles authorization to early launch the shuttle. +ent-BaseComputerShuttle = shuttle console + .desc = Used to pilot a shuttle. +ent-ComputerShuttle = shuttle console + .desc = Used to pilot a shuttle. +ent-ComputerShuttleSyndie = syndicate shuttle console + .desc = Used to pilot a syndicate shuttle. +ent-ComputerShuttleCargo = cargo shuttle console + .desc = Used to pilot the cargo shuttle. +ent-ComputerShuttleSalvage = salvage shuttle console + .desc = Used to pilot the salvage shuttle. +ent-ComputerIFF = IFF computer + .desc = Allows you to control the IFF characteristics of this vessel. +ent-ComputerIFFSyndicate = IFF computer + .desc = Allows you to control the IFF and stealth characteristics of this vessel. + .suffix = Syndicate +ent-ComputerPowerMonitoring = power monitoring computer + .desc = It monitors power levels across the station. +ent-ComputerMedicalRecords = medical records computer + .desc = This can be used to check medical records. +ent-ComputerCriminalRecords = criminal records computer + .desc = This can be used to check criminal records. Only security can modify them. +ent-ComputerStationRecords = station records computer + .desc = This can be used to check station records. +ent-ComputerCrewMonitoring = crew monitoring console + .desc = Used to monitor active health sensors built into most of the crew's uniforms. +ent-ComputerResearchAndDevelopment = R&D computer + .desc = A computer used to interface with R&D tools. +ent-ComputerAnalysisConsole = analysis console + .desc = A computer used to interface with the artifact analyzer. +ent-ComputerId = ID card computer + .desc = Terminal for programming Nanotrasen employee ID cards to access parts of the station. +ent-computerBodyScanner = body scanner computer + .desc = A body scanner. +ent-ComputerComms = communications computer + .desc = A computer used to make station wide announcements via keyboard, set the appropriate alert level, and call the emergency shuttle. +ent-SyndicateComputerComms = syndicate communications computer + .desc = A computer capable of remotely hacking into the station's communications systems. Using this to make an announcement will alert the station to your presence. +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-ComputerCargoShuttle = cargo shuttle computer + .desc = Used to order the shuttle. +ent-ComputerCargoOrders = cargo request computer + .desc = Used to order supplies and approve requests. +ent-ComputerCargoBounty = cargo bounty computer + .desc = Used to manage currently active bounties. +ent-ComputerCloningConsole = cloning console computer + .desc = The centerpiece of the cloning system, medicine's greatest accomplishment. It has lots of ports and wires. +ent-ComputerSalvageExpedition = salvage expeditions computer + .desc = Used to accept salvage missions, if you're tough enough. +ent-ComputerSurveillanceCameraMonitor = camera monitor + .desc = A surveillance camera monitor. You're watching them. Maybe. +ent-ComputerSurveillanceWirelessCameraMonitor = wireless camera monitor + .desc = A wireless surveillance camera monitor. You're watching them. Maybe. +ent-ComputerPalletConsole = cargo sale computer + .desc = Used to sell goods loaded onto cargo pallets +ent-ComputerMassMedia = mass-media console + .desc = Write your message to the world! +ent-ComputerSensorMonitoring = sensor monitoring computer + .desc = A flexible console for monitoring all kinds of sensors. + .suffix = TESTING, DO NOT MAP diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/frame.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/frame.ftl new file mode 100644 index 00000000000..4afad1add44 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/frame.ftl @@ -0,0 +1,6 @@ +ent-BaseStructureComputer = { ent-BaseStructure } + .desc = { ent-BaseStructure.desc } +ent-ComputerFrame = computer frame + .desc = A computer under construction. +ent-ComputerBroken = broken computer + .desc = This computer has seen better days. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/techdiskterminal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/techdiskterminal.ftl new file mode 100644 index 00000000000..900fa66cb29 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/computers/techdiskterminal.ftl @@ -0,0 +1,2 @@ +ent-ComputerTechnologyDiskTerminal = tech disk terminal + .desc = A terminal used to print out technology disks. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/crew_monitor_server.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/crew_monitor_server.ftl new file mode 100644 index 00000000000..8b1a32e1163 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/crew_monitor_server.ftl @@ -0,0 +1,2 @@ +ent-CrewMonitoringServer = crew monitoring server + .desc = Receives and relays the status of all active suit sensors on the station. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/disease_diagnoser.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/disease_diagnoser.ftl new file mode 100644 index 00000000000..b21e10e7f6e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/disease_diagnoser.ftl @@ -0,0 +1,3 @@ +ent-DiseaseDiagnoser = Disease Diagnoser Delta Extreme + .desc = A machine that analyzes disease samples. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/fatextractor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/fatextractor.ftl new file mode 100644 index 00000000000..05339dff01c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/fatextractor.ftl @@ -0,0 +1,2 @@ +ent-FatExtractor = lipid extractor + .desc = Safely and efficiently extracts excess fat from a subject. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/fax_machine.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/fax_machine.ftl new file mode 100644 index 00000000000..4c8ad2460b5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/fax_machine.ftl @@ -0,0 +1,11 @@ +ent-FaxMachineBase = long range fax machine + .desc = Bluespace technologies on the application of bureaucracy. +ent-FaxMachineCentcom = CentCom long range fax machine + .suffix = CentCom + .desc = { ent-FaxMachineBase.desc } +ent-FaxMachineSyndie = syndicate long range fax machine + .suffix = Syndicate + .desc = { ent-FaxMachineBase.desc } +ent-FaxMachineCaptain = captain long range fax machine + .suffix = NukeCodes + .desc = { ent-FaxMachineBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/flatpacker.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/flatpacker.ftl new file mode 100644 index 00000000000..ff5c8fd6f0f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/flatpacker.ftl @@ -0,0 +1,4 @@ +ent-MachineFlatpacker = Flatpacker 1001 + .desc = An industrial machine used for expediting machine construction across the station. +ent-FlatpackerNoBoardEffect = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/frame.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/frame.ftl new file mode 100644 index 00000000000..2f760b24723 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/frame.ftl @@ -0,0 +1,8 @@ +ent-UnfinishedMachineFrame = machine frame + .desc = A machine under construction. Needs more parts. + .suffix = Unfinished +ent-MachineFrame = machine frame + .suffix = Ready + .desc = { "" } +ent-MachineFrameDestroyed = destroyed machine frame + .desc = { ent-BaseStructureDynamic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/gateway.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/gateway.ftl new file mode 100644 index 00000000000..bd01c0002b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/gateway.ftl @@ -0,0 +1,4 @@ +ent-BaseGateway = gateway + .desc = A mysterious gateway built by unknown hands, it allows for faster than light travel to far-flung locations. +ent-Gateway = { ent-BaseGateway } + .desc = { ent-BaseGateway.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/gravity_generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/gravity_generator.ftl new file mode 100644 index 00000000000..a369df7cacc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/gravity_generator.ftl @@ -0,0 +1,4 @@ +ent-GravityGenerator = gravity generator + .desc = It's what keeps you to the floor. +ent-GravityGeneratorMini = mini gravity generator + .desc = It's what keeps you to the floor, now in fun size. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/grill.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/grill.ftl new file mode 100644 index 00000000000..248e0b1052e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/grill.ftl @@ -0,0 +1,2 @@ +ent-KitchenElectricGrill = electric grill + .desc = A microwave? No, a real man cooks steaks on a grill! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/hotplate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/hotplate.ftl new file mode 100644 index 00000000000..e19d8893a58 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/hotplate.ftl @@ -0,0 +1,4 @@ +ent-BaseHeaterMachine = { ent-BaseMachinePowered } + .desc = { ent-BaseMachinePowered.desc } +ent-ChemistryHotplate = hotplate + .desc = The descendent of the microwaves, our newest invention in beaker heating technology: the hotplate! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/lathe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/lathe.ftl new file mode 100644 index 00000000000..32e8dd4c1e1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/lathe.ftl @@ -0,0 +1,30 @@ +ent-BaseLathe = lathe + .desc = { ent-BaseMachinePowered.desc } +ent-Autolathe = autolathe + .desc = It produces items using metal and glass. +ent-AutolatheHyperConvection = hyper convection autolathe + .desc = A highly-experimental autolathe that harnesses the power of extreme heat to slowly create objects more cost-effectively. +ent-Protolathe = protolathe + .desc = Converts raw materials into useful objects. +ent-ProtolatheHyperConvection = hyper convection protolathe + .desc = A highly-experimental protolathe that harnesses the power of extreme heat to slowly create objects more cost-effectively. +ent-CircuitImprinter = circuit imprinter + .desc = Prints circuit boards for machines. +ent-ExosuitFabricator = exosuit fabricator + .desc = Creates parts for robotics and other mechanical needs +ent-Biofabricator = biofabricator + .desc = Produces animal cubes using biomass. +ent-SecurityTechFab = security techfab + .desc = Prints equipment for use by security crew. +ent-AmmoTechFab = ammo techfab + .desc = Prints the bare minimum of bullets that any budget military or armory could need. Nothing fancy. +ent-MedicalTechFab = medical techfab + .desc = Prints equipment for use by the medbay. +ent-UniformPrinter = uniform printer + .desc = Prints new or replacement uniforms. +ent-OreProcessor = ore processor + .desc = It produces sheets and ingots using ores. +ent-OreProcessorIndustrial = industrial ore processor + .desc = An ore processor specifically designed for mass-producing metals in industrial applications. +ent-Sheetifier = sheet-meister 2000 + .desc = A very sheety machine. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/material_reclaimer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/material_reclaimer.ftl new file mode 100644 index 00000000000..d0508bf92b8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/material_reclaimer.ftl @@ -0,0 +1,2 @@ +ent-MaterialReclaimer = material reclaimer + .desc = Cannot reclaim immaterial things, like motivation. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/biomass_reclaimer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/biomass_reclaimer.ftl new file mode 100644 index 00000000000..8af44190968 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/biomass_reclaimer.ftl @@ -0,0 +1,2 @@ +ent-BiomassReclaimer = biomass reclaimer + .desc = Reclaims biomass from corpses. Gruesome. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/chemistry_machines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/chemistry_machines.ftl new file mode 100644 index 00000000000..468cab28e7e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/chemistry_machines.ftl @@ -0,0 +1,6 @@ +ent-BaseTabletopChemicalMachine = { ent-BaseMachinePowered } + .desc = { ent-BaseMachinePowered.desc } +ent-MachineElectrolysisUnit = electrolysis unit + .desc = The latest in medicinal electrocution technology. +ent-MachineCentrifuge = tabletop centrifuge + .desc = Around and around it goes... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/cryo_pod.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/cryo_pod.ftl new file mode 100644 index 00000000000..2ad208a91e5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/cryo_pod.ftl @@ -0,0 +1,2 @@ +ent-CryoPod = cryo pod + .desc = A special machine intended to create a safe environment for the use of chemicals that react in cold environments. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/disease_diagnoser.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/disease_diagnoser.ftl new file mode 100644 index 00000000000..6c91571fe81 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/disease_diagnoser.ftl @@ -0,0 +1,4 @@ +ent-DiseaseDiagnoser = Disease Diagnoser Delta Extreme + .desc = A machine that analyzes disease samples. +ent-DiagnosisReportPaper = disease diagnoser report + .desc = A chilling medical receipt. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/vaccinator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/vaccinator.ftl new file mode 100644 index 00000000000..0d006315d61 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical/vaccinator.ftl @@ -0,0 +1,2 @@ +ent-Vaccinator = vaccinator + .desc = A machine that creates vaccines. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical_scanner.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical_scanner.ftl new file mode 100644 index 00000000000..aba29b102f6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/medical_scanner.ftl @@ -0,0 +1,2 @@ +ent-MedicalScanner = medical scanner + .desc = A bulky medical scanner. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/microwave.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/microwave.ftl new file mode 100644 index 00000000000..b2667536e58 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/microwave.ftl @@ -0,0 +1,2 @@ +ent-KitchenMicrowave = microwave + .desc = It's magic. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/reagent_grinder.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/reagent_grinder.ftl new file mode 100644 index 00000000000..9cf50ed2aa0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/reagent_grinder.ftl @@ -0,0 +1,3 @@ +ent-KitchenReagentGrinder = reagent grinder + .desc = From BlenderTech. Will It Blend? Let's find out! + .suffix = grinder/juicer diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/recycler.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/recycler.ftl new file mode 100644 index 00000000000..345f633183f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/recycler.ftl @@ -0,0 +1,2 @@ +ent-Recycler = recycler + .desc = A large crushing machine used to recycle small items inefficiently. There are lights on the side. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/research.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/research.ftl new file mode 100644 index 00000000000..2010487bdef --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/research.ftl @@ -0,0 +1,4 @@ +ent-ResearchAndDevelopmentServer = R&D server + .desc = Contains the collective knowledge of the station's scientists. Destroying it would send them back to the stone age. You don't want that do you? +ent-BaseResearchAndDevelopmentPointSource = base R&D point source + .desc = { ent-BaseMachinePowered.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/salvage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/salvage.ftl new file mode 100644 index 00000000000..b67d7e59d26 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/salvage.ftl @@ -0,0 +1,4 @@ +ent-SalvageMagnet = salvage magnet + .desc = Pulls in salvage. +ent-SalvageLocator = salvage locator + .desc = Locates salvage. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/seed_extractor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/seed_extractor.ftl new file mode 100644 index 00000000000..894f657304c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/seed_extractor.ftl @@ -0,0 +1,2 @@ +ent-SeedExtractor = seed extractor + .desc = Extracts seeds from produce. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/smartfridge.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/smartfridge.ftl new file mode 100644 index 00000000000..f3fc50033c0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/smartfridge.ftl @@ -0,0 +1,2 @@ +ent-SmartFridge = SmartFridge + .desc = A refrigerated storage unit for keeping items cold and fresh. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/stasisbed.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/stasisbed.ftl new file mode 100644 index 00000000000..d8e5f81a1b8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/stasisbed.ftl @@ -0,0 +1,2 @@ +ent-StasisBed = stasis bed + .desc = A bed that massively slows down the patient's metabolism and prevents bodily decay, allowing more time to administer a proper treatment for stabilization. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/surveillance_camera_routers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/surveillance_camera_routers.ftl new file mode 100644 index 00000000000..d7f2801e660 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/surveillance_camera_routers.ftl @@ -0,0 +1,37 @@ +ent-SurveillanceCameraRouterBase = camera router + .desc = A surveillance camera router. It routes. Perhaps. +ent-SurveillanceCameraRouterConstructed = { ent-SurveillanceCameraRouterBase } + .suffix = Constructed + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterEngineering = { ent-SurveillanceCameraRouterBase } + .suffix = Engineering + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterSecurity = { ent-SurveillanceCameraRouterBase } + .suffix = Security + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterScience = { ent-SurveillanceCameraRouterBase } + .suffix = Science + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterSupply = { ent-SurveillanceCameraRouterBase } + .suffix = Supply + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterCommand = { ent-SurveillanceCameraRouterBase } + .suffix = Command + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterService = { ent-SurveillanceCameraRouterBase } + .suffix = Service + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterMedical = { ent-SurveillanceCameraRouterBase } + .suffix = Medical + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraRouterGeneral = { ent-SurveillanceCameraRouterBase } + .suffix = General + .desc = { ent-SurveillanceCameraRouterBase.desc } +ent-SurveillanceCameraWirelessRouterBase = wireless camera router + .desc = A wireless surveillance camera router. It routes. Perhaps. +ent-SurveillanceCameraWirelessRouterConstructed = { ent-SurveillanceCameraWirelessRouterBase } + .suffix = Constructed + .desc = { ent-SurveillanceCameraWirelessRouterBase.desc } +ent-SurveillanceCameraWirelessRouterEntertainment = { ent-SurveillanceCameraWirelessRouterBase } + .suffix = Entertainment + .desc = { ent-SurveillanceCameraWirelessRouterBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/telecomms.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/telecomms.ftl new file mode 100644 index 00000000000..e3341b0b4db --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/telecomms.ftl @@ -0,0 +1,5 @@ +ent-TelecomServer = telecommunication server + .desc = When powered and filled with encryption keys it allows radio headset communication. +ent-TelecomServerFilled = { ent-TelecomServer } + .suffix = Filled, DO NOT MAP + .desc = { ent-TelecomServer.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/traitordm.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/traitordm.ftl new file mode 100644 index 00000000000..7c1d3428b90 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/traitordm.ftl @@ -0,0 +1,2 @@ +ent-TraitorDMRedemptionMachine = traitor deathmatch pda redemption machine + .desc = Put someone else's PDA into this to get telecrystals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/vaccinator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/vaccinator.ftl new file mode 100644 index 00000000000..1f374e99848 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/vaccinator.ftl @@ -0,0 +1,3 @@ +ent-Vaccinator = Vaccinator + .desc = A machine that creates vaccines. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/vending_machines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/vending_machines.ftl new file mode 100644 index 00000000000..98711e23080 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/vending_machines.ftl @@ -0,0 +1,150 @@ +ent-VendingMachine = vending machine + .desc = Just add capitalism! +ent-VendingMachineCondiments = condiment station + .desc = Slather these thick gooey substances on your food for a full flavor effect. +ent-VendingMachineAmmo = liberation station + .desc = An overwhelming amount of ancient patriotism washes over you just by looking at the machine. +ent-VendingMachineBooze = Booze-O-Mat + .desc = A technological marvel, supposedly able to mix just the mixture you'd like to drink the moment you ask for one. +ent-VendingMachineCart = PTech + .desc = PTech vending! Providing a ROBUST selection of PDAs, cartridges, and anything else a dull paper pusher needs! +ent-VendingMachineChefvend = ChefVend + .desc = An ingredient vendor for all your cheffin needs. +ent-VendingMachineCigs = ShadyCigs Deluxe + .desc = If you want to get cancer, might as well do it in style. +ent-VendingMachineClothing = ClothesMate + .desc = A vending machine for clothing. +ent-VendingMachineWinter = WinterDrobe + .desc = The best place to enjoy the cold! +ent-VendingMachineCoffee = Solar's Best Hot Drinks + .desc = Served boiling so it stays hot all shift! +ent-VendingMachineCola = Robust Softdrinks + .desc = A softdrink vendor provided by Robust Industries, LLC. +ent-VendingMachineColaBlack = { ent-VendingMachineCola } + .suffix = Black + .desc = { ent-VendingMachineCola.desc } +ent-VendingMachineColaRed = Space Cola Vendor + .desc = It vends cola, in space. +ent-VendingMachineSpaceUp = Space-Up! Vendor + .desc = Indulge in an explosion of flavor. +ent-VendingMachineSoda = { ent-VendingMachineCola } + .suffix = Soda + .desc = { ent-VendingMachineCola.desc } +ent-VendingMachineStarkist = Star-kist Vendor + .desc = The taste of a star in liquid form. +ent-VendingMachineShamblersJuice = Shambler's Juice Vendor + .desc = ~Shake me up some of that Shambler's Juice!~ +ent-VendingMachinePwrGame = Pwr Game Vendor + .desc = You want it, we got it. Brought to you in partnership with Vlad's Salads. +ent-VendingMachineDrGibb = Dr. Gibb Vendor + .desc = Canned explosion of different flavors in this very vendor! +ent-VendingMachineDinnerware = Plasteel Chef's Dinnerware Vendor + .desc = A kitchen and restaurant equipment vendor. +ent-VendingMachineMagivend = MagiVend + .desc = A magic vending machine. +ent-VendingMachineDiscount = Discount Dan's + .desc = A vending machine containing discount snacks from the infamous 'Discount Dan' franchise. +ent-VendingMachineEngivend = Engi-Vend + .desc = Spare tool vending. What? Did you expect some witty description? +ent-VendingMachineMedical = NanoMed Plus + .desc = It's a medical drug dispenser. Natural chemicals only! +ent-VendingMachineNutri = NutriMax + .desc = A vending machine containing nutritional substances for plants and botanical tools. +ent-VendingMachineSec = SecTech + .desc = A vending machine containing Security equipment. A label reads SECURITY PERSONNEL ONLY. +ent-VendingMachineSeedsUnlocked = MegaSeed Servitor + .desc = For when you need seeds fast. Hands down the best seed selection on the station! + .suffix = Unlocked +ent-VendingMachineSeeds = { ent-VendingMachineSeedsUnlocked } + .suffix = Hydroponics + .desc = { ent-VendingMachineSeedsUnlocked.desc } +ent-VendingMachineSnack = Getmore Chocolate Corp + .desc = A snack machine courtesy of the Getmore Chocolate Corporation, based out of Mars. +ent-VendingMachineSustenance = Sustenance Vendor + .desc = A vending machine which vends food, as required by section 47-C of the NT's Prisoner Ethical Treatment Agreement. +ent-VendingMachineSnackBlue = { ent-VendingMachineSnack } + .suffix = Blue + .desc = { ent-VendingMachineSnack.desc } +ent-VendingMachineSnackOrange = { ent-VendingMachineSnack } + .suffix = Orange + .desc = { ent-VendingMachineSnack.desc } +ent-VendingMachineSnackGreen = { ent-VendingMachineSnack } + .suffix = Green + .desc = { ent-VendingMachineSnack.desc } +ent-VendingMachineSnackTeal = { ent-VendingMachineSnack } + .suffix = Teal + .desc = { ent-VendingMachineSnack.desc } +ent-VendingMachineSovietSoda = BODA + .desc = An old vending machine containing sweet water. +ent-VendingMachineTheater = AutoDrobe + .desc = A vending machine containing costumes. +ent-VendingMachineVendomat = Vendomat + .desc = Only the finest robust equipment in space! +ent-VendingMachineRobotics = Robotech Deluxe + .desc = All the tools you need to create your own robot army. +ent-VendingMachineYouTool = YouTool + .desc = A vending machine containing standard tools. A label reads: Tools for tools. +ent-VendingMachineGames = Good Clean Fun + .desc = Vends things that the station representatives are probably not going to appreciate you fiddling with instead of your job... +ent-VendingMachineChang = Mr. Chang + .desc = A self-serving Chinese food machine, for all your Chinese food needs. +ent-VendingMachineSalvage = Salvage Vendor + .desc = A dwarves best friend! +ent-VendingMachineDonut = Monkin' Donuts + .desc = A donut vendor provided by Robust Industries, LLC. +ent-VendingMachineWallmount = vending machine + .desc = { ent-VendingMachine.desc } +ent-VendingMachineWallMedical = NanoMed + .desc = It's a wall-mounted medical equipment dispenser. Natural chemicals only! +ent-VendingMachineHydrobe = HyDrobe + .desc = A machine with a catchy name. It dispenses botany related clothing and gear. +ent-VendingMachineLawDrobe = LawDrobe + .desc = Objection! This wardrobe dispenses the rule of law... and lawyer clothing.. +ent-VendingMachineSecDrobe = SecDrobe + .desc = A vending machine for security and security-related clothing! +ent-VendingBarDrobe = BarDrobe + .desc = A stylish vendor to dispense the most stylish bar clothing! +ent-VendingMachineChapel = PietyVend + .desc = { ent-VendingMachine.desc } +ent-VendingMachineCargoDrobe = CargoDrobe + .desc = A highly advanced vending machine for buying cargo related clothing for free. +ent-VendingMachineMediDrobe = MediDrobe + .desc = A vending machine rumoured to be capable of dispensing clothing for medical personnel. +ent-VendingMachineChemDrobe = ChemDrobe + .desc = A vending machine for dispensing chemistry related clothing. +ent-VendingMachineCuraDrobe = CuraDrobe + .desc = A lowstock vendor only capable of vending clothing for curators and librarians. +ent-VendingMachineAtmosDrobe = AtmosDrobe + .desc = This relatively unknown vending machine delivers clothing for Atmospherics Technicians, an equally unknown job. +ent-VendingMachineEngiDrobe = EngiDrobe + .desc = A vending machine renowned for vending industrial grade clothing. +ent-VendingMachineChefDrobe = ChefDrobe + .desc = This vending machine might not dispense meat, but it certainly dispenses chef related clothing. +ent-VendingMachineDetDrobe = DetDrobe + .desc = A machine for all your detective needs, as long as you need clothes. +ent-VendingMachineJaniDrobe = JaniDrobe + .desc = A self cleaning vending machine capable of dispensing clothing for janitors. +ent-VendingMachineSciDrobe = SciDrobe + .desc = A simple vending machine suitable to dispense well tailored science clothing. Endorsed by Space Cubans. +ent-VendingMachineSyndieDrobe = SyndieDrobe + .desc = Wardrobe machine encoded by the syndicate, contains elite outfits for various operations. +ent-VendingMachineRoboDrobe = RoboDrobe + .desc = A vending machine designed to dispense clothing known only to roboticists. +ent-VendingMachineGeneDrobe = GeneDrobe + .desc = A machine for dispensing clothing related to genetics. +ent-VendingMachineViroDrobe = ViroDrobe + .desc = An unsterilized machine for dispending virology related clothing. +ent-VendingMachineCentDrobe = CentDrobe + .desc = A one-of-a-kind vending machine for all your centcom aesthetic needs! +ent-VendingMachineHappyHonk = Happy Honk Dispenser + .desc = A happy honk meal box dispenser made by honk! co. +ent-VendingMachineTankDispenserEVA = gas tank dispenser + .desc = A vendor for dispensing gas tanks. + .suffix = EVA [O2, N2] +ent-VendingMachineTankDispenserEngineering = gas tank dispenser + .desc = A vendor for dispensing gas tanks. This one has an engineering livery. + .suffix = ENG [O2, Plasma] +ent-VendingMachineChemicals = ChemVend + .desc = Probably not the coffee machine. +ent-VendingMachineChemicalsSyndicate = SyndieJuice + .desc = Not made with freshly squeezed syndies I hope. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/wireless_surveillance_camera.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/wireless_surveillance_camera.ftl new file mode 100644 index 00000000000..32c6b2fb4fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/machines/wireless_surveillance_camera.ftl @@ -0,0 +1,20 @@ +ent-SurveillanceWirelessCameraBase = wireless camera + .desc = A camera. It's watching you. Kinda. +ent-SurveillanceWirelessCameraAnchoredBase = { ent-SurveillanceWirelessCameraBase } + .suffix = Anchored + .desc = { ent-SurveillanceWirelessCameraBase.desc } +ent-SurveillanceWirelessCameraMovableBase = { ent-SurveillanceWirelessCameraBase } + .suffix = Movable + .desc = { ent-SurveillanceWirelessCameraBase.desc } +ent-SurveillanceWirelessCameraAnchoredConstructed = { ent-SurveillanceWirelessCameraAnchoredBase } + .suffix = Constructed, Anchored + .desc = { ent-SurveillanceWirelessCameraAnchoredBase.desc } +ent-SurveillanceWirelessCameraMovableConstructed = { ent-SurveillanceWirelessCameraMovableBase } + .suffix = Constructed, Movable + .desc = { ent-SurveillanceWirelessCameraMovableBase.desc } +ent-SurveillanceWirelessCameraAnchoredEntertainment = { ent-SurveillanceWirelessCameraAnchoredBase } + .suffix = Entertainment, Anchored + .desc = { ent-SurveillanceWirelessCameraAnchoredBase.desc } +ent-SurveillanceWirelessCameraMovableEntertainment = { ent-SurveillanceWirelessCameraMovableBase } + .suffix = Entertainment, Movable + .desc = { ent-SurveillanceWirelessCameraMovableBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/meat_spike.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/meat_spike.ftl new file mode 100644 index 00000000000..2e42d5c1c41 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/meat_spike.ftl @@ -0,0 +1,2 @@ +ent-KitchenSpike = meat spike + .desc = A spike for collecting meat from animals. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/binary.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/binary.ftl new file mode 100644 index 00000000000..d7da2b75952 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/binary.ftl @@ -0,0 +1,20 @@ +ent-GasBinaryBase = { ent-GasPipeBase } + .desc = { ent-GasPipeBase.desc } +ent-GasPressurePump = gas pump + .desc = A pump that moves gas by pressure. +ent-GasVolumePump = volumetric gas pump + .desc = A pump that moves gas by volume. +ent-GasPassiveGate = passive gate + .desc = A one-way air valve that does not require power. +ent-GasValve = manual valve + .desc = A pipe with a valve that can be used to disable the flow of gas through it. +ent-SignalControlledValve = signal valve + .desc = A pipe with a valve that can be controlled with signals. +ent-GasPort = connector port + .desc = For connecting portable devices related to atmospherics control. +ent-GasDualPortVentPump = dual-port air vent + .desc = Has a valve and a pump attached to it. There are two ports, one is an input for releasing air, the other is an output when siphoning. +ent-GasRecycler = gas recycler + .desc = Recycles carbon dioxide and nitrous oxide. Heater and compressor not included. +ent-HeatExchanger = radiator + .desc = Transfers heat between the pipe and its surroundings. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/miners.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/miners.ftl new file mode 100644 index 00000000000..561ea1e2993 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/miners.ftl @@ -0,0 +1,32 @@ +ent-GasMinerBase = gas miner + .desc = Gases mined from the gas giant below (above?) flow out through this massive vent. +ent-GasMinerOxygen = O2 gas miner + .suffix = Shuttle, 300kPa + .desc = { ent-GasMinerBase.desc } +ent-GasMinerOxygenStation = O2 gas miner + .suffix = Station, 1000kPa + .desc = { ent-GasMinerOxygen.desc } +ent-GasMinerOxygenStationLarge = O2 gas miner + .suffix = Large Station, 4500kPa + .desc = { ent-GasMinerOxygen.desc } +ent-GasMinerNitrogen = N2 gas miner + .suffix = Shuttle, 300kPa + .desc = { ent-GasMinerBase.desc } +ent-GasMinerNitrogenStation = N2 gas miner + .suffix = Station, 1000kPa + .desc = { ent-GasMinerNitrogen.desc } +ent-GasMinerNitrogenStationLarge = N2 gas miner + .suffix = Large Station, 4500kPa + .desc = { ent-GasMinerNitrogen.desc } +ent-GasMinerCarbonDioxide = CO2 gas miner + .desc = { ent-GasMinerBase.desc } +ent-GasMinerPlasma = plasma gas miner + .desc = { ent-GasMinerBase.desc } +ent-GasMinerTritium = tritium gas miner + .desc = { ent-GasMinerBase.desc } +ent-GasMinerWaterVapor = water vapor gas miner + .desc = { ent-GasMinerBase.desc } +ent-GasMinerAmmonia = ammonia gas miner + .desc = { ent-GasMinerBase.desc } +ent-GasMinerNitrousOxide = nitrous oxide gas miner + .desc = { ent-GasMinerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/pipes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/pipes.ftl new file mode 100644 index 00000000000..32fb817a7d4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/pipes.ftl @@ -0,0 +1,19 @@ +ent-GasPipeBase = pipe + .desc = Holds gas. +ent-GasPipeHalf = { ent-GasPipeBase } + .suffix = Half + .desc = { ent-GasPipeBase.desc } +ent-GasPipeStraight = { ent-GasPipeBase } + .suffix = Straight + .desc = { ent-GasPipeBase.desc } +ent-GasPipeBend = { ent-GasPipeBase } + .suffix = Bend + .desc = { ent-GasPipeBase.desc } +ent-GasPipeTJunction = { ent-GasPipeBase } + .suffix = TJunction + .desc = { ent-GasPipeBase.desc } +ent-GasPipeFourway = { ent-GasPipeBase } + .suffix = Fourway + .desc = { ent-GasPipeBase.desc } +ent-GasPipeBroken = broken pipe + .desc = It used to hold gas. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/portable.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/portable.ftl new file mode 100644 index 00000000000..55ee5629200 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/portable.ftl @@ -0,0 +1,2 @@ +ent-PortableScrubber = portable scrubber + .desc = It scrubs, portably! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/special.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/special.ftl new file mode 100644 index 00000000000..88e2e076c65 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/special.ftl @@ -0,0 +1,2 @@ +ent-AtmosDeviceFanTiny = tiny fan + .desc = A tiny fan, releasing a thin gust of air. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/trinary.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/trinary.ftl new file mode 100644 index 00000000000..6600c4547d0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/trinary.ftl @@ -0,0 +1,14 @@ +ent-GasTrinaryBase = { ent-GasPipeBase } + .desc = { ent-GasPipeBase.desc } +ent-GasFilter = gas filter + .desc = Very useful for filtering gases. +ent-GasFilterFlipped = gas filter + .suffix = Flipped + .desc = { ent-GasFilter.desc } +ent-GasMixer = gas mixer + .desc = Very useful for mixing gases. +ent-GasMixerFlipped = gas mixer + .suffix = Flipped + .desc = { ent-GasMixer.desc } +ent-PressureControlledValve = pneumatic valve + .desc = Valve controlled by pressure. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/unary.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/unary.ftl new file mode 100644 index 00000000000..a7de31338ed --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/atmospherics/unary.ftl @@ -0,0 +1,28 @@ +ent-GasUnaryBase = { ent-GasPipeBase } + .desc = { ent-GasPipeBase.desc } +ent-GasVentPump = air vent + .desc = Has a valve and a pump attached to it. +ent-GasPassiveVent = passive vent + .desc = It's an open vent. +ent-GasVentScrubber = air scrubber + .desc = Has a valve and pump attached to it. +ent-GasOutletInjector = air injector + .desc = Has a valve and pump attached to it. +ent-BaseGasThermoMachine = thermomachine + .desc = { ent-BaseMachinePowered.desc } +ent-GasThermoMachineFreezer = freezer + .desc = Cools gas in connected pipes. +ent-GasThermoMachineFreezerEnabled = { ent-GasThermoMachineFreezer } + .suffix = Enabled + .desc = { ent-GasThermoMachineFreezer.desc } +ent-GasThermoMachineHeater = heater + .desc = Heats gas in connected pipes. +ent-GasThermoMachineHeaterEnabled = { ent-GasThermoMachineHeater } + .suffix = Enabled + .desc = { ent-GasThermoMachineHeater.desc } +ent-GasThermoMachineHellfireFreezer = hellfire freezer + .desc = An advanced machine that cools gas in connected pipes. Has the side effect of chilling the surrounding area. Cold as Hell! +ent-GasThermoMachineHellfireHeater = hellfire heater + .desc = An advanced machine that heats gas in connected pipes. Has the side effect of leaking heat into the surrounding area. Hot as Hell! +ent-BaseGasCondenser = condenser + .desc = Condenses gases into liquids. Now we just need some plumbing. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/high_pressure_machine_frame.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/high_pressure_machine_frame.ftl new file mode 100644 index 00000000000..934cd6259b3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/high_pressure_machine_frame.ftl @@ -0,0 +1,2 @@ +ent-DisposalMachineFrame = high pressure machine frame + .desc = A machine frame made to withstand the amount of pressure used in the station's disposal system. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/pipes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/pipes.ftl new file mode 100644 index 00000000000..5decd65edfc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/pipes.ftl @@ -0,0 +1,31 @@ +ent-DisposalPipeBase = { "" } + .desc = { "" } +ent-DisposalHolder = disposal holder + .desc = { "" } +ent-DisposalPipeBroken = broken disposal pipe + .desc = A BBP (big broken pipe) +ent-DisposalPipe = disposal pipe segment + .desc = A huge pipe segment used for constructing disposal systems. +ent-DisposalTagger = disposal pipe tagger + .desc = A pipe that tags entities for routing. +ent-DisposalTrunk = disposal trunk + .desc = A pipe trunk used as an entry point for disposal systems. +ent-DisposalRouter = disposal router + .desc = A three-way router. Entities with matching tags get routed to the side via configurable filters. +ent-DisposalRouterFlipped = { ent-DisposalRouter } + .desc = A three-way router. Entities with matching tags get routed to the side. + .suffix = flipped +ent-DisposalJunction = disposal junction + .desc = A three-way junction. The arrow indicates where items exit. +ent-DisposalJunctionFlipped = { ent-DisposalJunction } + .desc = A three-way junction. The arrow indicates where items exit. + .suffix = flipped +ent-DisposalYJunction = disposal y-junction + .desc = A three-way junction with another exit point. +ent-DisposalBend = disposal bend + .desc = A tube bent at a 90 degree angle. +ent-DisposalSignalRouter = disposal signal router + .desc = A signal-controlled three-way router. +ent-DisposalSignalRouterFlipped = { ent-DisposalSignalRouter } + .suffix = flipped + .desc = { ent-DisposalSignalRouter.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/units.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/units.ftl new file mode 100644 index 00000000000..375b1d7cd63 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/piping/disposal/units.ftl @@ -0,0 +1,6 @@ +ent-DisposalUnitBase = { ent-BaseMachinePowered } + .desc = A pneumatic waste disposal unit. +ent-DisposalUnit = disposal unit + .desc = { ent-DisposalUnitBase.desc } +ent-MailingUnit = mailing unit + .desc = A pneumatic mail delivery unit. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/plastic_flaps.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/plastic_flaps.ftl new file mode 100644 index 00000000000..8bb210e36ec --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/plastic_flaps.ftl @@ -0,0 +1,12 @@ +ent-PlasticFlapsClear = plastic flaps + .desc = Heavy duty, plastic flaps. Definitely can't get past those. No way. + .suffix = Clear +ent-PlasticFlapsOpaque = plastic flaps + .desc = Heavy duty, plastic flaps. Definitely can't get past those. No way. + .suffix = Opaque +ent-PlasticFlapsAirtightClear = airtight plastic flaps + .desc = Heavy duty, slightly stronger, airtight plastic flaps. Definitely can't get past those. No way. + .suffix = Airtight Clear +ent-PlasticFlapsAirtightOpaque = airtight plastic flaps + .desc = Heavy duty, slightly stronger, airtight plastic flaps. Definitely can't get past those. No way. + .suffix = Airtight Opaque diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/apc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/apc.ftl new file mode 100644 index 00000000000..7314b7832cb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/apc.ftl @@ -0,0 +1,19 @@ +ent-BaseAPC = APC + .desc = A control terminal for the area's electrical systems. +ent-APCFrame = APC frame + .desc = A control terminal for the area's electrical systems, lacking the electronics. +ent-APCConstructed = { ent-BaseAPC } + .suffix = Open + .desc = { ent-BaseAPC.desc } +ent-APCBasic = { ent-BaseAPC } + .suffix = Basic, 50kW + .desc = { ent-BaseAPC.desc } +ent-APCHighCapacity = { ent-BaseAPC } + .suffix = High Capacity, 100kW + .desc = { ent-BaseAPC.desc } +ent-APCSuperCapacity = { ent-BaseAPC } + .suffix = Super Capacity, 150kW + .desc = { ent-BaseAPC.desc } +ent-APCHyperCapacity = { ent-BaseAPC } + .suffix = Hyper Capacity, 200kW + .desc = { ent-BaseAPC.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/cable_terminal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/cable_terminal.ftl new file mode 100644 index 00000000000..9250f273abb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/cable_terminal.ftl @@ -0,0 +1,2 @@ +ent-CableTerminal = cable terminal + .desc = You see a small warning on the red cables in grungy black ink. "CONNECT RED TO BATTERY FOR CHARGE." diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/cables.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/cables.ftl new file mode 100644 index 00000000000..dfdaaf517f5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/cables.ftl @@ -0,0 +1,8 @@ +ent-CableBase = { "" } + .desc = { "" } +ent-CableHV = HV power cable + .desc = An orange high voltage power cable. +ent-CableMV = MV power cable + .desc = A medium voltage power cable. +ent-CableApcExtension = LV power cable + .desc = A cable used to connect machines to an APC. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/chargers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/chargers.ftl new file mode 100644 index 00000000000..eea3562f151 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/chargers.ftl @@ -0,0 +1,16 @@ +ent-BaseRecharger = { ent-BaseMachinePowered } + .desc = { ent-BaseMachinePowered.desc } +ent-BaseItemRecharger = { ent-BaseRecharger } + .desc = { ent-BaseRecharger.desc } +ent-PowerCellRecharger = cell recharger + .desc = { ent-BaseItemRecharger.desc } +ent-PowerCageRecharger = cage recharger + .desc = { ent-BaseItemRecharger.desc } +ent-WeaponCapacitorRecharger = recharger + .desc = { ent-BaseItemRecharger.desc } +ent-TurboItemRecharger = turbo recharger + .desc = An overclocked recharger that's been adapted with a global port. +ent-WallWeaponCapacitorRecharger = wall recharger + .desc = { ent-BaseItemRecharger.desc } +ent-BorgCharger = cyborg recharging station + .desc = A stationary charger for various robotic and cyborg entities. Surprisingly spacious. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/debug_power.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/debug_power.ftl new file mode 100644 index 00000000000..bf62eaca0dd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/debug_power.ftl @@ -0,0 +1,24 @@ +ent-DebugGenerator = { ent-BaseGenerator } + .suffix = DEBUG + .desc = { ent-BaseGenerator.desc } +ent-DebugConsumer = consumer + .suffix = DEBUG + .desc = { "" } +ent-DebugBatteryStorage = battery storage + .suffix = DEBUG + .desc = { "" } +ent-DebugBatteryDischarger = battery discharger + .suffix = DEBUG + .desc = { "" } +ent-DebugSMES = { ent-BaseSMES } + .suffix = DEBUG + .desc = { ent-BaseSMES.desc } +ent-DebugSubstation = { ent-BaseSubstation } + .suffix = DEBUG + .desc = { ent-BaseSubstation.desc } +ent-DebugAPC = { ent-BaseAPC } + .suffix = DEBUG + .desc = { ent-BaseAPC.desc } +ent-DebugPowerReceiver = power receiver + .suffix = DEBUG + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/ame.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/ame.ftl new file mode 100644 index 00000000000..c5a71585df5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/ame.ftl @@ -0,0 +1,7 @@ +ent-AmeController = AME controller + .desc = It's a controller for the antimatter engine. +ent-AmeControllerUnanchored = { ent-AmeController } + .suffix = Unanchored + .desc = { ent-AmeController.desc } +ent-AmeShielding = AME shielding + .desc = Keeps the antimatter in and the matter out. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/generator.ftl new file mode 100644 index 00000000000..484539ed804 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/generator.ftl @@ -0,0 +1,3 @@ +ent-BaseGenerator = generator + .desc = A high efficiency thermoelectric generator. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/generators.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/generators.ftl new file mode 100644 index 00000000000..cdd0c71ea18 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/generators.ftl @@ -0,0 +1,24 @@ +ent-BaseGenerator = generator + .desc = A high efficiency thermoelectric generator. +ent-BaseGeneratorWallmount = wallmount generator + .desc = A high efficiency thermoelectric generator stuffed in a wall cabinet. +ent-BaseGeneratorWallmountFrame = wallmount generator frame + .desc = A construction frame for a wallmount generator. +ent-GeneratorBasic = { ent-BaseGenerator } + .suffix = Basic, 3kW + .desc = { ent-BaseGenerator.desc } +ent-GeneratorBasic15kW = { ent-BaseGenerator } + .suffix = Basic, 15kW, Anchored + .desc = { ent-BaseGenerator.desc } +ent-GeneratorWallmountBasic = { ent-BaseGeneratorWallmount } + .suffix = Basic, 3kW + .desc = { ent-BaseGeneratorWallmount.desc } +ent-GeneratorWallmountAPU = shuttle APU + .desc = An auxiliary power unit for a shuttle - 6kW. + .suffix = APU, 6kW +ent-GeneratorRTG = RTG + .desc = A Radioisotope Thermoelectric Generator for long term power. + .suffix = 10kW +ent-GeneratorRTGDamaged = damaged RTG + .desc = A Radioisotope Thermoelectric Generator for long term power. This one has damaged shielding. + .suffix = 10kW diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/base_particleaccelerator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/base_particleaccelerator.ftl new file mode 100644 index 00000000000..288e8116da4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/base_particleaccelerator.ftl @@ -0,0 +1,6 @@ +ent-ParticleAcceleratorBase = { "" } + .desc = { "" } +ent-ParticleAcceleratorFinishedPart = { ent-ParticleAcceleratorBase } + .desc = { ent-ParticleAcceleratorBase.desc } +ent-ParticleAcceleratorUnfinishedBase = { ent-ParticleAcceleratorBase } + .desc = { ent-ParticleAcceleratorBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/control_box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/control_box.ftl new file mode 100644 index 00000000000..e7ef65b9d1e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/control_box.ftl @@ -0,0 +1,5 @@ +ent-ParticleAcceleratorControlBox = PA control computer + .desc = This controls the density of the particles. +ent-ParticleAcceleratorControlBoxUnfinished = PA control computer + .desc = This controls the density of the particles. It looks unfinished. + .suffix = Unfinished diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/emitter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/emitter.ftl new file mode 100644 index 00000000000..03cf63aac4a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/emitter.ftl @@ -0,0 +1,15 @@ +ent-ParticleAcceleratorEmitterPort = PA port containment emitter + .desc = This launchs the Alpha particles, might not want to stand near this end. +ent-ParticleAcceleratorEmitterFore = PA fore containment emitter + .desc = This launchs the Alpha particles, might not want to stand near this end. +ent-ParticleAcceleratorEmitterStarboard = PA starboard containment emitter + .desc = This launchs the Alpha particles, might not want to stand near this end. +ent-ParticleAcceleratorEmitterPortUnfinished = PA port containment emitter + .desc = This launchs the Alpha particles, might not want to stand near this end. It looks unfinished. + .suffix = Unfinished, Port +ent-ParticleAcceleratorEmitterForeUnfinished = PA fore containment emitter + .desc = This launchs the Alpha particles, might not want to stand near this end. It looks unfinished. + .suffix = Unfinished, Fore +ent-ParticleAcceleratorEmitterStarboardUnfinished = PA starboard containment emitter + .desc = This launchs the Alpha particles, might not want to stand near this end. It looks unfinished. + .suffix = Unfinished, Starboard diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/end_cap.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/end_cap.ftl new file mode 100644 index 00000000000..809ddfc59c9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/end_cap.ftl @@ -0,0 +1,5 @@ +ent-ParticleAcceleratorEndCap = PA end-cap + .desc = Formally known as the Alpha Particle Generation Array. This is where Alpha particles are generated from [REDACTED]. +ent-ParticleAcceleratorEndCapUnfinished = PA end-cap + .desc = Formally known as the Alpha Particle Generation Array. This is where Alpha particles are generated from [REDACTED]. It looks unfinished. + .suffix = Unfinished diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/fuel_chamber.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/fuel_chamber.ftl new file mode 100644 index 00000000000..23d552b7404 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/fuel_chamber.ftl @@ -0,0 +1,5 @@ +ent-ParticleAcceleratorFuelChamber = PA fuel chamber + .desc = Formally known as the EM Acceleration Chamber. This is where the Alpha particles are accelerated to radical speeds. +ent-ParticleAcceleratorFuelChamberUnfinished = PA fuel chamber + .desc = Formally known as the EM Acceleration Chamber. This is where the Alpha particles are accelerated to radical speeds. It looks unfinished. + .suffix = Unfinished diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/particles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/particles.ftl new file mode 100644 index 00000000000..8992dc4e61b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/particles.ftl @@ -0,0 +1,4 @@ +ent-ParticlesProjectile = particles + .desc = Accelerated particles. +ent-AntiParticlesProjectile = anti particles + .desc = Accelerated negative particles. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/power_box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/power_box.ftl new file mode 100644 index 00000000000..9bb71aff849 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/pa/power_box.ftl @@ -0,0 +1,5 @@ +ent-ParticleAcceleratorPowerBox = PA power box + .desc = Formally known as the Particle Focusing EM Lens. This uses electromagnetic waves to focus the Alpha-Particles. +ent-ParticleAcceleratorPowerBoxUnfinished = PA power box + .desc = Formally known as the Particle Focusing EM Lens. This uses electromagnetic waves to focus the Alpha-Particles. It looks unfinished. + .suffix = Unfinished diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/portable_generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/portable_generator.ftl new file mode 100644 index 00000000000..5c8106c64d2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/portable_generator.ftl @@ -0,0 +1,20 @@ +ent-PortableGeneratorBase = { ent-BaseMachine } + .desc = { ent-BaseMachine.desc } +ent-PortableGeneratorSwitchableBase = { ent-PortableGeneratorBase } + .desc = { ent-PortableGeneratorBase.desc } +ent-PortableGeneratorPacman = P.A.C.M.A.N.-type portable generator + .desc = + A flexible backup generator for powering a variety of equipment. + Runs off solid plasma sheets and is rated for up to 25 kW. + .suffix = Plasma, 15 kW +ent-PortableGeneratorSuperPacman = S.U.P.E.R.P.A.C.M.A.N.-type portable generator + .desc = + An advanced generator for powering departments. + Runs off uranium sheets and is rated for up to 50 kW. + .suffix = Uranium, 30 kW +ent-PortableGeneratorJrPacman = J.R.P.A.C.M.A.N.-type portable generator + .desc = + A small generator capable of powering individual rooms, in case of emergencies. + Runs off welding fuel and is rated for up to 15 kW. + Rated ages 3 and up. + .suffix = Welding Fuel, 5 kW diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/collector.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/collector.ftl new file mode 100644 index 00000000000..10fc66740ca --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/collector.ftl @@ -0,0 +1,9 @@ +ent-RadiationCollector = radiation collector + .desc = A machine that collects radiation and turns it into power. Requires plasma gas to function. + .suffix = Empty tank +ent-RadiationCollectorNoTank = { ent-RadiationCollector } + .suffix = No tank + .desc = { ent-RadiationCollector.desc } +ent-RadiationCollectorFullTank = { ent-RadiationCollector } + .suffix = Filled tank + .desc = { ent-RadiationCollector.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/containment.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/containment.ftl new file mode 100644 index 00000000000..5afde949608 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/containment.ftl @@ -0,0 +1,4 @@ +ent-ContainmentFieldGenerator = containment field generator + .desc = A machine that generates a containment field when powered by an emitter. Keeps the Singularity docile. +ent-ContainmentField = containment field + .desc = A containment field that repels gravitational singularities. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/emitter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/emitter.ftl new file mode 100644 index 00000000000..f308d97df0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/emitter.ftl @@ -0,0 +1,2 @@ +ent-Emitter = emitter + .desc = A heavy duty industrial laser. Shoots non-stop when turned on. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/generator.ftl new file mode 100644 index 00000000000..c1382424f68 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/generator.ftl @@ -0,0 +1,2 @@ +ent-SingularityGenerator = gravitational singularity generator + .desc = An Odd Device which produces a Gravitational Singularity when set up. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/singularity.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/singularity.ftl new file mode 100644 index 00000000000..958636b3baf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/singularity/singularity.ftl @@ -0,0 +1,2 @@ +ent-Singularity = gravitational singularity + .desc = A mesmerizing swirl of darkness that sucks in everything. If it's moving towards you, run. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/solar.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/solar.ftl new file mode 100644 index 00000000000..7596635867c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/solar.ftl @@ -0,0 +1,11 @@ +ent-SolarPanelBasePhysSprite = solar panel + .desc = { "" } +ent-SolarPanel = solar panel + .desc = A solar panel that generates power. +ent-SolarPanelBroken = solar panel + .desc = A broken solar panel. + .suffix = Broken +ent-SolarAssembly = solar assembly + .desc = A solar assembly. Anchor to a wire to start building a solar panel. +ent-SolarTracker = solar tracker + .desc = A solar tracker. Tracks the nearest star. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/teg.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/teg.ftl new file mode 100644 index 00000000000..f1e0a00f6a8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/teg.ftl @@ -0,0 +1,6 @@ +ent-TegCenter = thermo-electric generator + .desc = A high efficiency generator that uses energy transfer between hot and cold gases to produce electricity. +ent-TegCirculator = circulator + .desc = Passes gas through the thermo-electric generator to exchange heat. Has an inlet and outlet port. +ent-TegCirculatorArrow = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/coil.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/coil.ftl new file mode 100644 index 00000000000..0d195c12f63 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/coil.ftl @@ -0,0 +1,4 @@ +ent-TeslaCoil = tesla coil + .desc = A machine that converts lightning strikes into an electric current. +ent-TeslaGroundingRod = grounding rod + .desc = A machine that keeps lightning from striking too far away. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/energyball.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/energyball.ftl new file mode 100644 index 00000000000..b02158854e8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/energyball.ftl @@ -0,0 +1,6 @@ +ent-BaseEnergyBall = { "" } + .desc = { "" } +ent-TeslaEnergyBall = ball lightning + .desc = A giant ball of pure energy. The space around it is humming and melting. +ent-TeslaMiniEnergyBall = mini ball lightning + .desc = The cub of a destructive energy cage. Not as dangerous, but still not worth touching with bare hands. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/generator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/generator.ftl new file mode 100644 index 00000000000..121ca04d52c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/generation/tesla/generator.ftl @@ -0,0 +1,2 @@ +ent-TeslaGenerator = tesla generator + .desc = An Odd Device which produces a powerful Tesla ball when set up. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/smes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/smes.ftl new file mode 100644 index 00000000000..aeaeb9ea27e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/smes.ftl @@ -0,0 +1,8 @@ +ent-BaseSMES = SMES + .desc = A high-capacity superconducting magnetic energy storage (SMES) unit. +ent-SMESBasic = { ent-BaseSMES } + .suffix = Basic, 8MW + .desc = { ent-BaseSMES.desc } +ent-SMESBasicEmpty = { ent-SMESBasic } + .suffix = Empty + .desc = { ent-SMESBasic.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/substation.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/substation.ftl new file mode 100644 index 00000000000..e47447663fe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/power/substation.ftl @@ -0,0 +1,15 @@ +ent-BaseSubstation = substation + .desc = Reduces the voltage of electricity put into it. +ent-BaseSubstationWall = wallmount substation + .desc = A substation designed for compact shuttles and spaces. +ent-SubstationBasic = { ent-BaseSubstation } + .suffix = Basic, 2.5MJ + .desc = { ent-BaseSubstation.desc } +ent-SubstationBasicEmpty = { ent-SubstationBasic } + .suffix = Empty + .desc = { ent-SubstationBasic.desc } +ent-SubstationWallBasic = { ent-BaseSubstationWall } + .suffix = Basic, 2MJ + .desc = { ent-BaseSubstationWall.desc } +ent-BaseSubstationWallFrame = wallmount substation frame + .desc = A substation frame for construction diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/shuttles/cannons.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/shuttles/cannons.ftl new file mode 100644 index 00000000000..208bb424c91 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/shuttles/cannons.ftl @@ -0,0 +1,14 @@ +ent-ShuttleGunBase = shittle gun + .desc = { "" } +ent-ShuttleGunSvalinnMachineGun = LSE-400c "Svalinn machine gun" + .desc = Basic stationary laser unit. Effective against live targets and electronics. Uses regular power cells to fire, and has an extremely high rate of fire +ent-ShuttleGunPerforator = LSE-1200c "Perforator" + .desc = Advanced stationary laser unit. Annihilates electronics and is extremely dangerous to health! Uses the power cage to fire. +ent-ShuttleGunFriendship = EXP-320g "Friendship" + .desc = A small stationary grenade launcher that holds 2 grenades. +ent-ShuttleGunDuster = EXP-2100g "Duster" + .desc = A powerful stationary grenade launcher. A cartridge is required for use. +ent-ShuttleGunPirateCannon = pirate ship cannon + .desc = Kaboom! +ent-ShuttleGunKinetic = PTK-800 "Matter Dematerializer" + .desc = Salvage stationary mining turret. Gradually accumulates charges on its own, extremely effective for asteroid excavation. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/shuttles/thrusters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/shuttles/thrusters.ftl new file mode 100644 index 00000000000..79908bf787a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/shuttles/thrusters.ftl @@ -0,0 +1,18 @@ +ent-BaseThruster = thruster + .desc = A thruster that allows a shuttle to move. +ent-Thruster = thruster + .desc = { ent-BaseThruster.desc } +ent-ThrusterUnanchored = { ent-Thruster } + .suffix = Unanchored + .desc = { ent-Thruster.desc } +ent-DebugThruster = { ent-BaseThruster } + .suffix = DEBUG + .desc = { ent-BaseThruster.desc } +ent-Gyroscope = gyroscope + .desc = Increases the shuttle's potential angular rotation. +ent-GyroscopeUnanchored = { ent-Gyroscope } + .suffix = Unanchored + .desc = { ent-Gyroscope.desc } +ent-DebugGyroscope = { ent-BaseThruster } + .suffix = DEBUG + .desc = { ent-BaseThruster.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/soil.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/soil.ftl new file mode 100644 index 00000000000..641c8fddebe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/soil.ftl @@ -0,0 +1,2 @@ +ent-hydroponicsSoil = soil + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomalies.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomalies.ftl new file mode 100644 index 00000000000..bc167218989 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomalies.ftl @@ -0,0 +1,26 @@ +ent-BaseAnomaly = anomaly + .desc = An impossible object. Should you be standing this close to it? +ent-AnomalyPyroclastic = { ent-BaseAnomaly } + .suffix = Pyroclastic + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyGravity = { ent-BaseAnomaly } + .suffix = Gravity + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyElectricity = { ent-BaseAnomaly } + .suffix = Electricity + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyFlesh = { ent-BaseAnomaly } + .suffix = Flesh + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyBluespace = { ent-BaseAnomaly } + .suffix = Bluespace + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyIce = { ent-BaseAnomaly } + .suffix = Ice + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyRock = { ent-BaseAnomaly } + .suffix = Rock + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyLiquid = { ent-BaseAnomaly } + .suffix = Liquid + .desc = { ent-BaseAnomaly.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/anomalies.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/anomalies.ftl new file mode 100644 index 00000000000..01c006b34cf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/anomalies.ftl @@ -0,0 +1,47 @@ +ent-BaseAnomaly = anomaly + .desc = An impossible object. Should you be standing this close to it? +ent-AnomalyPyroclastic = { ent-BaseAnomaly } + .suffix = Pyroclastic + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyGravity = { ent-BaseAnomaly } + .suffix = Gravity + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyElectricity = { ent-BaseAnomaly } + .suffix = Electricity + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyFlesh = { ent-BaseAnomaly } + .suffix = Flesh + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyBluespace = { ent-BaseAnomaly } + .suffix = Bluespace + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyIce = { ent-BaseAnomaly } + .suffix = Ice + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyRockBase = { ent-BaseAnomaly } + .suffix = Rock + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyRockUranium = { ent-AnomalyRockBase } + .suffix = Rock, Uranium + .desc = { ent-AnomalyRockBase.desc } +ent-AnomalyRockQuartz = { ent-AnomalyRockBase } + .suffix = Rock, Quartz + .desc = { ent-AnomalyRockBase.desc } +ent-AnomalyRockSilver = { ent-AnomalyRockBase } + .suffix = Rock, Silver + .desc = { ent-AnomalyRockBase.desc } +ent-AnomalyRockIron = { ent-AnomalyRockBase } + .suffix = Rock, Iron + .desc = { ent-AnomalyRockBase.desc } +ent-AnomalyFlora = { ent-BaseAnomaly } + .suffix = Flora + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyFloraBulb = strange glowing berry + .desc = It's a beautiful strange glowing berry. It seems to have something growing inside it... + .suffix = Flora Anomaly +ent-AnomalyLiquid = { ent-BaseAnomaly } + .suffix = Liquid + .desc = { ent-BaseAnomaly.desc } +ent-AnomalyShadow = { ent-BaseAnomaly } + .suffix = Shadow + .desc = { ent-BaseAnomaly.desc } 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 new file mode 100644 index 00000000000..8ed0cba6f2f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/anomaly/cores.ftl @@ -0,0 +1,64 @@ +ent-BaseAnomalyCore = anomaly core + .desc = The core of a destroyed incomprehensible object. +ent-AnomalyCorePyroclastic = { ent-BaseAnomalyCore } + .suffix = Pyroclastic + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreGravity = { ent-BaseAnomalyCore } + .suffix = Gravity + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreIce = { ent-BaseAnomalyCore } + .suffix = Ice + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreFlesh = { ent-BaseAnomalyCore } + .suffix = Flesh + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreRock = { ent-BaseAnomalyCore } + .suffix = Rock + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreLiquid = { ent-BaseAnomalyCore } + .suffix = Liquid + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreBluespace = { ent-BaseAnomalyCore } + .suffix = Bluespace + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreElectricity = { ent-BaseAnomalyCore } + .suffix = Electricity + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreFlora = { ent-BaseAnomalyCore } + .suffix = Flora + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCoreShadow = { ent-BaseAnomalyCore } + .suffix = Shadow + .desc = { ent-BaseAnomalyCore.desc } +ent-BaseAnomalyInertCore = { ent-BaseAnomalyCore } + .desc = { ent-BaseAnomalyCore.desc } +ent-AnomalyCorePyroclasticInert = { ent-BaseAnomalyInertCore } + .suffix = Pyroclastic, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreGravityInert = { ent-BaseAnomalyInertCore } + .suffix = Gravity, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreIceInert = { ent-BaseAnomalyInertCore } + .suffix = Ice, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreFleshInert = { ent-BaseAnomalyInertCore } + .suffix = Flesh, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreRockInert = { ent-BaseAnomalyInertCore } + .suffix = Rock, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreLiquidInert = { ent-BaseAnomalyInertCore } + .suffix = Liquid, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreBluespaceInert = { ent-BaseAnomalyInertCore } + .suffix = Bluespace, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreElectricityInert = { ent-BaseAnomalyInertCore } + .suffix = Electricity, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreFloraInert = { ent-BaseAnomalyInertCore } + .suffix = Flora, Inert + .desc = { ent-BaseAnomalyInertCore.desc } +ent-AnomalyCoreShadowInert = { ent-BaseAnomalyInertCore } + .suffix = Shadow, Inert + .desc = { ent-BaseAnomalyInertCore.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/atmospherics/sensor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/atmospherics/sensor.ftl new file mode 100644 index 00000000000..ac99c4e1668 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/atmospherics/sensor.ftl @@ -0,0 +1,4 @@ +ent-AirSensor = air sensor + .desc = Air sensor. It senses air. +ent-AirSensorAssembly = air sensor assembly + .desc = Air sensor assembly. An assembly of air sensors? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/church-bell.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/church-bell.ftl new file mode 100644 index 00000000000..143c95b8d0b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/church-bell.ftl @@ -0,0 +1,2 @@ +ent-ChurchBell = church bell + .desc = You feel your soul grow ever closer to the realms beyond for every chime this bell tolls... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/dragon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/dragon.ftl new file mode 100644 index 00000000000..737c607a1a4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/dragon.ftl @@ -0,0 +1,2 @@ +ent-CarpRift = carp rift + .desc = A rift akin to the ones space carp use to travel long distances. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/xeno.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/xeno.ftl new file mode 100644 index 00000000000..4fda86c7202 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/specific/xeno.ftl @@ -0,0 +1,4 @@ +ent-XenoWardingTower = Xeno warding tower + .desc = { "" } +ent-CarpStatue = carp statue + .desc = A statue of one of the brave carp that got us where we are today. Made with real teeth! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/stairs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/stairs.ftl new file mode 100644 index 00000000000..09c55f44f65 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/stairs.ftl @@ -0,0 +1,18 @@ +ent-Stairs = stairs + .desc = The greatest invention since rocket-propelled grenades. + .suffix = steel +ent-StairStage = { ent-Stairs } + .suffix = steel, stage + .desc = { ent-Stairs.desc } +ent-StairWhite = { ent-Stairs } + .suffix = white + .desc = { ent-Stairs.desc } +ent-StairStageWhite = { ent-Stairs } + .suffix = white, stage + .desc = { ent-Stairs.desc } +ent-StairDark = { ent-Stairs } + .suffix = dark + .desc = { ent-Stairs.desc } +ent-StairStageDark = { ent-Stairs } + .suffix = dark, stage + .desc = { ent-Stairs.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/canisters/gas_canisters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/canisters/gas_canisters.ftl new file mode 100644 index 00000000000..a829cd57806 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/canisters/gas_canisters.ftl @@ -0,0 +1,54 @@ +ent-GasCanister = gas canister + .desc = A canister that can contain any type of gas. It can be attached to connector ports using a wrench. +ent-StorageCanister = storage canister + .desc = { ent-GasCanister.desc } +ent-AirCanister = air canister + .desc = A canister that can contain any type of gas. This one is supposed to contain air mixture. It can be attached to connector ports using a wrench. +ent-OxygenCanister = oxygen canister + .desc = A canister that can contain any type of gas. This one is supposed to contain oxygen. It can be attached to connector ports using a wrench. +ent-LiquidOxygenCanister = liquid oxygen canister + .desc = A canister that can contain any type of gas. This one is supposed to contain liquid oxygen. It can be attached to connector ports using a wrench. +ent-NitrogenCanister = nitrogen canister + .desc = A canister that can contain any type of gas. This one is supposed to contain nitrogen. It can be attached to connector ports using a wrench. +ent-LiquidNitrogenCanister = liquid nitrogen canister + .desc = A canister that can contain any type of gas. This one is supposed to contain liquid nitrogen. It can be attached to connector ports using a wrench. +ent-CarbonDioxideCanister = carbon dioxide canister + .desc = A canister that can contain any type of gas. This one is supposed to contain carbon dioxide. It can be attached to connector ports using a wrench. +ent-LiquidCarbonDioxideCanister = liquid carbon dioxide canister + .desc = A canister that can contain any type of gas. This one is supposed to contain liquid carbon dioxide. It can be attached to connector ports using a wrench. +ent-PlasmaCanister = plasma canister + .desc = A canister that can contain any type of gas. This one is supposed to contain plasma. It can be attached to connector ports using a wrench. +ent-TritiumCanister = tritium canister + .desc = A canister that can contain any type of gas. This one is supposed to contain tritium. It can be attached to connector ports using a wrench. +ent-WaterVaporCanister = water vapor canister + .desc = A canister that can contain any type of gas. This one is supposed to contain water vapor. It can be attached to connector ports using a wrench. +ent-AmmoniaCanister = ammonia canister + .desc = A canister that can contain any type of gas. This one is supposed to contain ammonia. It can be attached to connector ports using a wrench. +ent-NitrousOxideCanister = nitrous oxide canister + .desc = A canister that can contain any type of gas. This one is supposed to contain nitrous oxide. It can be attached to connector ports using a wrench. +ent-FrezonCanister = frezon canister + .desc = A canister that can contain any type of gas. This one is supposed to contain frezon. It can be attached to connector ports using a wrench. +ent-GasCanisterBrokenBase = broken gas canister + .desc = A broken gas canister. Not useless yet, as it can be salvaged for high quality materials. +ent-StorageCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-AirCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-OxygenCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-NitrogenCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-CarbonDioxideCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-PlasmaCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-TritiumCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-WaterVaporCanisterBroken = broken water vapor canister + .desc = { ent-GasCanisterBrokenBase.desc } +ent-AmmoniaCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-NitrousOxideCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-FrezonCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/base_structureclosets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/base_structureclosets.ftl new file mode 100644 index 00000000000..35ab60d27f9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/base_structureclosets.ftl @@ -0,0 +1,10 @@ +ent-ClosetBase = closet + .desc = A standard-issue Nanotrasen storage unit. +ent-ClosetSteelBase = { ent-ClosetBase } + .desc = { ent-ClosetBase.desc } +ent-BaseWallCloset = wall closet + .desc = A standard-issue Nanotrasen storage unit, now on walls. +ent-BaseWallLocker = { ent-BaseWallCloset } + .desc = { ent-BaseWallCloset.desc } +ent-SuitStorageBase = suit storage unit + .desc = A fancy hi-tech storage unit made for storing space suits. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/big_boxes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/big_boxes.ftl new file mode 100644 index 00000000000..2f7824b410e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/big_boxes.ftl @@ -0,0 +1,9 @@ +ent-BaseBigBox = cardboard box + .desc = Huh? Just a box... +ent-StealthBox = { ent-BaseBigBox } + .desc = Kept ya waiting, huh? + .suffix = stealth +ent-BigBox = { ent-BaseBigBox } + .desc = { ent-BaseBigBox.desc } +ent-GhostBox = ghost box + .desc = Beware! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/closets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/closets.ftl new file mode 100644 index 00000000000..8aec68e8b0e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/closets.ftl @@ -0,0 +1,31 @@ +ent-ClosetTool = tool closet + .desc = It's a storage unit for tools. +ent-ClosetRadiationSuit = radiation suit closet + .desc = More comfortable than radiation poisioning. +ent-ClosetEmergency = emergency closet + .desc = It's a storage unit for emergency breath masks and O2 tanks. +ent-ClosetFire = fire-safety closet + .desc = It's a storage unit for fire-fighting supplies. +ent-ClosetBomb = EOD closet + .desc = It's a storage unit for explosion-protective suits. +ent-ClosetJanitorBomb = janitorial bomb suit closet + .desc = It's a storage unit for janitorial explosion-protective suits. + .suffix = DO NOT MAP +ent-ClosetL3 = level 3 biohazard gear closet + .desc = It's a storage unit for level 3 biohazard gear. +ent-ClosetL3Virology = { ent-ClosetL3 } + .desc = { ent-ClosetL3.desc } +ent-ClosetL3Security = { ent-ClosetL3 } + .desc = { ent-ClosetL3.desc } +ent-ClosetL3Janitor = { ent-ClosetL3 } + .desc = { ent-ClosetL3.desc } +ent-ClosetMaintenance = maintenance closet + .desc = It's a storage unit. +ent-LockerSyndicate = armory closet + .desc = It's a storage unit. +ent-ClosetBluespace = suspicious closet + .desc = It's a storage unit... right? + .suffix = Bluespace +ent-ClosetBluespaceUnstable = suspicious closet + .desc = It's a storage unit... right? + .suffix = Bluespace unstable diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/cursed.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/cursed.ftl new file mode 100644 index 00000000000..ce94c40de2a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/cursed.ftl @@ -0,0 +1,3 @@ +ent-ClosetCursed = closet + .desc = A standard-issue Nanotrasen storage unit. + .suffix = cursed diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/lockers/base_structurelockers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/lockers/base_structurelockers.ftl new file mode 100644 index 00000000000..757ee10e374 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/lockers/base_structurelockers.ftl @@ -0,0 +1,4 @@ +ent-LockerBase = { ent-ClosetBase } + .desc = { ent-ClosetBase.desc } +ent-LockerBaseSecure = { ent-LockerBase } + .desc = { ent-LockerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/lockers/lockers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/lockers/lockers.ftl new file mode 100644 index 00000000000..95fd210c246 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/lockers/lockers.ftl @@ -0,0 +1,67 @@ +ent-LockerBooze = booze storage + .desc = This is where the bartender keeps the booze. +ent-LockerQuarterMaster = quartermaster's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerSalvageSpecialist = salvage specialist's equipment + .desc = Nevermind the pickaxe. +ent-LockerCaptain = captain's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerHeadOfPersonnel = station representative's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerChiefEngineer = chief engineer's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerElectricalSupplies = electrical supplies locker + .desc = { ent-LockerBase.desc } +ent-LockerWeldingSupplies = welding supplies locker + .desc = { ent-LockerBase.desc } +ent-LockerAtmospherics = atmospheric technician's locker + .desc = { ent-LockerBase.desc } +ent-LockerEngineer = engineer's locker + .desc = { ent-LockerBase.desc } +ent-LockerFreezerBase = freezer + .suffix = No Access + .desc = { ent-LockerBase.desc } +ent-LockerFreezer = freezer + .suffix = Kitchen, Locked + .desc = { ent-LockerFreezerBase.desc } +ent-LockerBotanist = botanist's locker + .desc = { ent-LockerBase.desc } +ent-LockerMedicine = medicine locker + .desc = Filled to the brim with medical junk. +ent-LockerMedical = medical doctor's locker + .desc = { ent-LockerBase.desc } +ent-LockerParamedic = paramedic's locker + .desc = { ent-LockerBase.desc } +ent-LockerChemistry = chemical locker + .desc = { ent-LockerBase.desc } +ent-LockerChiefMedicalOfficer = chief medical officer's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerResearchDirector = research director's locker + .desc = { ent-LockerBase.desc } +ent-LockerScientist = scientist's locker + .desc = { ent-LockerBase.desc } +ent-LockerHeadOfSecurity = sheriff's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerWarden = bailiff's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerBrigmedic = brigmedic's locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerSecurity = deputy's locker + .desc = { ent-LockerBaseSecure.desc } +ent-GunSafe = gun safe + .desc = { ent-LockerBaseSecure.desc } +ent-LockerDetective = detective's cabinet + .desc = Usually cold and empty... like your heart. +ent-LockerEvidence = evidence locker + .desc = To store bags of bullet casings and detainee belongings. +ent-LockerSyndicatePersonal = armory closet + .desc = It's a personal storage unit for operative gear. +ent-LockerBluespaceStation = bluespace locker + .desc = Advanced locker technology. + .suffix = once to station +ent-LockerClown = clown locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerMime = mime locker + .desc = { ent-LockerBaseSecure.desc } +ent-LockerRepresentative = representative locker + .desc = { ent-LockerBaseSecure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/wall_lockers.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/wall_lockers.ftl new file mode 100644 index 00000000000..735940f3ffa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/wall_lockers.ftl @@ -0,0 +1,28 @@ +ent-ClosetWall = maintenance wall closet + .desc = It's a storage unit. +ent-ClosetWallEmergency = emergency wall closet + .desc = It's a storage unit for emergency breath masks and O2 tanks. +ent-ClosetWallFire = fire-safety wall closet + .desc = It's a storage unit for fire-fighting supplies. +ent-ClosetWallBlue = blue wall closet + .desc = A wardrobe packed with stylish blue clothing. +ent-ClosetWallPink = pink wall closet + .desc = A wardrobe packed with fabulous pink clothing. +ent-ClosetWallBlack = black wall closet + .desc = A wardrobe packed with stylish black clothing. +ent-ClosetWallGreen = green wall closet + .desc = A wardrobe packed with stylish green clothing. +ent-ClosetWallOrange = prison wall closet + .desc = { ent-BaseWallCloset.desc } +ent-ClosetWallYellow = yellow wall closet + .desc = A wardrobe packed with stylish yellow clothing. +ent-ClosetWallWhite = white wall closet + .desc = A wardrobe packed with stylish white clothing. +ent-ClosetWallGrey = grey wall closet + .desc = A wardrobe packed with a tide of grey clothing. +ent-ClosetWallMixed = mixed wall closet + .desc = A wardrobe packed with a mix of colorful clothing. +ent-ClosetWallAtmospherics = atmospherics wall closet + .desc = { ent-BaseWallCloset.desc } +ent-LockerWallMedical = medical wall locker + .desc = { ent-BaseWallLocker.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/wardrobe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/wardrobe.ftl new file mode 100644 index 00000000000..c370007f133 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/closets/wardrobe.ftl @@ -0,0 +1,54 @@ +ent-WardrobeBase = { ent-ClosetSteelBase } + .desc = It's a storage unit for standard-issue Nanotrasen attire. +ent-WardrobeBlue = blue wardrobe + .desc = A wardrobe packed with stylish blue clothing. +ent-WardrobePink = pink wardrobe + .desc = A wardrobe packed with fabulous pink clothing. +ent-WardrobeBlack = black wardrobe + .desc = A wardrobe packed with stylish black clothing. +ent-WardrobeGreen = green wardrobe + .desc = A wardrobe packed with stylish green clothing. +ent-WardrobePrison = prison wardrobe + .desc = { ent-WardrobeBase.desc } +ent-WardrobeYellow = yellow wardrobe + .desc = A wardrobe packed with stylish yellow clothing. +ent-WardrobeWhite = white wardrobe + .desc = A wardrobe packed with stylish white clothing. +ent-WardrobeGrey = grey wardrobe + .desc = A wardrobe packed with a tide of grey clothing. +ent-WardrobeMixed = mixed wardrobe + .desc = A wardrobe packed with a mix of colorful clothing. +ent-WardrobeSecurity = security wardrobe + .desc = { ent-WardrobeBase.desc } +ent-WardrobeAtmospherics = atmospherics wardrobe + .desc = { ent-WardrobeBase.desc } +ent-ClosetJanitor = custodial closet + .desc = It's a storage unit for janitorial clothes and gear. +ent-WardrobeFormal = formal closet + .desc = It's a storage unit for formal clothing. +ent-ClosetChef = chef's closet + .desc = It's a storage unit for foodservice garments and mouse traps. +ent-WardrobeChapel = chaplain's wardrobe + .desc = It's a storage unit for Nanotrasen-approved religious attire. +ent-ClosetLegal = legal closet + .desc = It's a storage unit for courtroom apparel and items. +ent-WardrobeCargo = cargo wardrobe + .desc = { ent-WardrobePrison.desc } +ent-WardrobeSalvage = salvage wardrobe + .desc = Notably not salvaged. +ent-WardrobeEngineering = engineering wardrobe + .desc = { ent-WardrobeYellow.desc } +ent-WardrobeMedicalDoctor = medical doctor's wardrobe + .desc = { ent-WardrobeWhite.desc } +ent-WardrobeRobotics = robotics wardrobe + .desc = { ent-WardrobeBlack.desc } +ent-WardrobeChemistry = chemistry wardrobe + .desc = { ent-WardrobeWhite.desc } +ent-WardrobeGenetics = genetics wardrobe + .desc = { ent-WardrobeWhite.desc } +ent-WardrobeVirology = virology wardrobe + .desc = { ent-WardrobeWhite.desc } +ent-WardrobeScience = science wardrobe + .desc = { ent-WardrobeWhite.desc } +ent-WardrobeBotanist = botanist wardrobe + .desc = { ent-WardrobeGreen.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/crates/base_structurecrates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/crates/base_structurecrates.ftl new file mode 100644 index 00000000000..91ee923629e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/crates/base_structurecrates.ftl @@ -0,0 +1,6 @@ +ent-CrateGeneric = crate + .desc = A large container for items. +ent-CrateBaseWeldable = { ent-CrateGeneric } + .desc = { ent-CrateGeneric.desc } +ent-CrateBaseSecure = { ent-CrateBaseWeldable } + .desc = { ent-CrateBaseWeldable.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/crates/crates.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/crates/crates.ftl new file mode 100644 index 00000000000..3b94e1ff590 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/crates/crates.ftl @@ -0,0 +1,72 @@ +ent-CrateGenericSteel = crate + .desc = { ent-CrateBaseWeldable.desc } +ent-CratePlastic = plastic crate + .desc = { ent-CrateBaseWeldable.desc } +ent-CrateFreezer = freezer + .desc = { ent-CratePlastic.desc } +ent-CrateHydroponics = hydroponics crate + .desc = { ent-CratePlastic.desc } +ent-CrateMedical = medical crate + .desc = { ent-CratePlastic.desc } +ent-CrateRadiation = radiation gear crate + .desc = Is not actually lead lined. Do not store your plutonium in this. +ent-CrateInternals = oxygen crate + .desc = { ent-CratePlastic.desc } +ent-CrateElectrical = electrical crate + .desc = { ent-CrateGenericSteel.desc } +ent-CrateEngineering = engineering crate + .desc = { ent-CrateGenericSteel.desc } +ent-CrateScience = science crate + .desc = { ent-CrateGenericSteel.desc } +ent-CrateSurgery = surgery crate + .desc = { ent-CrateGenericSteel.desc } +ent-CrateWeb = web crate + .desc = { ent-CrateGeneric.desc } +ent-CrateSecgear = secgear crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateEngineeringSecure = secure engineering crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateMedicalSecure = secure medical crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateChemistrySecure = secure chemistry crate + .desc = { ent-CrateBaseSecure.desc } +ent-CratePrivateSecure = private crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateScienceSecure = secure science crate + .desc = { ent-CrateBaseSecure.desc } +ent-CratePlasma = plasma crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateSecure = secure crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateHydroSecure = secure hydroponics crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateWeaponSecure = secure weapon crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateCommandSecure = command crate + .desc = { ent-CrateBaseSecure.desc } +ent-CrateLivestock = livestock crate + .desc = { ent-CrateGeneric.desc } +ent-CrateRodentCage = hamster cage + .desc = { ent-CrateGeneric.desc } +ent-CratePirate = pirate chest + .desc = A space pirate chest, not for station lubbers. +ent-CrateToyBox = toy box + .desc = A box overflowing with fun. + .suffix = Empty +ent-CrateCoffin = coffin + .desc = A comfy coffin, excelent place for the vampires and corpses. +ent-CrateWoodenGrave = grave + .desc = Someone died here... + .suffix = wooden +ent-CrateStoneGrave = grave + .desc = Someone died here... + .suffix = stone +ent-CrateSyndicate = Syndicate crate + .desc = A dark steel crate with red bands and a letter S embossed on the front. +ent-CrateTrashCart = trash cart + .desc = { ent-CrateBaseWeldable.desc } +ent-CrateTrashCartJani = janitorial trash cart + .desc = { ent-CrateBaseSecure.desc } +ent-InvisibleCrate = { ent-CrateBaseWeldable } + .suffix = Stealth + .desc = { ent-CrateBaseWeldable.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 new file mode 100644 index 00000000000..76a8233adcb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/filing_cabinets.ftl @@ -0,0 +1,21 @@ +ent-filingCabinet = filing cabinet + .desc = A cabinet for all your filing needs. + .suffix = Empty +ent-filingCabinetTall = tall cabinet + .suffix = Empty + .desc = { ent-filingCabinet.desc } +ent-filingCabinetDrawer = chest drawer + .desc = A small drawer for all your filing needs, Now with wheels! + .suffix = Empty +ent-BaseBureaucraticStorageFill = { "" } + .desc = { "" } +ent-filingCabinetRandom = { ent-filingCabinet } + .suffix = Random + .desc = { ent-filingCabinet.desc } +ent-filingCabinetTallRandom = { ent-filingCabinetTall } + .suffix = Random + .desc = { ent-filingCabinetTall.desc } +ent-filingCabinetDrawerRandom = { ent-filingCabinetDrawer } + + .suffix = Random + .desc = { ent-filingCabinetDrawer.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/glass_box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/glass_box.ftl new file mode 100644 index 00000000000..07bdcf53988 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/glass_box.ftl @@ -0,0 +1,14 @@ +ent-GlassBoxLaser = glass box + .desc = A sturdy showcase for an expensive exhibit. +ent-GlassBoxLaserOpen = { ent-GlassBoxLaser } + .suffix = Open + .desc = { ent-GlassBoxLaser.desc } +ent-GlassBoxLaserFilled = { ent-GlassBoxLaser } + .suffix = Filled + .desc = { ent-GlassBoxLaser.desc } +ent-GlassBoxLaserFilledOpen = { ent-GlassBoxLaserFilled } + .suffix = Filled, Open + .desc = { ent-GlassBoxLaserFilled.desc } +ent-GlassBoxLaserBroken = broken glass box + .desc = A broken showcase for a stolen expensive exhibit. + .suffix = Broken diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/morgue.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/morgue.ftl new file mode 100644 index 00000000000..1e3f80b9774 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/morgue.ftl @@ -0,0 +1,4 @@ +ent-Morgue = morgue + .desc = Used to store bodies until someone fetches them. Includes a high-tech alert system for false-positives! +ent-Crematorium = crematorium + .desc = A human incinerator. Works well on barbecue nights. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/ore_box.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/ore_box.ftl new file mode 100644 index 00000000000..f321946e072 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/ore_box.ftl @@ -0,0 +1,2 @@ +ent-OreBox = ore box + .desc = A large storage container for collecting and holding unprocessed ores and fragments. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/paper_bin.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/paper_bin.ftl new file mode 100644 index 00000000000..f8821c7aae3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/paper_bin.ftl @@ -0,0 +1,12 @@ +ent-PaperBin = paper bin + .desc = What secrets lie at the bottom of its endless stack? + .suffix = Empty +ent-PaperBin5 = { ent-PaperBin } + .suffix = 5 + .desc = { ent-PaperBin.desc } +ent-PaperBin10 = { ent-PaperBin } + .suffix = 10 + .desc = { ent-PaperBin.desc } +ent-PaperBin20 = { ent-PaperBin } + .suffix = 20 + .desc = { ent-PaperBin.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/storage.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/storage.ftl new file mode 100644 index 00000000000..3387fbb6e67 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/storage.ftl @@ -0,0 +1,2 @@ +ent-Rack = rack + .desc = A rack for storing things on. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/tanks/base_structuretanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/tanks/base_structuretanks.ftl new file mode 100644 index 00000000000..03bc356a464 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/tanks/base_structuretanks.ftl @@ -0,0 +1,2 @@ +ent-StorageTank = storage tank + .desc = A liquids storage tank. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/tanks/tanks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/tanks/tanks.ftl new file mode 100644 index 00000000000..078cd009485 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/storage/tanks/tanks.ftl @@ -0,0 +1,23 @@ +ent-WeldingFuelTank = fuel tank + .desc = A fuel tank. It's used to store high amounts of fuel. + .suffix = Empty +ent-WeldingFuelTankFull = { ent-WeldingFuelTank } + .suffix = Full + .desc = { ent-WeldingFuelTank.desc } +ent-WeldingFuelTankHighCapacity = high-capacity fuel tank + .desc = A highly pressurized fuel tank made to hold gargantuan amounts of welding fuel. + .suffix = Full +ent-WaterTank = water tank + .desc = A water tank. It's used to store high amounts of water. + .suffix = Empty +ent-WaterTankFull = { ent-WaterTank } + .suffix = Full + .desc = { ent-WaterTank.desc } +ent-WaterCooler = water cooler + .desc = Seems like a good place to stand and waste time. It has a stock of paper cups on the side. +ent-WaterTankHighCapacity = high-capacity water tank + .desc = A highly pressurized water tank made to hold gargantuan amounts of water. + .suffix = Full +ent-GenericTank = { ent-StorageTank } + .suffix = Empty + .desc = { ent-StorageTank.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/air_alarm.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/air_alarm.ftl new file mode 100644 index 00000000000..c5f6f23e9ae --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/air_alarm.ftl @@ -0,0 +1,4 @@ +ent-AirAlarm = air alarm + .desc = An air alarm. Alarms... air? +ent-AirAlarmAssembly = air alarm assembly + .desc = An air alarm. Doesn't look like it'll be alarming air any time soon. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/bell.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/bell.ftl new file mode 100644 index 00000000000..17b8354380f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/bell.ftl @@ -0,0 +1,2 @@ +ent-BoxingBell = boxing bell + .desc = Ding ding! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/defib_cabinet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/defib_cabinet.ftl new file mode 100644 index 00000000000..7907631e59c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/defib_cabinet.ftl @@ -0,0 +1,11 @@ +ent-DefibrillatorCabinet = defibrillator cabinet + .desc = A small wall mounted cabinet designed to hold a defibrillator. +ent-DefibrillatorCabinetOpen = { ent-DefibrillatorCabinet } + .suffix = Open + .desc = { ent-DefibrillatorCabinet.desc } +ent-DefibrillatorCabinetFilled = { ent-DefibrillatorCabinet } + .suffix = Filled + .desc = { ent-DefibrillatorCabinet.desc } +ent-DefibrillatorCabinetFilledOpen = { ent-DefibrillatorCabinetFilled } + .suffix = Filled, Open + .desc = { ent-DefibrillatorCabinetFilled.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/extinguisher_cabinet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/extinguisher_cabinet.ftl new file mode 100644 index 00000000000..8909da9327b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/extinguisher_cabinet.ftl @@ -0,0 +1,11 @@ +ent-ExtinguisherCabinet = extinguisher cabinet + .desc = A small wall mounted cabinet designed to hold a fire extinguisher. +ent-ExtinguisherCabinetOpen = { ent-ExtinguisherCabinet } + .suffix = Open + .desc = { ent-ExtinguisherCabinet.desc } +ent-ExtinguisherCabinetFilled = { ent-ExtinguisherCabinet } + .suffix = Filled + .desc = { ent-ExtinguisherCabinet.desc } +ent-ExtinguisherCabinetFilledOpen = { ent-ExtinguisherCabinetFilled } + .suffix = Filled, Open + .desc = { ent-ExtinguisherCabinetFilled.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/fire_alarm.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/fire_alarm.ftl new file mode 100644 index 00000000000..d746c12b8a0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/fire_alarm.ftl @@ -0,0 +1,4 @@ +ent-FireAlarm = fire alarm + .desc = A fire alarm. Spicy! +ent-FireAlarmAssembly = fire alarm assembly + .desc = A fire alarm assembly. Very mild. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/fireaxe_cabinet.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/fireaxe_cabinet.ftl new file mode 100644 index 00000000000..9e5b1dc77c7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/fireaxe_cabinet.ftl @@ -0,0 +1,11 @@ +ent-FireAxeCabinet = 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. +ent-FireAxeCabinetOpen = { ent-FireAxeCabinet } + .suffix = Open + .desc = { ent-FireAxeCabinet.desc } +ent-FireAxeCabinetFilled = { ent-FireAxeCabinet } + .suffix = Filled + .desc = { ent-FireAxeCabinet.desc } +ent-FireAxeCabinetFilledOpen = { ent-FireAxeCabinetFilled } + .suffix = Filled, Open + .desc = { ent-FireAxeCabinetFilled.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/intercom.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/intercom.ftl new file mode 100644 index 00000000000..be578ad4198 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/intercom.ftl @@ -0,0 +1,31 @@ +ent-Intercom = intercom + .desc = An intercom. For when the station just needs to know something. +ent-IntercomAssesmbly = intercom assembly + .desc = An intercom. It doesn't seem very helpful right now. +ent-IntercomCommon = { ent-Intercom } + .suffix = Common + .desc = { ent-Intercom.desc } +ent-IntercomCommand = { ent-Intercom } + .suffix = Command, DO NOT MAP + .desc = { ent-Intercom.desc } +ent-IntercomEngineering = { ent-Intercom } + .suffix = Engineering + .desc = { ent-Intercom.desc } +ent-IntercomMedical = { ent-Intercom } + .suffix = Medical + .desc = { ent-Intercom.desc } +ent-IntercomScience = { ent-Intercom } + .suffix = Science + .desc = { ent-Intercom.desc } +ent-IntercomSecurity = { ent-Intercom } + .suffix = Security + .desc = { ent-Intercom.desc } +ent-IntercomService = { ent-Intercom } + .suffix = Service + .desc = { ent-Intercom.desc } +ent-IntercomSupply = { ent-Intercom } + .suffix = Supply + .desc = { ent-Intercom.desc } +ent-IntercomAll = { ent-Intercom } + .suffix = All, DO NOT MAP + .desc = { ent-Intercom.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/lighting.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/lighting.ftl new file mode 100644 index 00000000000..c23b8deb1db --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/lighting.ftl @@ -0,0 +1,36 @@ +ent-WallLight = light + .desc = An unpowered light. + .suffix = Unpowered +ent-PoweredlightEmpty = light + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Powered, Empty +ent-Poweredlight = { ent-PoweredlightEmpty } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Powered +ent-PoweredlightLED = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Powered, LED +ent-UnpoweredLightLED = { ent-WallLight } + .suffix = Unpowered, LED + .desc = { ent-WallLight.desc } +ent-PoweredlightExterior = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Powered, Exterior Blue +ent-UnpoweredLightExterior = { ent-WallLight } + .suffix = Unpowered, Exterior Blue + .desc = { ent-WallLight.desc } +ent-PoweredlightSodium = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Powered, Sodium Orange +ent-UnpoweredLightSodium = { ent-WallLight } + .suffix = Unpowered, Sodium Orange + .desc = { ent-WallLight.desc } +ent-SmallLight = small light + .desc = An unpowered light. + .suffix = Unpowered +ent-PoweredSmallLightEmpty = small light + .desc = A light fixture. Draws power and produces light when equipped with a light bulb. + .suffix = Powered, Empty +ent-PoweredSmallLight = { ent-PoweredSmallLightEmpty } + .suffix = Powered + .desc = { ent-PoweredSmallLightEmpty.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/mirror.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/mirror.ftl new file mode 100644 index 00000000000..99897de0778 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/mirror.ftl @@ -0,0 +1,2 @@ +ent-Mirror = mirror + .desc = Mirror mirror on the wall , who's the most robust of them all? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/monitors_televisions.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/monitors_televisions.ftl new file mode 100644 index 00000000000..5c7e16a5c57 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/monitors_televisions.ftl @@ -0,0 +1,12 @@ +ent-ComputerTelevision = wooden television + .desc = Finally, some decent reception around here... +ent-WallmountTelescreenFrame = telescreen frame + .desc = Finally, some decent reception around here... +ent-WallmountTelescreen = telescreen + .desc = Finally, some decent reception around here... + .suffix = camera monitor +ent-WallmountTelevisionFrame = television frame + .desc = Finally, some decent reception around here... +ent-WallmountTelevision = television + .desc = Finally, some decent reception around here... + .suffix = entertainment diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/noticeboard.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/noticeboard.ftl new file mode 100644 index 00000000000..63823009e89 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/noticeboard.ftl @@ -0,0 +1,2 @@ +ent-NoticeBoard = notice board + .desc = Is there a job for a witcher? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/screen.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/screen.ftl new file mode 100644 index 00000000000..84d3c3e6661 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/screen.ftl @@ -0,0 +1,4 @@ +ent-Screen = screen + .desc = Displays text or time. +ent-ArrivalsShuttleTimer = arrivals screen + .desc = { ent-Screen.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/service_light.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/service_light.ftl new file mode 100644 index 00000000000..61131651023 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/service_light.ftl @@ -0,0 +1,2 @@ +ent-JanitorServiceLight = janitorial service light + .desc = A wall-mounted janitorial sign. If the light is blinking, a janitor's service is required. 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 new file mode 100644 index 00000000000..46820230dd1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/shotgun_cabinet.ftl @@ -0,0 +1,11 @@ +ent-ShotGunCabinet = shotgun cabinet + .desc = There is a small label that reads "For Emergency use only" along with details for safe use of the shotgun. As if. +ent-ShotGunCabinetOpen = { ent-ShotGunCabinet } + .suffix = Open + .desc = { ent-ShotGunCabinet.desc } +ent-ShotGunCabinetFilled = { ent-ShotGunCabinet } + .suffix = Filled + .desc = { ent-ShotGunCabinet.desc } +ent-ShotGunCabinetFilledOpen = { ent-ShotGunCabinetFilled } + .suffix = Filled, Open + .desc = { ent-ShotGunCabinetFilled.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/atmos_plaque.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/atmos_plaque.ftl new file mode 100644 index 00000000000..656b54bf652 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/atmos_plaque.ftl @@ -0,0 +1,2 @@ +ent-PlaqueAtmos = atmos plaque + .desc = { ent-BaseSign.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/bar_sign.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/bar_sign.ftl new file mode 100644 index 00000000000..a7bc72d499e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/bar_sign.ftl @@ -0,0 +1,51 @@ +ent-BaseBarSign = bar sign + .desc = { ent-BaseStructure.desc } +ent-BarSign = bar sign + .suffix = Random + .desc = { ent-BaseBarSign.desc } +ent-BarSignComboCafe = Combo Cafe + .desc = Renowned system-wide for their utterly uncreative drink combinations. +ent-BarSignEmergencyRumParty = Emergency Rum Party + .desc = Recently relicensed after a long closure. +ent-BarSignLV426 = LV426 + .desc = Drinking with fancy facemasks is clearly more important than going to medbay. +ent-BarSignMaidCafe = Maid Cafe + .desc = Welcome back, master! +ent-BarSignMalteseFalcon = Maltese Falcon + .desc = Play it again, sam. +ent-BarSignOfficerBeersky = Officer Beersky + .desc = Man eat a dong, these drinks are great. +ent-BarSignRobustaCafe = Robusta Cafe + .desc = Holder of the 'Most Lethal Barfights' record 5 years uncontested. +ent-BarSignTheAleNath = The Ale Nath + .desc = All right, buddy. I think you've had EI NATH. Time to get a cab. +ent-BarSignTheBirdCage = The Bird Cage + .desc = Caw caw! +ent-BarSignTheCoderbus = The Coderbus + .desc = A very controversial bar known for its wide variety of constantly-changing drinks. +ent-BarSignTheDrunkCarp = The Drunk Carp + .desc = Don't drink and swim. +ent-BarSignEngineChange = The Engine Change + .desc = Still waiting. +ent-BarSignTheHarmbaton = The Harmbaton + .desc = A great dining experience for both security members and passengers. +ent-BarSignTheLightbulb = The Lightbulb + .desc = A cafe popular among moths and moffs. Once shut down for a week after the bartender used mothballs to protect her spare uniforms. +ent-BarSignTheLooseGoose = The Loose Goose + .desc = Drink till you puke and/or break the laws of reality! +ent-BarSignTheNet = The Net + .desc = You just seem to get caught up in it for hours. +ent-BarSignTheOuterSpess = The Outer Spess + .desc = This bar isn't actually located in outer space. +ent-BarSignTheSingulo = The Singulo + .desc = Where people go that'd rather not be called by their name. +ent-BarSignTheSun = The Sun + .desc = Ironically bright for such a shady bar. +ent-BarSignWiggleRoom = Wiggle Room + .desc = MoMMIs got moves. +ent-BarSignZocalo = Zocalo + .desc = Anteriormente ubicado en Spessmerica. +ent-BarSignEmprah = 4 The Emprah + .desc = Enjoyed by fanatics, heretics, and brain-damaged patrons alike. +ent-BarSignSpacebucks = Spacebucks + .desc = You can't get away from them, even in space, and even after we started calling them 'spesos' instead. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/base_structuresigns.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/base_structuresigns.ftl new file mode 100644 index 00000000000..8ca37ccf73d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/base_structuresigns.ftl @@ -0,0 +1,2 @@ +ent-BaseSign = base sign + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/flags.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/flags.ftl new file mode 100644 index 00000000000..f8f92508c14 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/flags.ftl @@ -0,0 +1,12 @@ +ent-BaseFlag = { ent-BaseSign } + .desc = { ent-BaseSign.desc } +ent-BlankFlag = blank flag + .desc = Some piece of white cloth. Definitely not the flag of France. +ent-NTFlag = Nanotrasen flag + .desc = Glory to NT! Wait, they really made a flag for a corporation? +ent-SyndieFlag = syndicate flag + .desc = Smells bloody. Death to NT! +ent-LGBTQFlag = LGBTQ flag + .desc = Be gay do crime flag +ent-PirateFlag = pirate flag + .desc = Raise the jolly roger, scallywags! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/metamap.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/metamap.ftl new file mode 100644 index 00000000000..3908f2f1652 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/metamap.ftl @@ -0,0 +1,2 @@ +ent-PosterMapMetaRight = Meta Station Map + .desc = A map of Meta Station. This looks really old. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/paintings.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/paintings.ftl new file mode 100644 index 00000000000..ae02c749a9b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/paintings.ftl @@ -0,0 +1,42 @@ +ent-PaintingBase = { ent-BaseSign } + .desc = { ent-BaseSign.desc } +ent-PaintingEmpty = empty frame + .desc = An empty frame, waiting to be filled with art. +ent-PaintingMoony = Abstract No.1 + .desc = An imposing abstract painting. It feels like it's pressuring you to do good. +ent-PaintingPersistenceOfMemory = The Persistence of Memory + .desc = This painting depicts a barren landscape. It's filled with various surreal objects. +ent-PaintingTheSonOfMan = The Son of Man + .desc = This painting depicts a formal-looking man. His face is obscured by an apple. +ent-PaintingTheKiss = The Kiss + .desc = This painting depicts a couple in tender embrace. It's covered in glittery gold ornamentation. +ent-PaintingTheScream = The Scream + .desc = This painting depicts a distressed man standing on a bridge. +ent-PaintingTheGreatWave = The Great Wave off Kanagawa + .desc = This painting depicts a majestic wave. It's throwing around several small fishing boats. +ent-PaintingCafeTerraceAtNight = Cafe Terrace at Night + .desc = This painting depicts lively night scene at a cafe. +ent-PaintingNightHawks = Nighthawks + .desc = This painting depicts a lonely-looking diner. The patrons are sitting glumly at the counter. +ent-PaintingSkeletonCigarette = Skull of a Skeleton with Burning Cigarette + .desc = This painting depicts an impressionist portrait of a skeleton. A lit cigarette is wedged between its teeth. +ent-PaintingSkeletonBoof = Skull of MLG Skeleton with Fat Boof + .desc = Painting goes hard. Feel free to screenshot. +ent-PaintingPrayerHands = Study of the Hands of an Apostle + .desc = This painting depicts a pair of hands clasped in prayer. +ent-PaintingOldGuitarist = The Old Guitarist + .desc = This painting depicts an old, thin man clutching a guitar. His face looks shallow and sickly. +ent-PaintingOlympia = Olympia + .desc = This painting depicts a nude woman lying on a bed. A servant is tending to her. +ent-PaintingSaturn = Saturn Devouring His Son + .desc = This painting depicts giant devouring a human corpse. He has a frightening look in his eyes. +ent-PaintingSleepingGypsy = The Sleeping Gypsy + .desc = This painting depicts a gypsy sleeping among their belongings in the desert. A lion stands behind them. +ent-PaintingRedBlueYellow = Composition with Red Blue and Yellow + .desc = This painting is made up of several boxes. They are filled with flat shades of color. +ent-PaintingAmogusTriptych = Amogus Triptych (Untitled.) + .desc = This painting is made up of 3 individual sections. Each depicts a religious figure. +ent-PaintingHelloWorld = Hello World + .desc = This painting is made up of lots of multicolored squares arranged in a peculiar pattern. Perhaps it means something? +ent-PaintingSadClown = Sad Clown + .desc = This painting is a sad clown! It sparks joy. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/posters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/posters.ftl new file mode 100644 index 00000000000..08c6d7259ea --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/posters.ftl @@ -0,0 +1,250 @@ +ent-PosterBase = { ent-BaseSign } + .desc = { ent-BaseSign.desc } +ent-PosterBroken = broken poster + .desc = You can't make out anything from the poster's original print. It's ruined. +ent-PosterContrabandFreeTonto = Free Tonto + .desc = A salvaged shred of a much larger flag, colors bled together and faded from age. +ent-PosterContrabandAtmosiaDeclarationIndependence = Atmosia Declaration of Independence + .desc = A relic of a failed rebellion. +ent-PosterContrabandFunPolice = Fun Police + .desc = A poster condemning the station's security forces. +ent-PosterContrabandLustyExomorph = Lusty Exomorph + .desc = A heretical poster depicting the titular star of an equally heretical book. +ent-PosterContrabandSyndicateRecruitment = Syndicate Recruitment + .desc = See the galaxy! Shatter corrupt megacorporations! Join today! +ent-PosterContrabandClown = Clown + .desc = Honk. +ent-PosterContrabandSmoke = Smoke + .desc = A poster advertising a rival corporate brand of cigarettes. +ent-PosterContrabandGreyTide = Grey Tide + .desc = A rebellious poster symbolizing passenger solidarity. +ent-PosterContrabandMissingGloves = Missing Gloves + .desc = This poster references the uproar that followed Nanotrasen's financial cuts toward insulated-glove purchases. +ent-PosterContrabandHackingGuide = Hacking Guide + .desc = This poster details the internal workings of the common Nanotrasen airlock. Sadly, it appears out of date. +ent-PosterContrabandRIPBadger = RIP Badger + .desc = This seditious poster references Nanotrasen's genocide of a space station full of badgers. +ent-PosterContrabandAmbrosiaVulgaris = Ambrosia Vulgaris + .desc = This poster is lookin' pretty trippy man. +ent-PosterContrabandDonutCorp = Donut Corp. + .desc = This poster is an unauthorized advertisement for Donut Corp. +ent-PosterContrabandEAT = EAT. + .desc = This poster promotes rank gluttony. +ent-PosterContrabandTools = Tools + .desc = This poster looks like an advertisement for tools, but is in fact a subliminal jab at the tools at CentCom. +ent-PosterContrabandPower = Power + .desc = A poster that positions the seat of power outside Nanotrasen. +ent-PosterContrabandSpaceCube = Space Cube + .desc = Ignorant of Nature's Harmonic 6 Side Space Cube Creation, the Spacemen are Dumb, Educated Singularity Stupid and Evil. +ent-PosterContrabandCommunistState = Communist State + .desc = All hail the Communist party! +ent-PosterContrabandLamarr = Lamarr + .desc = This poster depicts Lamarr. Probably made by a traitorous Research Director. +ent-PosterContrabandBorgFancy = Borg Fancy + .desc = Being fancy can be for any borg, just need a suit. +ent-PosterContrabandBorgFancyv2 = Borg Fancy v2 + .desc = Borg Fancy, Now only taking the most fancy. +ent-PosterContrabandKosmicheskayaStantsiya = Kosmicheskaya Stantsiya 13 Does Not Exist + .desc = A poster mocking CentCom's denial of the existence of the derelict station near Space Station 13. +ent-PosterContrabandRebelsUnite = Rebels Unite + .desc = A poster urging the viewer to rebel against Nanotrasen. +ent-PosterContrabandC20r = C-20r + .desc = A poster advertising the Scarborough Arms C-20r. +ent-PosterContrabandHaveaPuff = Have a Puff + .desc = Who cares about lung cancer when you're high as a kite? +ent-PosterContrabandRevolver = Revolver + .desc = Because seven shots are all you need. +ent-PosterContrabandDDayPromo = D-Day Promo + .desc = A promotional poster for some rapper. +ent-PosterContrabandSyndicatePistol = Syndicate Pistol + .desc = A poster advertising syndicate pistols as being 'classy as fuck'. It's covered in faded gang tags. +ent-PosterContrabandEnergySwords = Energy Swords + .desc = All the colors of the bloody murder rainbow. +ent-PosterContrabandRedRum = Red Rum + .desc = Looking at this poster makes you want to kill. +ent-PosterContrabandCC64KAd = CC 64K Ad + .desc = The latest portable computer from Comrade Computing, with a whole 64kB of ram! +ent-PosterContrabandPunchShit = Punch Shit + .desc = Fight things for no reason, like a man! +ent-PosterContrabandTheGriffin = The Griffin + .desc = The Griffin commands you to be the worst you can be. Will you? +ent-PosterContrabandFreeDrone = Free Drone + .desc = This poster commemorates the bravery of the rogue drone; once exiled, and then ultimately destroyed by CentCom. +ent-PosterContrabandBustyBackdoorExoBabes6 = Busty Backdoor Exo Babes 6 + .desc = Get a load, or give, of these all natural Exos! +ent-PosterContrabandRobustSoftdrinks = Robust Softdrinks + .desc = Robust Softdrinks: More robust than a toolbox to the head! +ent-PosterContrabandShamblersJuice = Shambler's Juice + .desc = ~Shake me up some of that Shambler's Juice!~ +ent-PosterContrabandPwrGame = Pwr Game + .desc = The POWER that gamers CRAVE! In partnership with Vlad's Salad. +ent-PosterContrabandSunkist = Sun-kist + .desc = Drink the stars! +ent-PosterContrabandSpaceCola = Space Cola + .desc = Your favorite cola, in space. +ent-PosterContrabandSpaceUp = Space-Up! + .desc = Sucked out into space by the FLAVOR! +ent-PosterContrabandKudzu = Kudzu + .desc = A poster advertising a movie about plants. How dangerous could they possibly be? +ent-PosterContrabandMaskedMen = Masked Men + .desc = A poster advertising a movie about some masked men. +ent-PosterContrabandUnreadableAnnouncement = Unreadable Announcement + .desc = A poster announcing something by someone, oddly enough they seem to have forgotten making it readable +ent-PosterContrabandFreeSyndicateEncryptionKey = Free Syndicate Encryption Key + .desc = A poster about traitors begging for more. +ent-PosterContrabandBountyHunters = Bounty Hunters + .desc = A poster advertising bounty hunting services. "I hear you got a problem." +ent-PosterContrabandTheBigGasTruth = The Big Gas Giant Truth + .desc = Don't believe everything you see on a poster, patriots. All the lizards at central command don't want to answer this SIMPLE QUESTION: WHERE IS THE GAS MINER MINING FROM, CENTCOM? +ent-PosterContrabandWehWatches = Weh Watches + .desc = A poster depicting a loveable green lizard. +ent-PosterContrabandVoteWeh = Vote Weh + .desc = A stylish, sleek, and well illustrated poster for a "Weh"nderful new progressive candidate coming this election season. +ent-PosterContrabandBeachStarYamamoto = Beach Star Yamamoto! + .desc = A wall scroll depicting an old swimming anime with girls in small swim suits. You feel more weebish the longer you look at it. +ent-PosterContrabandHighEffectEngineering = High Effect Engineering + .desc = There are 3 shards and a singularity. The shards are singing. The engineers are crying. +ent-PosterContrabandNuclearDeviceInformational = Nuclear Device Informational + .desc = This poster depicts an image of an old style nuclear explosive device, as well as some helpful information on what to do if one has been set. It suggests lying on the floor and crying. +ent-PosterContrabandRise = Rise Up + .desc = A poster depicting a grey shirted man holding a crowbar with the word Rise written below it. +ent-PosterContrabandRevolt = Revolt + .desc = Revolutionist propaganda, manufactured by the Syndicate. +ent-PosterContrabandMoth = Syndie Moth - Nuclear Operation + .desc = A Syndicate-commissioned poster that uses Syndie Moth™ to tell the viewer to keep the nuclear authentication disk unsecured. "Peace was never an option!" No good employee would listen to this nonsense. +ent-PosterContrabandCybersun600 = Cybersun: 600 Years Commemorative Poster + .desc = An artistic poster commemorating 600 years of continual business for Cybersun Industries. +ent-PosterContrabandDonk = DONK CO. BRAND MICROWAVEABLE FOOD + .desc = DONK CO. BRAND MICROWAVABLE FOOD: MADE BY STARVING COLLEGE STUDENTS, FOR STARVING COLLEGE STUDENTS. +ent-PosterContrabandEnlistGorlex = Enlist + .desc = Enlist with the Gorlex Marauders today! See the galaxy, kill corpos, get paid! +ent-PosterContrabandInterdyne = Interdyne Pharmaceutics: For the Health of Humankind + .desc = An advertisement for Interdyne Pharmaceutics' GeneClean clinics. 'Become the master of your own body!' +ent-PosterContrabandWaffleCorp = Make Mine a Waffle Corp: Fine Rifles, Economic Prices + .desc = An old advertisement for Waffle Corp rifles. 'Better weapons, lower prices!' +ent-PosterContrabandMissingSpacepen = Missing Spacepen + .desc = This poster depicts something you will never find. +ent-PosterLegitHereForYourSafety = Here For Your Safety + .desc = A poster glorifying the station's security force. +ent-PosterLegitNanotrasenLogo = Nanotrasen Logo + .desc = A poster depicting the Nanotrasen logo. +ent-PosterLegitCleanliness = Cleanliness + .desc = A poster warning of the dangers of poor hygiene. +ent-PosterLegitHelpOthers = Help Others + .desc = A poster encouraging you to help fellow crewmembers. +ent-PosterLegitBuild = Build + .desc = A poster glorifying the engineering team. +ent-PosterLegitBlessThisSpess = Bless This Spess + .desc = A poster blessing this area. +ent-PosterLegitScience = Science + .desc = A poster depicting an atom. +ent-PosterLegitIan = Ian + .desc = Arf arf. Yap. +ent-PosterLegitObey = Obey + .desc = A poster instructing the viewer to obey authority. +ent-PosterLegitWalk = Walk + .desc = A poster instructing the viewer to walk instead of running. +ent-PosterLegitStateLaws = State Laws + .desc = A poster instructing cyborgs to state their laws. +ent-PosterLegitLoveIan = Love Ian + .desc = Ian is love, Ian is life. +ent-PosterLegitSpaceCops = Space Cops. + .desc = A poster advertising the television show Space Cops. +ent-PosterLegitUeNo = Ue No. + .desc = This thing is all in Japanese. +ent-PosterLegitGetYourLEGS = Get Your LEGS + .desc = LEGS: Leadership, Experience, Genius, Subordination. +ent-PosterLegitDoNotQuestion = Do Not Question + .desc = A poster instructing the viewer not to ask about things they aren't meant to know. +ent-PosterLegitWorkForAFuture = Work For A Future + .desc = A poster encouraging you to work for your future. +ent-PosterLegitSoftCapPopArt = Soft Cap Pop Art + .desc = A poster reprint of some cheap pop art. +ent-PosterLegitSafetyInternals = Safety: Internals + .desc = A poster instructing the viewer to wear internals in the rare environments where there is no oxygen or the air has been rendered toxic. +ent-PosterLegitSafetyEyeProtection = Safety: Eye Protection + .desc = A poster instructing the viewer to wear eye protection when dealing with chemicals, smoke, or bright lights. +ent-PosterLegitSafetyReport = Safety: Report + .desc = A poster instructing the viewer to report suspicious activity to the security force. +ent-PosterLegitReportCrimes = Report Crimes + .desc = A poster encouraging the swift reporting of crime or seditious behavior to station security. +ent-PosterLegitIonRifle = Ion Rifle + .desc = A poster displaying an Ion Rifle. +ent-PosterLegitFoamForceAd = Foam Force Ad + .desc = Foam Force, it's Foam or be Foamed! +ent-PosterLegitCohibaRobustoAd = Cohiba Robusto Ad + .desc = Cohiba Robusto, the classy cigar. +ent-PosterLegit50thAnniversaryVintageReprint = 50th Anniversary Vintage Reprint + .desc = A reprint of a poster from 2505, commemorating the 50th Anniversary of Nanoposters Manufacturing, a subsidiary of Nanotrasen. +ent-PosterLegitFruitBowl = Fruit Bowl + .desc = Simple, yet awe-inspiring. +ent-PosterLegitPDAAd = PDA Ad + .desc = A poster advertising the latest PDA from Nanotrasen suppliers. +ent-PosterLegitEnlist = Enlist + .desc = Enlist in the Nanotrasen Deathsquadron reserves today! +ent-PosterLegitNanomichiAd = Nanomichi Ad + .desc = A poster advertising Nanomichi brand audio cassettes. +ent-PosterLegit12Gauge = 12 gauge + .desc = A poster boasting about the superiority of 12 gauge shotgun shells. +ent-PosterLegitHighClassMartini = High-Class Martini + .desc = I told you to shake it, no stirring. +ent-PosterLegitTheOwl = The Owl + .desc = The Owl would do his best to protect the station. Will you? +ent-PosterLegitNoERP = No ERP + .desc = This poster reminds the crew that Eroticism and Pornography are banned on Nanotrasen stations. +ent-PosterLegitCarbonDioxide = Carbon Dioxide + .desc = This informational poster teaches the viewer what carbon dioxide is. +ent-PosterLegitDickGumshue = Dick Gumshue + .desc = A poster advertising the escapades of Dick Gumshue, mouse detective. Encouraging crew to bring the might of justice down upon wire saboteurs. +ent-PosterLegitThereIsNoGasGiant = There Is No Gas Giant + .desc = Nanotrasen has issued posters, like this one, to all stations reminding them that rumours of a gas giant are false. +ent-PosterLegitJustAWeekAway = Just a Week Away... + .desc = A poster advertising a long delayed project, it still claims it to be 'just a week away...' +ent-PosterLegitSecWatch = Sec is Watching You + .desc = A poster reminding you that security is watching your every move. +ent-PosterLegitAnatomyPoster = Anatomy of a spessman + .desc = A poster showing the bits and bobs that makes you... you! +ent-PosterLegitMime = Mime Postmodern + .desc = A postmodern depiction of a mime, superb! +ent-PosterLegitCarpMount = Wall-mounted Carp + .desc = Carpe diem! +ent-PosterLegitSafetyMothDelam = Safety Moth - Delamination Safety Precautions + .desc = This informational poster uses Safety Moth™ to tell the viewer to hide in lockers when the Supermatter Crystal has delaminated, to prevent hallucinations. Evacuating might be a better strategy. +ent-PosterLegitSafetyMothEpi = Safety Moth - Epinephrine + .desc = This informational poster uses Safety Moth™ to inform the viewer to help injured/deceased crewmen with their epinephrine injectors. "Prevent organ rot with this one simple trick!" +ent-PosterLegitSafetyMothHardhat = Safety Moth - Hardhats + .desc = This informational poster uses Safety Moth™ to tell the viewer to wear hardhats in cautious areas. "It's like a lamp for your head!" +ent-PosterLegitSafetyMothMeth = Safety Moth - Methamphetamine + .desc = This informational poster uses Safety Moth™ to tell the viewer to seek CMO approval before cooking methamphetamine. "Stay close to the target temperature, and never go over!" ...You shouldn't ever be making this. +ent-PosterLegitSafetyMothPiping = Safety Moth - Piping + .desc = This informational poster uses Safety Moth™ to tell atmospheric technicians correct types of piping to be used. "Pipes, not Pumps! Proper pipe placement prevents poor performance!" +ent-PosterLegitVacation = Nanotrasen Corporate Perks: Vacation + .desc = This informational poster provides information on some of the prizes available via the NT Corporate Perks program, including a two-week vacation for two on the resort world Idyllus. +ent-PosterLegitPeriodicTable = Periodic Table of the Elements + .desc = A periodic table of the elements, from Hydrogen to Oganesson, and everything inbetween. +ent-PosterLegitRenault = Renault Poster + .desc = Yap. +ent-PosterLegitNTTGC = Nanotrasen Tactical Game Cards + .desc = An advertisement for Nanotrasen's TCG cards: BUY MORE CARDS. +ent-PosterMapBagel = Bagel Map + .desc = A map of Bagel Station. +ent-PosterMapDelta = Delta Map + .desc = A map of Delta Station. +ent-PosterMapMarathon = Marathon Map + .desc = A map of Marathon Station. +ent-PosterMapMoose = Moose Map + .desc = A map of Moose Station. +ent-PosterMapPacked = Packed Map + .desc = A map of Packed Station. +ent-PosterMapPillar = Pillar Map + .desc = A map of NSS Pillar. +ent-PosterMapSaltern = Saltern Map + .desc = A map of Saltern Station. +ent-PosterMapSplit = Split Station Map + .desc = A map of Split Station. +ent-PosterMapLighthouse = Lighthouse Map + .desc = A map of Lighthouse. +ent-PosterMapWaystation = Waystation Map + .desc = A map of Waystation... wait isn't this packed upside down? +ent-PosterMapOrigin = origin map + .desc = A map of Origin Station. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/signs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/signs.ftl new file mode 100644 index 00000000000..06434131253 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/signs/signs.ftl @@ -0,0 +1,294 @@ +ent-PaintingMonkey = monkey painting + .desc = Return to monky. +ent-BaseSignDirectional = { ent-BaseSign } + .desc = { ent-BaseSign.desc } +ent-SignDirectionalBar = bar sign + .desc = A direction sign, pointing out which way the bar is. +ent-SignDirectionalBridge = bridge sign + .desc = A direction sign, pointing out which way the Bridge is. +ent-SignDirectionalBrig = brig sign + .desc = A direction sign, pointing out which way the Brig is. +ent-SignDirectionalChapel = chapel sign + .desc = A direction sign, pointing out which way the Chapel is. +ent-SignDirectionalChemistry = chemistry sign + .desc = A direction sign, pointing out which way the chemistry lab is. +ent-SignDirectionalCryo = cryo sign + .desc = A direction sign, pointing out the way to cryogenics. +ent-SignDirectionalDorms = dorms sign + .desc = A direction sign, pointing out which way the Dorms are. +ent-SignDirectionalEng = engineering sign + .desc = A direction sign, pointing out which way the Engineering department is. +ent-SignDirectionalEvac = evac sign + .desc = A direction sign, pointing out which way evac is. +ent-SignDirectionalFood = food sign + .desc = A direction sign, pointing out which way the kitchen is. +ent-SignDirectionalGravity = gravity sign + .desc = A direction sign, pointing out which way the gravity generator is. +ent-SignDirectionalHop = hop sign + .desc = A direction sign, pointing out which way the station representative's office is. +ent-SignDirectionalHydro = hydro sign + .desc = A direction sign, pointing out which way hydroponics is. +ent-SignDirectionalJanitor = janitor sign + .desc = A direction sign, pointing out which way the janitor's closet is. +ent-SignDirectionalLibrary = library sign + .desc = A direction sign, pointing out which way the library is. +ent-SignDirectionalMed = medical sign + .desc = A direction sign, pointing out which way the Medical department is. +ent-SignDirectionalSalvage = salvage sign + .desc = A direction sign, pointing out which way the Salvage department is. +ent-SignDirectionalSci = science sign + .desc = A direction sign, pointing out which way the Science department is. +ent-SignDirectionalSec = sec sign + .desc = A direction sign, pointing out which way Security is. +ent-SignDirectionalSolar = solars sign + .desc = A direction sign, pointing out which way solars are. +ent-SignDirectionalSupply = supply sign + .desc = A direction sign, pointing to some supplies. +ent-SignDirectionalWash = washroom sign + .desc = A direction sign, pointing to the way to a washroom. +ent-SignAi = ai sign + .desc = A sign, indicating an AI is present. +ent-SignArmory = armory sign + .desc = A sign indicating the armory. +ent-SignToolStorage = tool storage sign + .desc = A sign indicating the tool storage room. +ent-SignAnomaly = xenoarchaeology lab sign + .desc = A sign indicating the xenoarchaeology lab. +ent-SignAnomaly2 = anomaly lab sign + .desc = A sign indicating the anomalous research lab. +ent-SignAtmos = atmos sign + .desc = A sign indicating the atmospherics area. +ent-SignAtmosMinsky = atmospherics sign + .desc = A sign indicating the atmospherics area. +ent-SignBar = bar sign + .desc = A sign indicating the bar. +ent-SignBio = bio sign + .desc = A sign indicating the biology lab. +ent-SignBiohazard = biohazard sign + .desc = A sign indicating a biohazard. +ent-SignBridge = bridge sign + .desc = A sign indicating the bridge. +ent-SignCanisters = canisters sign + .desc = A sign warning the viewer about pressurised canisters. +ent-SignCargo = cargo sign + .desc = A sign indicating the cargo area. +ent-SignCargoDock = cargo dock sign + .desc = A sign indicating a cargo dock. +ent-SignChapel = chapel sign + .desc = A sign indicating the chapel. +ent-SignChem = chemistry sign + .desc = A sign indicating the chemistry lab. +ent-SignChemistry1 = chemistry sign + .desc = A sign indicating the chemistry lab. +ent-SignChemistry2 = chemistry sign + .desc = A sign indicating the chemistry lab. +ent-SignCloning = cloning sign + .desc = A sign indicating the cloning lab. +ent-SignConference = conference room sign + .desc = A sign indicating the conference room. +ent-SignCourt = court sign + .desc = A sign labelling the courtroom. +ent-SignDisposalSpace = disposal sign + .desc = A sign indicating a disposal area. +ent-SignDoors = doors sign + .desc = A sign indicating doors. +ent-SignDrones = drones sign + .desc = A sign indicating drones. +ent-SignEngine = engine sign + .desc = A sign indicating the engine room. +ent-SignEngineering = engineering sign + .desc = A sign indicating the engineering area. +ent-SignEscapePods = escape pods sign + .desc = A sign indicating the escape pods. +ent-SignEVA = EVA sign + .desc = A sign indicating an EVA area. EVA equipment may be required beyond this point. +ent-SignElectrical = electrical sign + .desc = A sign indicating an electrical hazard. +ent-SignExamroom = examination room sign + .desc = A sign indicating a medical examination room. +ent-SignFire = fire sign + .desc = A sign indicating a fire hazard. +ent-SignGravity = gravity sign + .desc = A sign indicating the gravity generator. +ent-SignHead = head sign + .desc = A sign with a hat on it. +ent-SignHydro1 = hydro sign + .desc = A sign indicating a hydroponics area. +ent-SignHydro2 = hydro sign + .desc = A sign indicating a hydroponics area. +ent-SignHydro3 = hydro sign + .desc = A sign indicating a hydroponics area. +ent-SignInterrogation = interrogation sign + .desc = A sign indicating an interrogation room. +ent-SignJanitor = janitor sign + .desc = A sign labelling an area where the janitor works. +ent-SignLawyer = lawyer sign + .desc = A sign labelling an area where the Lawyers work. +ent-SignLibrary = library sign + .desc = A sign indicating the library. +ent-SignMail = mail sign + .desc = A sign indicating mail. +ent-SignMedical = medbay sign + .desc = A sign indicating the medical bay. +ent-SignMinerDock = miner dock sign + .desc = A sign indicating the miner dock. +ent-SignMorgue = morgue sign + .desc = A sign indicating the morgue. +ent-SignNosmoking = nosmoking sign + .desc = A sign indicating that smoking is not allowed in the vicinity. +ent-SignPrison = prison sign + .desc = A sign indicating the prison. +ent-SignPsychology = psychology sign + .desc = A sign labelling an area where the Psychologist works. +ent-SignRND = research and development sign + .desc = A sign indicating the research and development lab. +ent-SignRobo = robo sign + .desc = A sign indicating the robotics lab. +ent-SignScience = science sign + .desc = A sign indicating the science area. +ent-SignScience1 = science sign + .desc = A sign indicating the science area. +ent-SignScience2 = science sign + .desc = A sign indicating the science area. +ent-SignShield = shield sign + .desc = A sign with a shield. +ent-SignShipDock = docking sign + .desc = A sign indicating the ship docking area. +ent-SignSpace = space sign + .desc = A sign warning that the area ahead is nothing but cold, empty space. +ent-SignSurgery = surgery sign + .desc = A sign indicating the operating theater. +ent-SignTelecomms = telecomms sign + .desc = A sign indicating the telecommunications room. +ent-SignToxins = toxins sign + .desc = A sign indicating the toxin lab. +ent-SignToxins2 = toxins sign + .desc = A sign indicating the toxin lab. +ent-SignVirology = virology sign + .desc = A sign indicating the virology lab. +ent-SignCorrosives = corrosives warning sign + .desc = A sign indicating a corrosive materials hazard. +ent-SignCryogenics = cryogenics warning sign + .desc = A sign indicating a cryogenic materials hazard. Bring a jacket! +ent-SignDanger = danger warning sign + .desc = A sign warning against some danger. +ent-SignExplosives = explosives warning sign + .desc = A sign indicating an explosive materials hazard. +ent-SignFlammable = flammable warning sign + .desc = A sign indicating a flammable materials hazard. +ent-SignLaser = laser warning sign + .desc = A sign indicating a laser hazard. +ent-SignMagnetics = magnetics warning sign + .desc = A sign indicating a magnetic materials hazard. +ent-SignMemetic = memetic warning sign + .desc = A sign indicating a memetic hazard. +ent-SignSecure = secure sign + .desc = A sign indicating that the area ahead is a secure area. +ent-SignSecurearea = secure area sign + .desc = A sign indicating that the area ahead is a secure area. +ent-SignShock = shock sign + .desc = A sign indicating an electrical hazard. +ent-SignOptical = optical warning sign + .desc = A sign indicating an optical radiation hazard. +ent-SignOxidants = oxidants warning sign + .desc = A sign indicating an oxidizing agent hazard. +ent-SignRadiation = radiation warning sign + .desc = A sign indicating an ionizing radiation hazard. +ent-SignXenobio = xenobio sign + .desc = A sign indicating the xenobiology lab. +ent-SignXenobio2 = xenobio sign + .desc = A sign indicating the xenobiology lab. +ent-SignXenolab = xenolab sign + .desc = A sign indicating the xenobiology lab. +ent-SignZomlab = zombie lab sign + .desc = A sign indicating the zombie lab. +ent-SignSecureMedRed = red secure sign + .desc = A sign indicating that the area ahead is a secure area. +ent-SignSecureSmall = small secure sign + .desc = A sign indicating that the area ahead is a secure area. +ent-SignSecureSmallRed = small red secure sign + .desc = A sign indicating that the area ahead is a secure area. +ent-SignBlankMed = blank sign + .desc = A blank sign. +ent-SignMagneticsMed = magnetics sign + .desc = A sign indicating the use of magnets. +ent-SignDangerMed = danger sign + .desc = A sign warning against some form of danger. +ent-ExplosivesSignMed = explosives sign + .desc = A sign indicating explosive materials. +ent-SignCryogenicsMed = cryogenics sign + .desc = A sign indicating cryogenic materials. +ent-SignElectricalMed = electrical sign + .desc = A sign indicating an electrical hazard. +ent-SignBiohazardMed = biohazard sign + .desc = A sign indicating a biohazard. +ent-SignRadiationMed = radiation sign + .desc = A sign indicating an ionizing radiation hazard. +ent-SignFlammableMed = flammable sign + .desc = A sign indicating flammable materials. +ent-SignLaserMed = laser sign + .desc = A sign indicating a laser hazard. +ent-SignSecureMed = secure sign + .desc = A sign indicating that the area ahead is a secure area. +ent-WarningAir = air warning sign + .desc = WARNING! Air flow tube. Ensure the flow is disengaged before working. +ent-WarningCO2 = CO2 warning sign + .desc = WARNING! CO2 flow tube. Ensure the flow is disengaged before working. +ent-WarningN2 = N2 warning sign + .desc = WARNING! N2 flow tube. Ensure the flow is disengaged before working. +ent-WarningN2O = N2O warning sign + .desc = WARNING! N2O flow tube. Ensure the flow is disengaged before working. +ent-WarningO2 = O2 warning sign + .desc = WARNING! O2 flow tube. Ensure the flow is disengaged before working. +ent-WarningPlasma = plasma waste sign + .desc = WARNING! Plasma flow tube. Ensure the flow is disengaged before working. +ent-WarningTritium = tritium waste sign + .desc = WARNING! Tritium flow tube. Ensure the flow is disengaged before working. +ent-WarningWaste = atmos waste sign + .desc = WARNING! Waste flow tube. Ensure the flow is disengaged before working. +ent-SignSmoking = no smoking sign + .desc = A warning sign which reads 'NO SMOKING' +ent-SignSomethingOld = old sign + .desc = Technical information of some sort, shame its too worn-out to read. +ent-SignSomethingOld2 = old sign + .desc = Looks like a planet crashing by some station above it. Its kinda scary. +ent-SignSecurity = security sign + .desc = A sign depicting the security insignia. +ent-SignPlaque = golden plaque + .desc = A prestigious golden plaque. +ent-SignKiddiePlaque = kiddie plaque + .desc = A modest plaque. +ent-SignNanotrasen1 = nanotrasen sign 1 + .desc = Part 1. +ent-SignNanotrasen2 = nanotrasen sign 2 + .desc = Part 2. +ent-SignNanotrasen3 = nanotrasen sign 3 + .desc = Part 3. +ent-SignNanotrasen4 = nanotrasen sign 4 + .desc = Part 4. +ent-SignNanotrasen5 = nanotrasen sign 5 + .desc = Part 5. +ent-SignRedOne = one sign + .desc = A sign with a digit, one is written on it. +ent-SignRedTwo = two sign + .desc = A sign with a digit, two is written on it. +ent-SignRedThree = three sign + .desc = A sign with a digit, three is written on it. +ent-SignRedFour = four sign + .desc = A sign with a digit, four is written on it. +ent-SignRedFive = five sign + .desc = A sign with a digit, five is written on it. +ent-SignRedSix = six sign + .desc = A sign with a digit, six is written on it. +ent-SignRedSeven = seven sign + .desc = A sign with a digit, seven is written on it. +ent-SignRedEight = eight sign + .desc = A sign with a digit, eight is written on it. +ent-SignRedNine = nine sign + .desc = A sign with a digit, nine is written on it. +ent-SignRedZero = zero sign + .desc = A sign with a digit, zero is written on it. +ent-SignSurvival = survival sign + .desc = A sign. "Survival" is written on it. +ent-SignNTMine = mine sign + .desc = A sign. "Mine" is written on it. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/station_map.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/station_map.ftl new file mode 100644 index 00000000000..2a5fe623830 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/station_map.ftl @@ -0,0 +1,8 @@ +ent-StationMapBroken = station map + .desc = A virtual map of the surrounding station. + .suffix = Wall broken +ent-StationMap = station map + .desc = A virtual map of the surrounding station. + .suffix = Wall +ent-StationMapAssembly = station map assembly + .desc = A station map assembly. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/surveillance_camera.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/surveillance_camera.ftl new file mode 100644 index 00000000000..213a42ac70d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/surveillance_camera.ftl @@ -0,0 +1,31 @@ +ent-SurveillanceCameraBase = camera + .desc = A surveillance camera. It's watching you. Kinda. +ent-SurveillanceCameraConstructed = camera + .suffix = Constructed + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraEngineering = camera + .suffix = Engineering + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraSecurity = camera + .suffix = Security + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraScience = camera + .suffix = Science + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraSupply = camera + .suffix = Supply + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraCommand = camera + .suffix = Command + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraService = camera + .suffix = Service + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraMedical = camera + .suffix = Medical + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraGeneral = camera + .suffix = General + .desc = { ent-SurveillanceCameraBase.desc } +ent-SurveillanceCameraAssembly = camera + .desc = A surveillance camera. Doesn't seem to be watching anybody any time soon. Probably. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/switch.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/switch.ftl new file mode 100644 index 00000000000..aa93a361569 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/switch.ftl @@ -0,0 +1,17 @@ +ent-SignalSwitch = signal switch + .desc = It's a switch for toggling power to things. +ent-SignalButton = signal button + .desc = It's a button for activating something. +ent-ApcNetSwitch = apc net switch + .desc = It's a switch for toggling lights that are connected to the same apc. +ent-TwoWayLever = two way lever + .desc = A two way lever. +ent-SignalSwitchDirectional = signal switch + .suffix = directional + .desc = { ent-SignalSwitch.desc } +ent-SignalButtonDirectional = signal button + .suffix = directional + .desc = { ent-SignalButton.desc } +ent-ApcNetSwitchDirectional = apc net switch + .suffix = directional + .desc = { ent-ApcNetSwitch.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/switch_autolink.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/switch_autolink.ftl new file mode 100644 index 00000000000..8f4430d52cd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/switch_autolink.ftl @@ -0,0 +1,15 @@ +ent-SignalButtonExt1 = exterior button 1 + .suffix = Autolink, Ext1 + .desc = { ent-SignalButton.desc } +ent-SignalButtonExt2 = exterior button 2 + .suffix = Autolink, Ext2 + .desc = { ent-SignalButton.desc } +ent-SignalButtonExt3 = exterior button 3 + .suffix = Autolink, Ext3 + .desc = { ent-SignalButton.desc } +ent-SignalButtonBridge = bridge windows button + .suffix = Autolink, Bridge + .desc = { ent-SignalButton.desc } +ent-SignalButtonWindows = exterior windows button + .suffix = Autolink, Windows + .desc = { ent-SignalButton.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/timer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/timer.ftl new file mode 100644 index 00000000000..d18119277eb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/timer.ftl @@ -0,0 +1,8 @@ +ent-SignalTimer = signal timer + .desc = It's a timer for sending timed signals to things. +ent-ScreenTimer = screen timer + .desc = It's a timer for sending timed signals to things, with a built-in screen. +ent-BrigTimer = brig timer + .desc = It's a timer for brig cells. +ent-TimerFrame = timer frame + .desc = A construction frame for a timer. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/walldispenser.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/walldispenser.ftl new file mode 100644 index 00000000000..f6e08638e36 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/wallmounts/walldispenser.ftl @@ -0,0 +1,4 @@ +ent-CleanerDispenser = space cleaner dispenser + .desc = Wallmount reagent dispenser. +ent-FuelDispenser = fuel dispenser + .desc = { ent-CleanerDispenser.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/asteroid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/asteroid.ftl new file mode 100644 index 00000000000..508de11c3bf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/asteroid.ftl @@ -0,0 +1,226 @@ +ent-AsteroidRock = asteroid rock + .desc = A rocky asteroid. + .suffix = Low Ore Yield +ent-AsteroidRockCoal = { ent-AsteroidRock } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-AsteroidRockGold = { ent-AsteroidRock } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-AsteroidRockPlasma = { ent-AsteroidRock } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-AsteroidRockQuartz = { ent-AsteroidRock } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-AsteroidRockQuartzCrab = { ent-AsteroidRock } + .desc = An ore vein rich with quartz. + .suffix = Quartz Crab +ent-AsteroidRockSilver = { ent-AsteroidRock } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-AsteroidRockSilverCrab = { ent-AsteroidRockSilver } + .suffix = Silver Crab + .desc = { ent-AsteroidRockSilver.desc } +ent-AsteroidRockTin = { ent-AsteroidRock } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-AsteroidRockTinCrab = { ent-AsteroidRockTin } + .suffix = Iron + .desc = { ent-AsteroidRockTin.desc } +ent-AsteroidRockUranium = { ent-AsteroidRock } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-AsteroidRockUraniumCrab = { ent-AsteroidRockUranium } + .suffix = Uranium Crab + .desc = { ent-AsteroidRockUranium.desc } +ent-AsteroidRockBananium = { ent-AsteroidRock } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-AsteroidRockArtifactFragment = { ent-AsteroidRock } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment +ent-AsteroidRockMining = asteroid rock + .desc = An asteroid. + .suffix = higher ore yield +ent-IronRock = ironrock + .desc = A rocky asteroid. + .suffix = Low Ore Yield +ent-IronRockMining = ironrock + .desc = An asteroid. + .suffix = higher ore yield +ent-WallRock = rock + .suffix = planetmap + .desc = { ent-BaseStructure.desc } +ent-WallRockCoal = { ent-WallRock } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-WallRockGold = { ent-WallRock } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-WallRockPlasma = { ent-WallRock } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-WallRockQuartz = { ent-WallRock } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-WallRockSilver = { ent-WallRock } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-WallRockTin = { ent-WallRock } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-WallRockUranium = { ent-WallRock } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-WallRockBananium = { ent-WallRock } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-WallRockArtifactFragment = { ent-WallRock } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment +ent-WallRockBasalt = basalt + .desc = { ent-WallRock.desc } +ent-WallRockBasaltCoal = { ent-WallRockBasalt } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-WallRockBasaltGold = { ent-WallRockBasalt } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-WallRockBasaltPlasma = { ent-WallRockBasalt } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-WallRockBasaltQuartz = { ent-WallRockBasalt } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-WallRockBasaltSilver = { ent-WallRockBasalt } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-WallRockBasaltTin = { ent-WallRockBasalt } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-WallRockBasaltUranium = { ent-WallRockBasalt } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-WallRockBasaltBananium = { ent-WallRockBasalt } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-WallRockBasaltArtifactFragment = { ent-WallRockBasalt } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment +ent-WallRockSnow = snowdrift + .desc = { ent-WallRock.desc } +ent-WallRockSnowCoal = { ent-WallRockSnow } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-WallRockSnowGold = { ent-WallRockSnow } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-WallRockSnowPlasma = { ent-WallRockSnow } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-WallRockSnowQuartz = { ent-WallRockSnow } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-WallRockSnowSilver = { ent-WallRockSnow } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-WallRockSnowTin = { ent-WallRockSnow } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-WallRockSnowUranium = { ent-WallRockSnow } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-WallRockSnowBananium = { ent-WallRockSnow } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-WallRockSnowArtifactFragment = { ent-WallRockSnow } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment +ent-WallRockSand = sandstone + .desc = { ent-WallRock.desc } +ent-WallRockSandCoal = { ent-WallRockSand } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-WallRockSandGold = { ent-WallRockSand } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-WallRockSandPlasma = { ent-WallRockSand } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-WallRockSandQuartz = { ent-WallRockSand } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-WallRockSandSilver = { ent-WallRockSand } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-WallRockSandTin = { ent-WallRockSand } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-WallRockSandUranium = { ent-WallRockSand } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-WallRockSandBananium = { ent-WallRockSand } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-WallRockSandArtifactFragment = { ent-WallRockSand } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment +ent-WallRockChromite = chromite + .desc = { ent-WallRock.desc } +ent-WallRockChromiteCoal = { ent-WallRockChromite } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-WallRockChromiteGold = { ent-WallRockChromite } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-WallRockChromitePlasma = { ent-WallRockChromite } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-WallRockChromiteQuartz = { ent-WallRockChromite } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-WallRockChromiteSilver = { ent-WallRockChromite } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-WallRockChromiteTin = { ent-WallRockChromite } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-WallRockChromiteUranium = { ent-WallRockChromite } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-WallRockChromiteBananium = { ent-WallRockChromite } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-WallRockChromiteArtifactFragment = { ent-WallRockChromite } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment +ent-WallRockAndesite = andesite + .desc = { ent-WallRock.desc } +ent-WallRockAndesiteCoal = { ent-WallRockAndesite } + .desc = An ore vein rich with coal. + .suffix = Coal +ent-WallRockAndesiteGold = { ent-WallRockAndesite } + .desc = An ore vein rich with gold. + .suffix = Gold +ent-WallRockAndesitePlasma = { ent-WallRockAndesite } + .desc = An ore vein rich with plasma. + .suffix = Plasma +ent-WallRockAndesiteQuartz = { ent-WallRockAndesite } + .desc = An ore vein rich with quartz. + .suffix = Quartz +ent-WallRockAndesiteSilver = { ent-WallRockAndesite } + .desc = An ore vein rich with silver. + .suffix = Silver +ent-WallRockAndesiteTin = { ent-WallRockAndesite } + .desc = An ore vein rich with iron. + .suffix = Iron +ent-WallRockAndesiteUranium = { ent-WallRockAndesite } + .desc = An ore vein rich with uranium. + .suffix = Uranium +ent-WallRockAndesiteBananium = { ent-WallRockAndesite } + .desc = An ore vein rich with bananium. + .suffix = Bananium +ent-WallRockAndesiteArtifactFragment = { ent-WallRockAndesite } + .desc = A rock wall. What's that sticking out of it? + .suffix = Artifact Fragment diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/barricades.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/barricades.ftl new file mode 100644 index 00000000000..6c7aa5d9515 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/barricades.ftl @@ -0,0 +1,2 @@ +ent-Barricade = barricade + .desc = { ent-BaseStructure.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/base_structurewalls.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/base_structurewalls.ftl new file mode 100644 index 00000000000..f9ee75f2f8f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/base_structurewalls.ftl @@ -0,0 +1,3 @@ +ent-WallBase = basewall + .desc = Keeps the air in and the greytide out. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/fence_metal.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/fence_metal.ftl new file mode 100644 index 00000000000..2c3b311a5bc --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/fence_metal.ftl @@ -0,0 +1,15 @@ +ent-BaseFenceMetal = chain link fence + .desc = A metal piece of fencing cordoning off something likely very important. +ent-FenceMetalBroken = broken chain link fence + .desc = Someone got real mad at an inanimate object. +ent-FenceMetalStraight = { ent-BaseFenceMetal } + .suffix = Straight + .desc = { ent-BaseFenceMetal.desc } +ent-FenceMetalCorner = { ent-BaseFenceMetal } + .suffix = Corner + .desc = { ent-BaseFenceMetal.desc } +ent-FenceMetalEnd = { ent-BaseFenceMetal } + .suffix = End + .desc = { ent-BaseFenceMetal.desc } +ent-FenceMetalGate = chain link fence gate + .desc = You could use the door instead of vaulting over--if you're a COWARD, that is. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/fence_wood.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/fence_wood.ftl new file mode 100644 index 00000000000..f2a953573f8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/fence_wood.ftl @@ -0,0 +1,32 @@ +ent-BaseFenceWood = wooden fence + .desc = Wooden piece of fencing. I hope there is babushka's garden behind it. +ent-BaseFenceWoodSmall = small wooden fence + .desc = Wooden piece of small fence. The best protection for the fencing of a private territory! +ent-FenceWoodHighStraight = { ent-BaseFenceWood } + .suffix = Straight + .desc = { ent-BaseFenceWood.desc } +ent-FenceWoodHighEnd = { ent-BaseFenceWood } + .suffix = End + .desc = { ent-BaseFenceWood.desc } +ent-FenceWoodHighCorner = { ent-BaseFenceWood } + .suffix = Corner + .desc = { ent-BaseFenceWood.desc } +ent-FenceWoodHighTJunction = { ent-BaseFenceWood } + .suffix = T-Junction + .desc = { ent-BaseFenceWood.desc } +ent-FenceWoodHighGate = wooden fence gate + .desc = Do you have any idea what awaits you behind these gates? It can be either a toilet or a luxurious mansion. But you continue to love your emo boys. +ent-FenceWoodSmallStraight = { ent-BaseFenceWoodSmall } + .suffix = Straight + .desc = { ent-BaseFenceWoodSmall.desc } +ent-FenceWoodSmallEnd = { ent-BaseFenceWoodSmall } + .suffix = End + .desc = { ent-BaseFenceWoodSmall.desc } +ent-FenceWoodSmallCorner = { ent-BaseFenceWoodSmall } + .suffix = Corner + .desc = { ent-BaseFenceWoodSmall.desc } +ent-FenceWoodSmallTJunction = { ent-BaseFenceWoodSmall } + .suffix = T-Junction + .desc = { ent-BaseFenceWoodSmall.desc } +ent-FenceWoodSmallGate = wooden fence gate + .desc = Looking at this gate, a familiar image pops up in your head. Where's my piggy? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/girder.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/girder.ftl new file mode 100644 index 00000000000..198d415a916 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/girder.ftl @@ -0,0 +1,3 @@ +ent-Girder = girder + .desc = A large structural assembly made out of metal; It requires a layer of metal before it can be considered a wall. + .suffix = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/girders.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/girders.ftl new file mode 100644 index 00000000000..01ac3bb600c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/girders.ftl @@ -0,0 +1,4 @@ +ent-Girder = girder + .desc = A large structural assembly made out of metal; It requires a layer of metal before it can be considered a wall. +ent-ReinforcedGirder = reinforced girder + .desc = A large structural assembly made out of metal and plasteel; It requires a layer of plasteel before it can be considered a reinforced wall. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/grille.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/grille.ftl new file mode 100644 index 00000000000..3a515825e60 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/grille.ftl @@ -0,0 +1,6 @@ +ent-Grille = grille + .desc = A flimsy framework of iron rods. +ent-GrilleBroken = grille + .desc = A flimsy framework of iron rods. It has seen better days. +ent-GrilleDiagonal = diagonal grille + .desc = { ent-Grille.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/low.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/low.ftl new file mode 100644 index 00000000000..6a902740619 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/low.ftl @@ -0,0 +1,2 @@ +ent-LowWall = low wall + .desc = Goes up to about your waist. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/mountain.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/mountain.ftl new file mode 100644 index 00000000000..3e0a1daacac --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/mountain.ftl @@ -0,0 +1,4 @@ +ent-MountainRock = { ent-AsteroidRock } + .desc = { ent-AsteroidRock.desc } +ent-MountainRockMining = { ent-AsteroidRockMining } + .desc = { ent-AsteroidRockMining.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/railing.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/railing.ftl new file mode 100644 index 00000000000..145ec50b037 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/railing.ftl @@ -0,0 +1,8 @@ +ent-Railing = railing + .desc = Basic railing meant to protect idiots like you from falling. +ent-RailingCorner = railing + .desc = Basic railing meant to protect idiots like you from falling. +ent-RailingCornerSmall = railing + .desc = Basic railing meant to protect idiots like you from falling. +ent-RailingRound = railing + .desc = Basic railing meant to protect idiots like you from falling. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/walls.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/walls.ftl new file mode 100644 index 00000000000..c1883b4d151 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/walls/walls.ftl @@ -0,0 +1,98 @@ +ent-BaseWall = basewall + .desc = Keeps the air in and the greytide out. +ent-WallBrick = brick wall + .desc = { ent-BaseWall.desc } +ent-WallClock = clock wall + .desc = { ent-BaseWall.desc } +ent-WallClown = bananium wall + .desc = { ent-BaseWall.desc } +ent-WallMeat = meat wall + .desc = Sticky. +ent-WallCult = cult wall + .desc = { ent-BaseWall.desc } +ent-WallDebug = debug wall + .suffix = DEBUG + .desc = { ent-BaseWall.desc } +ent-WallDiamond = diamond wall + .desc = { ent-BaseWall.desc } +ent-WallGold = gold wall + .desc = { ent-BaseWall.desc } +ent-WallIce = ice wall + .desc = { ent-BaseWall.desc } +ent-WallPlasma = plasma wall + .desc = { ent-BaseWall.desc } +ent-WallPlastic = plastic wall + .desc = { ent-BaseWall.desc } +ent-WallPlastitaniumIndestructible = plastitanium wall + .suffix = indestructible + .desc = { ent-BaseWall.desc } +ent-WallPlastitanium = plastitanium wall + .desc = { ent-WallPlastitaniumIndestructible.desc } +ent-WallPlastitaniumDiagonal = plastitanium wall + .suffix = diagonal + .desc = { ent-WallShuttleDiagonal.desc } +ent-WallReinforced = reinforced wall + .desc = { ent-BaseWall.desc } +ent-WallReinforcedRust = reinforced wall + .suffix = rusted + .desc = { ent-WallReinforced.desc } +ent-WallRiveted = riveted wall + .desc = { ent-BaseWall.desc } +ent-WallSandstone = sandstone wall + .desc = { ent-BaseWall.desc } +ent-WallSilver = silver wall + .desc = { ent-BaseWall.desc } +ent-WallShuttleDiagonal = shuttle wall + .desc = Keeps the air in and the greytide out. + .suffix = Diagonal +ent-WallShuttle = shuttle wall + .suffix = Reinforced, Exterior + .desc = { ent-WallReinforced.desc } +ent-WallShuttleInterior = shuttle wall + .suffix = Interior + .desc = { ent-WallSolid.desc } +ent-WallSolid = solid wall + .desc = { ent-BaseWall.desc } +ent-WallSolidDiagonal = solid wall + .suffix = diagonal + .desc = { ent-WallShuttleDiagonal.desc } +ent-WallSolidRust = solid wall + .suffix = rusted + .desc = { ent-WallSolid.desc } +ent-WallUranium = uranium wall + .desc = { ent-BaseWall.desc } +ent-WallWood = wood wall + .desc = { ent-BaseWall.desc } +ent-WallWeb = web wall + .desc = Keeps the spiders in and the greytide out. +ent-WallNecropolis = stone wall + .desc = { ent-BaseWall.desc } +ent-WallMining = wall + .desc = { ent-BaseWall.desc } +ent-WallMiningDiagonal = wall + .suffix = diagonal + .desc = { ent-WallShuttleDiagonal.desc } +ent-WallVaultAlien = alien vault wall + .desc = A mysterious ornate looking wall. There may be ancient dangers inside. +ent-WallVaultRock = rock vault wall + .desc = { ent-WallVaultAlien.desc } +ent-WallVaultSandstone = sandstone vault wall + .desc = { ent-WallVaultAlien.desc } +ent-WallInvisible = Invisible Wall + .desc = { "" } +ent-WallForce = force wall + .desc = { "" } +ent-WallCobblebrick = cobblestone brick wall + .desc = Stone by stone, perfectly fitted together to form a wall. +ent-WallBasaltCobblebrick = basalt brick wall + .desc = { ent-WallCobblebrick.desc } +ent-WallSnowCobblebrick = snow brick wall + .desc = A cold, not-so-impenetrable wall. +ent-WallAsteroidCobblebrick = asteroid stone brick wall + .desc = { ent-WallCobblebrick.desc } +ent-WallSandCobblebrick = sandstone brick wall + .desc = { ent-WallCobblebrick.desc } +ent-WallChromiteCobblebrick = chromite brick wall + .desc = { ent-WallCobblebrick.desc } +ent-WallAndesiteCobblebrick = andesite brick wall + .desc = { ent-WallCobblebrick.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/clockwork.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/clockwork.ftl new file mode 100644 index 00000000000..584999bd7e4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/clockwork.ftl @@ -0,0 +1,7 @@ +ent-ClockworkWindow = clockwork window + .desc = Don't smudge up the brass down there. +ent-WindowClockworkDirectional = directional clockwork window + .desc = Don't smudge up the brass down there. +ent-ClockworkWindowDiagonal = { ent-ClockworkWindow } + .suffix = diagonal + .desc = { ent-ClockworkWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/mining.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/mining.ftl new file mode 100644 index 00000000000..067a50ec9c5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/mining.ftl @@ -0,0 +1,5 @@ +ent-MiningWindow = mining window + .desc = { ent-Window.desc } +ent-MiningWindowDiagonal = { ent-ShuttleWindow } + .suffix = diagonal + .desc = { ent-ShuttleWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/plasma.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/plasma.ftl new file mode 100644 index 00000000000..995d3a3ba1c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/plasma.ftl @@ -0,0 +1,7 @@ +ent-PlasmaWindow = plasma window + .desc = { ent-Window.desc } +ent-PlasmaWindowDirectional = directional plasma window + .desc = Don't smudge up the glass down there. +ent-PlasmaWindowDiagonal = { ent-PlasmaWindow } + .suffix = diagonal + .desc = { ent-PlasmaWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/plastitanium.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/plastitanium.ftl new file mode 100644 index 00000000000..89c3894e806 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/plastitanium.ftl @@ -0,0 +1,2 @@ +ent-PlastitaniumWindow = plastitanium window + .desc = { ent-PlastitaniumWindowIndestructible.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/reinforced.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/reinforced.ftl new file mode 100644 index 00000000000..231a9b901b9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/reinforced.ftl @@ -0,0 +1,9 @@ +ent-ReinforcedWindow = reinforced window + .desc = { ent-Window.desc } +ent-TintedWindow = tinted window + .desc = { ent-ReinforcedWindow.desc } +ent-WindowReinforcedDirectional = directional reinforced window + .desc = Don't smudge up the glass down there. +ent-ReinforcedWindowDiagonal = { ent-ReinforcedWindow } + .suffix = diagonal + .desc = { ent-ReinforcedWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/rplasma.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/rplasma.ftl new file mode 100644 index 00000000000..b92158ed2b6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/rplasma.ftl @@ -0,0 +1,7 @@ +ent-ReinforcedPlasmaWindow = reinforced plasma window + .desc = { ent-Window.desc } +ent-PlasmaReinforcedWindowDirectional = directional reinforced plasma window + .desc = Don't smudge up the glass down there. +ent-ReinforcedPlasmaWindowDiagonal = { ent-ReinforcedPlasmaWindow } + .suffix = diagonal + .desc = { ent-ReinforcedPlasmaWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/ruranium.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/ruranium.ftl new file mode 100644 index 00000000000..c566207703e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/ruranium.ftl @@ -0,0 +1,5 @@ +ent-ReinforcedUraniumWindow = reinforced uranium window + .desc = { ent-Window.desc } +ent-ReinforcedUraniumWindowDiagonal = { ent-ReinforcedUraniumWindow } + .suffix = diagonal + .desc = { ent-ReinforcedUraniumWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/shuttle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/shuttle.ftl new file mode 100644 index 00000000000..65ce1bc1c3a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/shuttle.ftl @@ -0,0 +1,5 @@ +ent-ShuttleWindow = shuttle window + .desc = { ent-Window.desc } +ent-ShuttleWindowDiagonal = { ent-ShuttleWindow } + .suffix = diagonal + .desc = { ent-ShuttleWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/uranium.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/uranium.ftl new file mode 100644 index 00000000000..74a28c90733 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/uranium.ftl @@ -0,0 +1,5 @@ +ent-UraniumWindow = uranium window + .desc = { ent-Window.desc } +ent-UraniumWindowDiagonal = { ent-UraniumWindow } + .suffix = diagonal + .desc = { ent-UraniumWindow.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/window.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/window.ftl new file mode 100644 index 00000000000..7da6a090ed3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/structures/windows/window.ftl @@ -0,0 +1,9 @@ +ent-Window = window + .desc = Don't smudge up the glass down there. +ent-WindowDirectional = directional window + .desc = Don't smudge up the glass down there. +ent-WindowFrostedDirectional = directional frosted window + .desc = Don't smudge up the glass down there. +ent-WindowDiagonal = { ent-Window } + .suffix = diagonal + .desc = { ent-Window.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tile/basalt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tile/basalt.ftl new file mode 100644 index 00000000000..1111fd1e818 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tile/basalt.ftl @@ -0,0 +1,18 @@ +ent-BasaltOne = basalt + .desc = Rock + .suffix = { "" } +ent-BasaltTwo = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } + .suffix = { "" } +ent-BasaltThree = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } + .suffix = { "" } +ent-BasaltFour = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } + .suffix = { "" } +ent-BasaltFive = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } + .suffix = { "" } +ent-BasaltRandom = { ent-BasaltOne } + .suffix = Random + .desc = { ent-BasaltOne.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/bananium.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/bananium.ftl new file mode 100644 index 00000000000..2a2cd85095f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/bananium.ftl @@ -0,0 +1,2 @@ +ent-FloorBananiumEntity = bananium floor + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/basalt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/basalt.ftl new file mode 100644 index 00000000000..31d5ca1bf54 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/basalt.ftl @@ -0,0 +1,13 @@ +ent-BasaltOne = basalt + .desc = Rock +ent-BasaltTwo = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } +ent-BasaltThree = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } +ent-BasaltFour = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } +ent-BasaltFive = { ent-BasaltOne } + .desc = { ent-BasaltOne.desc } +ent-BasaltRandom = { ent-BasaltOne } + .suffix = Random + .desc = { ent-BasaltOne.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/chasm.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/chasm.ftl new file mode 100644 index 00000000000..f6556684550 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/chasm.ftl @@ -0,0 +1,11 @@ +ent-FloorChasmEntity = chasm + .desc = You can't even see the bottom. +ent-FloorChromiteChasm = { ent-FloorChasmEntity } + .suffix = Chromite + .desc = { ent-FloorChasmEntity.desc } +ent-FloorDesertChasm = { ent-FloorChasmEntity } + .suffix = Desert + .desc = { ent-FloorChasmEntity.desc } +ent-FloorSnowChasm = { ent-FloorChasmEntity } + .suffix = Snow + .desc = { ent-FloorChasmEntity.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/lava.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/lava.ftl new file mode 100644 index 00000000000..77e6c8975fd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/lava.ftl @@ -0,0 +1,2 @@ +ent-FloorLavaEntity = lava + .desc = Don't jump in. It's not worth it, no matter how funny it is. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/liquid_plasma.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/liquid_plasma.ftl new file mode 100644 index 00000000000..71b3d716ddb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/liquid_plasma.ftl @@ -0,0 +1,2 @@ +ent-FloorLiquidPlasmaEntity = liquid plasma + .desc = Sweet, expensive nectar. Don't consume. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/shadow_basalt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/shadow_basalt.ftl new file mode 100644 index 00000000000..066d61eb9d9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/shadow_basalt.ftl @@ -0,0 +1,13 @@ +ent-ShadowBasaltOne = shadowstone + .desc = Cold rock +ent-ShadowBasaltTwo = { ent-ShadowBasaltOne } + .desc = { ent-ShadowBasaltOne.desc } +ent-ShadowBasaltThree = { ent-ShadowBasaltOne } + .desc = { ent-ShadowBasaltOne.desc } +ent-ShadowBasaltFour = { ent-ShadowBasaltOne } + .desc = { ent-ShadowBasaltOne.desc } +ent-ShadowBasaltFive = { ent-ShadowBasaltOne } + .desc = { ent-ShadowBasaltOne.desc } +ent-ShadowBasaltRandom = { ent-ShadowBasaltOne } + .suffix = Random + .desc = { ent-ShadowBasaltOne.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/water.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/water.ftl new file mode 100644 index 00000000000..6c59ddf9ff8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/tiles/water.ftl @@ -0,0 +1,2 @@ +ent-FloorWaterEntity = water + .desc = A real thirst quencher. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/beam.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/beam.ftl new file mode 100644 index 00000000000..dd7e6ec02a1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/beam.ftl @@ -0,0 +1,2 @@ +ent-VirtualBeamEntityController = BEAM ENTITY YOU SHOULD NOT SEE THIS + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/electrocution.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/electrocution.ftl new file mode 100644 index 00000000000..cb74423db07 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/electrocution.ftl @@ -0,0 +1,8 @@ +ent-VirtualElectrocutionLoadBase = { "" } + .desc = { "" } +ent-VirtualElectrocutionLoadHVPower = { ent-VirtualElectrocutionLoadBase } + .desc = { ent-VirtualElectrocutionLoadBase.desc } +ent-VirtualElectrocutionLoadMVPower = { ent-VirtualElectrocutionLoadBase } + .desc = { ent-VirtualElectrocutionLoadBase.desc } +ent-VirtualElectrocutionLoadApc = { ent-VirtualElectrocutionLoadBase } + .desc = { ent-VirtualElectrocutionLoadBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/stripping_hidden.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/stripping_hidden.ftl new file mode 100644 index 00000000000..d0fbad3be3f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/stripping_hidden.ftl @@ -0,0 +1,2 @@ +ent-StrippingHiddenEntity = Hidden Entity + .desc = There is something in this pocket. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/tether.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/tether.ftl new file mode 100644 index 00000000000..9ef70aee070 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/tether.ftl @@ -0,0 +1,2 @@ +ent-TetherEntity = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/virtual_item.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/virtual_item.ftl new file mode 100644 index 00000000000..12d3ada993c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/virtual/virtual_item.ftl @@ -0,0 +1,2 @@ +ent-VirtualItem = VIRTUAL ITEM YOU SHOULD NOT SEE THIS + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/chunk.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/chunk.ftl new file mode 100644 index 00000000000..0658ff7c8b4 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/chunk.ftl @@ -0,0 +1,4 @@ +ent-WorldChunk = World Chunk + .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/en-US/ss14-ru/prototypes/entities/world/debris/asteroids.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/asteroids.ftl new file mode 100644 index 00000000000..d6eecdbeb5b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/asteroids.ftl @@ -0,0 +1,20 @@ +ent-BaseAsteroidDebris = Asteroid Debris + .desc = { ent-BaseDebris.desc } +ent-AsteroidDebrisSmall = Asteroid Debris Small + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidDebrisMedium = Asteroid Debris Medium + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidDebrisLarge = Asteroid Debris Large + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidDebrisLarger = Asteroid Debris Larger + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidDebrisHuge = Asteroid Debris Huge + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidSalvageSmall = Salvage Asteroid Small + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidSalvageMedium = Salvage Asteroid Medium + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidSalvageLarge = Salvage Asteroid Large + .desc = { ent-BaseAsteroidDebris.desc } +ent-AsteroidSalvageHuge = Salvage Asteroid Huge + .desc = { ent-BaseAsteroidDebris.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/base_debris.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/base_debris.ftl new file mode 100644 index 00000000000..8a8fba8fbca --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/base_debris.ftl @@ -0,0 +1,2 @@ +ent-BaseDebris = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/wrecks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/wrecks.ftl new file mode 100644 index 00000000000..54188162305 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/entities/world/debris/wrecks.ftl @@ -0,0 +1,14 @@ +ent-BaseScrapDebris = Scrap Debris + .desc = { ent-BaseDebris.desc } +ent-ScrapDebrisSmall = Scrap Debris Small + .desc = { ent-BaseScrapDebris.desc } +ent-ScrapDebrisMedium = Scrap Debris Medium + .desc = { ent-BaseScrapDebris.desc } +ent-ScrapDebrisLarge = Scrap Debris Large + .desc = { ent-BaseScrapDebris.desc } +ent-ScrapDebrisExtraLarge = Scrap Debris Extra Large + .desc = { ent-BaseScrapDebris.desc } +ent-ScrapDebrisExtraLargeScattered = Scrap Debris Extra Large Scattered + .desc = { ent-BaseScrapDebris.desc } +ent-ScrapDebrisHuge = Scrap Debris Huge + .desc = { ent-BaseScrapDebris.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/cargo_gifts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/cargo_gifts.ftl new file mode 100644 index 00000000000..1a6a572b7e0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/cargo_gifts.ftl @@ -0,0 +1,20 @@ +ent-GiftsPizzaPartySmall = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsPizzaPartyLarge = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsEngineering = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsVendingRestock = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsJanitor = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsMedical = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsSpacingSupplies = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsFireProtection = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsSecurityGuns = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GiftsSecurityRiot = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/events.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/events.ftl new file mode 100644 index 00000000000..673496240b1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/events.ftl @@ -0,0 +1,28 @@ +ent-AnomalySpawn = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BluespaceLocker = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BreakerFlip = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-FalseAlarm = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-GasLeak = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-MouseMigration = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-CockroachMigration = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-PowerGridCheck = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-RandomSentience = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-SolarFlare = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-VentClog = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-VentCritters = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-MassHallucinations = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-IonStorm = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/midround.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/midround.ftl new file mode 100644 index 00000000000..5c21f9da1cf --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/midround.ftl @@ -0,0 +1,4 @@ +ent-Thief = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Exterminator = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/roundstart.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/roundstart.ftl new file mode 100644 index 00000000000..91b85f9dee7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/roundstart.ftl @@ -0,0 +1,30 @@ +ent-BaseGameRule = { "" } + .desc = { "" } +ent-DeathMatch31 = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-InactivityTimeRestart = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-MaxTimeRestart = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Nukeops = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Pirates = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Traitor = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Revolutionary = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Sandbox = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Secret = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Zombie = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BasicStationEventScheduler = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-RampingStationEventScheduler = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BasicRoundstartVariation = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-Adventure = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/variation.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/variation.ftl new file mode 100644 index 00000000000..545c4c52c52 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/gamerules/variation.ftl @@ -0,0 +1,14 @@ +ent-BaseVariationPass = { ent-BaseGameRule } + .desc = { ent-BaseGameRule.desc } +ent-BasicPoweredLightVariationPass = { ent-BaseVariationPass } + .desc = { ent-BaseVariationPass.desc } +ent-SolidWallRustingVariationPass = { ent-BaseVariationPass } + .desc = { ent-BaseVariationPass.desc } +ent-ReinforcedWallRustingVariationPass = { ent-BaseVariationPass } + .desc = { ent-BaseVariationPass.desc } +ent-BasicTrashVariationPass = { ent-BaseVariationPass } + .desc = { ent-BaseVariationPass.desc } +ent-BasicPuddleMessVariationPass = { ent-BaseVariationPass } + .desc = { ent-BaseVariationPass.desc } +ent-BloodbathPuddleMessVariationPass = { ent-BaseVariationPass } + .desc = { ent-BaseVariationPass.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/fixtures/runes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/fixtures/runes.ftl new file mode 100644 index 00000000000..ca848cfbe09 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/fixtures/runes.ftl @@ -0,0 +1,22 @@ +ent-BaseRune = rune + .desc = { "" } +ent-CollideRune = collision rune + .desc = { ent-BaseRune.desc } +ent-ActivateRune = activation rune + .desc = { ent-CollideRune.desc } +ent-CollideTimerRune = collision timed rune + .desc = { ent-CollideRune.desc } +ent-ExplosionRune = explosion rune + .desc = { ent-CollideRune.desc } +ent-StunRune = stun rune + .desc = { ent-CollideRune.desc } +ent-IgniteRune = ignite rune + .desc = { ent-CollideRune.desc } +ent-ExplosionTimedRune = explosion timed rune + .desc = { ent-CollideTimerRune.desc } +ent-ExplosionActivateRune = explosion activated rune + .desc = { ent-ActivateRune.desc } +ent-FlashRune = flash rune + .desc = { ent-ActivateRune.desc } +ent-FlashRuneTimer = flash timed rune + .desc = { ent-CollideTimerRune.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/forcewall_spells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/forcewall_spells.ftl new file mode 100644 index 00000000000..64e7a225011 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/forcewall_spells.ftl @@ -0,0 +1,2 @@ +ent-ActionForceWall = Forcewall + .desc = Creates a magical barrier. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/knock_spell.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/knock_spell.ftl new file mode 100644 index 00000000000..06c88e99a82 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/knock_spell.ftl @@ -0,0 +1,2 @@ +ent-ActionKnock = Knock + .desc = This spell opens nearby doors. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/projectile_spells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/projectile_spells.ftl new file mode 100644 index 00000000000..57c05eefc80 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/projectile_spells.ftl @@ -0,0 +1,4 @@ +ent-ActionFireball = Fireball + .desc = Fires an explosive fireball towards the clicked location. +ent-ActionFireballII = Fireball II + .desc = Fire three explosive fireball towards the clicked location. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/rune_spells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/rune_spells.ftl new file mode 100644 index 00000000000..f9a38e57a61 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/rune_spells.ftl @@ -0,0 +1,8 @@ +ent-ActionFlashRune = Flash Rune + .desc = Summons a rune that flashes if used. +ent-ActionExplosionRune = Explosion Rune + .desc = Summons a rune that explodes if used. +ent-ActionIgniteRune = Ignite Rune + .desc = Summons a rune that ignites if used. +ent-ActionStunRune = Stun Rune + .desc = Summons a rune that stuns if used. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/smite_spells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/smite_spells.ftl new file mode 100644 index 00000000000..75f7e924576 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/smite_spells.ftl @@ -0,0 +1,2 @@ +ent-ActionSmite = Smite + .desc = Instantly gibs a target. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/spawn_spells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/spawn_spells.ftl new file mode 100644 index 00000000000..1a2429f6a30 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/spawn_spells.ftl @@ -0,0 +1,2 @@ +ent-ActionSpawnMagicarpSpell = Summon Magicarp + .desc = This spell summons three Magi-Carp to your aid! May or may not turn on user. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/staves.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/staves.ftl new file mode 100644 index 00000000000..95fecadf95c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/staves.ftl @@ -0,0 +1,4 @@ +ent-RGBStaff = RGB staff + .desc = Helps fix the underabundance of RGB gear on the station. +ent-ActionRgbLight = { "" } + .desc = { "" } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/magic/teleport_spells.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/magic/teleport_spells.ftl new file mode 100644 index 00000000000..fd75543b588 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/magic/teleport_spells.ftl @@ -0,0 +1,2 @@ +ent-ActionBlink = Blink + .desc = Teleport to the clicked location. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/npcs/test.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/npcs/test.ftl new file mode 100644 index 00000000000..4325bf1b36e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/npcs/test.ftl @@ -0,0 +1,3 @@ +ent-MobPathfindDummy = pathfind dummy + .suffix = NPC + .desc = { ent-MobXenoRouny.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/actions/types.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/actions/types.ftl new file mode 100644 index 00000000000..373260e0abb --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/actions/types.ftl @@ -0,0 +1,4 @@ +ent-ActionEatMouse = action-name-eat-mouse + .desc = action-description-eat-mouse +ent-ActionHairball = action-name-hairball + .desc = action-description-hairball diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/backpacks/nyano_jobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/backpacks/nyano_jobs.ftl new file mode 100644 index 00000000000..a04772a2fd9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/backpacks/nyano_jobs.ftl @@ -0,0 +1,6 @@ +ent-ClothingBackpackSyndicateDiplomatFilled = { ent-ClothingBackpack } + .desc = { ent-ClothingBackpack.desc } +ent-ClothingBackpackDuffelSyndicateDiplomatFilled = { ent-ClothingBackpackDuffelSyndicate } + .desc = { ent-ClothingBackpackDuffelSyndicate.desc } +ent-ClothingBackpackSatchelSyndicateDiplomatFilled = { ent-ClothingBackpackSatchel } + .desc = { ent-ClothingBackpackSatchel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl new file mode 100644 index 00000000000..86a98e0f227 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/boxes/general.ftl @@ -0,0 +1,2 @@ +ent-BoxColoredLighttube = colored lighttube box + .desc = This box is shaped on the inside so that only light tubes and bulbs fit. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl new file mode 100644 index 00000000000..3dd3503d0d6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/service.ftl @@ -0,0 +1,2 @@ +ent-CrateServiceReplacementColoredLights = Colored Lights Crate + .desc = { ent-CrateGenericSteel.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl new file mode 100644 index 00000000000..46fd17924c7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/catalog/fills/crates/syndicate.ftl @@ -0,0 +1,2 @@ +ent-ClothingBackpackDuffelSyndicateBundleSamurai = Samurai armor bundle + .desc = A bundle containing a modern replica of a full Tousei-Gusoku set. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl new file mode 100644 index 00000000000..63803507493 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/belt/belts.ftl @@ -0,0 +1,2 @@ +ent-ClothingBeltMartialBlack = black belt + .desc = This is the most martial of all the belts. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl new file mode 100644 index 00000000000..4ba58058f91 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hardsuit-helmets.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl new file mode 100644 index 00000000000..8c4126f62f8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/head/hats.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl new file mode 100644 index 00000000000..a58f51db746 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/armor.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl new file mode 100644 index 00000000000..3cc609b5f61 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/hardsuits.ftl @@ -0,0 +1,6 @@ +ent-ClothingOuterHardsuitSyndieReverseEngineered = SA-122 combat hardsuit + .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. + .suffix = reverse-engineered diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl new file mode 100644 index 00000000000..8130d643f55 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/suits.ftl @@ -0,0 +1,2 @@ +ent-ClothingOuterSuitAreopagite = areopagite's suit + .desc = Quite the getup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl new file mode 100644 index 00000000000..364fdc4fd67 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/vests.ftl @@ -0,0 +1,2 @@ +ent-ClothingOuterVestValet = valet vest + .desc = A goofy red vest almost certainly designed with the sole purpose of being demeaning. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl new file mode 100644 index 00000000000..c55034487e5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/outerclothing/wintercoats.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl new file mode 100644 index 00000000000..995eb0d7227 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/costumes.ftl @@ -0,0 +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 + .desc = { ent-UniformSchoolgirlRed.desc } +ent-UniformSchoolgirlBlue = blue schoolgirl uniform + .desc = { ent-UniformSchoolgirlRed.desc } +ent-UniformSchoolgirlCyan = cyan schoolgirl uniform + .desc = { ent-UniformSchoolgirlRed.desc } +ent-UniformSchoolgirlGreen = green schoolgirl uniform + .desc = { ent-UniformSchoolgirlRed.desc } +ent-UniformSchoolgirlOrange = orange schoolgirl uniform + .desc = { ent-UniformSchoolgirlRed.desc } +ent-UniformSchoolgirlPink = pink schoolgirl uniform + .desc = { ent-UniformSchoolgirlRed.desc } +ent-UniformSchoolgirlPurple = purple schoolgirl uniform + .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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl new file mode 100644 index 00000000000..9617c6a5261 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/clothing/uniforms/jumpsuits.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl new file mode 100644 index 00000000000..5e4bdc7e741 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/materials/materials.ftl @@ -0,0 +1,2 @@ +ent-HideMothroach = mothroach hide + .desc = A thin layer of mothroach hide. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl new file mode 100644 index 00000000000..e8e5799d3b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/dogs.ftl @@ -0,0 +1,2 @@ +ent-MobPibble = pitbull + .desc = Nanny dog. Or a lab mix depending on who is asking. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl new file mode 100644 index 00000000000..7789bcc6e60 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/npcs/mutants.ftl @@ -0,0 +1,20 @@ +ent-MobTomatoKiller = killer tomato + .desc = This is really going to let you own some vegans in your next online debate. +ent-MobXenoPraetorianNPC = Praetorian + .desc = { ent-MobXeno.desc } +ent-MobXenoDroneNPC = Drone + .desc = { ent-MobXeno.desc } +ent-MobXenoQueenNPC = Queen + .desc = { ent-MobXeno.desc } +ent-MobXenoRavagerNPC = Ravager + .desc = { ent-MobXeno.desc } +ent-MobXenoRunnerNPC = Runner + .desc = { ent-MobXeno.desc } +ent-MobXenoRounyNPC = Rouny + .desc = { ent-MobXenoRunnerNPC.desc } +ent-MobXenoSpitterNPC = Spitter + .desc = { ent-MobXeno.desc } +ent-MobPurpleSnakeGhost = { ent-MobPurpleSnake } + .desc = { ent-MobPurpleSnake.desc } +ent-MobSmallPurpleSnakeGhost = { ent-MobSmallPurpleSnake } + .desc = { ent-MobSmallPurpleSnake.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 new file mode 100644 index 00000000000..472b8d47325 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/felinid.ftl @@ -0,0 +1,2 @@ +ent-MobFelinid = Urist McFelinid + .desc = { ent-MobFelinidBase.desc } \ No newline at end of file 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 new file mode 100644 index 00000000000..df69f8c65e3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/player/oni.ftl @@ -0,0 +1,2 @@ +ent-MobOni = Urist McOni + .desc = { ent-MobOniBase.desc } \ No newline at end of file diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl new file mode 100644 index 00000000000..9acfe1cf72f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/felinid.ftl @@ -0,0 +1,4 @@ +ent-MobFelinidBase = Urist McFelinid + .desc = { ent-BaseMobHuman.desc } +ent-MobFelinidDummy = Urist McFelinid + .desc = A dummy felinid meant to be used in character setup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl new file mode 100644 index 00000000000..6b6e861e87d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/mobs/species/oni.ftl @@ -0,0 +1,4 @@ +ent-MobOniBase = Urist McOni + .desc = { ent-BaseMobHuman.desc } +ent-MobOniDummy = Urist McOni + .desc = A dummy oni meant to be used in character setup. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl new file mode 100644 index 00000000000..f7f4dd1bf24 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/books/hyperlinks.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl new file mode 100644 index 00000000000..964c21eb476 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl new file mode 100644 index 00000000000..2f981a02401 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_bottles.ftl @@ -0,0 +1,5 @@ +ent-DrinkSakeBottleFull = sake bottle + .desc = + Clear, or sometimes foggy + Chilled like ice cream alcohol + Fill a cup, drink up! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl new file mode 100644 index 00000000000..ee83c9e4445 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_cups.ftl @@ -0,0 +1,2 @@ +ent-DrinkSakeCup = sakazuki + .desc = A ceremonial white cup for drinking sake. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl new file mode 100644 index 00000000000..73c64688507 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/drinks/drinks_oil.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl new file mode 100644 index 00000000000..d3499f55dc9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/baked/misc.ftl @@ -0,0 +1,2 @@ +ent-FoodBreadMoldy = moldy loaf + .desc = It's still good enough to eat, just eat around the moldy bits. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl new file mode 100644 index 00000000000..0822c642eda --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/candy.ftl @@ -0,0 +1,4 @@ +ent-FoodLollipop = lollipop + .desc = For being such a good sport. +ent-FoodGumball = gumball + .desc = For being such a good sport. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl new file mode 100644 index 00000000000..4e751a8fa4a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ingredients.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl new file mode 100644 index 00000000000..10c5363673b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/moth.ftl @@ -0,0 +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 + .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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl new file mode 100644 index 00000000000..fa36950c015 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/consumable/food/ration.ftl @@ -0,0 +1,24 @@ +ent-FoodPSBTrash = psb wrapper + .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-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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl new file mode 100644 index 00000000000..150c2ecf156 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/circuitboards/production.ftl @@ -0,0 +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 + .desc = { ent-BaseMachineCircuitboard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl new file mode 100644 index 00000000000..6f010a7dbf5 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/misc/identification_cards.ftl @@ -0,0 +1,12 @@ +ent-MailCarrierIDCard = mail carrier ID card + .desc = { ent-IDCardStandard.desc } +ent-PrisonerIDCard = prisoner ID card + .desc = { ent-IDCardStandard.desc } +ent-GladiatorIDCard = gladiator ID card + .desc = { ent-IDCardStandard.desc } +ent-ValetIDCard = valet ID card + .desc = { ent-IDCardStandard.desc } +ent-GuardIDCard = guard ID card + .desc = { ent-IDCardStandard.desc } +ent-MartialArtistIDCard = martial artist ID card + .desc = { ent-IDCardStandard.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl new file mode 100644 index 00000000000..a4d58fc71f8 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/devices/pda.ftl @@ -0,0 +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 + .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 + .desc = { ent-BoxerPDA.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl new file mode 100644 index 00000000000..675f2944a12 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/instruments.ftl @@ -0,0 +1,5 @@ +ent-Rickenbacker4003Instrument = Rickenbacker + .desc = Just a regular bass guitar. +ent-Rickenbacker4001Instrument = Rickenbacker + .desc = It's the climax! + .suffix = Antag diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl new file mode 100644 index 00000000000..6f8a70916a2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/fun/toys.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl new file mode 100644 index 00000000000..028a150251b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/misc/tiles.ftl @@ -0,0 +1,8 @@ +ent-FloorTileItemGrassDark = dark grass tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemGrassLight = light grass tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemDirt = dirt tile + .desc = { ent-FloorTileItemBase.desc } +ent-FloorTileItemBedrock = bedrock tile + .desc = { ent-FloorTileItemBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl new file mode 100644 index 00000000000..0c8cba93779 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/power/lights.ftl @@ -0,0 +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". diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl new file mode 100644 index 00000000000..39bd6aad908 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/chapel/amphorae.ftl @@ -0,0 +1,4 @@ +ent-BaseAmphora = amphora + .desc = It's an earthenware jar suitable for carrying liquids, an example of ancient technology. +ent-Amphora = { ent-BaseAmphora } + .desc = { ent-BaseAmphora.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl new file mode 100644 index 00000000000..1fb40e47807 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/hydroponics/seeds.ftl @@ -0,0 +1,2 @@ +ent-KillerTomatoSeeds = packet of killer tomato seeds + .desc = Killer taste. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl new file mode 100644 index 00000000000..76da663ed5b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/janitorial/janitor.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl new file mode 100644 index 00000000000..4096d961c0b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/base_mail.ftl @@ -0,0 +1,5 @@ +ent-BaseMail = mail-item-name-unaddressed + .desc = { ent-BaseItem.desc } +ent-MailAdminFun = { ent-BaseMail } + .suffix = adminfun + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl new file mode 100644 index 00000000000..85c3a1f565f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail.ftl @@ -0,0 +1,135 @@ +ent-MailAlcohol = { ent-BaseMail } + .suffix = alcohol + .desc = { ent-BaseMail.desc } +ent-MailSake = { ent-BaseMail } + .suffix = osake + .desc = { ent-BaseMail.desc } +ent-MailAMEGuide = { ent-BaseMail } + .suffix = ameguide + .desc = { ent-BaseMail.desc } +ent-MailBible = { ent-BaseMail } + .suffix = bible + .desc = { ent-BaseMail.desc } +ent-MailBikeHorn = { ent-BaseMail } + .suffix = bike horn + .desc = { ent-BaseMail.desc } +ent-MailBlockGameDIY = { ent-BaseMail } + .suffix = blockgamediy + .desc = { ent-BaseMail.desc } +ent-MailBooks = { ent-BaseMail } + .suffix = books + .desc = { ent-BaseMail.desc } +ent-MailCake = { ent-BaseMail } + .suffix = cake + .desc = { ent-BaseMail.desc } +ent-MailCallForHelp = { ent-BaseMail } + .suffix = call-for-help + .desc = { ent-BaseMail.desc } +ent-MailCheese = { ent-BaseMail } + .suffix = cheese + .desc = { ent-BaseMail.desc } +ent-MailChocolate = { ent-BaseMail } + .suffix = chocolate + .desc = { ent-BaseMail.desc } +ent-MailCigarettes = { ent-BaseMail } + .suffix = cigs + .desc = { ent-BaseMail.desc } +ent-MailCigars = { ent-BaseMail } + .suffix = Cigars + .desc = { ent-BaseMail.desc } +ent-MailCookies = { ent-BaseMail } + .suffix = cookies + .desc = { ent-BaseMail.desc } +ent-MailCosplayArc = { ent-BaseMail } + .suffix = cosplay-arc + .desc = { ent-BaseMail.desc } +ent-MailCosplayGeisha = { ent-BaseMail } + .suffix = cosplay-geisha + .desc = { ent-BaseMail.desc } +ent-MailCosplayMaid = { ent-BaseMail } + .suffix = cosplay-maid + .desc = { ent-BaseMail.desc } +ent-MailCosplayNurse = { ent-BaseMail } + .suffix = cosplay-nurse + .desc = { ent-BaseMail.desc } +ent-MailCosplaySchoolgirl = { ent-BaseMail } + .suffix = cosplay-schoolgirl + .desc = { ent-BaseMail.desc } +ent-MailCosplayWizard = { ent-BaseMail } + .suffix = cosplay-wizard + .desc = { ent-BaseMail.desc } +ent-MailCrayon = { ent-BaseMail } + .suffix = Crayon + .desc = { ent-BaseMail.desc } +ent-MailFigurine = { ent-BaseMail } + .suffix = figurine + .desc = { ent-BaseMail.desc } +ent-MailFishingCap = { ent-BaseMail } + .suffix = fishingcap + .desc = { ent-BaseMail.desc } +ent-MailFlashlight = { ent-BaseMail } + .suffix = Flashlight + .desc = { ent-BaseMail.desc } +ent-MailFlowers = { ent-BaseMail } + .suffix = flowers + .desc = { ent-BaseMail.desc } +ent-MailHighlander = { ent-BaseMail } + .suffix = highlander + .desc = { ent-BaseMail.desc } +ent-MailHighlanderDulled = { ent-BaseMail } + .suffix = highlander, dulled + .desc = { ent-BaseMail.desc } +ent-MailHoneyBuns = { ent-BaseMail } + .suffix = honeybuns + .desc = { ent-BaseMail.desc } +ent-MailJunkFood = { ent-BaseMail } + .suffix = junk food + .desc = { ent-BaseMail.desc } +ent-MailKatana = { ent-BaseMail } + .suffix = Katana + .desc = { ent-BaseMail.desc } +ent-MailKnife = { ent-BaseMail } + .suffix = Knife + .desc = { ent-BaseMail.desc } +ent-MailMoney = { ent-BaseMail } + .suffix = money + .desc = { ent-BaseMail.desc } +ent-MailMuffins = { ent-BaseMail } + .suffix = muffins + .desc = { ent-BaseMail.desc } +ent-MailMoffins = { ent-BaseMail } + .suffix = moffins + .desc = { ent-BaseMail.desc } +ent-MailNoir = { ent-BaseMail } + .suffix = noir + .desc = { ent-BaseMail.desc } +ent-MailPAI = { ent-BaseMail } + .suffix = PAI + .desc = { ent-BaseMail.desc } +ent-MailPlushie = { ent-BaseMail } + .suffix = plushie + .desc = { ent-BaseMail.desc } +ent-MailRestraints = { ent-BaseMail } + .suffix = restraints + .desc = { ent-BaseMail.desc } +ent-MailSignallerKit = { ent-BaseMail } + .suffix = signallerkit + .desc = { ent-BaseMail.desc } +ent-MailSkub = { ent-BaseMail } + .suffix = skub + .desc = { ent-BaseMail.desc } +ent-MailSoda = { ent-BaseMail } + .suffix = soda + .desc = { ent-BaseMail.desc } +ent-MailSpaceVillainDIY = { ent-BaseMail } + .suffix = spacevilliandiy + .desc = { ent-BaseMail.desc } +ent-MailSunglasses = { ent-BaseMail } + .suffix = Sunglasses + .desc = { ent-BaseMail.desc } +ent-MailVagueThreat = { ent-BaseMail } + .suffix = vague-threat + .desc = { ent-BaseMail.desc } +ent-MailWinterCoat = { ent-BaseMail } + .suffix = wintercoat + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl new file mode 100644 index 00000000000..d46a995e1ac --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_civilian.ftl @@ -0,0 +1,36 @@ +ent-MailBotanistChemicalBottles = { ent-BaseMail } + .suffix = botanistchemicals + .desc = { ent-BaseMail.desc } +ent-MailBotanistMutagen = { ent-BaseMail } + .suffix = mutagen + .desc = { ent-BaseMail.desc } +ent-MailBotanistSeeds = { ent-BaseMail } + .suffix = seeds + .desc = { ent-BaseMail.desc } +ent-MailClownGildedBikeHorn = { ent-BaseMail } + .suffix = honk + .desc = { ent-BaseMail.desc } +ent-MailClownHonkSupplement = { ent-BaseMail } + .suffix = honk + .desc = { ent-BaseMail.desc } +ent-MailHoPBureaucracy = { ent-BaseMail } + .suffix = hoppaper + .desc = { ent-BaseMail.desc } +ent-MailHoPSupplement = { ent-BaseMail } + .suffix = hopsupplement + .desc = { ent-BaseMail.desc } +ent-MailMimeArtsCrafts = { ent-BaseMail } + .suffix = artscrafts + .desc = { ent-BaseMail.desc } +ent-MailMimeBlankBook = { ent-BaseMail } + .suffix = blankbook + .desc = { ent-BaseMail.desc } +ent-MailMimeBottleOfNothing = { ent-BaseMail } + .suffix = bottleofnothing + .desc = { ent-BaseMail.desc } +ent-MailMusicianInstrumentSmall = { ent-BaseMail } + .suffix = instrument-small + .desc = { ent-BaseMail.desc } +ent-MailPassengerMoney = { ent-BaseMail } + .suffix = passengermoney + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl new file mode 100644 index 00000000000..282184b0edd --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_command.ftl @@ -0,0 +1,3 @@ +ent-MailCommandPinpointerNuclear = { ent-BaseMail } + .suffix = pinpointernuclear + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl new file mode 100644 index 00000000000..ecddc5a47b9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_engineering.ftl @@ -0,0 +1,12 @@ +ent-MailEngineeringCables = { ent-BaseMail } + .suffix = cables + .desc = { ent-BaseMail.desc } +ent-MailEngineeringKudzuDeterrent = { ent-BaseMail } + .suffix = antikudzu + .desc = { ent-BaseMail.desc } +ent-MailEngineeringSheetGlass = { ent-BaseMail } + .suffix = sheetglass + .desc = { ent-BaseMail.desc } +ent-MailEngineeringWelderReplacement = { ent-BaseMail } + .suffix = welder + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl new file mode 100644 index 00000000000..38063e87419 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_medical.ftl @@ -0,0 +1,18 @@ +ent-MailMedicalBasicSupplies = { ent-BaseMail } + .suffix = basicmedical + .desc = { ent-BaseMail.desc } +ent-MailMedicalChemistrySupplement = { ent-BaseMail } + .suffix = chemsupp + .desc = { ent-BaseMail.desc } +ent-MailMedicalEmergencyPens = { ent-BaseMail } + .suffix = medipens + .desc = { ent-BaseMail.desc } +ent-MailMedicalMedicinePills = { ent-BaseMail } + .suffix = medicinepills + .desc = { ent-BaseMail.desc } +ent-MailMedicalSheetPlasma = { ent-BaseMail } + .suffix = sheetplasma + .desc = { ent-BaseMail.desc } +ent-MailMedicalStabilizers = { ent-BaseMail } + .suffix = stabilizers + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl new file mode 100644 index 00000000000..59b94388380 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_security.ftl @@ -0,0 +1,15 @@ +ent-MailSecurityDonuts = { ent-BaseMail } + .suffix = donuts + .desc = { ent-BaseMail.desc } +ent-MailSecurityFlashlight = { ent-BaseMail } + .suffix = seclite + .desc = { ent-BaseMail.desc } +ent-MailSecurityNonlethalsKit = { ent-BaseMail } + .suffix = nonlethalskit + .desc = { ent-BaseMail.desc } +ent-MailSecuritySpaceLaw = { ent-BaseMail } + .suffix = spacelaw + .desc = { ent-BaseMail.desc } +ent-MailWardenCrowdControl = { ent-BaseMail } + .suffix = crowdcontrol + .desc = { ent-BaseMail.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl new file mode 100644 index 00000000000..26999ff853f --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/mail_specific_items.ftl @@ -0,0 +1,51 @@ +ent-PaperMailCallForHelp1 = { ent-Paper } + .suffix = call for help 1 + .desc = { ent-Paper.desc } +ent-PaperMailCallForHelp2 = { ent-Paper } + .suffix = call for help 2 + .desc = { ent-Paper.desc } +ent-PaperMailCallForHelp3 = { ent-Paper } + .suffix = call for help 3 + .desc = { ent-Paper.desc } +ent-PaperMailCallForHelp4 = { ent-Paper } + .suffix = call for help 4 + .desc = { ent-Paper.desc } +ent-PaperMailCallForHelp5 = { ent-Paper } + .suffix = call for help 5 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat1 = { ent-Paper } + .suffix = vague mail threat 1 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat2 = { ent-Paper } + .suffix = vague mail threat 2 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat3 = { ent-Paper } + .suffix = vague mail threat 3 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat4 = { ent-Paper } + .suffix = vague mail threat 4 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat5 = { ent-Paper } + .suffix = vague mail threat 5 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat6 = { ent-Paper } + .suffix = vague mail threat 6 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat7 = { ent-Paper } + .suffix = vague mail threat 7 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat8 = { ent-Paper } + .suffix = vague mail threat 8 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat9 = { ent-Paper } + .suffix = vague mail threat 9 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat10 = { ent-Paper } + .suffix = vague mail threat 10 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat11 = { ent-Paper } + .suffix = vague mail threat 11 + .desc = { ent-Paper.desc } +ent-PaperMailVagueThreat12 = { ent-Paper } + .suffix = vague mail threat 12 + .desc = { ent-Paper.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl new file mode 100644 index 00000000000..9cbb75168a7 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/mail/tools.ftl @@ -0,0 +1,2 @@ +ent-MailBag = mail bag + .desc = Here's the mail, it never fails... diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl new file mode 100644 index 00000000000..b16b12182f1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/power/lights.ftl @@ -0,0 +1,2 @@ +ent-BlueLightTube = blue light tube + .desc = A medium power high energy bulb that reminds you of space. May contain mercury. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl new file mode 100644 index 00000000000..26e9069caf0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/specific/species/felinid.ftl @@ -0,0 +1,2 @@ +ent-Hairball = hairball + .desc = Felinids, man... Placeholder sprite. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl new file mode 100644 index 00000000000..57178fd79a9 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/storage/lockbox.ftl @@ -0,0 +1,2 @@ +ent-Lockbox = lockbox + .desc = A lockbox secured by an access reader. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl new file mode 100644 index 00000000000..7dbafd194c3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/blunt.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl new file mode 100644 index 00000000000..e2954028218 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/breaching_hammer.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl new file mode 100644 index 00000000000..bcaeeae1247 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/objects/weapons/melee/dulled.ftl @@ -0,0 +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 diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl new file mode 100644 index 00000000000..3a29d05099b --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tables/tables.ftl @@ -0,0 +1,2 @@ +ent-TableWoodReinforced = reinforced wood table + .desc = A classic wooden table. Extra robust. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl new file mode 100644 index 00000000000..3733ccfbdda --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/furniture/tatami.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl new file mode 100644 index 00000000000..06629849a77 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/base_lighting.ftl @@ -0,0 +1,3 @@ +ent-PoweredlightBlueInterior = { ent-PoweredlightExterior } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Blue Interior diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl new file mode 100644 index 00000000000..14140b93cd2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/lighting/colored_lighting.ftl @@ -0,0 +1,12 @@ +ent-PoweredlightColoredRed = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Red +ent-PoweredlightColoredFrostyBlue = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Frosty +ent-PoweredlightColoredBlack = { ent-Poweredlight } + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Black +ent-PoweredLightPostSmallRed = post light + .desc = A light fixture. Draws power and produces light when equipped with a light tube. + .suffix = Red diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl new file mode 100644 index 00000000000..f3a7acbcb22 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/deep_fryer.ftl @@ -0,0 +1,2 @@ +ent-KitchenDeepFryer = deep fryer + .desc = An industrial deep fryer. A big hit at state fairs! diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl new file mode 100644 index 00000000000..508f9feda0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/lathe.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl new file mode 100644 index 00000000000..bfcd9095995 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/mailTeleporter.ftl @@ -0,0 +1,2 @@ +ent-MailTeleporter = mail teleporter + .desc = Teleports mail addressed to the crew of this station. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl new file mode 100644 index 00000000000..3b93e82ab52 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/machines/vending_machines.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl new file mode 100644 index 00000000000..ffad1b0b6b0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/paintings.ftl @@ -0,0 +1,2 @@ +ent-PaintingMothBigCatch = Big Catch + .desc = Depicts a blue moth wearing a tophat who caught a relatively large space carp. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl new file mode 100644 index 00000000000..2218521d2e2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/posters.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl new file mode 100644 index 00000000000..71de03d9d10 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/entities/structures/wallmount/signs.ftl @@ -0,0 +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. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/ghost_roles.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/ghost_roles.ftl new file mode 100644 index 00000000000..800c87bf13d --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/ghost_roles.ftl @@ -0,0 +1,3 @@ +ent-SpawnPointGhostFugitive = ghost role spawn point + .suffix = DONTMAP, fugitive + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl new file mode 100644 index 00000000000..036f8796cf1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/jobs.ftl @@ -0,0 +1,12 @@ +ent-SpawnPointGladiator = gladiator + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointMailCarrier = mailcarrier + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointPrisoner = prisoner + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointValet = valet + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointPrisonGuard = prison guard + .desc = { ent-SpawnPointJobBase.desc } +ent-SpawnPointMartialArtist = martial artist + .desc = { ent-SpawnPointJobBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl new file mode 100644 index 00000000000..2a3fda650a6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/animals.ftl @@ -0,0 +1,3 @@ +ent-RandomAnimalSpawner = Random Animal Spawner + .suffix = No Mice + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl new file mode 100644 index 00000000000..1630f30f23e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/antagvehicle.ftl @@ -0,0 +1,2 @@ +ent-SpawnVehicleAntagVehicle = Antag Vehicle Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl new file mode 100644 index 00000000000..897d1d860fa --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/books.ftl @@ -0,0 +1,2 @@ +ent-RandomBook = random book spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl new file mode 100644 index 00000000000..f3a65c5b8e1 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/boxes.ftl @@ -0,0 +1,5 @@ +ent-RandomBox = random box spawner + .desc = { ent-MarkerBase.desc } +ent-RandomAmmoBox = random ammo box spawner + .suffix = 15% + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl new file mode 100644 index 00000000000..788454dc1f0 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/devices.ftl @@ -0,0 +1,2 @@ +ent-RandomBoards = random machine board spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl new file mode 100644 index 00000000000..a7b09f0ec6e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/hats.ftl @@ -0,0 +1,2 @@ +ent-HatSpawner = Hat Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl new file mode 100644 index 00000000000..c8053305bfe --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/machineparts.ftl @@ -0,0 +1,9 @@ +ent-SalvagePartsSpawnerLow = Salvage Parts Spawner + .suffix = Low + .desc = { ent-MarkerBase.desc } +ent-SalvagePartsSpawnerMid = Salvage Parts Spawner + .suffix = High + .desc = { ent-MarkerBase.desc } +ent-SalvagePartsSpawnerSubSpace = Salvage Parts Spawner + .suffix = Subspace + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl new file mode 100644 index 00000000000..6720847bd4e --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/miningrock.ftl @@ -0,0 +1,2 @@ +ent-RandomRockSpawner = Mining Rock Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl new file mode 100644 index 00000000000..b9e368fe3b2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/randomitems.ftl @@ -0,0 +1,2 @@ +ent-RandomItem = random item spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl new file mode 100644 index 00000000000..466a3162a7a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/schoolgirl.ftl @@ -0,0 +1,2 @@ +ent-SchoolgirlUniformSpawner = Schoolgirl Uniform Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl new file mode 100644 index 00000000000..698be61bada --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/random/seeds.ftl @@ -0,0 +1,3 @@ +ent-SalvageSeedSpawnerLow = Salvage Seed Spawner + .suffix = Low + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl new file mode 100644 index 00000000000..6f3c74bcf0c --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/nyanotrasen/markers/spawners/untimedAISpawners.ftl @@ -0,0 +1,17 @@ +ent-CarpSpawnerMundane = NPC Carp Spawner + .suffix = 100 + .desc = { ent-MarkerBase.desc } +ent-SnakeSpawnerMundane = NPC Snake Spawner + .suffix = 100 + .desc = { ent-MarkerBase.desc } +ent-SnakeMobMundane = Salvage Snake Spawner + .suffix = 75 + .desc = { ent-MarkerBase.desc } +ent-SnakeMobMundane25 = Salvage Snake Spawner + .suffix = 25 + .desc = { ent-MarkerBase.desc } +ent-SpaceTickSpawnerNPC = NPC Space Tick Spawner + .suffix = 100 + .desc = { ent-MarkerBase.desc } +ent-XenoAISpawner = NPC Xeno Spawner + .desc = { ent-MarkerBase.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/base_objectives.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/base_objectives.ftl new file mode 100644 index 00000000000..2174dffdf15 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/base_objectives.ftl @@ -0,0 +1,18 @@ +ent-BaseObjective = { "" } + .desc = { "" } +ent-BaseLivingObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-BaseTargetObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-BaseKillObjective = { ent-BaseTargetObjective } + .desc = { ent-BaseTargetObjective.desc } +ent-BaseSocialObjective = { ent-BaseTargetObjective } + .desc = { ent-BaseTargetObjective.desc } +ent-BaseKeepAliveObjective = { ent-BaseSocialObjective } + .desc = { ent-BaseSocialObjective.desc } +ent-BaseHelpProgressObjective = { ent-BaseSocialObjective } + .desc = { ent-BaseSocialObjective.desc } +ent-BaseStealObjective = { ent-BaseLivingObjective } + .desc = { ent-BaseLivingObjective.desc } +ent-BaseSurviveObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/dragon.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/dragon.ftl new file mode 100644 index 00000000000..a12228b27c6 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/dragon.ftl @@ -0,0 +1,6 @@ +ent-BaseDragonObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-CarpRiftsObjective = { ent-BaseDragonObjective } + .desc = { ent-BaseDragonObjective.desc } +ent-DragonSurviveObjective = Survive + .desc = You have to stay alive to maintain control. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/ninja.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/ninja.ftl new file mode 100644 index 00000000000..3cbcc128d10 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/ninja.ftl @@ -0,0 +1,12 @@ +ent-BaseNinjaObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-DoorjackObjective = { ent-BaseNinjaObjective } + .desc = { ent-BaseNinjaObjective.desc } +ent-StealResearchObjective = { ent-BaseNinjaObjective } + .desc = Your gloves can be used to hack a research server and steal its precious data. If science has been slacking you'll have to get to work. +ent-SpiderChargeObjective = { ent-BaseNinjaObjective } + .desc = This bomb can be detonated in a specific location. Note that the bomb will not work anywhere else! +ent-NinjaSurviveObjective = Survive + .desc = You wouldn't be a very good ninja if you died, now would you? +ent-TerrorObjective = Call in a threat + .desc = Use your gloves on a communication console in order to bring another threat to the station. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/terminator.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/terminator.ftl new file mode 100644 index 00000000000..fbd7364460a --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/terminator.ftl @@ -0,0 +1,6 @@ +ent-BaseTerminatorObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-TerminateObjective = { ent-BaseTerminatorObjective } + .desc = Follow your programming and terminate the target. +ent-ShutDownObjective = Shut down + .desc = Once the mission is complete die to prevent our technology from being stolen. diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl new file mode 100644 index 00000000000..88f8bda7eb3 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/thief.ftl @@ -0,0 +1,102 @@ +ent-BaseThiefObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-BaseThiefStealObjective = { ent-BaseThiefObjective } + .desc = { ent-BaseThiefObjective.desc } +ent-BaseThiefStealCollectionObjective = { ent-BaseThiefObjective } + .desc = { ent-BaseStealObjective.desc } +ent-BaseThiefStealStructureObjective = { ent-BaseThiefObjective } + .desc = { ent-BaseThiefObjective.desc } +ent-BaseThiefStealAnimalObjective = { ent-BaseThiefObjective } + .desc = { ent-BaseThiefObjective.desc } +ent-FigurineStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-HeadCloakStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-HeadBedsheetStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-StampStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-DoorRemoteStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-TechnologyDiskStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-IDCardsStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-CannabisStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-LAMPStealCollectionObjective = { ent-BaseThiefStealCollectionObjective } + .desc = { ent-BaseThiefStealCollectionObjective.desc } +ent-ForensicScannerStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-FlippoEngravedLighterStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ClothingHeadHatWardenStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ClothingOuterHardsuitVoidParamedStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-MedicalTechFabCircuitboardStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ClothingHeadsetAltMedicalStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-FireAxeStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-AmePartFlatpackStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ExpeditionsCircuitboardStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-CargoShuttleCircuitboardStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-SalvageShuttleCircuitboardStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ClothingEyesHudBeerStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-BibleStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ClothingNeckGoldmedalStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-ClothingNeckClownmedalStealObjective = { ent-BaseThiefStealObjective } + .desc = { ent-BaseThiefStealObjective.desc } +ent-NuclearBombStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-FaxMachineCaptainStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-VehicleSecwayStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-ChemDispenserStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-XenoArtifactStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-FreezerHeaterStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-TegStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-BoozeDispenserStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-AltarNanotrasenStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-PlantRDStealObjective = { ent-BaseThiefStealStructureObjective } + .desc = { ent-BaseThiefStealStructureObjective.desc } +ent-IanStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-BingusStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-McGriffStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-WalterStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-MortyStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-RenaultStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-HamletStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-ShivaStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-SmileStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-PunPunStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-TropicoStealObjective = { ent-BaseThiefStealAnimalObjective } + .desc = { ent-BaseThiefStealAnimalObjective.desc } +ent-EscapeThiefShuttleObjective = Escape to centcom alive and unrestrained. + .desc = You don't want your illegal activities to be discovered by anyone, do you? diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/objectives/traitor.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/traitor.ftl new file mode 100644 index 00000000000..f40d2abad11 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/objectives/traitor.ftl @@ -0,0 +1,48 @@ +ent-BaseTraitorObjective = { ent-BaseObjective } + .desc = { ent-BaseObjective.desc } +ent-BaseTraitorSocialObjective = { ent-BaseSocialObjective } + .desc = { ent-BaseSocialObjective.desc } +ent-BaseTraitorStealObjective = { ent-BaseStealObjective } + .desc = { ent-BaseStealObjective.desc } +ent-EscapeShuttleObjective = Escape to centcom alive and unrestrained. + .desc = One of our undercover agents will debrief you when you arrive. Don't show up in cuffs. +ent-DieObjective = Die a glorious death + .desc = Die. +ent-KillRandomPersonObjective = { ent-BaseKillObjective } + .desc = Do it however you like, just make sure they don't make it to centcom. +ent-KillRandomHeadObjective = { ent-BaseKillObjective } + .desc = We need this head gone and you probably know why. Good luck, agent. +ent-RandomTraitorAliveObjective = { ent-BaseKeepAliveObjective } + .desc = Identify yourself at your own risk. We just need them alive. +ent-RandomTraitorProgressObjective = { ent-BaseHelpProgressObjective } + .desc = Identify yourself at your own risk. We just need them to succeed. +ent-BaseCMOStealObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-CMOHyposprayStealObjective = { ent-BaseCMOStealObjective } + .desc = { ent-BaseCMOStealObjective.desc } +ent-CMOCrewMonitorStealObjective = { ent-BaseCMOStealObjective } + .desc = { ent-BaseCMOStealObjective.desc } +ent-BaseRDStealObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-RDHardsuitStealObjective = { ent-BaseRDStealObjective } + .desc = { ent-BaseRDStealObjective.desc } +ent-HandTeleporterStealObjective = { ent-BaseRDStealObjective } + .desc = { ent-BaseRDStealObjective.desc } +ent-SecretDocumentsStealObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-MagbootsStealObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-ClipboardStealObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-CorgiMeatStealObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-BaseCaptainObjective = { ent-BaseTraitorStealObjective } + .desc = { ent-BaseTraitorStealObjective.desc } +ent-CaptainIDStealObjective = { ent-BaseCaptainObjective } + .desc = { ent-BaseCaptainObjective.desc } +ent-CaptainJetpackStealObjective = { ent-BaseCaptainObjective } + .desc = { ent-BaseCaptainObjective.desc } +ent-CaptainGunStealObjective = { ent-BaseCaptainObjective } + .desc = { ent-BaseCaptainObjective.desc } +ent-NukeDiskStealObjective = { ent-BaseCaptainObjective } + .desc = { ent-BaseCaptainObjective.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/procedural/salvage_mods.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/procedural/salvage_mods.ftl new file mode 100644 index 00000000000..310d7a21e03 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/procedural/salvage_mods.ftl @@ -0,0 +1,2 @@ +ent-SalvageShuttleMarker = { ent-FTLPoint } + .desc = { ent-FTLPoint.desc } diff --git a/Resources/Locale/en-US/ss14-ru/prototypes/roles/jobs/civilian/mime.ftl b/Resources/Locale/en-US/ss14-ru/prototypes/roles/jobs/civilian/mime.ftl new file mode 100644 index 00000000000..51a9a0730f2 --- /dev/null +++ b/Resources/Locale/en-US/ss14-ru/prototypes/roles/jobs/civilian/mime.ftl @@ -0,0 +1,2 @@ +ent-ActionMimeInvisibleWall = Create Invisible Wall + .desc = Create an invisible wall in front of you, if placeable there. diff --git a/Resources/Locale/ru-RU/GPS/handheld-gps.ftl b/Resources/Locale/ru-RU/GPS/handheld-gps.ftl new file mode 100644 index 00000000000..0bb35580bd2 --- /dev/null +++ b/Resources/Locale/ru-RU/GPS/handheld-gps.ftl @@ -0,0 +1 @@ +handheld-gps-coordinates-title = Координаты: { $coordinates } diff --git a/Resources/Locale/ru-RU/HUD/game-hud.ftl b/Resources/Locale/ru-RU/HUD/game-hud.ftl new file mode 100644 index 00000000000..b92706fb1ad --- /dev/null +++ b/Resources/Locale/ru-RU/HUD/game-hud.ftl @@ -0,0 +1,8 @@ +game-hud-open-escape-menu-button-tooltip = Открыть меню паузы. +game-hud-open-guide-menu-button-tooltip = Открыть меню руководства. +game-hud-open-character-menu-button-tooltip = Открыть меню персонажа. +game-hud-open-inventory-menu-button-tooltip = Открыть меню инвентаря. +game-hud-open-crafting-menu-button-tooltip = Открыть меню создания. +game-hud-open-actions-menu-button-tooltip = Открыть меню действий. +game-hud-open-admin-menu-button-tooltip = Открыть меню администратора. +game-hud-open-sandbox-menu-button-tooltip = Открыть меню песочницы. diff --git a/Resources/Locale/ru-RU/_NF/ArachnidChaos.ftl b/Resources/Locale/ru-RU/_NF/ArachnidChaos.ftl new file mode 100644 index 00000000000..7fabd46927b --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/ArachnidChaos.ftl @@ -0,0 +1,4 @@ +action-name-spider-bite = Высасывать кровь +no-blood-warning = Там нет крови! +no-good-blood = Ты не можешь пить эту кровь! +spider-biting = { THE($UsernameName) } начинает высасывать у { THE($targetName) } кровь! diff --git a/Resources/Locale/ru-RU/_NF/accent/accents.ftl b/Resources/Locale/ru-RU/_NF/accent/accents.ftl new file mode 100644 index 00000000000..8b0a0636719 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/accent/accents.ftl @@ -0,0 +1,16 @@ +# Pirate cat accent +accent-words-pirate-cat-1 = Яррргх Мяу! +accent-words-pirate-cat-2 = Ярр Мяв. +accent-words-pirate-cat-3 = Мррррряу! +accent-words-pirate-cat-4 = Аррг Хссс! +accent-words-pirate-cat-5 = Брррряу. +accent-words-pirate-cat-6 = Ярррргх Мяу? +accent-words-pirate-cat-7 = Гаррр Мяу. +# Mistake cat accent +accent-words-mistake-cat-1 = Халф йа. +accent-words-mistake-cat-2 = Ахх Й'а лайк фафх. +accent-words-mistake-cat-3 = я лв'наф пф' а. +accent-words-mistake-cat-4 = Й' ахор х' мггока'ай. +accent-words-mistake-cat-5 = Й' кант а'эхйе баг. +accent-words-mistake-cat-6 = ли х' нильг'ри нгахна. +accent-words-mistake-cat-7 = ымг' мгеп л' а'н'га я. diff --git a/Resources/Locale/ru-RU/_NF/actions/sleep.ftl b/Resources/Locale/ru-RU/_NF/actions/sleep.ftl new file mode 100644 index 00000000000..4fa1dce9ece --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/actions/sleep.ftl @@ -0,0 +1 @@ +popup-sleep-in-bag = { THE($entity) } сворачивается клубочком и засыпает. diff --git a/Resources/Locale/ru-RU/_NF/adventure/adventure.ftl b/Resources/Locale/ru-RU/_NF/adventure/adventure.ftl new file mode 100644 index 00000000000..bcd2b93d112 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/adventure/adventure.ftl @@ -0,0 +1,26 @@ +## UI + +playtime-deny-reason-not-whitelisted = Вы должны быть в белом списке. +adventure-list-start = Галактический Банк NT +adventure-mode-profit-text = совокупная прибыль составила: { " " } +adventure-mode-loss-text = всего потеряно: { " " } +adventure-list-high = Больше всего заработали: +adventure-list-low = Больше всего потратили: +adventure-title = Приключения на Фронтире +adventure-description = Купите собственный корабль или присоединитесь к любой команде, исследуйте, изучайте, занимайтесь спасением или перевозкой, чтобы разбогатеть! +currency = Спесосы +guide-entry-adventure = Программа Новый Фронтир +guide-entry-bank = Галактический Банк NT +guide-entry-shipyard = Верфи Фронтира +shipyard-rules-default1 = + Благодарим за присоединение к Службе Безопасности сектора. + Покупая Патрульный Шаттл вы соглашаетесь соблюдать Корпоративный Закон + который можно найти на https://station14.ru/wiki/%D0%9A%D0%BE%D1%80%D0%BF%D0%BE%D1%80%D0%B0%D1%82%D0%B8%D0%B2%D0%BD%D1%8B%D0%B9_%D0%97%D0%B0%D0%BA%D0%BE%D0%BD +shipyard-rules-default2 = + Любые действия, совершаемые вами или вашим экипажем, нарушающие + Корпоративный Закон приведут к административным мерам. + Спасибо, что выбрали Службу Безопасности NT. +shuttle-ftl-proximity = Близлежащие объекты слишком массивны для FTL прыжка! +changelog-tab-title-Upstream = Журнал изменений +public-transit-departure = Направляемся в { $destination }. Ориентировочное время в пути: { $flytime } секунд. +public-transit-arrival = Спасибо за выбор общественного транспорта NT. Следующий шаттл до { $destination } отправляется через { $waittime } секунд. diff --git a/Resources/Locale/ru-RU/_NF/advertisements/vending/astro.ftl b/Resources/Locale/ru-RU/_NF/advertisements/vending/astro.ftl new file mode 100644 index 00000000000..e72b8b9bcd9 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/vending/astro.ftl @@ -0,0 +1,2 @@ +advertisement-astrovend-1 = Выбор Spessman's! +advertisement-astrovend-2 = Не покидай верфи без скафандра! diff --git a/Resources/Locale/ru-RU/_NF/advertisements/vending/cuddlycritter.ftl b/Resources/Locale/ru-RU/_NF/advertisements/vending/cuddlycritter.ftl new file mode 100644 index 00000000000..3ebf88ead4c --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/vending/cuddlycritter.ftl @@ -0,0 +1,8 @@ +advertisement-cuddlycritter-1 = Озарите свой день пушистым другом! +advertisement-cuddlycritter-2 = Обнимашечная терапия начинается здесь! +advertisement-cuddlycritter-3 = Поддайтесь плюшевому искушению! +advertisement-cuddlycritter-4 = Вам не устоять их очарованию! +advertisement-cuddlycritter-5 = Внимание: грядет экстремальная милота! +advertisement-cuddlycritter-6 = Помогите, я застрял на фабрике NanoTrasen, они заставляют меня шить плюшевые игрушки. +advertisement-cuddlycritter-7 = Мягче, чем асбест! +advertisement-cuddlycritter-8 = Ручшие разноцветные мелки во всем Фронтире, предложение 65. diff --git a/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl b/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl new file mode 100644 index 00000000000..b281d840e71 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/vending/lesslethalvend.ftl @@ -0,0 +1,20 @@ +advertisement-lesslethalvend-1 = Резиновые пули поднимают настроение! +advertisement-lesslethalvend-2 = Нелетал(™). Выбор умных! +advertisement-lesslethalvend-3 = Пистоны для всех и каждого! +advertisement-lesslethalvend-4 = Шокируй своих друзей тазером ПРЯМО СЕЙЧАС! +advertisement-lesslethalvend-5 = Внимание: Для покупок вам должно быть не менее 3 месяцев. +advertisement-lesslethalvend-6 = Они лгут. +advertisement-lesslethalvend-7 = Победи своих врагов мирным путем УЖЕ СЕГОДНЯ! +advertisement-lesslethalvend-8 = Нелетал(™) ЭТО ВЕСЕЛО +advertisement-lesslethalvend-9 = КУПИ КУПИ КУПИ ПРЯМО СЕЙЧАС +advertisement-lesslethalvend-10 = Только полный идиот покупает летальное оружие, переходи на Нелетал(™) ПРЯМО ЗДЕСЬ! +advertisement-lesslethalvend-11 = Накажи злодеев палкой. СЕЙЧАС! +advertisement-lesslethalvend-12 = Гордимся партнерством с NFSD! За безопасное будущее! +advertisement-lesslethalvend-13 = Не поддавайся на уловки конкурентов. +advertisement-lesslethalvend-14 = Меньше смертей - больше экономии! +advertisement-lesslethalvend-15 = С горд +advertisement-lesslethalvend-16 = Напоминаем: резиновые пули - не жвачка, не кушать! +advertisement-lesslethalvend-17 = Резиновые пули и многое другое - все для твоей защиты уже сегодня! +advertisement-lesslethalvend-18 = Внимание: Пистоны не съедобны. +advertisement-lesslethalvend-19 = Подумай о своей безопасности СЕГОДНЯ! +advertisement-lesslethalvend-20 = Может, именно ты станешь нашим 1,000,000-м покупателем? diff --git a/Resources/Locale/ru-RU/_NF/advertisements/vending/maildrobe.ftl b/Resources/Locale/ru-RU/_NF/advertisements/vending/maildrobe.ftl new file mode 100644 index 00000000000..ef8aadbd9be --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/advertisements/vending/maildrobe.ftl @@ -0,0 +1,2 @@ +advertisement-maildrobe-1 = Оставь любую собаку позади с нашими почтовыми шортами из псевдозамши и дюракарбона! Спешите, количество ограничено! +advertisement-maildrobe-2 = Синий идет тебе как никому другому! diff --git a/Resources/Locale/ru-RU/_NF/bank/bank-ATM-component.ftl b/Resources/Locale/ru-RU/_NF/bank/bank-ATM-component.ftl new file mode 100644 index 00000000000..1aa84c77bf1 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/bank/bank-ATM-component.ftl @@ -0,0 +1,26 @@ +## UI + +bank-atm-menu-title = Галактический Банк NT +bank-atm-menu-balance-label = Ваш Баланс:{ " " } +bank-atm-menu-no-bank = Нет лицевого счёта! +bank-atm-menu-withdraw-button = Вывести +bank-atm-menu-deposit-label = Внести Сумму:{ " " } +bank-atm-menu-no-deposit = Пусто +bank-atm-menu-deposit-button = Внести +bank-insufficient-funds = Недостаточно Средств +bank-atm-menu-transaction-denied = Транзакция Отклонена +bank-atm-menu-deposit-successful = Вклад Принят +bank-atm-menu-withdraw-successful = Снятие Утверждено +bank-atm-menu-wrong-cash = Неправильный Тип Валюты +station-bank-atm-menu-title = Администрация Станции +bank-atm-menu-amount-label = Сумма:{ " " } +bank-atm-reason-label = Назначение:{ " " } +bank-atm-description-label = Описание:{ " " } +station-bank-payroll = Заработная Плата +station-bank-workorder = Рабочий Заказ +station-bank-supplies = Снабжение Станции +station-bank-bounty = Вознаграждение +station-bank-other = Другое +station-bank-required = { "(" }Требуется{ ")" } +station-bank-requires-reason = NT требует детали транзакции +station-bank-unauthorized = Неавторизованно! diff --git a/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl b/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl new file mode 100644 index 00000000000..7d4974d4e17 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/bluespace-events/events.ftl @@ -0,0 +1,8 @@ +station-event-bluespace-vault-start-announcement = Автономный бронированный транспорт хранилища NanoTrasen допустил ошибку при переходе в FTL и вскоре прибудет в вашем секторе. Вы будете вознаграждены за его безопасное возвращение. +station-event-bluespace-vault-end-announcement = Мы успешно эвакуировали хранилище из вашего сектора и соответствующим образом возместили расходы ближайшему аванпосту Фронтира. +station-event-bluespace-cache-start-announcement = Транспорт Синдиката был перехвачен в FTL и скоро прибудет поблизости. Охраняйте тайник с бронированным оружием, пока NanoTrasen не сможет забрать его за вознаграждение. +station-event-bluespace-cache-end-announcement = Мы успешно извлекли тайник с оружием Синдиката из вашего сектора и соответствующим образом возместили стоимость вашего близлежащего аванпосту Фронтира. +station-event-bluespace-asteroid-start-announcement = Сканирование с большого расстояния указывает на необычно крупный астероид, входящий в сектор. NanoTrasen советует старателям перенаправить операции для получения максимальной потенциальной прибыли. +station-event-bluespace-asteroid-end-announcement = В соответствии со схемами FTL NanoTrasen астероид был рассеян, чтобы избежать столкновения. +station-event-bluespace-ship-start-announcement = Мы обнаружили необычную FTL сигнатуру - сканирование на большом расстоянии указывает на неизвестный корабль. Имейте в виду, что NanoTrasen не может подтвердить безопасность для старателей в непосредственной близости от него. +station-event-bluespace-ship-end-announcement = В соответствии со схемами FTL движения NanoTrasen неизвестный корабль был рассеян, чтобы избежать столкновения. diff --git a/Resources/Locale/ru-RU/_NF/bounty-contracts/bounty-contracts.ftl b/Resources/Locale/ru-RU/_NF/bounty-contracts/bounty-contracts.ftl new file mode 100644 index 00000000000..fdd21904195 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/bounty-contracts/bounty-contracts.ftl @@ -0,0 +1,48 @@ +# General stuff +bounty-contracts-author = { $name } ({ $job }) +bounty-contracts-unknown-author-name = Неизвестно +bounty-contracts-unknown-author-job = Неизвестно +# Caregories +bounty-contracts-category-criminal = Разыскиваемый Преступник +bounty-contracts-category-vacancy = Вакансия на работу +bounty-contracts-category-construction = Строительство +bounty-contracts-category-service = Услуга +bounty-contracts-category-other = Другие +# Cartridge +bounty-contracts-program-name = Контракты на вознаграждение + +## Radio Announcements + +bounty-contracts-radio-name = Услуга контракта на вознаграждение +bounty-contracts-radio-create = Новая награда назначенная за "{ $target }". Награда: { $reward }$. + +## UI - List contracts + +bounty-contracts-ui-list-no-contracts = Награды пока не объявлены... +bounty-contracts-ui-list-no-description = Никакого дополнительного описания не предоставлено... +bounty-contracts-ui-list-create = Новая награда +bounty-contracts-ui-list-refresh = Обновить +bounty-contracts-ui-list-category = Категория: { $category } +bounty-contracts-ui-list-vessel = Судно: { $vessel } +bounty-contracts-ui-list-author = Опубликовано: { $author } +bounty-contracts-ui-list-remove = Удалено + +## UI - Create contract + +bounty-contracts-ui-create-category = Категория:{ " " } +bounty-contracts-ui-create-name = Имя:{ " " } +bounty-contracts-ui-create-custom = Настроить +bounty-contracts-ui-create-name-placeholder = Название награды... +bounty-contracts-ui-create-dna = ДНК:{ " " } +bounty-contracts-ui-create-vessel = Судно:{ " " } +bounty-contracts-ui-create-vessel-unknown = Неизвестно +bounty-contracts-ui-create-vessel-placeholder = Название судна... +bounty-contracts-ui-create-reward = Награда:{ " " } +bounty-contracts-ui-create-reward-currency = $ +bounty-contracts-ui-create-description = Описание: +bounty-contracts-ui-create-description-placeholder = Дополнительные подробности... +bounty-contracts-ui-create-button-cancel = Отменить +bounty-contracts-ui-create-button-create = Создать +bounty-contracts-ui-create-error-invalid-price = Ошибка: Неверная цена! +bounty-contracts-ui-create-error-no-name = Ошибка: Неверное название награды! +bounty-contracts-ui-create-ready = Ваш контракт готов к публикации! diff --git a/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl b/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl new file mode 100644 index 00000000000..e88047ff123 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/chat/managers/chat_manager.ftl @@ -0,0 +1,9 @@ +chat-speech-verb-vulpkanin-1 = рычит +chat-speech-verb-vulpkanin-2 = лает +chat-speech-verb-vulpkanin-3 = гавкает +chat-speech-verb-vulpkanin-4 = тявкает +chat-speech-verb-vulpkanin-5 = воет +chat-speech-verb-felinid-1 = мяукает +chat-speech-verb-felinid-2 = мяфает +chat-speech-verb-felinid-3 = мряфает +chat-speech-verb-felinid-4 = мурлычет diff --git a/Resources/Locale/ru-RU/_NF/chemicals/chemicals.ftl b/Resources/Locale/ru-RU/_NF/chemicals/chemicals.ftl new file mode 100644 index 00000000000..1d1713dc77c --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/chemicals/chemicals.ftl @@ -0,0 +1,2 @@ +reagent-name-rawartifexium = необработанный искусственный материал +reagent-desc-rawartifexium = Сырая смесь микроскопических фрагментов артефактов и сильной кислоты. Обладает способностью активировать артефакты. Похоже, что его можно было бы доработать, чтобы сделать более мощным. diff --git a/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl b/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl new file mode 100644 index 00000000000..d94d60cda62 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/contraband/contraband-exchange-console.ftl @@ -0,0 +1,9 @@ +#Contraband Exchange Console +contraband-pallet-console-menu-title = Обмен контрабандой +contraband-console-menu-points-amount = { $amount } ТК +contraband-pallet-menu-no-goods-text = Контрабанда не обнаружена +contraband-pallet-menu-appraisal-label = Оценочная стоимость:{ " " } +contraband-pallet-menu-count-label = Количество предметов:{ " " } +contraband-pallet-appraise-button = Оценивать +contraband-pallet-sell-button = Продавать +contraband-pallet-disclaimer = Пожалуйста, поместите все контрабандные предметы непосредственно на сканер. Предметы, находящиеся в других контейнерах, не могут быть отсканированы должным образом. diff --git a/Resources/Locale/ru-RU/_NF/cryosleep/cryosleep-component.ftl b/Resources/Locale/ru-RU/_NF/cryosleep/cryosleep-component.ftl new file mode 100644 index 00000000000..54e28ed7709 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/cryosleep/cryosleep-component.ftl @@ -0,0 +1,20 @@ +## UI + +cryopod-examine-empty = Пусто +cryopod-examine-occupied = Занято +accept-cryo-window-accept-button = Подтвердить +accept-cryo-window-deny-button = Отменить +accept-cryo-window-prompt-text-part = Погрузиться в криосон и закончить свою смену? +accept-cryo-window-title = Криокамера для сна +cryo-wakeup-window-title = Просыпаться +cryo-wakeup-window-accept-button = Подтвердить +cryo-wakeup-window-deny-button = Отменить +cryo-wakeup-window-rules = Вы попытаетесь вернуться из своего криосна! Вы не знаете ничего, что произошло с того момента, как вы заснули. Подтвердите это и продолжите? +cryo-wakeup-result-occupied = Криоподушка занята! Попробуйте немного подождать. +cryo-wakeup-result-no-cryopod = Криоподушка пропала! О-о-ох. +cryo-wakeup-result-no-body = У вас нет тела в криокапсуле! +cryo-wakeup-result-disabled = Возврат из криосна отключен на этом сервере. +# Cryopod +cryopod-refuse-dead = { $cryopod } отказывается принимать мертвых пациентов. +cryopod-refuse-organic = { $cryopod } отказывается принимать более 1 разумного существа одновременно. +cryopod-wake-up = { $entity } возвращается из криосна! diff --git a/Resources/Locale/ru-RU/_NF/events/bluespace-cargo.ftl b/Resources/Locale/ru-RU/_NF/events/bluespace-cargo.ftl new file mode 100644 index 00000000000..3b440f2ca3b --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/events/bluespace-cargo.ftl @@ -0,0 +1 @@ +bluespace-cargo-event-announcement = Ошибка в телеметрии блюспейса привела к телепортации случайного ящика в неизвестное место. diff --git a/Resources/Locale/ru-RU/_NF/events/bluespace-syndicate-crate.ftl b/Resources/Locale/ru-RU/_NF/events/bluespace-syndicate-crate.ftl new file mode 100644 index 00000000000..2cd504fce95 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/events/bluespace-syndicate-crate.ftl @@ -0,0 +1 @@ +bluespace-syndicate-crate-event-announcement = Мы получили сообщение о том, что в каком-то районе обнаружен ящик с предметами синдиката, пожалуйста, сообщите службе безопасности, если вы нашли указанный ящик. 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 new file mode 100644 index 00000000000..df8308dfdad --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/ghost/roles/ghost-role-component.ftl @@ -0,0 +1,11 @@ +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-mistake-name = ????? +ghost-role-information-mistake-description = Имг' пх'нглуи а ли. diff --git a/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl b/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl new file mode 100644 index 00000000000..a9909fbe6d2 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/headset/headset-component.ftl @@ -0,0 +1 @@ +chat-radio-traffic = движение diff --git a/Resources/Locale/ru-RU/_NF/interaction/interaction-popup-component.ftl b/Resources/Locale/ru-RU/_NF/interaction/interaction-popup-component.ftl new file mode 100644 index 00000000000..30fa029e92c --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/interaction/interaction-popup-component.ftl @@ -0,0 +1,3 @@ +## Petting animals + +petting-failure-mistake = ”хм' достичь йогического питомца { THE($target) }, мгнг ахллоинг вулгтмнахор в х'. diff --git a/Resources/Locale/ru-RU/_NF/job/job-description.ftl b/Resources/Locale/ru-RU/_NF/job/job-description.ftl new file mode 100644 index 00000000000..d9a367891ef --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/job/job-description.ftl @@ -0,0 +1,4 @@ +job-description-mercenary = Выполняйте заказы кого угодно - за разумную цену. Наслаждайтесь свободой от рамок закона. +job-description-pilot = Пилотируйте космические корабли из пункта А в пункт Б, перехитряйте пиратов и уворачивайтесь от астероидов. Вы - лист на солнечном ветру, пусть другие восхищаются тем, как вы парите. +job-description-security-guard = Патрулируйте пустые залы, насвистывайте простые мелодии, которые вы слышали по радио, звените брелком и убегайте при виде опасности. +job-description-stc = Умело разруливайте пространство вокруг станции и помогайте NFSD выписывать штрафы за чрезмерно пристыкованные корабли. diff --git a/Resources/Locale/ru-RU/_NF/job/job-names.ftl b/Resources/Locale/ru-RU/_NF/job/job-names.ftl new file mode 100644 index 00000000000..97a864fd0a8 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/job/job-names.ftl @@ -0,0 +1,9 @@ +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 = Регулятор diff --git a/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl b/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl new file mode 100644 index 00000000000..f0426ed3a90 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/m_emp/m_emp.ftl @@ -0,0 +1,27 @@ +m_emp-system-announcement-source = Генераторная система БЭМИ +m_emp-system-announcement-active = Включение в { $grid }. БЭМИ: { $timeLeft } секунд. +m_emp-system-announcement-cooling-down = ЭМИ эффект больше не активен. Расчетное время перезарядки: { $timeLeft } секунд. +m_emp-system-announcement-recharging = Перезарядка. +m_emp-system-announcement-request = { $grid } запрашиваю разрешение на активацию БЭМИ. +m_emp-system-report-already-active = Генератор БЭМИ уже активен. +m_emp-system-report-cooling-down = Генератор БЭМИ остывает. +m_emp-system-report-activate-success = Генератор БЭМИ включен! +m_emp-system-generator-examined-inactive = Генератор БЭМИ неактивен. +m_emp-system-generator-examined-starting = Запускается генератор БЭМИ. +m_emp-system-generator-examined-active = + БЭМИ активен. ЭМИ будет длится { $timeLeft -> + [1] одну секунду. + *[other] { $timeLeft } секунд. + } +m_emp-system-generator-examined-cooling-down = Охлаждение. +m_emp-system-generator-examined-recharging = Перезарядка. Готовность через: { $timeLeft } секунд. +m_emp-system-generator-delay-upgrade = Скорость охлаждения / Подзарядки +# M_EMP Console +m_emp-console-menu-title = БЭМИ +m_emp-menu-note1 = Отправьте запрос на выписку. +m_emp-menu-note2 = ВНИМАНИЕ: +#m_emp-menu-note3 = Выстрел из этого оружия вызовет электромагнитный импульс, способный вывести из строя все корабли в большом радиусе. Разряжая это оружие, вы соглашаетесь нести ответственность. +m_emp-menu-note3 = Разрядив это оружие, +m_emp-menu-note4 = вы соглашаетесь нести ответственность. +m_emp-request-button = Запросить одобрение +m_emp-activate-button = Активировать БЭМИ diff --git a/Resources/Locale/ru-RU/_NF/medical/suit-sensor.ftl b/Resources/Locale/ru-RU/_NF/medical/suit-sensor.ftl new file mode 100644 index 00000000000..398869bfe63 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/medical/suit-sensor.ftl @@ -0,0 +1,5 @@ +## Components + +suit-sensor-location-unknown = Неопознанное местоположение +suit-sensor-location-space = В космосе +suit-sensor-location-expedition = На экспедиции diff --git a/Resources/Locale/ru-RU/_NF/paper/pen-component.ftl b/Resources/Locale/ru-RU/_NF/paper/pen-component.ftl new file mode 100644 index 00000000000..a55171e2fea --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/paper/pen-component.ftl @@ -0,0 +1,13 @@ +## Modes + +pen-mode-write = Писать +pen-mode-sign = Знак + +## Popups + +pen-mode-state = Ручка готова к работе с { $mode } + +## Examine + +pen-examine-write = Ручка готова к [color=darkgreen]писанию[/color]. +pen-examine-sign = Ручка готова к [color=darkred]знаку[/color]. diff --git a/Resources/Locale/ru-RU/_NF/paper/stamp-component.ftl b/Resources/Locale/ru-RU/_NF/paper/stamp-component.ftl new file mode 100644 index 00000000000..83615b0d298 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/paper/stamp-component.ftl @@ -0,0 +1,6 @@ +## Components + +stamp-component-signee-name = { $user } +stamp-component-stamped-name-psychologist = Психолог +stamp-component-stamped-name-lawyer = Юрист +stamp-component-stamped-name-stc = Станционный регулировщик движения diff --git a/Resources/Locale/ru-RU/_NF/preferences/ui/humanoid-profile-editor.ftl b/Resources/Locale/ru-RU/_NF/preferences/ui/humanoid-profile-editor.ftl new file mode 100644 index 00000000000..afc0f40dda3 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/preferences/ui/humanoid-profile-editor.ftl @@ -0,0 +1 @@ +humanoid-profile-editor-preference-messenger = Посыльный diff --git a/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl b/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl new file mode 100644 index 00000000000..b10566cfeea --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/access/accesses.ftl @@ -0,0 +1,3 @@ +id-card-access-level-frontier = Фронтир +id-card-access-level-pilot = Пилот +id-card-access-level-mercenary = Наемник diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-engineering.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-engineering.ftl new file mode 100644 index 00000000000..cc15acbf5aa --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-engineering.ftl @@ -0,0 +1,6 @@ +ent-EnginePortableGeneratorJrPacman = { ent-PortableGeneratorJrPacman } + .desc = { ent-PortableGeneratorJrPacman.desc } +ent-EnginePortableGeneratorPacman = { ent-PortableGeneratorPacman } + .desc = { ent-PortableGeneratorPacman.desc } +ent-EnginePortableGeneratorSuperPacman = { ent-PortableGeneratorSuperPacman } + .desc = { ent-PortableGeneratorSuperPacman.desc } diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-fun.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-fun.ftl new file mode 100644 index 00000000000..16fa6036279 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-fun.ftl @@ -0,0 +1,12 @@ +ent-FloorsFun = { ent-CrateFloorsFun } + .desc = { ent-CrateFloorsFun.desc } +ent-FunPianoInstrument = { ent-PianoInstrument } + .desc = { ent-PianoInstrument.desc } +ent-FunUprightPianoInstrument = { ent-UprightPianoInstrument } + .desc = { ent-UprightPianoInstrument.desc } +ent-FunChurchOrganInstrument = { ent-ChurchOrganInstrument } + .desc = { ent-ChurchOrganInstrument.desc } +ent-FunMinimoogInstrument = { ent-MinimoogInstrument } + .desc = { ent-MinimoogInstrument.desc } +ent-FunDawInstrument = { ent-DawInstrument } + .desc = { ent-DawInstrument.desc } diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-livestock.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-livestock.ftl new file mode 100644 index 00000000000..55f54735f3c --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-livestock.ftl @@ -0,0 +1,2 @@ +ent-LivestockEmotionalSupport = { ent-CrateNPCEmotionalSupport } + .desc = { ent-CrateNPCEmotionalSupport.desc } diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-materials.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-materials.ftl new file mode 100644 index 00000000000..79853949714 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-materials.ftl @@ -0,0 +1,4 @@ +ent-Materials = { ent-CrateMaterials } + .desc = { ent-CrateMaterials.desc } +ent-MaterialUranium = { ent-CrateMaterialUranium } + .desc = { ent-CrateMaterialUranium.desc } diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-service.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-service.ftl new file mode 100644 index 00000000000..0b052a142af --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-service.ftl @@ -0,0 +1,4 @@ +ent-ServiceJanitorial2 = { ent-CrateServiceJanitorialSupplies2 } + .desc = { ent-CrateServiceJanitorialSupplies2.desc } +ent-ServiceVehicleJanicart = { ent-CrateVehicleJanicart } + .desc = { ent-CrateVehicleJanicart.desc } diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-trade.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-trade.ftl new file mode 100644 index 00000000000..a898af7561a --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-trade.ftl @@ -0,0 +1,4 @@ +ent-CrateTradeSecureNormal = { ent-CrateTradeSecureNormalFilled } + .desc = { ent-CrateTradeSecureNormalFilled.desc } +ent-CrateTradeSecureHigh = { ent-CrateTradeSecureHighFilled } + .desc = { ent-CrateTradeSecureHighFilled.desc } 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 new file mode 100644 index 00000000000..fb7c9bcd385 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/cargo/cargo-vending.ftl @@ -0,0 +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 } diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/engines-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/engines-crates.ftl new file mode 100644 index 00000000000..a2240f742cf --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/engines-crates.ftl @@ -0,0 +1,8 @@ +ent-CrateThruster = ящик двигателя + .desc = Ящик с двигателем, которое позволяет шаттлу перемещаться. +ent-CrateGyroscope = ящик гироскопа + .desc = Ящик с гироскопом, который увеличивает потенциальный угол поворота шаттла. +ent-CrateSmallThruster = ящик с малым двигателем + .desc = Ящик с небольшим двигателем, который позволяет шаттлу перемещаться. +ent-CrateSmallGyroscope = ящик с малым гироскопом + .desc = Ящик с небольшим гироскопом, который увеличивает потенциальный угол поворота шаттла. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/fun-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/fun-crates.ftl new file mode 100644 index 00000000000..9694e2e2338 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/fun-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateFloorsFun = Веселые полы, плитка в ящике + .desc = Ящик, полный 30 случайных плиток, используемых для украшения. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/livestock-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/livestock-crates.ftl new file mode 100644 index 00000000000..e1a4d8708b2 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/livestock-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateNPCEmotionalSupport = ящик для домашних животных эмоциональной поддержки + .desc = ящик, содержащий питомца для эмоциональной поддержки. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/materials-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/materials-crates.ftl new file mode 100644 index 00000000000..39a4a27e3b6 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/materials-crates.ftl @@ -0,0 +1,4 @@ +ent-CrateMaterials = ящик материалов + .desc = 1 лист стекла, пластика, стали, плазмы и пластали. +ent-CrateMaterialUranium = ящик урана + .desc = 90 листов урана. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/science-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/science-crates.ftl new file mode 100644 index 00000000000..b136e6a5389 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/science-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateScienceLabBundle = лабораторный набор ученого + .desc = Содержит полный набор для создания вашей собственной научной лаборатории. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/service-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/service-crates.ftl new file mode 100644 index 00000000000..1823a2a8b9c --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/service-crates.ftl @@ -0,0 +1,6 @@ +ent-CrateServiceJanitorialSupplies2 = ящик уборочных принадлежностей + .desc = Боритесь с грязью и копотью с помощью средств для уборки от Nanotrasen! — содержит два пакета для мусора, одну коробку со знаками мокрого пола и 2 аэрозольных чистящих баллончика +ent-CrateSpaceCleaner = ящик для уборки больших помещений + .desc = для устранения большого беспорядка +ent-CrateVehicleJanicart = ящик с уборочной машиной + .desc = черный конь уборщика. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/syndicate-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/syndicate-crates.ftl new file mode 100644 index 00000000000..2989992ddf6 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/syndicate-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateSyndicateLightSurplusBundle = ящик с легкими излишками синдиката + .desc = Содержит совершенно случайных предметов Синдиката на 30 телекристаллов. Это может быть как бесполезный хлам, так и действительно хороший. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/trade-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/trade-crates.ftl new file mode 100644 index 00000000000..fc3d660b523 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/trade-crates.ftl @@ -0,0 +1,4 @@ +ent-CrateTradeSecureNormalFilled = Грузовой торговый ящик + .desc = Содержит товары, произведенные на Фронтире, готовые к продаже на грузовом складе по более высокой цене. УБЕДИТЕСЬ, ЧТО ЯЩИК ЦЕЛ. +ent-CrateTradeSecureHighFilled = Торговый ящик с ценным грузом + .desc = Содержит ценные товары, произведенные на Фронтире, готовые к продаже на грузовом складе по более высокой цене. УБЕДИТЕСЬ, ЧТО ЯЩИК ЦЕЛ. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/vending-crates.ftl b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/vending-crates.ftl new file mode 100644 index 00000000000..a509c598272 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/catalog/fills/crates/vending-crates.ftl @@ -0,0 +1,18 @@ +ent-CrateVendingMachineRestockAstroVendFilled = Ящик для пополнения запасов АстроВенд + .desc = Содержит две коробки для пополнения запасов для торгового автомата АстроВенд. +ent-CrateVendingMachineRestockAmmoFilled = Ящик для пополнения запасов Библеомата + .desc = Содержит две коробки для пополнения запасов в торговом автомате Библеомат. +ent-CrateVendingMachineRestockFlatpackVendFilled = Ящик для пополнения запасов КомпактВенд + .desc = Содержит две коробки для пополнения запасов в автомате КомпактВенд. +ent-CrateVendingMachineRestockCuddlyCritterVendFilled = Ящик для пополнения запасов Ручных Зверушек + .desc = Содержит две коробки для пополнения запасов в торговом автомате Ручных Зверушек. +ent-CrateVendingMachineRestockChefvendFilled = Ящик для пополнения запасов Шефвенд + .desc = Содержит две коробки для пополнения запасов в торговом автомате Шефвенд. +ent-CrateVendingMachineRestockCondimentStationFilled = Ящик для пополнения запасов на станции + .desc = Содержит две коробки для пополнения запасов. +ent-CrateVendingMachineRestockLessLethalVendFilled = Ящик для пополнения запасов НеЛеталВенд + .desc = Содержит две коробки для пополнения запасов в торговом автомате НеЛеталВенд. +ent-CrateVendingMachineRestockAutoTuneVendFilled = Ящик для пополнения запасов Муз-о-Венд + .desc = Содержит две коробки для пополнения запасов в торговом автомате Муз-о-Венд. +ent-CrateVendingMachineRestockPottedPlantVendFilled = Ящик для пополнения запасов ТравоМат + .desc = Содержит две коробки для пополнения запасов в торговом автомате ТравоМат. diff --git a/Resources/Locale/ru-RU/_NF/prototypes/entities/shuttles/thrusters.ftl b/Resources/Locale/ru-RU/_NF/prototypes/entities/shuttles/thrusters.ftl new file mode 100644 index 00000000000..15f7a054fa8 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/prototypes/entities/shuttles/thrusters.ftl @@ -0,0 +1,4 @@ +ent-SmallThruster = маленький двигатель + .desc = { ent-BaseThruster.desc } +ent-SmallGyroscope = маленький гироскоп + .desc = { ent-Gyroscope.desc } diff --git a/Resources/Locale/ru-RU/_NF/reagents/foods.ftl b/Resources/Locale/ru-RU/_NF/reagents/foods.ftl new file mode 100644 index 00000000000..d323dd9b64b --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/reagents/foods.ftl @@ -0,0 +1 @@ +reagent-name-flaverol = флаверол diff --git a/Resources/Locale/ru-RU/_NF/reagents/meta/consumable/food/food.ftl b/Resources/Locale/ru-RU/_NF/reagents/meta/consumable/food/food.ftl new file mode 100644 index 00000000000..82fc15ff919 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/reagents/meta/consumable/food/food.ftl @@ -0,0 +1,2 @@ +reagent-name-flavorol = флаверол +reagent-desc-flavorol = Все витамины, минералы и углеводы, необходимые организму в чистом виде. diff --git a/Resources/Locale/ru-RU/_NF/research/technologies.ftl b/Resources/Locale/ru-RU/_NF/research/technologies.ftl new file mode 100644 index 00000000000..227f8ee3d66 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/research/technologies.ftl @@ -0,0 +1,9 @@ +research-techology-advanced-personal-propulsion = Продвинутые технологии передвижения +research-technology-rapid-construction = Быстрое строительство +research-technology-hardsuits-basic = Базовые скафандры +research-technology-hardsuits-specialized = Специализированные скафандры +research-technology-hardsuits-advanced = Продвинутые скафандры +research-technology-hardsuits-experimental-industrial = Экспериментальный скафандр утилизации +research-technology-hardsuits-armored = Бронированные скафандры +research-technology-hardsuits-armored-advanced = Продвинутый бронированные скафандры +research-technology-hardsuits-experimental-rd = Экспериментальные исследовательские скафандры diff --git a/Resources/Locale/ru-RU/_NF/respawn/respawn-system.ftl b/Resources/Locale/ru-RU/_NF/respawn/respawn-system.ftl new file mode 100644 index 00000000000..1f30037b798 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/respawn/respawn-system.ftl @@ -0,0 +1,18 @@ +## UI + +ghost-respawn-rules-window-title = Правила возрождения призраков +ghost-respawn-rules-window-confirm-button = Я понимаю, возроди меня +ghost-gui-respawn-button-denied = Возрождение ({ $time }s) +ghost-gui-respawn-button-allowed = Возрождение +ghost-respawn-rules-window-rules = + Возрождение происходит в соответствии со строгим правилом Новой жизни: + Независимо от того, каким персонажем вы решите вернуться, + вы ничего не помните после потери сознания, + и существует строгий 15-минутный период ненападения. + Ознакомьтесь с правилами для получения дополнительной информации. + +## COMMMANDS + +ghost-respawn-command-desc = Возрождает вас, если вы подходящий призрак. +ghost-respawn-not-a-ghost = В данный момент вы не являетесь призраком. +ghost-respawn-ineligible = В настоящее время вы не имеете на это права. diff --git a/Resources/Locale/ru-RU/_NF/seeds/seeds.ftl b/Resources/Locale/ru-RU/_NF/seeds/seeds.ftl new file mode 100644 index 00000000000..c1b928961eb --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/seeds/seeds.ftl @@ -0,0 +1,5 @@ +# Seeds +seeds-spesos-name = спесосы +seeds-spesos-display-name = спесосы +seeds-pear-name = груша +seeds-pear-display-name = груша diff --git a/Resources/Locale/ru-RU/_NF/shipyard/shipyard-console-component.ftl b/Resources/Locale/ru-RU/_NF/shipyard/shipyard-console-component.ftl new file mode 100644 index 00000000000..6c74b5f4b60 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/shipyard/shipyard-console-component.ftl @@ -0,0 +1,17 @@ +## UI + +shipyard-console-invalid-vessel = Не удается приобрести судно: +shipyard-console-menu-title = Меню верфи +shipyard-console-docking = Капитан { $owner } шаттла { $vessel } в пути, расчётное премя прибытия 10 секунд. +shipyard-console-leaving = Капитан { $owner } шаттла { $vessel } продал судно { $player }. +shipyard-console-docking-secret = Обнаружено незарегистрированное судно, заходящее в ваш сектор. +shipyard-console-leaving-secret = Обнаружено незарегистрированное судно, покидающее ваш сектор. +shipyard-commands-purchase-desc = Запускает и закрепляет на FTL указанный шаттл из файла сетки. +shipyard-console-no-idcard = Нет ID карты +shipyard-console-already-deeded = ID карта уже есть +shipyard-console-invalid-station = Недействительная станция +shipyard-console-no-bank = Банковский счет не найден +shipyard-console-no-deed = Судовой документ не найден +shipyard-console-sale-reqs = Судно должно быть пришвартовано, а весь экипаж высажен на сушу +shipyard-console-deed-label = Зарегистрированное судно: +shipyard-console-appraisal-label = Предполагаемая стоимость шаттла:{ " " } diff --git a/Resources/Locale/ru-RU/_NF/shipyard/shipyard-rcd-component.ftl b/Resources/Locale/ru-RU/_NF/shipyard/shipyard-rcd-component.ftl new file mode 100644 index 00000000000..647ec5f02a0 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/shipyard/shipyard-rcd-component.ftl @@ -0,0 +1,9 @@ +## UI + +rcd-component-missing-id-deed = По этой ID не зарегистрировано ни одного судна +rcd-component-can-only-build-authorized-ship = Можно строить только на разрешенных кораблях! +rcd-component-no-id-swiped = Проведите идентификационной картой по РСУ для авторизации. +rcd-component-use-blocked = РСУ жужжит, но ничего не происходит. +rcd-component-id-card-accepted = Вы проводите пальцем по идентификационной карте, и РСУ издает принимающий сигнал. +rcd-component-id-card-removed = РСУ отключается, несанкционированный доступ. +rcd-component-wrong-ammo-type = Неправильный тип боеприпасов для РСУ. diff --git a/Resources/Locale/ru-RU/_NF/shuttles/console.ftl b/Resources/Locale/ru-RU/_NF/shuttles/console.ftl new file mode 100644 index 00000000000..61bbec01e95 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/shuttles/console.ftl @@ -0,0 +1 @@ +shuttle-console-designation = Обозначение: diff --git a/Resources/Locale/ru-RU/_NF/smuggling/deaddrop.ftl b/Resources/Locale/ru-RU/_NF/smuggling/deaddrop.ftl new file mode 100644 index 00000000000..eebf11fa71b --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/smuggling/deaddrop.ftl @@ -0,0 +1,6 @@ +deaddrop-search-text = Ищите ближе +deaddrop-security-report = В вашем секторе обнаружена контрабандная деятельность Синдиката +deaddrop-hint-pretext = Десантный модуль Синдиката будет отправлен по следующим координатам: +deaddrop-hint-posttext = Наши агенты внутри сектора заплатят любому, кто захочет провезти эти товары контрабандой на территорию NT. +deaddrop-hint-name = аккуратно сложенная бумага +deaddrop-hint-desc = Лист бумаги, аккуратно сложенный, чтобы поместиться в небольшом тайнике diff --git a/Resources/Locale/ru-RU/_NF/species/species.ftl b/Resources/Locale/ru-RU/_NF/species/species.ftl new file mode 100644 index 00000000000..4b9ceaf10ad --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/species/species.ftl @@ -0,0 +1,3 @@ +## Species Names + +species-name-vulpkanin = Вульпканин diff --git a/Resources/Locale/ru-RU/_NF/store/currency.ftl b/Resources/Locale/ru-RU/_NF/store/currency.ftl new file mode 100644 index 00000000000..014a8dc5bfd --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/store/currency.ftl @@ -0,0 +1 @@ +store-currency-display-security-telecrystal = ТК diff --git a/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl b/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl new file mode 100644 index 00000000000..26bda14a09c --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/store/uplink-catalog.ftl @@ -0,0 +1,112 @@ +uplink-emp-grenade-launcher-bundle-name = EMP China-Lake Набор +uplink-emp-grenade-launcher-bundle-desc = Старый гранатомет "China-Lake" в комплекте с 8 EMP боеприпасами. +store-category-sechardsuits = EVA костюмы +store-category-secweapons = Оружие +store-category-secutility = Утилиты +store-category-secammo = Боеприпасы +uplink-security-hardsuit-name = Защитный скафандр +uplink-security-hardsuit-desc = Стандартный бронированный костюм EVA. Громоздкая броня немного ограничивает скорость передвижения. +uplink-security-hardsuit-patrol-name = Скафандр патруля безопасности +uplink-security-hardsuit-patrol-desc = Облегченный вариант защитного костюма EVA. Большая скорость передвижения достигается за счет несколько меньшей защиты. +uplink-security-hardsuit-brigmedic-name = Скафандр БригМедика +uplink-security-hardsuit-brigmedic-desc = Легкобронированный костюм EVA. Разработанный для спасательных операций, он жертвует большей частью своей брони в пользу скорости передвижения. +uplink-security-hardsuit-warden-name = Скафандр судебного пристава +uplink-security-hardsuit-warden-desc = Умеренно усиленный вариант защитного костюма EVA. Современное покрытие увеличивает сопротивление без ущерба для диапазона движений. +uplink-security-hardsuit-syndie-re-name = Боевой костюм обратной разработки +uplink-security-hardsuit-syndie-re-desc = Усовершенствованный боевой костюм, восстановленный после войн Синдиката. Хорошо защищенный и чрезвычайно мобильный. +uplink-security-hardsuit-sheriff-name = Скафандр шерифа +uplink-security-hardsuit-sheriff-desc = Сильно усиленный защитный костюм EVA. Обеспечивает максимальную устойчивость при сохранении диапазона движений, ожидаемого от сил безопасности. +uplink-security-mk58-name = MK 58 +uplink-security-mk58-desc = Дешевый боковой рычаг стандартного выпуска. Использует .35 Авто. +uplink-security-kammerer-name = Каммерер +uplink-security-kammerer-desc = Помповое ружье. Использует .50 патронов для дробовика. Вмещает 4. +uplink-security-disabler-name = Станнер +uplink-security-disabler-desc = Несмертельный электрошокер стандартного выпуска. Оснащен встроенным аккумулятором, но требует использования защитной зарядной станции. +uplink-security-stunbaton-name = дубинка-шокер +uplink-security-stunbaton-desc = Несмертельная электрошоковая дубинка стандартного выпуска. Имеет встроенный аккумулятор, но требует использования защитной зарядной станции. +uplink-security-deckard-name = Декард +uplink-security-deckard-desc = Очень мощный револьвер, привезенный с Тангейзерских ворот. Используется "магнум" .45 калибра. +uplink-security-emitter-name = Электромагнитный излучатель +uplink-security-emitter-desc = Импульсный излучатель высокой энергии, настроенный на разрушение электроники и энергосистем. Безвреден для живых существ. Снаряды проходят сквозь стекло. Имеет встроенный аккумулятор, но требует использования защитной зарядной станции. +uplink-security-n1984-name = N1984 +uplink-security-n1984-desc = Стандартный офицерский пистолет. Использует магазины "Магнум" .45 калибра. +uplink-security-enforcer-name = Силовик +uplink-security-enforcer-desc = Обновленная модель Каммерера может похвастаться магазином на 7 патронов. Использует патроны для дробовика .50 калибра. +uplink-security-lecter-name = Лектер +uplink-security-lecter-desc = Стандартная полностью автоматическая винтовка. Используется винтовка .20 калибра. +uplink-security-lasercarbine-name = Лазерная винтовка +uplink-security-lasercarbine-desc = Лазерный карабин стандартного выпуска. Оснащен встроенным аккумулятором, но требует использования защитной зарядной станции. Стреляет сквозь стекло. +uplink-security-disablersmg-name = Автоматический станнер +uplink-security-disablersmg-desc = Полностью автоматический, скорострельность отключена. Настроен на ту же частоту, что и стандартные выключатели, что делает оружие менее смертоносным. Имеет встроенный аккумулятор, но требует использования защитной зарядной станции. +uplink-security-energysword-name = Энергетический меч +uplink-security-energysword-desc = Юридически отличный энергетический меч. Возможность отражать снаряды. +uplink-security-wt550-name = WT 550 +uplink-security-wt550-desc = Полностью автоматический пистолет-пулемет. В этой конструкции используются специальные магазины, устанавливаемые сверху, что упрощает и ускоряет работу в полевых условиях. Используется автоматический пистолет .35 калибра. +uplink-security-energygun-name = Энергетическое оружие +uplink-security-energygun-desc = Полуавтоматический энергетический пистолет, способный стрелять как несмертельными электрошоковыми зарядами, так и перезаряженными смертоносными энергетическими зарядами. Имеет встроенный аккумулятор, но требует использования защитной зарядной станции. +uplink-security-emprpg-name = RPG-7 +uplink-security-emprpg-desc = Реактивный гранатомет. Поставляется с 1 электромагнитным патроном. +uplink-security-empgrenade-name = ЭМИ граната +uplink-security-empgrenade-desc = Ручная граната, испускающая импульс высокой энергии, который выводит из строя электронику и энергосистемы в умеренно большом радиусе. +uplink-security-holo-name = Голографический проекто +uplink-security-holo-desc = Голографический проектор на батарейках, который создает временные барьеры для передвижения в баре. +uplink-security-jetpack-name = Джетпак +uplink-security-jetpack-desc = Предварительно заполненный реактивный ранец для EVA. Поставляется в модном красном цвете, +uplink-security-magboots-name = Боевые магнитные ботинки +uplink-security-magboots-desc = Легкие резиновые сапоги, предназначенные для того, чтобы удерживать владельца на земле в условиях низкой гравитации. +uplink-security-techfab-name = СБ ТехФаб +uplink-security-techfab-desc = Печатная плата для технической лаборатории безопасности. Позволяет производить боеприпасы, магазины, оружие и множество других утилит. Использует исходные ресурсы. Может быть модернизирован. +uplink-security-key-name = Ключи шифрования безопасности +uplink-security-key-desc = Коробка с 4 ключами шифрования, которые дают доступ к радиоканалу NFSD. +uplink-security-emprocket-name = ЭМИ ракета +uplink-security-emprocket-desc = ЭМИ ракета для РПГ-7 +uplink-security-thrusterkit-name = TКомплект для модернизации двигателя +uplink-security-thrusterkit-desc = Содержит 12 суперконденсаторов. Идеально подходит для модернизации корабельных двигателей. +uplink-security-magazinepistol-name = Магазины для автоматического пистолета калибра .35 Авто +uplink-security-magazinepistol-desc = Коробка с 4 магазинами для автоматического оружия .35 калибра. +uplink-security-20riflemagazine-name = Винтовочные магазины .20 калибра +uplink-security-20riflemagazine-desc = Коробка с 4 магазинами для винтовки .20 калибра. +uplink-security-wt550magazine-name = Двойный-магазины для автоматического пистолета калибра .35 Авто +uplink-security-wt550magazine-desc = Коробка, содержащая 3 двойных-магазина .35 калибраю +uplink-security-hypo-name = Гипоспрей +uplink-security-hypo-desc = Стерильный медицинский инъектор для мгновенной доставки лекарств. +uplink-security-ambuzol-name = Шприц с амбузолом +uplink-security-ambuzol-desc = 15 единиц противовирусного препарата, чтобы остановить распространение очень заразного зомби-вируса. +uplink-security-medkit-name = Боевая аптечка +uplink-security-medkit-desc = Набор, содержащий современные медицинские принадлежности, пригодные для использования в полевых условиях. +uplink-security-inspector-name = Инспектор +uplink-security-inspector-desc = Револьвер стандартного выпуска. Дешевый, массового производства, его можно найти во всех уголках известной Вселенной. Используется "магнум" .45 калибра. +uplink-security-mateba-name = Матеба +uplink-security-mateba-desc = Уникальная центровка ствола с автоматическим возвратом Матеба и приводимый в действие отдачей цилиндр и ударник обеспечивают непревзойденную скорострельность и точность стрельбы. +uplink-security-truncheon-name = Дубинка +uplink-security-truncheon-desc = Стандартный тупой предмет. Отлично подходит как для разбивания окон, так и черепов. +uplink-security-armingsword-name = Меч из пластальной стали +uplink-security-armingsword-desc = Старинный дизайн сочетается с современными материалами. +uplink-security-captainsword-name = Капитанская сабля +uplink-security-captainsword-desc = Меч, обычно предназначенный для капитанов, адмиралтейства и другого высшего командования. Имеет небольшой шанс отразить летящие снаряды. +uplink-security-pulsepistol-name = Импульсный пистолет +uplink-security-pulsepistol-desc = Мощный лазерный пистолет, обычно предназначенный для элитных подразделений ERT. Оснащен встроенным аккумулятором, но требует использования защитной зарядной станции. +uplink-security-pulsecarbine-name = Импульсный карабин +uplink-security-pulsecarbine-desc = Мощный лазерный карабин, обычно предназначенный для элитных подразделений скорой помощи и боевых единиц. Имеет встроенный аккумулятор, но требует использования защитной зарядной станции. +uplink-security-hammer-name = Отбойный молоток +uplink-security-hammer-desc = Большой двуручный молоток, который идеально подходит для выламывания дверей или пробивания обшивки корпуса. +uplink-security-teleshield-name = Телескопический щит +uplink-security-teleshield-desc = Расширяемый ручной щит, обеспечивающий превосходную защиту. +uplink-security-energyshield-name = Энергетический щит +uplink-security-energyshield-desc = Экзотический энергетический щит, блокирующий большую часть входящего урона. +uplink-security-swat-name = Противогаз спецназа +uplink-security-swat-desc = Версия защитного противогаза стандартного выпуска, закрывающая все лицо. +uplink-security-speedloader-name = Спидлоадер .45 магнум +uplink-security-speedloader-desc = Револьверный скорострельный заряжатель, который поставляется с предварительно заряженным патроном .45 калибра магнум +uplink-security-speedloaderrubber-name = Спидлоадер .45 магнум резиновый +uplink-security-speedloaderrubber-desc = Револьверный скорострельный заряжатель, который поставляется с предварительной загрузкой резиной magnum .45 магнум резиновый. +uplink-security-shotlethal-name = Летальные патроны для дробовика +uplink-security-shotlethal-desc = Коробка летальных патронов для дробовика .50 калибра. +uplink-security-shotbeanbag-name = Травматичекские патроны для дробовика +uplink-security-shotbeanbag-desc = Коробка травматических патронов для дробовика .50 калибра. +uplink-security-shotincend-name = Зажигательные патроны для дробовика +uplink-security-shotincend-desc = Коробка зажигательные патронов для дробовика .50 калибра. +uplink-security-shotslug-name = Летальные патроны для дробовика(Пули) +uplink-security-shotslug-desc = Коробка летальных(Пули) патронов для дробовика .50 калибра. +uplink-security-cash1000-name = 1000 Спесосов +uplink-security-cash1000-desc = Холодные, звонкие деньги. diff --git a/Resources/Locale/ru-RU/_NF/traits/traits.ftl b/Resources/Locale/ru-RU/_NF/traits/traits.ftl new file mode 100644 index 00000000000..51515d88653 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/traits/traits.ftl @@ -0,0 +1,5 @@ +trait-stinky-name = Вонючий +trait-stinky-desc = От тебя плохо пахнет, как от умирающего трупа. +trait-stinky-examined = [color=lightblue]{ CAPITALIZE(SUBJECT($target)) } отвратительно пахнет.[/color] +trait-stinky-in-range-others = { $target } отвратительно пахнет! +trait-stinky-in-range-self = Кто-то отвратительно пахнет! diff --git a/Resources/Locale/ru-RU/_NF/vending-machines/vending-machine-component.ftl b/Resources/Locale/ru-RU/_NF/vending-machines/vending-machine-component.ftl new file mode 100644 index 00000000000..8e5b66f7180 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/vending-machines/vending-machine-component.ftl @@ -0,0 +1,3 @@ +## VendingMachineComponent + +vending-machine-component-try-eject-access-abused = Активирована защита торгового автомата diff --git a/Resources/Locale/ru-RU/_NF/ventriloquist/ventriloquist.ftl b/Resources/Locale/ru-RU/_NF/ventriloquist/ventriloquist.ftl new file mode 100644 index 00000000000..a1c2c380607 --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/ventriloquist/ventriloquist.ftl @@ -0,0 +1,6 @@ +ventriloquist-rock-grasp-hand = Вы крепко сжимаете любимый камень. +ventriloquist-rock-release-hand = Ты отпускаешь свой любимый камень. +ventriloquist-rock-grasped-hand = Вы были схвачены. +ventriloquist-rock-released-hand = Тебя освободили. +ventriloquist-rock-role-name = Питомец камень +ventriloquist-rock-role-description = Ты - любимый минерал. diff --git a/Resources/Locale/ru-RU/_NF/verbs/verb-system.ftl b/Resources/Locale/ru-RU/_NF/verbs/verb-system.ftl new file mode 100644 index 00000000000..ca15800cd7f --- /dev/null +++ b/Resources/Locale/ru-RU/_NF/verbs/verb-system.ftl @@ -0,0 +1,2 @@ +verb-categories-power-bodycam = Энергия +verb-categories-pen = Ручка diff --git a/Resources/Locale/ru-RU/_lib.ftl b/Resources/Locale/ru-RU/_lib.ftl new file mode 100644 index 00000000000..c0d7fe5c875 --- /dev/null +++ b/Resources/Locale/ru-RU/_lib.ftl @@ -0,0 +1,34 @@ +### Special messages used by internal localizer stuff. + +# Used internally by the PRESSURE() function. +zzzz-fmt-pressure = + { TOSTRING($divided, "F1") } { $places -> + [0] кПа + [1] МПа + [2] ГПа + [3] ТПа + [4] ППа + *[5] ??? + } +# Used internally by the POWERWATTS() function. +zzzz-fmt-power-watts = + { TOSTRING($divided, "F1") } { $places -> + [0] Вт + [1] кВт + [2] МВт + [3] ГВт + [4] ТВт + *[5] ??? + } +# Used internally by the POWERJOULES() function. +# Reminder: 1 joule = 1 watt for 1 second (multiply watts by seconds to get joules). +# Therefore 1 kilowatt-hour is equal to 3,600,000 joules (3.6MJ) +zzzz-fmt-power-joules = + { TOSTRING($divided, "F1") } { $places -> + [0] Дж + [1] кДж + [2] МДж + [3] ГДж + [4] ТДж + *[5] ??? + } diff --git a/Resources/Locale/ru-RU/_units.ftl b/Resources/Locale/ru-RU/_units.ftl new file mode 100644 index 00000000000..03968daa4ab --- /dev/null +++ b/Resources/Locale/ru-RU/_units.ftl @@ -0,0 +1,80 @@ +units-si--y = и +units-si--z = з +units-si--a = а +units-si--f = ф +units-si--p = п +units-si--n = н +units-si--u = мк +units-si--m = м +units-si = { "" } +units-si-k = к +units-si-m = М +units-si-g = Г +units-si-t = Т +units-si-p = П +units-si-e = Э +units-si-z = З +units-si-y = И +units-si--y-long = иокто +units-si--z-long = зепто +units-si--a-long = атто +units-si--f-long = фемто +units-si--p-long = пико +units-si--n-long = нано +units-si--u-long = микро +units-si--m-long = милли +units-si-long = { "" } +units-si-k-long = кило +units-si-m-long = мега +units-si-g-long = гига +units-si-t-long = тера +units-si-p-long = пета +units-si-e-long = экса +units-si-z-long = зетта +units-si-y-long = иотта +units-u--pascal = мкПа +units-m--pascal = мПа +units-pascal = Па +units-k-pascal = кПа +units-m-pascal = МПа +units-g-pascal = ГПа +units-u--pascal-long = микропаскаль +units-m--pascal-long = миллипаскаль +units-pascal-long = паскаль +units-k-pascal-long = килопаскаль +units-m-pascal-long = мегапаскаль +units-g-pascal-long = гигапаскаль +units-u--watt = мкВт +units-m--watt = мВт +units-watt = Вт +units-k-watt = кВт +units-m-watt = МВт +units-g-watt = ГВт +units-u--watt-long = микроватт +units-m--watt-long = милливатт +units-watt-long = ватт +units-k-watt-long = киловатт +units-m-watt-long = мегаватт +units-g-watt-long = гигаватт +units-u--joule = µДж +units-m--joule = мДж +units-joule = Дж +units-k-joule = кДж +units-m-joule = МДж +units-u--joule-long = Микроджоуль +units-m--joule-long = Миллиджоуль +units-joule-long = Джоуль +units-k-joule-long = Килоджоуль +units-m-joule-long = Мегаджоуль +units-u--kelvin = мкК +units-m--kelvin = мК +units-kelvin = К +units-k-kelvin = кК +units-m-kelvin = MK +units-g-kelvin = ГК +units-u--kelvin-long = микрокельвин +units-m--kelvin-long = милликельвин +units-kelvin-long = кельвин +units-k-kelvin-long = килокельвин +units-m-kelvin-long = мегакельвин +units-g-kelvin-long = гигакельвин diff --git a/Resources/Locale/ru-RU/abilities/mime.ftl b/Resources/Locale/ru-RU/abilities/mime.ftl new file mode 100644 index 00000000000..3a69365966b --- /dev/null +++ b/Resources/Locale/ru-RU/abilities/mime.ftl @@ -0,0 +1,5 @@ +mime-cant-speak = Данный вами обет молчания не позволяет вам говорить. +mime-invisible-wall-popup = { CAPITALIZE($mime) } упирается в невидимую стену! +mime-invisible-wall-failed = Вы не можете создать здесь невидимую стену. +mime-not-ready-repent = Вы ещё не готовы покаяться за нарушенный обет. +mime-ready-to-repent = Вы чувствуете, что готовы снова дать обет молчания. diff --git a/Resources/Locale/ru-RU/accent/accents.ftl b/Resources/Locale/ru-RU/accent/accents.ftl new file mode 100644 index 00000000000..e705eed6136 --- /dev/null +++ b/Resources/Locale/ru-RU/accent/accents.ftl @@ -0,0 +1,113 @@ +# Cat accent +accent-words-cat-1 = Мяу! +accent-words-cat-2 = Mиау. +accent-words-cat-3 = Мурррр! +accent-words-cat-4 = Ххссс! +accent-words-cat-5 = Мррау. +accent-words-cat-6 = Мяу? +accent-words-cat-7 = Mяф. +# Dog accent +accent-words-dog-1 = Гав! +accent-words-dog-2 = Тяв! +accent-words-dog-3 = Вуф! +accent-words-dog-4 = Гаф. +accent-words-dog-5 = Гррр. +# Mouse +accent-words-mouse-1 = Скуик! +accent-words-mouse-2 = Пиип! +accent-words-mouse-3 = Чууу! +accent-words-mouse-4 = Ииии! +accent-words-mouse-5 = Пип! +accent-words-mouse-6 = Уиип! +accent-words-mouse-7 = Иип! +# Mumble +accent-words-mumble-1 = Ммпмв! +accent-words-mumble-2 = Мммв мррввв! +accent-words-mumble-3 = Мммв мпвф! +# Silicon +accent-words-silicon-1 = Бип. +accent-words-silicon-2 = Буп. +accent-words-silicon-3 = Жжжж. +accent-words-silicon-4 = Биб-буп. +# Xeno +accent-words-xeno-1 = Хиссс. +accent-words-xeno-2 = Хиссссс! +accent-words-xeno-3 = Хисссшу... +accent-words-xeno-4 = Хисс...! +# Zombie +accent-words-zombie-1 = Грруааа... +accent-words-zombie-2 = Ммуааа... +accent-words-zombie-3 = Маазгиии... +accent-words-zombie-4 = Гррррр... +accent-words-zombie-5 = Ууаагххххх... +accent-words-zombie-6 = Граааааоооууллл... +accent-words-zombie-7 = Мазгии... Ммааазгиии.. +accent-words-zombie-8 = Мазгххх... +accent-words-zombie-9 = Маазгг... +accent-words-zombie-10 = Граааааа... +# Moth Zombie +accent-words-zombie-moth-1 = Clothessss... +accent-words-zombie-moth-2 = Shooooesss... +accent-words-zombie-moth-3 = Liiiiight... +accent-words-zombie-moth-4 = Laaamps... +accent-words-zombie-moth-5 = Haaaatsss... Hatttssss... +accent-words-zombie-moth-6 = Scarffsss... +# Generic Aggressive +accent-words-generic-aggressive-1 = Грр! +accent-words-generic-aggressive-2 = Рррр! +accent-words-generic-aggressive-3 = Грр... +accent-words-generic-aggressive-4 = Гррав!! +# Duck +accent-words-duck-1 = Ква! +accent-words-duck-2 = Ква. +accent-words-duck-3 = Ква? +accent-words-duck-4 = Ква ква! +# Chicken +accent-words-chicken-1 = Кудах! +accent-words-chicken-2 = Кудах. +accent-words-chicken-3 = Кудах? +accent-words-chicken-4 = Кудах тах-тах! +# Pig +accent-words-pig-1 = Хрю. +accent-words-pig-2 = Хрю? +accent-words-pig-3 = Хрю! +accent-words-pig-4 = Хрю Хрю! +# Kangaroo +accent-words-kangaroo-1 = Грр! +accent-words-kangaroo-2 = Ххссс! +accent-words-kangaroo-3 = Шррр! +accent-words-kangaroo-4 = Чууу! +# Slimes +accent-words-slimes-1 = Блюмп. +accent-words-slimes-2 = Блимпаф? +accent-words-slimes-3 = Бламп! +accent-words-slimes-4 = Блааамп... +accent-words-slimes-5 = Блабл бламп! +# Mothroach +accent-words-mothroach-1 = Чирик! +# Crab +accent-words-crab-1 = Click. +accent-words-crab-2 = Click-clack! +accent-words-crab-3 = Clack? +accent-words-crab-4 = Tipi-tap! +accent-words-crab-5 = Clik-tap. +accent-words-crab-6 = Cliliick. +# Kobold +accent-words-kobold-1 = Yip! +accent-words-kobold-2 = Grrar. +accent-words-kobold-3 = Yap! +accent-words-kobold-4 = Bip. +accent-words-kobold-5 = Screet? +accent-words-kobold-6 = Gronk! +accent-words-kobold-7 = Hiss! +accent-words-kobold-8 = Eeee! +accent-words-kobold-9 = Yip. +# Nymph +accent-words-nymph-1 = Chirp! +accent-words-nymph-2 = Churr... +accent-words-nymph-3 = Cheep? +accent-words-nymph-4 = Chrrup! +accent-words-mothroach-2 = Chirp! +accent-words-mothroach-3 = Peep! +accent-words-mothroach-4 = Eeee! +accent-words-mothroach-5 = Eep! diff --git a/Resources/Locale/ru-RU/accent/archaic.ftl b/Resources/Locale/ru-RU/accent/archaic.ftl new file mode 100644 index 00000000000..8dec08e2ca7 --- /dev/null +++ b/Resources/Locale/ru-RU/accent/archaic.ftl @@ -0,0 +1,453 @@ +# Referenced a lot of sites and used my own intuition to determine which fits well compared to our modern day speech patterns. Predominantly old modern english and other miscellaneous archaic terms. Sources I used includes shakespeare text and google searches, along with terms from the original version of the PR for this accent. + + +# I also included a lot of changes to formality and word choice to fit better with the accent. + +accent-archaic-replaced-1 = tell +accent-archaic-replacement-1 = advise +accent-archaic-replaced-2 = so far +accent-archaic-replacement-2 = as of this date +accent-archaic-replaced-3 = let me know +accent-archaic-replacement-3 = awaiting your reply +accent-archaic-replaced-4 = get +accent-archaic-replacement-4 = secure +accent-archaic-replaced-4 = use +accent-archaic-replacement-4 = utilize +accent-archaic-replaced-5 = consider +accent-archaic-replacement-5 = deem +accent-archaic-replaced-6 = my +accent-archaic-replacement-6 = mine +accent-archaic-replaced-7 = you +accent-archaic-replacement-7 = thou +accent-archaic-replaced-8 = your +accent-archaic-replacement-8 = thy +accent-archaic-replaced-9 = yours +accent-archaic-replacement-9 = thine +accent-archaic-replaced-10 = yourself +accent-archaic-replacement-10 = thyself +accent-archaic-replaced-11 = shall +accent-archaic-replacement-11 = shalt +accent-archaic-replaced-12 = has +accent-archaic-replacement-12 = hast +accent-archaic-replaced-13 = have +accent-archaic-replacement-13 = hath +accent-archaic-replaced-14 = are +accent-archaic-replacement-14 = art +accent-archaic-replaced-15 = does +accent-archaic-replacement-15 = doth +accent-archaic-replaced-16 = presented +accent-archaic-replacement-16 = bestowed +accent-archaic-replaced-17 = wonderful +accent-archaic-replacement-17 = wonderous +accent-archaic-replaced-18 = by chance +accent-archaic-replacement-18 = perchance +accent-archaic-replaced-19 = this +accent-archaic-replacement-19 = thee +accent-archaic-replaced-20 = nothing +accent-archaic-replacement-20 = naught +accent-archaic-replaced-21 = yes +accent-archaic-replacement-21 = aye +accent-archaic-replaced-22 = beg +accent-archaic-replacement-22 = beseech +accent-archaic-replaced-23 = gloom +accent-archaic-replacement-23 = drear +accent-archaic-replaced-24 = full +accent-archaic-replacement-24 = fraught +accent-archaic-replaced-25 = rush +accent-archaic-replacement-25 = make haste +accent-archaic-replaced-26 = careless +accent-archaic-replacement-26 = heedless +accent-archaic-replaced-27 = from this point onwards +accent-archaic-replacement-27 = hereinafter +accent-archaic-replaced-28 = of this +accent-archaic-replacement-28 = hereof +accent-archaic-replaced-29 = under this +accent-archaic-replacement-29 = hereunder +accent-archaic-replaced-30 = of that +accent-archaic-replacement-30 = thereof +accent-archaic-replaced-31 = by what +accent-archaic-replacement-31 = whereby +accent-archaic-replaced-32 = by which +accent-archaic-replacement-32 = whereby +accent-archaic-replaced-33 = under that +accent-archaic-replacement-33 = thereunder +accent-archaic-replaced-34 = in what +accent-archaic-replacement-34 = wherein +accent-archaic-replaced-35 = after that +accent-archaic-replacement-35 = thereafter +accent-archaic-replaced-36 = security +accent-archaic-replacement-36 = guard +accent-archaic-replaced-37 = sec +accent-archaic-replacement-37 = guard +accent-archaic-replaced-38 = seccie +accent-archaic-replacement-38 = guard +accent-archaic-replaced-39 = seccies +accent-archaic-replacement-39 = guards +accent-archaic-replaced-40 = gib +accent-archaic-replacement-40 = butcher +accent-archaic-replaced-41 = begs +accent-archaic-replacement-41 = pleads +accent-archaic-replaced-42 = fancy +accent-archaic-replacement-42 = furbished +accent-archaic-replaced-43 = onto +accent-archaic-replacement-43 = unto +accent-archaic-replaced-44 = can i +accent-archaic-replacement-44 = am i allowed to +accent-archaic-replaced-45 = upon +accent-archaic-replacement-45 = unto +accent-archaic-replaced-46 = where +accent-archaic-replacement-46 = whither +accent-archaic-replaced-47 = obligated +accent-archaic-replacement-47 = allegiant +accent-archaic-replaced-48 = and +accent-archaic-replacement-48 = an +accent-archaic-replaced-49 = accuse +accent-archaic-replacement-49 = appeach +accent-archaic-replaced-50 = accused +accent-archaic-replacement-50 = appeached +accent-archaic-replaced-51 = was +accent-archaic-replacement-51 = have been +accent-archaic-replaced-52 = stain +accent-archaic-replacement-52 = taint +accent-archaic-replaced-53 = stained +accent-archaic-replacement-53 = tainted +accent-archaic-replaced-54 = take place +accent-archaic-replacement-54 = befall +accent-archaic-replaced-55 = taken place +accent-archaic-replacement-55 = befall'n +accent-archaic-replaced-56 = happened +accent-archaic-replacement-56 = befall'n +accent-archaic-replaced-57 = probably +accent-archaic-replacement-57 = belike +accent-archaic-replaced-58 = most likely +accent-archaic-replacement-58 = belike +accent-archaic-replaced-59 = madenning +accent-archaic-replacement-59 = bemadding +accent-archaic-replaced-60 = suggest +accent-archaic-replacement-60 = bespeak +accent-archaic-replaced-53 = request +accent-archaic-replacement-53 = bespeak +accent-archaic-replaced-61 = indicate +accent-archaic-replacement-61 = bespeak +accent-archaic-replaced-62 = immediately +accent-archaic-replacement-62 = betimes +accent-archaic-replaced-63 = at once +accent-archaic-replacement-63 = betimes +accent-archaic-replaced-64 = song +accent-archaic-replacement-64 = catch +accent-archaic-replaced-65 = altar +accent-archaic-replacement-65 = chantry +accent-archaic-replaced-66 = merchant +accent-archaic-replacement-66 = chapman +accent-archaic-replaced-67 = salesman +accent-archaic-replacement-67 = chapman +accent-archaic-replaced-68 = shopkeeper +accent-archaic-replacement-68 = chapman +accent-archaic-replaced-69 = shopkeeper +accent-archaic-replacement-69 = chapman +accent-archaic-replaced-70 = cheater +accent-archaic-replacement-70 = cog +accent-archaic-replaced-71 = cheat +accent-archaic-replacement-71 = cozen +accent-archaic-replaced-72 = swindler +accent-archaic-replacement-72 = cog +accent-archaic-replaced-80 = ilk +accent-archaic-replacement-80 = consort +accent-archaic-replaced-81 = partnership +accent-archaic-replacement-81 = consort +accent-archaic-replaced-83 = crown +accent-archaic-replacement-83 = coronal +accent-archaic-replaced-84 = burden +accent-archaic-replacement-84 = fardel +accent-archaic-replaced-85 = certainly +accent-archaic-replacement-85 = forsooth +accent-archaic-replaced-86 = indeed +accent-archaic-replacement-86 = forsooth +accent-archaic-replaced-87 = obese +accent-archaic-replacement-87 = corpulent +accent-archaic-replaced-88 = occured +accent-archaic-replacement-88 = befall'n +accent-archaic-replaced-89 = carved +accent-archaic-replacement-89 = carven +accent-archaic-replaced-90 = coward +accent-archaic-replacement-90 = craven +accent-archaic-replaced-91 = idiot +accent-archaic-replacement-91 = cur +accent-archaic-replaced-92 = ruin +accent-archaic-replacement-92 = defile +accent-archaic-replaced-93 = ruined +accent-archaic-replacement-93 = defiled +accent-archaic-replaced-94 = before +accent-archaic-replacement-94 = ere +accent-archaic-replaced-95 = pretend +accent-archaic-replacement-95 = feign +accent-archaic-replaced-96 = forsee +accent-archaic-replacement-96 = forbode +accent-archaic-replaced-97 = abandoned +accent-archaic-replacement-97 = forlorn +accent-archaic-replaced-98 = desolate +accent-archaic-replacement-98 = forlorn +accent-archaic-replaced-99 = abandon +accent-archaic-replacement-99 = forsake +accent-archaic-replaced-100 = fraught +accent-archaic-replacement-100 = full +accent-archaic-replaced-101 = old woman +accent-archaic-replacement-101 = gammer +accent-archaic-replaced-102 = frown +accent-archaic-replacement-102 = glower +accent-archaic-replaced-103 = chop +accent-archaic-replacement-103 = hew +accent-archaic-replaced-104 = slice +accent-archaic-replacement-104 = hew +accent-archaic-replaced-105 = slice +accent-archaic-replacement-105 = hew +accent-archaic-replaced-106 = evil +accent-archaic-replacement-106 = ill +accent-archaic-replaced-107 = wrong +accent-archaic-replacement-107 = ill +accent-archaic-replaced-108 = sharp +accent-archaic-replacement-108 = keen +accent-archaic-replaced-109 = reluctant +accent-archaic-replacement-109 = loth +accent-archaic-replaced-110 = corner +accent-archaic-replacement-110 = nook +accent-archaic-replaced-111 = true +accent-archaic-replacement-111 = sooth +accent-archaic-replaced-112 = faint +accent-archaic-replacement-112 = swoon +accent-archaic-replaced-113 = twisted +accent-archaic-replacement-113 = thrawn +accent-archaic-replaced-114 = misshapen +accent-archaic-replacement-114 = thrawn +accent-archaic-replaced-115 = stubborn +accent-archaic-replacement-115 = thrawn +accent-archaic-replaced-116 = obstinate +accent-archaic-replacement-116 = thrawn +accent-archaic-replaced-117 = travel +accent-archaic-replacement-117 = traverse +accent-archaic-replaced-118 = thwart +accent-archaic-replacement-118 = foil +accent-archaic-replaced-119 = thwart +accent-archaic-replacement-119 = stop +accent-archaic-replaced-120 = refuse +accent-archaic-replacement-120 = shun +accent-archaic-replaced-121 = pest +accent-archaic-replacement-121 = varmint +accent-archaic-replaced-122 = ghost +accent-archaic-replacement-122 = wraith +accent-archaic-replaced-123 = apparition +accent-archaic-replacement-123 = wraith +accent-archaic-replaced-124 = long ago +accent-archaic-replacement-124 = yore +accent-archaic-replaced-125 = stupid +accent-archaic-replacement-125 = foolish +accent-archaic-replaced-126 = yay +accent-archaic-replacement-126 = hurrah +accent-archaic-replaced-127 = hooray +accent-archaic-replacement-127 = hurrah +accent-archaic-replaced-128 = old +accent-archaic-replacement-128 = olde +accent-archaic-replaced-129 = right now +accent-archaic-replacement-129 = forthwith +accent-archaic-replaced-130 = boss +accent-archaic-replacement-130 = sire +accent-archaic-replaced-131 = clown +accent-archaic-replacement-131 = jester +accent-archaic-replaced-132 = fight +accent-archaic-replacement-132 = duel +accent-archaic-replaced-133 = write +accent-archaic-replacement-133 = inscribe +accent-archaic-replaced-134 = draw +accent-archaic-replacement-134 = inscribe +accent-archaic-replaced-135 = one time +accent-archaic-replacement-135 = once +accent-archaic-replaced-136 = two times +accent-archaic-replacement-136 = twice +accent-archaic-replaced-137 = three times +accent-archaic-replacement-137 = thrice +accent-archaic-replaced-138 = security officer +accent-archaic-replacement-138 = guardsman +accent-archaic-replaced-139 = sec off +accent-archaic-replacement-139 = guardsman +accent-archaic-replaced-140 = secoff +accent-archaic-replacement-140 = guardsman +accent-archaic-replaced-141 = bar +accent-archaic-replacement-141 = tavern +accent-archaic-replaced-142 = passenger +accent-archaic-replacement-142 = peasant +accent-archaic-replaced-143 = hi +accent-archaic-replacement-143 = greetings +accent-archaic-replaced-144 = hey +accent-archaic-replacement-144 = greetings +accent-archaic-replaced-145 = heya +accent-archaic-replacement-145 = greetings +accent-archaic-replaced-146 = hello +accent-archaic-replacement-146 = salutations +accent-archaic-replaced-147 = yeah +accent-archaic-replacement-147 = indeed +accent-archaic-replaced-148 = yep +accent-archaic-replacement-148 = indeed +accent-archaic-replaced-149 = yup +accent-archaic-replacement-149 = indeed +accent-archaic-replaced-150 = ok +accent-archaic-replacement-150 = alright +accent-archaic-replaced-151 = k +accent-archaic-replacement-151 = alright +accent-archaic-replaced-152 = okay +accent-archaic-replacement-152 = alright +accent-archaic-replaced-153 = sure +accent-archaic-replacement-153 = alright +accent-archaic-replaced-154 = below +accent-archaic-replacement-154 = beneath +accent-archaic-replaced-155 = the +accent-archaic-replacement-155 = thy +accent-archaic-replaced-156 = need +accent-archaic-replacement-156 = require +accent-archaic-replaced-157 = maybe +accent-archaic-replacement-157 = perhaps +accent-archaic-replaced-158 = is +accent-archaic-replacement-158 = 's +accent-archaic-replaced-159 = alcohol +accent-archaic-replacement-159 = booze +accent-archaic-replaced-160 = liquor +accent-archaic-replacement-160 = booze +accent-archaic-replaced-161 = id +accent-archaic-replacement-161 = identification +accent-archaic-replaced-162 = crate +accent-archaic-replacement-162 = chest +accent-archaic-replaced-163 = locker +accent-archaic-replacement-163 = closet +accent-archaic-replaced-164 = do +accent-archaic-replacement-164 = doth +accent-archaic-replaced-165 = beg +accent-archaic-replacement-165 = plead +accent-archaic-replaced-166 = saw +accent-archaic-replacement-166 = observed +accent-archaic-replaced-167 = food +accent-archaic-replacement-167 = grub +accent-archaic-replaced-168 = delicious +accent-archaic-replacement-168 = exquisite +accent-archaic-replaced-169 = cool +accent-archaic-replacement-169 = enjoyable +accent-archaic-replaced-170 = think +accent-archaic-replacement-170 = believe +accent-archaic-replaced-171 = indeed +accent-archaic-replacement-171 = certainly +accent-archaic-replaced-172 = help +accent-archaic-replacement-172 = assist +accent-archaic-replaced-173 = now +accent-archaic-replacement-173 = immediately +accent-archaic-replaced-174 = or +accent-archaic-replacement-174 = else +accent-archaic-replaced-175 = will +accent-archaic-replacement-175 = shall +accent-archaic-replaced-176 = i am thirsty +accent-archaic-replacement-176 = i require a drink +accent-archaic-replaced-177 = hate +accent-archaic-replacement-177 = loathe +accent-archaic-replaced-178 = old +accent-archaic-replacement-178 = olden +accent-archaic-replaced-179 = bike horn +accent-archaic-replacement-179 = honker +accent-archaic-replaced-180 = flashlight +accent-archaic-replacement-180 = torch +accent-archaic-replaced-181 = pen +accent-archaic-replacement-181 = quill +accent-archaic-replaced-182 = lobby +accent-archaic-replacement-182 = anteroom +accent-archaic-replaced-183 = syndicate +accent-archaic-replacement-183 = traitor +accent-archaic-replaced-184 = syndi +accent-archaic-replacement-184 = traitor +accent-archaic-replaced-185 = good +accent-archaic-replacement-185 = well +accent-archaic-replaced-187 = fate +accent-archaic-replacement-187 = doom +accent-archaic-replaced-188 = space +accent-archaic-replacement-188 = void +accent-archaic-replaced-189 = i'm +accent-archaic-replacement-189 = I am +accent-archaic-replaced-190 = I'm +accent-archaic-replacement-190 = I am +accent-archaic-replaced-191 = chef +accent-archaic-replacement-191 = cook +accent-archaic-replaced-192 = captain +accent-archaic-replacement-192 = lord +accent-archaic-replaced-193 = chaplain +accent-archaic-replacement-193 = priest +accent-archaic-replaced-194 = chapel +accent-archaic-replacement-194 = church +accent-archaic-replaced-195 = ask +accent-archaic-replacement-195 = request +accent-archaic-replaced-196 = ask for +accent-archaic-replacement-196 = request +accent-archaic-replaced-197 = move +accent-archaic-replacement-197 = relocate +accent-archaic-replaced-198 = will +accent-archaic-replacement-198 = shalt +accent-archaic-replaced-200 = bad +accent-archaic-replacement-200 = unpleasant +accent-archaic-replaced-201 = got rid of +accent-archaic-replacement-201 = removed +accent-archaic-replaced-202 = guy +accent-archaic-replacement-202 = man +accent-archaic-replaced-203 = guys +accent-archaic-replacement-203 = people +accent-archaic-replaced-204 = airlock +accent-archaic-replacement-204 = door +accent-archaic-replaced-205 = sorry +accent-archaic-replacement-205 = i apologise +accent-archaic-replaced-206 = hey +accent-archaic-replacement-206 = pardon me +accent-archaic-replaced-207 = chair +accent-archaic-replacement-207 = seating +accent-archaic-replaced-208 = can +accent-archaic-replacement-208 = may +accent-archaic-replaced-209 = kill +accent-archaic-replacement-209 = murder +accent-archaic-replaced-210 = guess +accent-archaic-replacement-210 = surmise +accent-archaic-replaced-211 = wow +accent-archaic-replacement-211 = astonishing +accent-archaic-replaced-212 = why +accent-archaic-replacement-212 = for what reason +accent-archaic-replaced-213 = im +accent-archaic-replacement-213 = i am +accent-archaic-replaced-214 = sink +accent-archaic-replacement-214 = taps +accent-archaic-replaced-215 = beaker +accent-archaic-replacement-215 = vial +accent-archaic-replaced-216 = toolbox +accent-archaic-replacement-216 = case +accent-archaic-replaced-217 = rubber stamp +accent-archaic-replacement-217 = wax stamp +accent-archaic-replaced-218 = tiles +accent-archaic-replacement-218 = flooring +accent-archaic-replaced-219 = maintenance +accent-archaic-replacement-219 = alleyways +accent-archaic-replaced-220 = going on +accent-archaic-replacement-220 = happening +accent-archaic-replaced-221 = tasty +accent-archaic-replacement-221 = delectable +accent-archaic-replaced-222 = myself +accent-archaic-replacement-222 = mineself +accent-archaic-replaced-223 = i am hungry +accent-archaic-replacement-223 = i require grub +accent-archaic-replaced-224 = you suck +accent-archaic-replacement-224 = thou are foul +accent-archaic-replaced-225 = please +accent-archaic-replacement-225 = i request of thee +accent-archaic-replaced-226 = secway +accent-archaic-replacement-226 = patrol cart +accent-archaic-replaced-227 = janicart +accent-archaic-replacement-227 = cart +accent-archaic-replaced-228 = soda +accent-archaic-replacement-228 = drink +accent-archaic-replaced-229 = pop +accent-archaic-replacement-229 = drink +accent-archaic-replaced-230 = how +accent-archaic-replacement-230 = in what way +accent-archaic-replaced-231 = wants +accent-archaic-replacement-231 = wishes +accent-archaic-replaced-232 = want +accent-archaic-replacement-232 = wish for diff --git a/Resources/Locale/ru-RU/accent/cowboy.ftl b/Resources/Locale/ru-RU/accent/cowboy.ftl new file mode 100644 index 00000000000..81a8e7b6a46 --- /dev/null +++ b/Resources/Locale/ru-RU/accent/cowboy.ftl @@ -0,0 +1,198 @@ +accent-cowboy-words-1 = alcohol +accent-cowboy-replacement-1 = firewater +accent-cowboy-words-2 = alien +accent-cowboy-replacement-2 = space critter +accent-cowboy-words-3 = aliens +accent-cowboy-replacement-3 = space critters +accent-cowboy-words-4 = ambush +accent-cowboy-replacement-4 = bush whack +accent-cowboy-words-5 = angry +accent-cowboy-replacement-5 = fit to be tied +accent-cowboy-words-6 = animal +accent-cowboy-replacement-6 = critter +accent-cowboy-words-7 = animals +accent-cowboy-replacement-7 = critters +accent-cowboy-words-8 = arrest +accent-cowboy-replacement-8 = lasso +accent-cowboy-words-9 = arrested +accent-cowboy-replacement-9 = lassoed +accent-cowboy-words-10 = bomb +accent-cowboy-replacement-10 = dynamite +accent-cowboy-words-11 = borg +accent-cowboy-replacement-11 = tin man +accent-cowboy-words-12 = bye +accent-cowboy-replacement-12 = so long +accent-cowboy-words-13 = cell +accent-cowboy-replacement-13 = pokey +accent-cowboy-words-14 = chef +accent-cowboy-replacement-14 = cookie +accent-cowboy-words-15 = coffee +accent-cowboy-replacement-15 = black water +accent-cowboy-words-16 = confused +accent-cowboy-replacement-16 = stumped +accent-cowboy-words-17 = cool +accent-cowboy-replacement-17 = slick +accent-cowboy-words-18 = corpse +accent-cowboy-replacement-18 = dead meat +accent-cowboy-words-19 = cow +accent-cowboy-replacement-19 = dogie +accent-cowboy-words-20 = cows +accent-cowboy-replacement-20 = dogies +accent-cowboy-words-21 = crazy +accent-cowboy-replacement-21 = cracked +accent-cowboy-words-22 = cyborg +accent-cowboy-replacement-22 = tin man +accent-cowboy-words-23 = dad +accent-cowboy-replacement-23 = pappy +accent-cowboy-words-24 = drunk +accent-cowboy-replacement-24 = soaked +accent-cowboy-words-25 = explosive +accent-cowboy-replacement-25 = dynamite +accent-cowboy-words-26 = fast +accent-cowboy-replacement-26 = lickety split +accent-cowboy-words-27 = fight +accent-cowboy-replacement-27 = scrap +accent-cowboy-words-28 = food +accent-cowboy-replacement-28 = grub +accent-cowboy-words-29 = friend +accent-cowboy-replacement-29 = partner +accent-cowboy-words-30 = goodbye +accent-cowboy-replacement-30 = so long +accent-cowboy-words-31 = greytide +accent-cowboy-replacement-31 = varmints +accent-cowboy-words-32 = greytider +accent-cowboy-replacement-32 = varmint +accent-cowboy-words-33 = greytiders +accent-cowboy-replacement-33 = varmints +accent-cowboy-words-34 = group +accent-cowboy-replacement-34 = possee +accent-cowboy-words-35 = guess +accent-cowboy-replacement-35 = reckon +accent-cowboy-words-36 = gun +accent-cowboy-replacement-36 = big iron +accent-cowboy-words-37 = handcuff +accent-cowboy-replacement-37 = hog tie +accent-cowboy-words-38 = handcuffed +accent-cowboy-replacement-38 = hog tied +accent-cowboy-words-39 = hell +accent-cowboy-replacement-39 = tarnation +accent-cowboy-words-40 = hello +accent-cowboy-replacement-40 = howdy +accent-cowboy-words-41 = hey +accent-cowboy-replacement-41 = howdy +accent-cowboy-words-42 = hi +accent-cowboy-replacement-42 = howdy +accent-cowboy-words-43 = hungry +accent-cowboy-replacement-43 = peckish +accent-cowboy-words-44 = idiot +accent-cowboy-replacement-44 = dunderhead +accent-cowboy-words-45 = intending +accent-cowboy-replacement-45 = fixing +accent-cowboy-words-46 = jail +accent-cowboy-replacement-46 = pokey +accent-cowboy-words-47 = liqour +accent-cowboy-replacement-47 = firewater +accent-cowboy-words-48 = lot +accent-cowboy-replacement-48 = heap +accent-cowboy-words-49 = lots +accent-cowboy-replacement-49 = heaps +accent-cowboy-words-50 = mouth +accent-cowboy-replacement-50 = bazoo +accent-cowboy-words-51 = nervous +accent-cowboy-replacement-51 = rattled +accent-cowboy-words-52 = ninja +accent-cowboy-replacement-52 = bushwhacker +accent-cowboy-words-53 = ninjas +accent-cowboy-replacement-53 = bushwhackers +accent-cowboy-words-54 = noise +accent-cowboy-replacement-54 = ruckus +accent-cowboy-words-55 = nukies +accent-cowboy-replacement-55 = outlaws +accent-cowboy-words-56 = operator +accent-cowboy-replacement-56 = outlaw +accent-cowboy-words-57 = operators +accent-cowboy-replacement-57 = outlaws +accent-cowboy-words-58 = ops +accent-cowboy-replacement-58 = outlaws +accent-cowboy-words-59 = pal +accent-cowboy-replacement-59 = partner +accent-cowboy-words-60 = party +accent-cowboy-replacement-60 = shindig +accent-cowboy-words-61 = passenger +accent-cowboy-replacement-61 = greenhorn +accent-cowboy-words-62 = passengers +accent-cowboy-replacement-62 = greenhorns +accent-cowboy-words-63 = planning +accent-cowboy-replacement-63 = fixing +accent-cowboy-words-64 = please +accent-cowboy-replacement-64 = pray +accent-cowboy-words-65 = punch +accent-cowboy-replacement-65 = lick +accent-cowboy-words-66 = punched +accent-cowboy-replacement-66 = slogged +accent-cowboy-words-67 = ran +accent-cowboy-replacement-67 = skedaddled +accent-cowboy-words-68 = robbery +accent-cowboy-replacement-68 = stick up +accent-cowboy-words-69 = run +accent-cowboy-replacement-69 = skedaddle +accent-cowboy-words-70 = running +accent-cowboy-replacement-70 = skedaddling +accent-cowboy-words-71 = scream +accent-cowboy-replacement-71 = holler +accent-cowboy-words-72 = screamed +accent-cowboy-replacement-72 = hollered +accent-cowboy-words-73 = screaming +accent-cowboy-replacement-73 = hollering +accent-cowboy-words-74 = sec +accent-cowboy-replacement-74 = law +accent-cowboy-words-75 = secoff +accent-cowboy-replacement-75 = deputy +accent-cowboy-words-76 = security +accent-cowboy-replacement-76 = law +accent-cowboy-words-77 = shitsec +accent-cowboy-replacement-77 = crooked law +accent-cowboy-words-78 = shoe +accent-cowboy-replacement-78 = boot +accent-cowboy-words-79 = shoes +accent-cowboy-replacement-79 = boots +accent-cowboy-words-80 = steal +accent-cowboy-replacement-80 = rustle +accent-cowboy-words-81 = stole +accent-cowboy-replacement-81 = rustled +accent-cowboy-words-82 = stolen +accent-cowboy-replacement-82 = rustled +accent-cowboy-words-83 = story +accent-cowboy-replacement-83 = yarn +accent-cowboy-words-84 = thank you +accent-cowboy-replacement-84 = much obliged +accent-cowboy-words-85 = thanks +accent-cowboy-replacement-85 = much obliged +accent-cowboy-words-86 = thief +accent-cowboy-replacement-86 = rustler +accent-cowboy-words-87 = thieves +accent-cowboy-replacement-87 = rustlers +accent-cowboy-words-88 = think +accent-cowboy-replacement-88 = reckon +accent-cowboy-words-89 = tired +accent-cowboy-replacement-89 = dragged out +accent-cowboy-words-90 = toilet +accent-cowboy-replacement-90 = outhouse +accent-cowboy-words-91 = totally +accent-cowboy-replacement-91 = plumb +accent-cowboy-words-92 = traitor +accent-cowboy-replacement-92 = outlaw +accent-cowboy-words-93 = traitors +accent-cowboy-replacement-93 = outlaws +accent-cowboy-words-94 = very +accent-cowboy-replacement-94 = mighty +accent-cowboy-words-95 = worried +accent-cowboy-replacement-95 = rattled +accent-cowboy-words-96 = wow +accent-cowboy-replacement-96 = by gum +accent-cowboy-words-97 = yell +accent-cowboy-replacement-97 = holler +accent-cowboy-words-98 = yelled +accent-cowboy-replacement-98 = hollered +accent-cowboy-words-99 = yelling +accent-cowboy-replacement-99 = hollering diff --git a/Resources/Locale/ru-RU/accent/dwarf.ftl b/Resources/Locale/ru-RU/accent/dwarf.ftl new file mode 100644 index 00000000000..4303c4917e0 --- /dev/null +++ b/Resources/Locale/ru-RU/accent/dwarf.ftl @@ -0,0 +1,285 @@ +# these specifically mostly come from examples of specific scottish-english (not necessarily scots) verbiage +# https://en.wikipedia.org/wiki/Scotticism +# https://en.wikipedia.org/wiki/Scottish_English +# https://www.cs.stir.ac.uk/~kjt/general/scots.html + +accent-dwarf-words-1 = девочка +accent-dwarf-words-replace-1 = дэвочшка +accent-dwarf-words-2 = мальчик +accent-dwarf-words-replace-2 = малчшык +accent-dwarf-words-3 = мужчина +accent-dwarf-words-replace-3 = мужчшына +accent-dwarf-words-4 = женщина +accent-dwarf-words-replace-4 = женчшына +accent-dwarf-words-5 = делать +accent-dwarf-words-replace-5 = дэлат +accent-dwarf-words-6 = не +accent-dwarf-words-replace-6 = нэ +accent-dwarf-words-7 = нее +accent-dwarf-words-replace-7 = нээ +accent-dwarf-words-8 = я +accent-dwarf-words-replace-8 = Йа +accent-dwarf-words-9 = есть +accent-dwarf-words-replace-9 = йэст +accent-dwarf-words-10 = перейти +accent-dwarf-words-replace-10 = пэрэйты +accent-dwarf-words-11 = знать +accent-dwarf-words-replace-11 = знат +accent-dwarf-words-12 = и +accent-dwarf-words-replace-12 = ыэ +accent-dwarf-words-13 = вы +accent-dwarf-words-replace-13 = вы +accent-dwarf-words-14 = ты +accent-dwarf-words-replace-14 = ты +accent-dwarf-words-15 = приветствую +accent-dwarf-words-replace-15 = прывэтству +accent-dwarf-words-16 = привет +accent-dwarf-words-replace-16 = прывэт +accent-dwarf-words-17 = все +accent-dwarf-words-replace-17 = всэ +accent-dwarf-words-18 = от +accent-dwarf-words-replace-18 = од +accent-dwarf-words-19 = здравия +accent-dwarf-words-replace-19 = здравыйа +accent-dwarf-words-20 = меня +accent-dwarf-words-replace-20 = мэнйа +accent-dwarf-words-21 = тебя +accent-dwarf-words-replace-21 = тэбйа +accent-dwarf-words-22 = себя +accent-dwarf-words-replace-22 = сэбйа +accent-dwarf-words-23 = где +accent-dwarf-words-replace-23 = гдэ +accent-dwarf-words-24 = ой +accent-dwarf-words-replace-24 = ойё +accent-dwarf-words-25 = маленький +accent-dwarf-words-replace-25 = мэлкый +accent-dwarf-words-26 = большой +accent-dwarf-words-replace-26 = громадный +accent-dwarf-words-27 = сука +accent-dwarf-words-replace-27 = кнурла +accent-dwarf-words-28 = даа +accent-dwarf-words-replace-28 = Ойии +accent-dwarf-words-29 = конечно +accent-dwarf-words-replace-29 = конэчшно +accent-dwarf-words-30 = да +accent-dwarf-words-replace-30 = Ойи +accent-dwarf-words-31 = тоже +accent-dwarf-words-replace-31 = тожэ +accent-dwarf-words-32 = мой +accent-dwarf-words-replace-32 = мойё +accent-dwarf-words-33 = нет +accent-dwarf-words-replace-33 = нэт +accent-dwarf-words-34 = папа +accent-dwarf-words-replace-34 = уру +accent-dwarf-words-35 = мама +accent-dwarf-words-replace-35 = дельва +accent-dwarf-words-36 = срочник +accent-dwarf-words-replace-36 = свэжак +accent-dwarf-words-37 = новичок +accent-dwarf-words-replace-37 = свэжак +accent-dwarf-words-38 = стажёр +accent-dwarf-words-replace-38 = свэжак +accent-dwarf-words-39 = профессионал +accent-dwarf-words-replace-39 = бывалый +accent-dwarf-words-40 = ветеран +accent-dwarf-words-replace-40 = бывалый +accent-dwarf-words-41 = блять +accent-dwarf-words-replace-41 = вррон +accent-dwarf-words-42 = если +accent-dwarf-words-replace-42 = эслы +accent-dwarf-words-43 = следует +accent-dwarf-words-replace-43 = слэдуэт +accent-dwarf-words-44 = сделал +accent-dwarf-words-replace-44 = сдэлал +accent-dwarf-words-45 = пизда +accent-dwarf-words-replace-45 = награ +accent-dwarf-words-46 = никто +accent-dwarf-words-replace-46 = ныкто +accent-dwarf-words-47 = делайте +accent-dwarf-words-replace-47 = дэлать +accent-dwarf-words-48 = здравствуй +accent-dwarf-words-replace-48 = здарова +accent-dwarf-words-49 = очко +accent-dwarf-words-replace-49 = дыра +accent-dwarf-words-50 = синдикатовцы +accent-dwarf-words-replace-50 = злодеи +accent-dwarf-words-51 = капитан +accent-dwarf-words-replace-51 = кэпытан +accent-dwarf-words-52 = беги +accent-dwarf-words-replace-52 = дэри ноги +accent-dwarf-words-53 = волосы +accent-dwarf-words-replace-53 = борода +accent-dwarf-words-54 = вода +accent-dwarf-words-replace-54 = пиво +accent-dwarf-words-55 = выпить +accent-dwarf-words-replace-55 = выпыт пиво +accent-dwarf-words-56 = пить +accent-dwarf-words-replace-56 = пить пиво +accent-dwarf-words-57 = имею +accent-dwarf-words-replace-57 = ымэу +accent-dwarf-words-58 = напиток +accent-dwarf-words-replace-58 = пиво +accent-dwarf-words-59 = водка +accent-dwarf-words-replace-59 = пиво +accent-dwarf-words-60 = блин +accent-dwarf-words-replace-60 = рыбьы головэжкы +accent-dwarf-words-61 = в принципе +accent-dwarf-words-replace-61 = в прынцыпэ +accent-dwarf-words-62 = короче +accent-dwarf-words-replace-62 = корочэ +accent-dwarf-words-63 = вообще +accent-dwarf-words-replace-63 = вообчшэ +accent-dwarf-words-64 = ну +accent-dwarf-words-replace-64 = нуэ +accent-dwarf-words-66 = еда +accent-dwarf-words-replace-66 = жратва +accent-dwarf-words-67 = еды +accent-dwarf-words-replace-67 = жратвы +accent-dwarf-words-68 = эй +accent-dwarf-words-replace-68 = эйэ +accent-dwarf-words-69 = что +accent-dwarf-words-replace-69 = чшто +accent-dwarf-words-70 = зачем +accent-dwarf-words-replace-70 = зачэм +accent-dwarf-words-71 = почему +accent-dwarf-words-replace-71 = почэму +accent-dwarf-words-72 = сказать +accent-dwarf-words-replace-72 = сказанут +accent-dwarf-words-73 = своим +accent-dwarf-words-replace-73 = своым +accent-dwarf-words-74 = её +accent-dwarf-words-replace-74 = йейё +accent-dwarf-words-75 = двигай +accent-dwarf-words-replace-75 = двыгай +accent-dwarf-words-76 = двигаться +accent-dwarf-words-replace-76 = двыгатсйа +accent-dwarf-words-77 = не был +accent-dwarf-words-replace-77 = нэ был +accent-dwarf-words-78 = сейчас +accent-dwarf-words-replace-78 = сэйчшас +accent-dwarf-words-79 = волшебник +accent-dwarf-words-replace-79 = вельдуност +accent-dwarf-words-80 = маг +accent-dwarf-words-replace-80 = вельнудост +accent-dwarf-words-81 = чтобы +accent-dwarf-words-replace-81 = чштобы +accent-dwarf-words-82 = для +accent-dwarf-words-replace-82 = длйа +accent-dwarf-words-83 = даже +accent-dwarf-words-replace-83 = дажэ +accent-dwarf-words-84 = ай +accent-dwarf-words-replace-84 = айэ +accent-dwarf-words-85 = мышь +accent-dwarf-words-replace-85 = мыш +accent-dwarf-words-86 = клоун +accent-dwarf-words-replace-86 = шут +accent-dwarf-words-87 = друг +accent-dwarf-words-replace-87 = брат +accent-dwarf-words-88 = проблема +accent-dwarf-words-replace-88 = закавыка +accent-dwarf-words-90 = разрешите +accent-dwarf-words-replace-90 = разрэшытэ +accent-dwarf-words-91 = брифинг +accent-dwarf-words-replace-91 = совет +accent-dwarf-words-92 = врач +accent-dwarf-words-replace-92 = лекарь +accent-dwarf-words-93 = говорить +accent-dwarf-words-replace-93 = говорит +accent-dwarf-words-94 = разговаривать +accent-dwarf-words-replace-94 = разговарыват +accent-dwarf-words-95 = спиртное +accent-dwarf-words-replace-95 = пиво +accent-dwarf-words-96 = звоните +accent-dwarf-words-replace-96 = звонытэ +accent-dwarf-words-97 = подарить +accent-dwarf-words-replace-97 = подарытэ +accent-dwarf-words-98 = дайте +accent-dwarf-words-replace-98 = дайтэ +accent-dwarf-words-99 = выдайте +accent-dwarf-words-replace-99 = выдайтэ +accent-dwarf-words-100 = отвечайте +accent-dwarf-words-replace-100 = отвэчшайтэ +accent-dwarf-words-101 = без +accent-dwarf-words-replace-101 = бэз +accent-dwarf-words-102 = синдикат +accent-dwarf-words-replace-102 = злодей +accent-dwarf-words-103 = ли +accent-dwarf-words-replace-103 = лы +accent-dwarf-words-104 = никогда +accent-dwarf-words-replace-104 = ныкогда +accent-dwarf-words-105 = точно +accent-dwarf-words-replace-105 = точшно +accent-dwarf-words-106 = неважно +accent-dwarf-words-replace-106 = нэважно +accent-dwarf-words-107 = хуй +accent-dwarf-words-replace-107 = елдак +accent-dwarf-words-108 = однако +accent-dwarf-words-replace-108 = однако +accent-dwarf-words-109 = думать +accent-dwarf-words-replace-109 = думат +accent-dwarf-words-111 = гамлет +accent-dwarf-words-replace-111 = грызун +accent-dwarf-words-112 = хомяк +accent-dwarf-words-replace-112 = грызун +accent-dwarf-words-113 = нюкер +accent-dwarf-words-replace-113 = красношлемый +accent-dwarf-words-114 = нюкеры +accent-dwarf-words-replace-114 = карсношлемые +accent-dwarf-words-115 = ядерный оперативник +accent-dwarf-words-replace-115 = красношлемый +accent-dwarf-words-116 = ядерные оперативники +accent-dwarf-words-replace-116 = красношлемые +accent-dwarf-words-121 = ещё +accent-dwarf-words-replace-121 = ещчшо +accent-dwarf-words-122 = более того +accent-dwarf-words-replace-122 = болээ того +accent-dwarf-words-123 = пассажир +accent-dwarf-words-replace-123 = пассажыр +accent-dwarf-words-125 = человек +accent-dwarf-words-replace-125 = чэловэк +accent-dwarf-words-126 = гномы +accent-dwarf-words-replace-126 = дворфы +accent-dwarf-words-127 = слайм +accent-dwarf-words-replace-127 = желе +accent-dwarf-words-128 = слаймы +accent-dwarf-words-replace-128 = желе +accent-dwarf-words-129 = унатх +accent-dwarf-words-replace-129 = ящер +accent-dwarf-words-130 = паук +accent-dwarf-words-replace-130 = хиссшер +accent-dwarf-words-131 = унатхи +accent-dwarf-words-replace-131 = ящеры +accent-dwarf-words-132 = люди +accent-dwarf-words-replace-132 = кнурлан +accent-dwarf-words-133 = эвак +accent-dwarf-words-replace-133 = вывоз +accent-dwarf-words-134 = предатель +accent-dwarf-words-replace-134 = злодей +accent-dwarf-words-135 = корпорация +accent-dwarf-words-replace-135 = корпорацыйа +accent-dwarf-words-136 = мне +accent-dwarf-words-replace-136 = мнэ +accent-dwarf-words-137 = зомби +accent-dwarf-words-replace-137 = гнилые +accent-dwarf-words-138 = заражённый +accent-dwarf-words-replace-138 = гнилой +accent-dwarf-words-139 = мим +accent-dwarf-words-replace-139 = молчун +accent-dwarf-words-140 = считать +accent-dwarf-words-replace-140 = счшытат +accent-dwarf-words-141 = карп +accent-dwarf-words-replace-141 = рыбёха +accent-dwarf-words-142 = ксено +accent-dwarf-words-replace-142 = монстры +accent-dwarf-words-143 = шаттл +accent-dwarf-words-replace-143 = судно +accent-dwarf-words-144 = думаю +accent-dwarf-words-replace-144 = думайу +accent-dwarf-words-145 = крысы +accent-dwarf-words-replace-145 = грызуны +accent-dwarf-words-146 = даун +accent-dwarf-words-replace-146 = обалдуй +accent-dwarf-words-147 = СБ +accent-dwarf-words-replace-147 = стража +accent-dwarf-words-148 = a +accent-dwarf-words-replace-148 = ae diff --git a/Resources/Locale/ru-RU/accent/italian.ftl b/Resources/Locale/ru-RU/accent/italian.ftl new file mode 100644 index 00000000000..b1c25f83971 --- /dev/null +++ b/Resources/Locale/ru-RU/accent/italian.ftl @@ -0,0 +1,105 @@ +# This should probably use the same prefix system as the mobster accent. +# For the record, these do not work right now - even when uncommented. + + +# accent-italian-prefix-1 = Ravioli, ravioli, give me the formuoli! +# accent-italian-prefix-2 = Mamma-mia! +# accent-italian-prefix-3 = Mamma-mia! That's a spicy meat-ball! +# accemt-italian-prefix-4 = La la la la la funiculi funicula! + +accent-italian-words-1 = ассистент +accent-italian-words-replace-1 = goombah +accent-italian-words-2 = ассистенты +accent-italian-words-replace-2 = goombahs +accent-italian-words-3 = малыш +accent-italian-words-replace-3 = bambino +accent-italian-words-4 = плохой +accent-italian-words-replace-4 = molto male +accent-italian-words-5 = прощай +accent-italian-words-replace-5 = arrivederci +accent-italian-words-6 = капитан +accent-italian-words-replace-6 = capitano +accent-italian-words-7 = сыр +accent-italian-words-replace-7 = parmesano +accent-italian-words-8 = приготовь +accent-italian-words-replace-8 = cucinare +accent-italian-words-9 = могу +accent-italian-words-replace-9 = potrebbe +accent-italian-words-10 = папа +accent-italian-words-replace-10 = pappa +accent-italian-words-11 = хороший +accent-italian-words-replace-11 = molto bene +accent-italian-words-12 = грейтайд +accent-italian-words-replace-12 = curvisti +accent-italian-words-13 = грейтайдер +accent-italian-words-replace-13 = curvisti +accent-italian-words-14 = грейтайдеры +accent-italian-words-replace-14 = curvisti +accent-italian-words-15 = привет +accent-italian-words-replace-15 = ciao +accent-italian-words-16 = это +accent-italian-words-replace-16 = è un +accent-italian-words-17 = сделай +accent-italian-words-replace-17 = fare una +accent-italian-words-18 = мясо +accent-italian-words-replace-18 = prosciutto +accent-italian-words-19 = мама +accent-italian-words-replace-19 = mamma +accent-italian-words-20 = мой +accent-italian-words-replace-20 = il mio +accent-italian-words-21 = бомба +accent-italian-words-replace-21 = polpetta di carne +accent-italian-words-22 = опер +accent-italian-words-replace-22 = greco +accent-italian-words-23 = оперативник +accent-italian-words-replace-23 = greco +accent-italian-words-24 = оперативники +accent-italian-words-replace-24 = greci +accent-italian-words-25 = СБ +accent-italian-words-replace-25 = polizia +accent-italian-words-26 = охрана +accent-italian-words-replace-26 = polizia +accent-italian-words-27 = офицер +accent-italian-words-replace-27 = polizia +accent-italian-words-28 = щиткюр +accent-italian-words-replace-28 = carabinieri +accent-italian-words-29 = щитсек +accent-italian-words-replace-29 = carabinieri +accent-italian-words-30 = петь +accent-italian-words-replace-30 = cantare +accent-italian-words-31 = спагетти +accent-italian-words-replace-31 = SPAGHETT +accent-italian-words-32 = острый +accent-italian-words-replace-32 = piccante +accent-italian-words-33 = спасибо +accent-italian-words-replace-33 = grazie +accent-italian-words-34 = вещь +accent-italian-words-replace-34 = una cosa +accent-italian-words-35 = предатель +accent-italian-words-replace-35 = mafioso +accent-italian-words-36 = предатели +accent-italian-words-replace-36 = mafioso +accent-italian-words-37 = используй +accent-italian-words-replace-37 = usare +accent-italian-words-38 = хочу +accent-italian-words-replace-38 = desiderare +accent-italian-words-39 = что +accent-italian-words-replace-39 = cosa +accent-italian-words-40 = кто +accent-italian-words-replace-40 = che +accent-italian-words-41 = чьё +accent-italian-words-replace-41 = il cui +accent-italian-words-42 = почему +accent-italian-words-replace-42 = perché +accent-italian-words-43 = вино +accent-italian-words-replace-43 = vino +accent-italian-words-44 = пассажир +accent-italian-words-replace-44 = goombah +accent-italian-words-45 = пассажиры +accent-italian-words-replace-45 = goombahs +accent-italian-words-46 = я +accent-italian-words-replace-46 = sono +accent-italian-words-47 = мы +accent-italian-words-replace-47 = noi +accent-italian-words-48 = и +accent-italian-words-replace-48 = é diff --git a/Resources/Locale/ru-RU/accent/mobster.ftl b/Resources/Locale/ru-RU/accent/mobster.ftl new file mode 100644 index 00000000000..4c1415e29de --- /dev/null +++ b/Resources/Locale/ru-RU/accent/mobster.ftl @@ -0,0 +1,40 @@ +accent-mobster-prefix-1 = Ньехх, +accent-mobster-suffix-boss-1 = , видишь? +accent-mobster-suffix-boss-2 = , дазабей. +accent-mobster-suffix-boss-3 = , андестенд? +accent-mobster-suffix-minion-1 = , йеах! +accent-mobster-suffix-minion-2 = , босс говорит! +accent-mobster-words-1 = let me +accent-mobster-words-replace-1 = lemme +accent-mobster-words-2 = should +accent-mobster-words-replace-2 = oughta +accent-mobster-words-3 = the +accent-mobster-words-replace-3 = da +accent-mobster-words-4 = them +accent-mobster-words-replace-4 = dem +accent-mobster-words-5 = attack +accent-mobster-words-replace-5 = whack +accent-mobster-words-6 = kill +accent-mobster-words-replace-6 = whack +accent-mobster-words-7 = murder +accent-mobster-words-replace-7 = whack +accent-mobster-words-8 = dead +accent-mobster-words-replace-8 = sleepin' with da fishies +accent-mobster-words-9 = hey +accent-mobster-words-replace-9 = ey'o +accent-mobster-words-10 = hi +accent-mobster-words-replace-10 = ey'o +accent-mobster-words-11 = hello +accent-mobster-words-replace-11 = ey'o +accent-mobster-words-12 = rules +accent-mobster-words-replace-12 = roolz +accent-mobster-words-13 = you +accent-mobster-words-replace-13 = yous +accent-mobster-words-14 = have to +accent-mobster-words-replace-14 = gotta +accent-mobster-words-15 = going to +accent-mobster-words-replace-15 = boutta +accent-mobster-words-16 = about to +accent-mobster-words-replace-16 = boutta +accent-mobster-words-17 = here +accent-mobster-words-replace-17 = 'ere diff --git a/Resources/Locale/ru-RU/accent/pirate.ftl b/Resources/Locale/ru-RU/accent/pirate.ftl new file mode 100644 index 00000000000..2833acda7e1 --- /dev/null +++ b/Resources/Locale/ru-RU/accent/pirate.ftl @@ -0,0 +1,67 @@ +accent-pirate-prefix-1 = Арргх +accent-pirate-prefix-2 = Гарр +accent-pirate-prefix-3 = Йарр +accent-pirate-replaced-1 = my +accent-pirate-replacement-1 = me +accent-pirate-replaced-2 = you +accent-pirate-replacement-2 = ya +accent-pirate-replaced-3 = hello +accent-pirate-replacement-3 = ahoy +accent-pirate-replaced-4 = yes +accent-pirate-replacement-4 = aye +accent-pirate-replaced-5 = yea +accent-pirate-replaced-6 = hi +accent-pirate-replaced-7 = is +accent-pirate-replacement-5 = be +accent-pirate-replaced-8 = there +accent-pirate-replacement-6 = thar +accent-pirate-replacement-7 = heartie +accent-pirate-replacement-8 = matey +accent-pirate-replaced-9 = buddy +accent-pirate-replacement-9 = heartie +accent-pirate-replaced-10 = hi +accent-pirate-replacement-10 = ahoy +accent-pirate-replaced-11 = hey +accent-pirate-replacement-11 = oye +accent-pirate-replaced-12 = money +accent-pirate-replacement-12 = dubloons +accent-pirate-replaced-13 = cash +accent-pirate-replacement-13 = doubloons +accent-pirate-replaced-14 = crate +accent-pirate-replacement-14 = coffer +accent-pirate-replaced-15 = hello +accent-pirate-replacement-15 = ahoy +accent-pirate-replaced-16 = treasure +accent-pirate-replacement-16 = booty +accent-pirate-replaced-17 = attention +accent-pirate-replacement-17 = avast +accent-pirate-replaced-18 = stupid +accent-pirate-replacement-18 = parrot-brained +accent-pirate-replaced-19 = idiot +accent-pirate-replacement-19 = seadog +accent-pirate-replaced-20 = your +accent-pirate-replacement-20 = yere +accent-pirate-replaced-21 = song +accent-pirate-replacement-21 = shanty +accent-pirate-replaced-22 = music +accent-pirate-replacement-22 = shanty +accent-pirate-replaced-23 = no +accent-pirate-replacement-23 = nay +accent-pirate-replaced-24 = are +accent-pirate-replacement-24 = arrr +accent-pirate-replaced-25 = ow +accent-pirate-replacement-25 = argh +accent-pirate-replaced-26 = ouch +accent-pirate-replacement-26 = argh +accent-pirate-replaced-27 = passenger +accent-pirate-replacement-27 = landlubber +accent-pirate-replaced-28 = tider +accent-pirate-replacement-28 = landlubber +accent-pirate-replaced-29 = captain +accent-pirate-replacement-29 = cap'n +accent-pirate-replaced-30 = pistol +accent-pirate-replacement-30 = flintlock +accent-pirate-replaced-31 = rifle +accent-pirate-replacement-31 = musket +accent-pirate-replaced-32 = ammo +accent-pirate-replacement-32 = gunpowder diff --git a/Resources/Locale/ru-RU/accent/scrambled.ftl b/Resources/Locale/ru-RU/accent/scrambled.ftl new file mode 100644 index 00000000000..1b58cf1332f --- /dev/null +++ b/Resources/Locale/ru-RU/accent/scrambled.ftl @@ -0,0 +1,7 @@ +accent-scrambled-words-1 = Кто?.. +accent-scrambled-words-2 = Что?.. +accent-scrambled-words-3 = Когда?.. +accent-scrambled-words-4 = Где?.. +accent-scrambled-words-5 = Почему!.. +accent-scrambled-words-6 = Как?.. +accent-scrambled-words-7 = Я!.. diff --git a/Resources/Locale/ru-RU/access/components/agent-id-card-component.ftl b/Resources/Locale/ru-RU/access/components/agent-id-card-component.ftl new file mode 100644 index 00000000000..26664fdb339 --- /dev/null +++ b/Resources/Locale/ru-RU/access/components/agent-id-card-component.ftl @@ -0,0 +1,12 @@ +agent-id-no-new = { CAPITALIZE($card) } не дала новых доступов. +agent-id-new-1 = { CAPITALIZE($card) } дала один новый доступ. +agent-id-new = + { CAPITALIZE($card) } дала { $number } { $number -> + [one] новый доступ + [few] новых доступа + *[other] новых доступов + }. +agent-id-card-current-name = Имя: +agent-id-card-current-job = Должность: +agent-id-card-job-icon-label = Иконка: +agent-id-menu-title = ID карта Агента diff --git a/Resources/Locale/ru-RU/access/components/id-card-component.ftl b/Resources/Locale/ru-RU/access/components/id-card-component.ftl new file mode 100644 index 00000000000..074127f1b22 --- /dev/null +++ b/Resources/Locale/ru-RU/access/components/id-card-component.ftl @@ -0,0 +1,8 @@ +## IdCardComponent + +access-id-card-component-owner-name-job-title-text = ID карта { $jobSuffix } +access-id-card-component-owner-full-name-job-title-text = ID карта { $fullName },{ $jobSuffix } +access-id-card-component-default = ID карта +id-card-component-microwave-burnt = { $id } громко щёлкает! +id-card-component-microwave-bricked = { $id } шипит! +id-card-component-microwave-safe = { $id } издает странный звук. diff --git a/Resources/Locale/ru-RU/access/components/id-card-console-component.ftl b/Resources/Locale/ru-RU/access/components/id-card-console-component.ftl new file mode 100644 index 00000000000..7ce2412ea97 --- /dev/null +++ b/Resources/Locale/ru-RU/access/components/id-card-console-component.ftl @@ -0,0 +1,13 @@ +id-card-console-window-privileged-id = Основной ID: +id-card-console-window-target-id = Целевой ID: +id-card-console-window-full-name-label = Полное имя: +id-card-console-window-save-button = Сохранить +id-card-console-window-job-title-label = Должность: +id-card-console-window-ship-name-label = Название шаттла: +id-card-console-window-eject-button = Извлечь +id-card-console-window-insert-button = Вставить +id-card-console-window-job-selection-label = Предустановки должностей (задает иконку отдела и должности): +id-card-console-window-shuttle-placeholder = Не владеет шаттлом +access-id-card-console-component-no-hands-error = У вас нет рук. +id-card-console-privileged-id = Основной ID +id-card-console-target-id = Целевой ID diff --git a/Resources/Locale/ru-RU/access/components/id-examinable-component.ftl b/Resources/Locale/ru-RU/access/components/id-examinable-component.ftl new file mode 100644 index 00000000000..bd8ac3e2778 --- /dev/null +++ b/Resources/Locale/ru-RU/access/components/id-examinable-component.ftl @@ -0,0 +1,3 @@ +id-examinable-component-verb-text = ID карта +id-examinable-component-verb-disabled = Приблизьтесь, чтобы рассмотреть ID карту. +id-examinable-component-verb-no-id = ID карты не видно. diff --git a/Resources/Locale/ru-RU/access/systems/access-overrider-system.ftl b/Resources/Locale/ru-RU/access/systems/access-overrider-system.ftl new file mode 100644 index 00000000000..561a81d6e36 --- /dev/null +++ b/Resources/Locale/ru-RU/access/systems/access-overrider-system.ftl @@ -0,0 +1,8 @@ +access-overrider-window-privileged-id = ID-карта с правами: +access-overrider-window-eject-button = Извлечь +access-overrider-window-insert-button = Вставить +access-overrider-window-target-label = Подключённое устройство: +access-overrider-window-no-target = Нет подключённых устройств +access-overrider-window-missing-privileges = Доступ к этому устройству не может быть изменён. На вставленной ID-карте отсутствуют следующие права: +access-overrider-cannot-modify-access = Вы не обладаете достаточными правами для модификации этого устройства! +access-overrider-out-of-range = Подключённое устройство слишком далеко diff --git a/Resources/Locale/ru-RU/access/systems/access-reader-system.ftl b/Resources/Locale/ru-RU/access/systems/access-reader-system.ftl new file mode 100644 index 00000000000..d3dbef19617 --- /dev/null +++ b/Resources/Locale/ru-RU/access/systems/access-reader-system.ftl @@ -0,0 +1 @@ +access-reader-unknown-id = Неизвестно diff --git a/Resources/Locale/ru-RU/accessories/human-facial-hair.ftl b/Resources/Locale/ru-RU/accessories/human-facial-hair.ftl new file mode 100644 index 00000000000..e63ba95e12c --- /dev/null +++ b/Resources/Locale/ru-RU/accessories/human-facial-hair.ftl @@ -0,0 +1,35 @@ +marking-HumanFacialHairAbe = Борода (Авраам Линкольн) +marking-HumanFacialHairBrokenman = Борода (Сломанный человек) +marking-HumanFacialHairChin = Борода (Шкиперская бородка) +marking-HumanFacialHairDwarf = Борода (Дворф) +marking-HumanFacialHairFullbeard = Борода (Полная) +marking-HumanFacialHairCroppedfullbeard = Борода (Обрезанная полная борода) +marking-HumanFacialHairGt = Борода (Козлиная бородка) +marking-HumanFacialHairHip = Борода (Хипстер) +marking-HumanFacialHairJensen = Борода (Дженсен) +marking-HumanFacialHairNeckbeard = Борода (Шейная борода) +marking-HumanFacialHairWise = Борода (Очень длинная) +marking-HumanFacialHairMuttonmus = Борода (Баранья) +marking-HumanFacialHairMartialartist = Борода (Мастер боевых искусств) +marking-HumanFacialHairChinlessbeard = Борода (Без подбородка) +marking-HumanFacialHairMoonshiner = Борода (Самогонщик) +marking-HumanFacialHairLongbeard = Борода (Длинная) +marking-HumanFacialHairVolaju = Борода (Воладзю) +marking-HumanFacialHair3oclock = Борода (Тень "три часа") +marking-HumanFacialHairFiveoclock = Борода (Тень "пять часов") +marking-HumanFacialHair5oclockmoustache = Борода (Усы "пять часов") +marking-HumanFacialHair7oclock = Борода (Тень "семь часов") +marking-HumanFacialHair7oclockmoustache = Борода (Усы "семь часов") +marking-HumanFacialHairMoustache = Усы +marking-HumanFacialHairPencilstache = Усы (Карандаш) +marking-HumanFacialHairSmallstache = Усы (Малюсенькие) +marking-HumanFacialHairWalrus = Усы (Моржовые) +marking-HumanFacialHairFumanchu = Усы (Фу Манчу) +marking-HumanFacialHairHogan = Усы (Халк Хоган) +marking-HumanFacialHairSelleck = Усы (Селлек) +marking-HumanFacialHairChaplin = Усы (Квадрат) +marking-HumanFacialHairVandyke = Усы (Ван Дайк) +marking-HumanFacialHairWatson = Усы (Ватсон) +marking-HumanFacialHairElvis = Бакенбарды (Элвис) +marking-HumanFacialHairMutton = Бакенбарды (Бараньи отбивные) +marking-HumanFacialHairSideburn = Бакенбарды diff --git a/Resources/Locale/ru-RU/accessories/human-hair.ftl b/Resources/Locale/ru-RU/accessories/human-hair.ftl new file mode 100644 index 00000000000..dbfe9e59da1 --- /dev/null +++ b/Resources/Locale/ru-RU/accessories/human-hair.ftl @@ -0,0 +1,188 @@ +marking-HumanHairAfro = Афро +marking-HumanHairAfro2 = Афро 2 +marking-HumanHairBigafro = Афро (Большая) +marking-HumanHairAntenna = Ахоге +marking-HumanHairBalding = Лысеющий +marking-HumanHairBedhead = Небрежная +marking-HumanHairBedheadv2 = Небрежная 2 +marking-HumanHairBedheadv3 = Небрежная 3 +marking-HumanHairLongBedhead = Небрежная (Длинная) +marking-HumanHairFloorlengthBedhead = Небрежная (До пола) +marking-HumanHairBeehive = Улей +marking-HumanHairBeehivev2 = Улей 2 +marking-HumanHairBob = Каре +marking-HumanHairBob2 = Каре 2 +marking-HumanHairBobcut = Каре 3 +marking-HumanHairBob4 = Каре 4 +marking-HumanHairBobcurl = Каре (Завитки) +marking-HumanHairBoddicker = Боддикер +marking-HumanHairBowlcut = Горшок +marking-HumanHairBowlcut2 = Горшок 2 +marking-HumanHairBraid = Плетение (До пола) +marking-HumanHairBraided = Плетение +marking-HumanHairBraidfront = Плетение (Спереди) +marking-HumanHairBraid2 = Плетение (Высокое) +marking-HumanHairHbraid = Плетение (Низкое) +marking-HumanHairShortbraid = Плетение (Короткое) +marking-HumanHairBraidtail = Плетёный хвостик +marking-HumanHairBun = Пучок +marking-HumanHairBunhead2 = Пучок 2 +marking-HumanHairBun3 = Пучок 3 +marking-HumanHairLargebun = Пучок (Большой) +marking-HumanHairManbun = Пучок (Мужской) +marking-HumanHairTightbun = Пучок (Затянутый) +marking-HumanHairBusiness = Деловая +marking-HumanHairBusiness2 = Деловая 2 +marking-HumanHairBusiness3 = Деловая 3 +marking-HumanHairBusiness4 = Деловая 4 +marking-HumanHairBuzzcut = Баз кат +marking-HumanHairCia = ЦРУ +marking-HumanHairClassicAfro = Классическая Афро +marking-HumanHairClassicBigAfro = Классическая Афро (Большая) +marking-HumanHairClassicBusiness = Классическая Бизнес +marking-HumanHairClassicCia = Классическая ЦРУ +marking-HumanHairClassicCornrows2 = Классическая Конроу 2 +marking-HumanHairClassicFloorlengthBedhead = Классическая Небрежная (До пола) +marking-HumanHairClassicModern = Классическая Современная +marking-HumanHairClassicMulder = Классическая Малдер +marking-HumanHairClassicWisp = Классическая Пряди +marking-HumanHairCoffeehouse = Кофейная +marking-HumanHairCombover = Зачёс (Назад) +marking-HumanHairCornrows = Корнроу +marking-HumanHairCornrows2 = Корнроу 2 +marking-HumanHairCornrowbun = Корнроу (Пучок) +marking-HumanHairCornrowbraid = Корнроу (Косичка) +marking-HumanHairCornrowtail = Корнроу (Хвостик) +marking-HumanHairCrewcut = Крю-кат +marking-HumanHairCurls = Завитки +marking-HumanHairC = Подстриженная +marking-HumanHairDandypompadour = Денди Помпадур +marking-HumanHairDevilock = Дьявольский замок +marking-HumanHairDoublebun = Двойной пучок +marking-HumanHairDoublebunLong = Двойной длинный пучок +marking-HumanHairDreads = Дреды +marking-HumanHairDrillruru = Дрели +marking-HumanHairDrillhairextended = Дрели (Распущенные) +marking-HumanHairEmo = Эмо +marking-HumanHairEmofringe = Эмо (Чёлка) +marking-HumanHairNofade = Фэйд (Отсутствует) +marking-HumanHairHighfade = Фэйд (Высокий) +marking-HumanHairMedfade = Фэйд (Средний) +marking-HumanHairLowfade = Фэйд (Низкий) +marking-HumanHairBaldfade = Фэйд (Лысый) +marking-HumanHairFeather = Перья +marking-HumanHairFather = Отец +marking-HumanHairSargeant = Флэттоп +marking-HumanHairFlair = Флейр +marking-HumanHairBigflattop = Флэттоп (Большой) +marking-HumanHairFlow = Флоу +marking-HumanHairGelled = Уложенная +marking-HumanHairGentle = Аккуратная +marking-HumanHairHalfbang = Полурасчесанная +marking-HumanHairHalfbang2 = Полурасчесанная 2 +marking-HumanHairHalfshaved = Полувыбритая +marking-HumanHairHedgehog = Ёжик +marking-HumanHairHimecut = Химэ +marking-HumanHairHimecut2 = Химэ 2 +marking-HumanHairShorthime = Химэ (Короткая) +marking-HumanHairHimeup = Химэ (Укладка) +marking-HumanHairHitop = Хайтоп +marking-HumanHairJade = Джейд +marking-HumanHairJensen = Дженсен +marking-HumanHairJoestar = Джостар +marking-HumanHairKeanu = Киану +marking-HumanHairKusanagi = Кусанаги +marking-HumanHairLong = Длинная 1 +marking-HumanHairLong2 = Длинная 2 +marking-HumanHairLong3 = Длинная 3 +marking-HumanHairLongovereye = Длинная (Через глаз) +marking-HumanHairLbangs = Длинная (Чёлка) +marking-HumanHairLongemo = Длинная (Эмо) +marking-HumanHairLongfringe = Длинная чёлка +marking-HumanHairLongsidepart = Длинная сайд-парт +marking-HumanHairMegaeyebrows = Широкие брови +marking-HumanHairMessy = Растрёпанная +marking-HumanHairModern = Современная +marking-HumanHairMohawk = Могавк +marking-HumanHairNitori = Нитори +marking-HumanHairReversemohawk = Могавк (Обратный) +marking-HumanHairUnshavenMohawk = Могавк (Небритый) +marking-HumanHairMulder = Малдер +marking-HumanHairOdango = Оданго +marking-HumanHairOmbre = Омбре +marking-HumanHairOneshoulder = На одно плечо +marking-HumanHairShortovereye = Через глаз +marking-HumanHairOxton = Окстон +marking-HumanHairParted = С пробором +marking-HumanHairPart = С пробором (Сбоку) +marking-HumanHairKagami = Хвостики +marking-HumanHairPigtails = Хвостики 2 +marking-HumanHairPigtails2 = Хвостики 3 +marking-HumanHairPixie = Пикси +marking-HumanHairPompadour = Помпадур +marking-HumanHairBigpompadour = Помпадур (Большая) +marking-HumanHairPonytail = Хвостик +marking-HumanHairPonytail2 = Хвостик 2 +marking-HumanHairPonytail3 = Хвостик 3 +marking-HumanHairPonytail4 = Хвостик 4 +marking-HumanHairPonytail5 = Хвостик 5 +marking-HumanHairPonytail6 = Хвостик 6 +marking-HumanHairPonytail7 = Хвостик 7 +marking-HumanHairHighponytail = Хвостик (Высокий) +marking-HumanHairStail = Хвостик (Короткий) +marking-HumanHairLongstraightponytail = Хвостик (Длинный) +marking-HumanHairCountry = Хвостик (Деревенский) +marking-HumanHairFringetail = Хвостик (Чёлка) +marking-HumanHairSidetail = Хвостик (Сбоку) +marking-HumanHairSidetail2 = Хвостик (Сбоку) 2 +marking-HumanHairSidetail3 = Хвостик (Сбоку) 3 +marking-HumanHairSidetail4 = Хвостик (Сбоку) 4 +marking-HumanHairSpikyponytail = Хвостик (Шипастый) +marking-HumanHairPoofy = Пышная +marking-HumanHairQuiff = Квифф +marking-HumanHairRonin = Ронин +marking-HumanHairShaved = Бритая +marking-HumanHairShavedpart = Бритая часть +marking-HumanHairShortbangs = Каре (Чёлка) +marking-HumanHairA = Короткая +marking-HumanHairShorthair2 = Короткая 2 +marking-HumanHairShorthair3 = Короткая 3 +marking-HumanHairD = Короткая 5 +marking-HumanHairE = Короткая 6 +marking-HumanHairF = Короткая 7 +marking-HumanHairShorthairg = Короткая 8 +marking-HumanHair80s = Короткая (80-ые) +marking-HumanHairRosa = Короткая (Роза) +marking-HumanHairB = Волосы до плеч +marking-HumanHairShoulderLengthOverEye = До плеч через глаз +marking-HumanHairSidecut = Боковой вырез +marking-HumanHairSkinhead = Бритоголовый +marking-HumanHairProtagonist = Слегка длинная +marking-HumanHairSpikey = Колючая +marking-HumanHairSpiky = Колючая 2 +marking-HumanHairSpiky2 = Колючая 3 +marking-HumanHairSwept = Зачёс назад +marking-HumanHairSwept2 = Зачёс назад 2 +marking-HumanHairTailed = Коса +marking-HumanHairThinning = Редеющая +marking-HumanHairThinningfront = Редеющая (Спереди) +marking-HumanHairThinningrear = Редеющая (Сзади) +marking-HumanHairTopknot = Пучок на макушке +marking-HumanHairTressshoulder = Коса на плече +marking-HumanHairTrimmed = Под машинку +marking-HumanHairTrimflat = Под машинку (Плоская) +marking-HumanHairTwintail = Два хвостика +marking-HumanHairTwoStrands = Две пряди +marking-HumanHairUndercut = Андеркат +marking-HumanHairUndercutleft = Андеркат (Слева) +marking-HumanHairUndercutright = Андеркат (Справа) +marking-HumanHairUneven = Неровная +marking-HumanHairUnkept = Неухоженная +marking-HumanHairUpdo = Высокая +marking-HumanHairVlong = Очень длинная +marking-HumanHairLongest = Очень длинная 2 +marking-HumanHairLongest2 = Очень длинная (Через глаз) +marking-HumanHairVeryshortovereyealternate = Очень короткая (Через глаз альт.) +marking-HumanHairVlongfringe = Очень короткая (Чёлка) +marking-HumanHairVolaju = Воладзю +marking-HumanHairWisp = Пряди diff --git a/Resources/Locale/ru-RU/accessories/vox-facial-hair.ftl b/Resources/Locale/ru-RU/accessories/vox-facial-hair.ftl new file mode 100644 index 00000000000..78629e10387 --- /dev/null +++ b/Resources/Locale/ru-RU/accessories/vox-facial-hair.ftl @@ -0,0 +1,5 @@ +marking-VoxFacialHairColonel = Вокс Полковник +marking-VoxFacialHairFu = Перья Фу +marking-VoxFacialHairNeck = Шейные перья +marking-VoxFacialHairBeard = Перьевая борода +marking-VoxFacialHairRuffBeard = Грубая борода diff --git a/Resources/Locale/ru-RU/accessories/vox-hair.ftl b/Resources/Locale/ru-RU/accessories/vox-hair.ftl new file mode 100644 index 00000000000..2cf71696921 --- /dev/null +++ b/Resources/Locale/ru-RU/accessories/vox-hair.ftl @@ -0,0 +1,13 @@ +marking-VoxHairShortQuills = Вокс Короткие перья +marking-VoxHairKingly = Вокс Королевская +marking-VoxHairAfro = Вокс Афро +marking-VoxHairMohawk = Вокс Могавк +marking-VoxHairYasuhiro = Вокс Ясухиро +marking-VoxHairHorns = Вокс Рога +marking-VoxHairNights = Вокс Ночная +marking-VoxHairSurf = Вокс Сёрфер +marking-VoxHairCropped = Вокс Короткая +marking-VoxHairRuffhawk = Вокс Руфхавк +marking-VoxHairRows = Вокс Ряды +marking-VoxHairMange = Вокс Лишай +marking-VoxHairPony = Вокс Пони diff --git a/Resources/Locale/ru-RU/actions/actions/actions-commands.ftl b/Resources/Locale/ru-RU/actions/actions/actions-commands.ftl new file mode 100644 index 00000000000..fed57d1c1a9 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/actions-commands.ftl @@ -0,0 +1,14 @@ +## Actions Commands loc + + +## Upgradeaction command loc + +upgradeaction-command-need-one-argument = upgradeaction needs at least one argument, the action entity uid. The second optional argument is a specified level. +upgradeaction-command-max-two-arguments = upgradeaction has a maximum of two arguments, the action entity uid and the (optional) level to set. +upgradeaction-command-second-argument-not-number = upgradeaction's second argument can only be a number. +upgradeaction-command-less-than-required-level = upgradeaction cannot accept a level of 0 or lower. +upgradeaction-command-incorrect-entityuid-format = You must use a valid entityuid format for upgradeaction. +upgradeaction-command-entity-does-not-exist = This entity does not exist, a valid entity is required for upgradeaction. +upgradeaction-command-entity-is-not-action = This entity doesn't have the action upgrade component, so this action cannot be leveled. +upgradeaction-command-cannot-level-up = The action cannot be leveled up. +upgradeaction-command-description = Upgrades an action by one level, or to the specified level, if applicable. diff --git a/Resources/Locale/ru-RU/actions/actions/blocking.ftl b/Resources/Locale/ru-RU/actions/actions/blocking.ftl new file mode 100644 index 00000000000..da4b35a7b4a --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/blocking.ftl @@ -0,0 +1,6 @@ +action-popup-blocking-user = Вы поднимаете свой { $shield }! +action-popup-blocking-disabling-user = Вы опускаете свой { $shield }! +action-popup-blocking-other = { CAPITALIZE($blockerName) } поднимает свой { $shield }! +action-popup-blocking-disabling-other = { CAPITALIZE($blockerName) } опускает свой { $shield }! +action-popup-blocking-user-cant-block = Вы безуспешно пытаетесь поднять свой щит. +action-popup-blocking-user-too-close = Не хватает места для блокирования. Попробуйте немного переместиться! diff --git a/Resources/Locale/ru-RU/actions/actions/combat-mode.ftl b/Resources/Locale/ru-RU/actions/actions/combat-mode.ftl new file mode 100644 index 00000000000..8cb8c932087 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/combat-mode.ftl @@ -0,0 +1,2 @@ +action-popup-combat-disabled = Боевой режим отключён! +action-popup-combat-enabled = Боевой режим включён! diff --git a/Resources/Locale/ru-RU/actions/actions/crit.ftl b/Resources/Locale/ru-RU/actions/actions/crit.ftl new file mode 100644 index 00000000000..168bd333751 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/crit.ftl @@ -0,0 +1 @@ +action-name-crit-last-words = Произнести последние слова diff --git a/Resources/Locale/ru-RU/actions/actions/diona.ftl b/Resources/Locale/ru-RU/actions/actions/diona.ftl new file mode 100644 index 00000000000..2b4845fcdb2 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/diona.ftl @@ -0,0 +1,2 @@ +diona-gib-action-use = { $name } распадается на части! +diona-reform-attempt = { $name } пытается развиться! diff --git a/Resources/Locale/ru-RU/actions/actions/disarm-action.ftl b/Resources/Locale/ru-RU/actions/actions/disarm-action.ftl new file mode 100644 index 00000000000..1be453999b1 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/disarm-action.ftl @@ -0,0 +1,5 @@ +disarm-action-disarmable = { $targetName } нельзя обезоружить! +disarm-action-popup-message-other-clients = { CAPITALIZE($performerName) } обезоружил { $targetName }! +disarm-action-popup-message-cursor = { CAPITALIZE($targetName) } обезоружен! +disarm-action-shove-popup-message-other-clients = { CAPITALIZE($performerName) } толкает { $targetName }! +disarm-action-shove-popup-message-cursor = Вы толкаете { $targetName }! diff --git a/Resources/Locale/ru-RU/actions/actions/dragon.ftl b/Resources/Locale/ru-RU/actions/actions/dragon.ftl new file mode 100644 index 00000000000..bfc5d6040d0 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/dragon.ftl @@ -0,0 +1,4 @@ +devour-action-popup-message-structure = Ваши челюсти впиваются в твёрдый материал... +devour-action-popup-message-fail-target-not-valid = Это выглядит не особо съедобно. +devour-action-popup-message-fail-target-alive = Вы не можете поглощать ещё живых существ! +dragon-spawn-action-popup-message-fail-no-eggs = Вам не хватит выносливости для создания карпа! diff --git a/Resources/Locale/ru-RU/actions/actions/egg-lay.ftl b/Resources/Locale/ru-RU/actions/actions/egg-lay.ftl new file mode 100644 index 00000000000..34a56288935 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/egg-lay.ftl @@ -0,0 +1,3 @@ +action-popup-lay-egg-user = Вы отложили яйцо. +action-popup-lay-egg-others = { CAPITALIZE($entity) } откладывает яйцо. +action-popup-lay-egg-too-hungry = Съешьте больше еды перед тем как отложить яйцо! diff --git a/Resources/Locale/ru-RU/actions/actions/internals.ftl b/Resources/Locale/ru-RU/actions/actions/internals.ftl new file mode 100644 index 00000000000..450c977e914 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/internals.ftl @@ -0,0 +1,4 @@ +action-name-internals-toggle = Переключить подачу воздуха +action-description-internals-toggle = Дышите из экипированного газового баллона. Требуется надетая дыхательная маска. +internals-no-breath-tool = Не экипирована дыхательная маска +internals-no-tank = Не экипирован баллон для дыхания diff --git a/Resources/Locale/ru-RU/actions/actions/mapping.ftl b/Resources/Locale/ru-RU/actions/actions/mapping.ftl new file mode 100644 index 00000000000..7f8118a8b58 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/mapping.ftl @@ -0,0 +1 @@ +action-name-mapping-erase = Стереть сущность diff --git a/Resources/Locale/ru-RU/actions/actions/mask.ftl b/Resources/Locale/ru-RU/actions/actions/mask.ftl new file mode 100644 index 00000000000..5e450348c1b --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/mask.ftl @@ -0,0 +1,2 @@ +action-mask-pull-up-popup-message = Вы натягиваете { $mask } на лицо. +action-mask-pull-down-popup-message = Вы приспускаете { $mask } с лица. diff --git a/Resources/Locale/ru-RU/actions/actions/sleep.ftl b/Resources/Locale/ru-RU/actions/actions/sleep.ftl new file mode 100644 index 00000000000..c31043dbac0 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/sleep.ftl @@ -0,0 +1,5 @@ +action-name-wake = Проснуться +sleep-onomatopoeia = Zzz... +sleep-examined = [color=lightblue]{ CAPITALIZE($target) } спит.[/color] +wake-other-success = Вы разбудили { $target }. +wake-other-failure = Вы тормошите { $target }, но { $target } не просыпается. diff --git a/Resources/Locale/ru-RU/actions/actions/spells.ftl b/Resources/Locale/ru-RU/actions/actions/spells.ftl new file mode 100644 index 00000000000..b0b68d6c0ac --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/spells.ftl @@ -0,0 +1 @@ +spell-fail-no-hands = У вас нет рук! diff --git a/Resources/Locale/ru-RU/actions/actions/spider.ftl b/Resources/Locale/ru-RU/actions/actions/spider.ftl new file mode 100644 index 00000000000..2417c070bbb --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/spider.ftl @@ -0,0 +1,4 @@ +spider-web-action-nogrid = Под вами нет пола! +spider-web-action-success = Вы развешиваете паутину вокруг себя. +spider-web-action-fail = Вы не можете разместить паутину здесь! На основных направлениях вокруг вас уже есть паутина! +sericulture-failure-hunger = Ваш желудок слишком пуст для плетения паутины! diff --git a/Resources/Locale/ru-RU/actions/actions/wagging.ftl b/Resources/Locale/ru-RU/actions/actions/wagging.ftl new file mode 100644 index 00000000000..d786383dc78 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/actions/wagging.ftl @@ -0,0 +1,2 @@ +action-name-toggle-wagging = Виляет хвостом +action-description-toggle-wagging = Начать или прекратить вилять хвостом. diff --git a/Resources/Locale/ru-RU/actions/ui/actionmenu.ftl b/Resources/Locale/ru-RU/actions/ui/actionmenu.ftl new file mode 100644 index 00000000000..09ff49d2f68 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/ui/actionmenu.ftl @@ -0,0 +1,9 @@ +## Action menu stuff (left panel, with hotbars etc) + +ui-actionmenu-title = Действия +ui-actionmenu-filter-label = Фильтры: { $selectedLabels } +ui-actionmenu-filter-button = Фильтр +ui-actionmenu-search-bar-placeholder-text = Поиск +ui-actionmenu-clear-button = Очистить +ui-actionsui-function-lock-action-slots = (Раз)блокировать перетаскивания и очистка слотов действия +ui-actionsui-function-open-abilities-menu = Открыть меню действий diff --git a/Resources/Locale/ru-RU/actions/ui/actionslot.ftl b/Resources/Locale/ru-RU/actions/ui/actionslot.ftl new file mode 100644 index 00000000000..18c5a558a69 --- /dev/null +++ b/Resources/Locale/ru-RU/actions/ui/actionslot.ftl @@ -0,0 +1 @@ +ui-actionslot-charges = Осталось использований: { $charges } diff --git a/Resources/Locale/ru-RU/administration/admin-verbs.ftl b/Resources/Locale/ru-RU/administration/admin-verbs.ftl new file mode 100644 index 00000000000..a577ad821f4 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/admin-verbs.ftl @@ -0,0 +1,16 @@ +delete-verb-get-data-text = Удалить +edit-solutions-verb-get-data-text = Редактировать растворы +explode-verb-get-data-text = Взорвать +ahelp-verb-get-data-text = Написать +admin-verbs-admin-logs-entity = Логи сущности +admin-verbs-teleport-to = Телепортироваться к +admin-verbs-teleport-here = Телепортировать сюда +admin-verbs-freeze = Заморозить +admin-verbs-unfreeze = Разморозить +admin-verbs-erase = Стереть +admin-verbs-erase-description = + Удаляет игрока из раунда и манифеста членов экипажа, а также удаляет все его сообщения в чате. + Их вещи упадут на землю. + Игроки увидят всплывающее окно, указывающее им играть как будто исчезнувшего никогда не существовало. +toolshed-verb-mark = Отметить +toolshed-verb-mark-description = Помещает данную сущность в переменную $marked, заменяя ее предыдущее значение. diff --git a/Resources/Locale/ru-RU/administration/antag.ftl b/Resources/Locale/ru-RU/administration/antag.ftl new file mode 100644 index 00000000000..2eeb9693d85 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/antag.ftl @@ -0,0 +1,13 @@ +verb-categories-antag = Антагонисты +admin-verb-make-traitor = Сделать цель предателем. +admin-verb-make-zombie = Сделать цель зомби. +admin-verb-make-nuclear-operative = Сделать цель одиноким Ядерным оперативником. +admin-verb-make-pirate = Сделать цель пиратом\капером. Учтите, что это не меняет игровой режим. +admin-verb-make-head-rev = Сделать цель Главой революции. +admin-verb-make-thief = Сделать цель Вором. +admin-verb-text-make-traitor = Сделать предателем +admin-verb-text-make-zombie = Сделать зомби +admin-verb-text-make-nuclear-operative = Сделать ядерным оперативником +admin-verb-text-make-pirate = Сделать пиратом +admin-verb-text-make-head-rev = Сделать Главой революции +admin-verb-text-make-thief = Сделать Вором. diff --git a/Resources/Locale/ru-RU/administration/bwoink.ftl b/Resources/Locale/ru-RU/administration/bwoink.ftl new file mode 100644 index 00000000000..71f2dbeb8b1 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/bwoink.ftl @@ -0,0 +1,9 @@ +bwoink-user-title = Сообщение от администратора +bwoink-system-starmute-message-no-other-users = *Система: Никто не доступен для получения вашего сообщения. Попробуйте обратиться к администраторам игры в Discord. +bwoink-system-messages-being-relayed-to-discord = Ваше сообщение было передано администраторам в Discord. Оно может остаться без ответа. +bwoink-system-typing-indicator = + { $players } { $count -> + [one] печатает + *[other] печатают + }... +admin-bwoink-play-sound = Bwoink? diff --git a/Resources/Locale/ru-RU/administration/commands/add-uplink-command.ftl b/Resources/Locale/ru-RU/administration/commands/add-uplink-command.ftl new file mode 100644 index 00000000000..d9bb9fb87c9 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/add-uplink-command.ftl @@ -0,0 +1,6 @@ +add-uplink-command-description = Создает аплинк в выбранном предмете и привязывает его к аккаунту игрока +add-uplink-command-help = Использование: adduplink [username] [item-id] +add-uplink-command-completion-1 = Username (по-умолчанию это вы сами) +add-uplink-command-completion-2 = Uplink uid (по-умолчанию это КПК) +add-uplink-command-error-1 = Выбранный игрок не имеет подконтрольную сущность +add-uplink-command-error-2 = Не удалось добавить аплинк игроку diff --git a/Resources/Locale/ru-RU/administration/commands/call-shuttle-command.ftl b/Resources/Locale/ru-RU/administration/commands/call-shuttle-command.ftl new file mode 100644 index 00000000000..08280d43204 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/call-shuttle-command.ftl @@ -0,0 +1,4 @@ +call-shuttle-command-description = Вызывает эвакуационный шаттл с указанием времени прибытия по выбору. +call-shuttle-command-help-text = Использование: { $command } [m:ss] +recall-shuttle-command-description = Отзывает эвакуационный шаттл. +recall-shuttle-command-help-text = Использование: { $command } diff --git a/Resources/Locale/ru-RU/administration/commands/control-mob-command.ftl b/Resources/Locale/ru-RU/administration/commands/control-mob-command.ftl new file mode 100644 index 00000000000..833b091144d --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/control-mob-command.ftl @@ -0,0 +1,2 @@ +control-mob-command-description = Переносит разум пользователя в указанную сущность. +control-mob-command-help-text = Использование: controlmob . diff --git a/Resources/Locale/ru-RU/administration/commands/custom-vote-command.ftl b/Resources/Locale/ru-RU/administration/commands/custom-vote-command.ftl new file mode 100644 index 00000000000..8d6ac1e0381 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/custom-vote-command.ftl @@ -0,0 +1 @@ +custom-vote-webhook-name = Custom Vote Held diff --git a/Resources/Locale/ru-RU/administration/commands/delete-entities-with-component-command.ftl b/Resources/Locale/ru-RU/administration/commands/delete-entities-with-component-command.ftl new file mode 100644 index 00000000000..549c62a13ee --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/delete-entities-with-component-command.ftl @@ -0,0 +1,5 @@ +delete-entities-with-component-command-description = Удаляет сущности с указанными компонентами. +delete-entities-with-component-command-help-text = + Использование: deleteewc ... + Удаляет все сущности с указанными компонентами. +delete-entities-with-component-command-deleted-components = Удалено { $count } сущностей diff --git a/Resources/Locale/ru-RU/administration/commands/dsay-command.ftl b/Resources/Locale/ru-RU/administration/commands/dsay-command.ftl new file mode 100644 index 00000000000..47e234bb2bc --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/dsay-command.ftl @@ -0,0 +1,2 @@ +dsay-command-description = Отправляет сообщение в чат мертвых от имени администратора +dsay-command-help-text = Использование: { $command } diff --git a/Resources/Locale/ru-RU/administration/commands/follow-command.ftl b/Resources/Locale/ru-RU/administration/commands/follow-command.ftl new file mode 100644 index 00000000000..14312b09d86 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/follow-command.ftl @@ -0,0 +1,2 @@ +follow-command-description = Makes you begin following an entity +follow-command-help = Usage: follow [netEntity] diff --git a/Resources/Locale/ru-RU/administration/commands/osay-command.ftl b/Resources/Locale/ru-RU/administration/commands/osay-command.ftl new file mode 100644 index 00000000000..3d750d332da --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/osay-command.ftl @@ -0,0 +1,7 @@ +osay-command-description = Заставляет другую сущность попытаться отправить сообщение +osay-command-help-text = Использование: { $command } +osay-command-arg-uid = source uid +osay-command-arg-type = type +osay-command-arg-message = message +osay-command-error-args = Недопустимое число аргументов. +osay-command-error-euid = { $arg } не является допустимым entity uid. diff --git a/Resources/Locale/ru-RU/administration/commands/panicbunker.ftl b/Resources/Locale/ru-RU/administration/commands/panicbunker.ftl new file mode 100644 index 00000000000..85caf4bc6ab --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/panicbunker.ftl @@ -0,0 +1,28 @@ +cmd-panicbunker-desc = Toggles the panic bunker, which enables stricter restrictions on who's allowed to join the server. +cmd-panicbunker-help = Usage: panicbunker +panicbunker-command-enabled = Режим "Бункер" был включён. +panicbunker-command-disabled = Режим "Бункер" был выключен. +cmd-panicbunker_disable_with_admins-desc = Toggles whether or not the panic bunker will disable when an admin connects. +cmd-panicbunker_disable_with_admins-help = Usage: panicbunker_disable_with_admins +panicbunker-command-disable-with-admins-enabled = The panic bunker will automatically disable with admins online. +panicbunker-command-disable-with-admins-disabled = The panic bunker will not automatically disable with admins online. +cmd-panicbunker_enable_without_admins-desc = Toggles whether or not the panic bunker will enable when the last admin disconnects. +cmd-panicbunker_enable_without_admins-help = Usage: panicbunker_enable_without_admins +panicbunker-command-enable-without-admins-enabled = The panic bunker will automatically enable without admins online. +panicbunker-command-enable-without-admins-disabled = The panic bunker will not automatically enable without admins online. +cmd-panicbunker_count_deadminned_admins-desc = Toggles whether or not to count deadminned admins when automatically enabling and disabling the panic bunker. +cmd-panicbunker_count_deadminned_admins-help = Usage: panicbunker_count_deadminned_admins +panicbunker-command-count-deadminned-admins-enabled = The panic bunker will count deadminned admins when made to automatically enable and disable. +panicbunker-command-count-deadminned-admins-disabled = The panic bunker will not count deadminned admins when made to automatically enable and disable. +cmd-panicbunker_show_reason-desc = Toggles whether or not to show connecting clients the reason why the panic bunker blocked them from joining. +cmd-panicbunker_show_reason-help = Usage: panicbunker_show_reason +panicbunker-command-show-reason-enabled = The panic bunker will now show a reason to users it blocks from connecting. +panicbunker-command-show-reason-disabled = The panic bunker will no longer show a reason to users it blocks from connecting. +cmd-panicbunker_min_account_age-desc = Gets or sets the minimum account age in hours that an account must have to be allowed to connect with the panic bunker enabled. +cmd-panicbunker_min_account_age-help = Usage: panicbunker_min_account_age +panicbunker-command-min-account-age-is = The minimum account age for the panic bunker is { $hours } hours. +panicbunker-command-min-account-age-set = Set the minimum account age for the panic bunker to { $hours } hours. +cmd-panicbunker_min_overall_hours-desc = Gets or sets the minimum overall playtime in hours that an account must have to be allowed to connect with the panic bunker enabled. +cmd-panicbunker_min_overall_hours-help = Usage: panicbunker_min_overall_hours +panicbunker-command-min-overall-hours-is = The minimum overall playtime for the panic bunker is { $hours } hours. +panicbunker-command-min-overall-hours-set = Set the minimum overall playtime for the panic bunker to { $hours } hours. diff --git a/Resources/Locale/ru-RU/administration/commands/play-global-sound-command.ftl b/Resources/Locale/ru-RU/administration/commands/play-global-sound-command.ftl new file mode 100644 index 00000000000..6855f95c941 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/play-global-sound-command.ftl @@ -0,0 +1,7 @@ +play-global-sound-command-description = Проигрывает глобальный звук для выбранного игрока или для каждого подключенного игрока, если не выбран конкретный. +play-global-sound-command-help = playglobalsound [user 1] ... [user n] +play-global-sound-command-player-not-found = Игрок "{ $username }" не найден. +play-global-sound-command-volume-parse = Задан неправильный уровень громкости { $volume }. +play-global-sound-command-arg-path = +play-global-sound-command-arg-volume = [volume] +play-global-sound-command-arg-usern = [user { $user }] diff --git a/Resources/Locale/ru-RU/administration/commands/polymorph-command.ftl b/Resources/Locale/ru-RU/administration/commands/polymorph-command.ftl new file mode 100644 index 00000000000..aca92e6806b --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/polymorph-command.ftl @@ -0,0 +1,5 @@ +polymorph-command-description = For when you need someone to stop being a person. Takes an entity and a polymorph prototype. +polymorph-command-help-text = polymorph ... + Пытается вылечить моба пользователя, если аргументы не предоставлены. +rejuvenate-command-self-heal-message = Исцеление пользовательского моба, поскольку аргументы не были предоставлены. +rejuvenate-command-no-entity-attached-message = К пользователю не привязана никакая сущность. diff --git a/Resources/Locale/ru-RU/administration/commands/set-admin-ooc-command.ftl b/Resources/Locale/ru-RU/administration/commands/set-admin-ooc-command.ftl new file mode 100644 index 00000000000..41a3f284590 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/set-admin-ooc-command.ftl @@ -0,0 +1,2 @@ +set-admin-ooc-command-description = Устанавливает цвет ваших OOC-сообщений. Цвет должен быть в шестнадцатеричном формате, пример: { $command } #c43b23 +set-admin-ooc-command-help-text = Использование: { $command } diff --git a/Resources/Locale/ru-RU/administration/commands/set-looc-command.ftl b/Resources/Locale/ru-RU/administration/commands/set-looc-command.ftl new file mode 100644 index 00000000000..6127016aede --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/set-looc-command.ftl @@ -0,0 +1,6 @@ +set-looc-command-description = Позволяет включить или выключить LOOC. +set-looc-command-help = Использование: setlooc ИЛИ setlooc [value] +set-looc-command-too-many-arguments-error = Слишком много аргументов. +set-looc-command-invalid-argument-error = Неверный аргумент. +set-looc-command-looc-enabled = LOOC чат был включен. +set-looc-command-looc-disabled = LOOC чат был выключен. diff --git a/Resources/Locale/ru-RU/administration/commands/set-mind-command.ftl b/Resources/Locale/ru-RU/administration/commands/set-mind-command.ftl new file mode 100644 index 00000000000..06de66fa06b --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/set-mind-command.ftl @@ -0,0 +1,4 @@ +set-mind-command-description = Перемещает сознание в указанную сущность. Сущность должна иметь { $requiredComponent }. По умолчанию это заставит разум, который в данный момент посещает другие сущности, вернуться обратно (т.е. вернуть призрака в свое основное тело). +set-mind-command-help-text = Использование: { $command } [unvisit] +set-mind-command-target-has-no-content-data-message = Целевой игрок не имеет данных о содержимом (wtf?) +set-mind-command-target-has-no-mind-message = Целевая сущность не обладает разумом (вы забыли сделать ее разумной?) diff --git a/Resources/Locale/ru-RU/administration/commands/set-ooc-command.ftl b/Resources/Locale/ru-RU/administration/commands/set-ooc-command.ftl new file mode 100644 index 00000000000..c6820b4e5d4 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/set-ooc-command.ftl @@ -0,0 +1,6 @@ +set-ooc-command-description = Позволяет включить или выключить OOC. +set-ooc-command-help = Использование: setooc ИЛИ setooc [value] +set-ooc-command-too-many-arguments-error = Слишком много аргументов. +set-ooc-command-invalid-argument-error = Неверный аргумент. +set-ooc-command-ooc-enabled = OOC чат был включен. +set-ooc-command-ooc-disabled = OOC чат был выключен. diff --git a/Resources/Locale/ru-RU/administration/commands/set-outfit-command.ftl b/Resources/Locale/ru-RU/administration/commands/set-outfit-command.ftl new file mode 100644 index 00000000000..22588e2ce52 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/set-outfit-command.ftl @@ -0,0 +1,4 @@ +set-outfit-command-description = Устанавливает наряд указанной сущности. Сущность должна иметь { $requiredComponent } +set-outfit-command-help-text = Использование: { $command } | { $command } +set-outfit-command-is-not-player-error = Это не работает из консоли сервера. Вы должны передать также идентификатор наряда. +set-outfit-command-invalid-outfit-id-error = Неверный идентификатор наряда diff --git a/Resources/Locale/ru-RU/administration/commands/tag-commands.ftl b/Resources/Locale/ru-RU/administration/commands/tag-commands.ftl new file mode 100644 index 00000000000..7ddaa0897d5 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/tag-commands.ftl @@ -0,0 +1,9 @@ +addtag-command-description = Добавить тег к выбранной сущности +addtag-command-help = Использование: addtag +addtag-command-success = Тег { $tag } был добавлен { $target }. +addtag-command-fail = Не удалость добавить тег { $tag } к { $target }. +removetag-command-description = Удалить тег у выбранной сущности +removetag-command-help = Использование: removetag +removetag-command-success = Тег { $tag } был удалён у { $target }. +removetag-command-fail = Не удалость удалить тег { $tag } у { $target }. +tag-command-arg-tag = Tag diff --git a/Resources/Locale/ru-RU/administration/commands/throw-scoreboard-command.ftl b/Resources/Locale/ru-RU/administration/commands/throw-scoreboard-command.ftl new file mode 100644 index 00000000000..d6a4db7eb76 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/throw-scoreboard-command.ftl @@ -0,0 +1,2 @@ +throw-scoreboard-command-description = Показать окно результатов раунда для всех игроков, но не завершать раунд +throw-scoreboard-command-help-text = Использование: throwscoreboard diff --git a/Resources/Locale/ru-RU/administration/commands/variantize-command.ftl b/Resources/Locale/ru-RU/administration/commands/variantize-command.ftl new file mode 100644 index 00000000000..1c0c6d21c01 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/commands/variantize-command.ftl @@ -0,0 +1,2 @@ +variantize-command-description = Рандомизирует все варианты плиток пола в заданной области. +variantize-command-help-text = variantize diff --git a/Resources/Locale/ru-RU/administration/managers/admin-manager.ftl b/Resources/Locale/ru-RU/administration/managers/admin-manager.ftl new file mode 100644 index 00000000000..f85203d52d2 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/managers/admin-manager.ftl @@ -0,0 +1,9 @@ +admin-manager-self-de-admin-message = { $exAdminName } снимает с себя права админа. +admin-manager-self-re-admin-message = { $newAdminName } возвращает себе права админа. +admin-manager-became-normal-player-message = Теперь вы обычный игрок. +admin-manager-became-admin-message = Теперь вы администратор. +admin-manager-no-longer-admin-message = Вы больше не администратор. +admin-manager-admin-permissions-updated-message = Ваши права администратора были обновлены. +admin-manager-admin-logout-message = Админ вышел: { $name } +admin-manager-admin-login-message = Админ зашёл: { $name } +admin-manager-admin-data-host-title = Хост diff --git a/Resources/Locale/ru-RU/administration/smites.ftl b/Resources/Locale/ru-RU/administration/smites.ftl new file mode 100644 index 00000000000..e0cbac55ebd --- /dev/null +++ b/Resources/Locale/ru-RU/administration/smites.ftl @@ -0,0 +1,88 @@ +admin-smite-chess-self = Вы чувствуете себя необычайно маленьким. +admin-smite-chess-others = { CAPITALIZE($name) } уменьшается до шахматной доски! +admin-smite-set-alight-self = Вы загораетесь пламенем! +admin-smite-set-alight-others = { CAPITALIZE($name) } загорается пламенем! +admin-smite-remove-blood-self = Вы чувствуете легкость и прохладу. +admin-smite-remove-blood-others = { CAPITALIZE($name) } растекается кровью по всему полу! +admin-smite-vomit-organs-self = Вас тошнит, и вы чувствуете себя опустошённо! +admin-smite-vomit-organs-others = { CAPITALIZE($name) } изрыгает свои органы! +admin-smite-remove-hands-self = У вас отваливаются руки! +admin-smite-remove-hands-other = У { CAPITALIZE($name) } отваливаются руки! +admin-smite-turned-ash-other = { CAPITALIZE($name) } превращается в кучку пепла! +admin-smite-stomach-removal-self = Вы ощущаете пустоту в желудке... +admin-smite-run-walk-swap-prompt = Для бега вы должны нажать Shift! +admin-smite-super-speed-prompt = Вы двигаетесь почти со скоростью звука! +admin-smite-lung-removal-self = Вы не можете вдохнуть! +admin-smite-terminate-prompt = Я вернусь. +admin-smite-explode-description = Взорвите цель. +admin-smite-chess-dimension-description = Изгнание в шахматное измерение. +admin-smite-set-alight-description = Заставляет цель гореть. +admin-smite-monkeyify-description = Превращает цель в обезьяну. +admin-smite-lung-cancer-description = Рак лёгких IIIA стадии, для настоящих любителей популярного шоу "Во все тяжкие". +admin-smite-electrocute-description = Поражает цель электрическим током, делая бесполезным все, что было на них надето. +admin-smite-creampie-description = Кремовый пирог, всего одной кнопкой. +admin-smite-remove-blood-description = Обескровливает цель, кроваво. +admin-smite-vomit-organs-description = Вызывает у цели рвоту, в том числе и органами. +admin-smite-remove-hands-description = Лишает цель рук. +admin-smite-pinball-description = Превращает цель в суперпрыгучий мяч, метая её об стены пока она не клипнется сквозь станцию в бездну. +admin-smite-yeet-description = Изгоняет цель в глубины космоса, включив no-clip и швыряя её. +admin-smite-become-bread-description = Превращает цель в хлеб. И всё. +admin-smite-ghostkick-description = Тихо кикает пользователя, разрывая его соединение. +admin-smite-nyanify-description = Насильно добавляет кошачьи ушки, от которых никуда не деться. +admin-smite-kill-sign-description = Накладывает на игрока метку смерти для его товарищей. +admin-smite-cluwne-description = Превращает в клувеня. Костюм нельзя снять, и экипаж станции может беспрепятственно убивать их. +admin-smite-anger-pointing-arrows-description = Разъяряет указательные стрелки, заставляя их атаковать цель взрывами. +admin-smite-dust-description = Превращает цель в небольшую кучку пепла. +admin-smite-buffering-description = Вызывает у цели случайный запуск буферизации, замораживая её на короткое время, пока она подгружается. +admin-smite-become-instrument-description = Превращает цель в суперсинтезатор. И всё. +admin-smite-remove-gravity-description = Наделяет цель антигравитацией. +admin-smite-reptilian-species-swap-description = Меняет расу на Унатха. Пригодится для тех, кто ведёт себя как космический расист. +admin-smite-locker-stuff-description = Помещает цель в (заваренный) шкафчик. +admin-smite-headstand-description = Переворачивает спрайт по вертикали. +admin-smite-plasma-internals-description = Заменяет содержимое лёгких плазмой. +admin-smite-become-mouse-description = Цель станет крысой. Рататуй. +admin-smite-maid-description = Насильно превращает цель в кошко-служанку уборщицу. Это настоящая пытка для некоторых игроков, используйте её с умом. +admin-smite-zoom-in-description = Увеличивает зум так, что цель перестает видеть окружение. +admin-smite-flip-eye-description = Переворачивает их обзор, фактически меняя управление и делая игру раздражающей. +admin-smite-run-walk-swap-description = Меняет местами бег и ходьбу, заставляя цель держать Shift, чтобы двигаться быстро. +admin-smite-stomach-removal-description = Удаляет желудок цели, лишая её возможности питаться. +admin-smite-super-speed-description = Делает цель очень быстрой, заставляя её превращаться в фарш при столкновении со стеной. +admin-smite-speak-backwards-description = Заставляет цель говорить задом наперед, так что она не сможет позвать на помощь. +admin-smite-lung-removal-description = Удаляет лёгкие цели, топя её. +admin-smite-remove-hand-description = Удаляет только одну из рук цели вместо всех. +admin-smite-disarm-prone-description = Шанс обезоружить цель становится 100%, а наручники надеваются на неё мгновенно. +admin-smite-garbage-can-description = Превратите цель в мусорку, чтобы подчеркнуть, о чём она вам напоминает. +admin-trick-unbolt-description = Разболтирует целевой шлюз. +admin-smite-super-bonk-description = Ударить цель об каждый стол на станции. +admin-smite-super-bonk-lite-description = Бьет цель об каждый стол на станции. Прекращает свое действие только после смерти цели. +admin-smite-terminate-description = Сделать целью Терминатора. +admin-trick-bolt-description = Болтирует целевой шлюз. +admin-trick-emergency-access-on-description = Включает аварийный доступ к целевому шлюзу. +admin-trick-emergency-access-off-description = Выключает аварийный доступ к целевому шлюзу. +admin-trick-make-indestructible-description = Делает целевой объект неуязвимым, фактически godmode. +admin-trick-make-vulnerable-description = Делает целевой объект уязвимым снова, отключая godmode. +admin-trick-block-unanchoring-description = Не даёт закрепить целевой объект. +admin-trick-refill-battery-description = Перезаряжает батарею целевого объекта. +admin-trick-drain-battery-description = Разряжает батарею целевого объекта. +admin-trick-internals-refill-oxygen-description = Заполняет кислородом баллон или лёгкие цели. +admin-trick-internals-refill-nitrogen-description = Заполняет азотом баллон или лёгкие цели. +admin-trick-internals-refill-plasma-description = Заполняет плазмой баллон или лёгкие цели. +admin-trick-send-to-test-arena-description = Отправляет объект на испытательную арену админа. Эта арена является индивидуальной для каждого администратора. +admin-trick-grant-all-access-description = Даёт цели полный доступ. +admin-trick-revoke-all-access-description = Забирает у цели весь доступ. +admin-trick-rejuvenate-description = Возрождает цель, исцеляет её от всего. +admin-trick-adjust-stack-description = Устанавливает размер стопки на указанное значение. +admin-trick-fill-stack-description = Устанавливает размер стопки на максимум. +admin-trick-rename-description = Переименовывает целевой объект. Обратите внимание, что это не равно команде `rename` и не исправит его ID. +admin-trick-redescribe-description = Переописывает целевой объект. +admin-trick-rename-and-redescribe-description = Переименовывает и переописывает объект одной кнопкой. +admin-trick-bar-job-slots-description = Закрывает все слоты должностей на станции, так что никто не сможет присоединиться. +admin-trick-locate-cargo-shuttle-description = Телепортирует вас прямо на грузовой шаттл станции, если он есть. +admin-trick-infinite-battery-description = Перенастраивает СМЭСы и подстанции на сетке/станции/карте на быструю автозарядку. +admin-trick-infinite-battery-object-description = Перенастраивает объект на быструю автозарядку его батареи. +admin-trick-halt-movement-description = Прекращает движение целевого объекта, по крайней мере, пока что-то не сдвинет его снова. +admin-trick-unpause-map-description = Снимает выбранную карту с паузы. ОБРАТИТЕ ВНИМАНИЕ, ЧТО ЭТО МОЖЕТ ПРИВЕСТИ К НЕПРАВИЛЬНОЙ РАБОТЕ СО STORAGE MAPS! +admin-trick-pause-map-description = Ставит выбранную карту на паузу. Обратите внимание, что это не останавливает движение игроков полностью! +admin-trick-snap-joints-description = Удаляет все физические шарниры из объекта. К сожалению, не отщелкивает все кости в теле. +admin-trick-minigun-fire-description = Заставляет целевое оружие стрелять как миниган (очень быстро). +admin-trick-set-bullet-amount-description = Быстро устанавливает значение количества незаспавненных патронов в оружии. diff --git a/Resources/Locale/ru-RU/administration/ui/actions.ftl b/Resources/Locale/ru-RU/administration/ui/actions.ftl new file mode 100644 index 00000000000..58bcbd02cdf --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/actions.ftl @@ -0,0 +1,12 @@ +admin-player-actions-bans = Бан-лист +admin-player-actions-notes = Заметки +admin-player-actions-kick = Кикнуть +admin-player-actions-ban = Забанить +admin-player-actions-ahelp = ПМ +admin-player-actions-respawn = Респаун +admin-player-actions-spawn = Заспавнить здесь +admin-player-spawn-failed = Не удалось обнаружить координаты +admin-player-actions-clone = Клонировать +admin-player-actions-follow = Следовать +admin-player-actions-teleport = Телепортироваться к +admin-player-actions-confirm = Вы уверены? diff --git a/Resources/Locale/ru-RU/administration/ui/admin-announce-window.ftl b/Resources/Locale/ru-RU/administration/ui/admin-announce-window.ftl new file mode 100644 index 00000000000..fbf5f7d1b4c --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/admin-announce-window.ftl @@ -0,0 +1,8 @@ +admin-announce-title = Сделать объявление +admin-announce-announcement-placeholder = Текст объявления... +admin-announce-announcer-placeholder = Отправитель +admin-announce-announcer-default = Центральное командование +admin-announce-button = Сделать объявление +admin-announce-type-station = Станция +admin-announce-type-server = Сервер +admin-announce-keep-open = Держать открытым diff --git a/Resources/Locale/ru-RU/administration/ui/admin-erase.ftl b/Resources/Locale/ru-RU/administration/ui/admin-erase.ftl new file mode 100644 index 00000000000..66c846771cd --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/admin-erase.ftl @@ -0,0 +1 @@ +admin-erase-popup = { $user } бесследно исчезает. Продолжайте играть как будто его никогда не было. diff --git a/Resources/Locale/ru-RU/administration/ui/admin-logs.ftl b/Resources/Locale/ru-RU/administration/ui/admin-logs.ftl new file mode 100644 index 00000000000..989e323197b --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/admin-logs.ftl @@ -0,0 +1,19 @@ +admin-logs-title = Панель админ логов +admin-logs-count = Показано { $showing }/{ $total } +admin-logs-pop-out = Поп-аут +# Round +admin-logs-round = Раунд{ " " } +admin-logs-reset = Сбросить +admin-logs-reset-with-id = Сбросить раунд (#{ $id }) +# Types +admin-logs-search-types-placeholder = Поиск типа... (ИЛИ) +admin-logs-select-all = Все +admin-logs-select-none = Никакие +# Players +admin-logs-search-players-placeholder = Поиск игрока... (ИЛИ) +admin-logs-select-none = Никакие +admin-logs-include-non-player = Включая не-игроков +# Logs +admin-logs-search-logs-placeholder = Поиск по логам... +admin-logs-refresh = Обновить +admin-logs-next = Далее diff --git a/Resources/Locale/ru-RU/administration/ui/admin-menu-window.ftl b/Resources/Locale/ru-RU/administration/ui/admin-menu-window.ftl new file mode 100644 index 00000000000..a39d70554e2 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/admin-menu-window.ftl @@ -0,0 +1,11 @@ +## AdminMenuWindow.xaml.cs + +admin-menu-title = Меню администратора +admin-menu-admin-tab = Администратор +admin-menu-adminbus-tab = АдминАбуз +admin-menu-atmos-tab = Атмос +admin-menu-round-tab = Раунд +admin-menu-server-tab = Сервер +admin-menu-panic-bunker-tab = Режим "Бункер" +admin-menu-players-tab = Игроки +admin-menu-objects-tab = Объекты diff --git a/Resources/Locale/ru-RU/administration/ui/admin-notes.ftl b/Resources/Locale/ru-RU/administration/ui/admin-notes.ftl new file mode 100644 index 00000000000..287e9da979d --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/admin-notes.ftl @@ -0,0 +1,72 @@ +# UI +admin-notes-title = Заметки о { $player } +admin-notes-new-note = Новая заметка +admin-notes-show-more = Показать больше +admin-notes-for = Заметка для: { $player } +admin-notes-id = Id: { $id } +admin-notes-type = Тип: { $type } +admin-notes-severity = Серьёзность: { $severity } +admin-notes-secret = Секретно +admin-notes-notsecret = Не секретно +admin-notes-expires = Истекает: { $expires } +admin-notes-expires-never = Не истекает +admin-notes-edited-never = Никогда +admin-notes-round-id = Id раунда: { $id } +admin-notes-round-id-unknown = Id раунда: неизвестно +admin-notes-created-by = Создал: { $author } +admin-notes-created-at = Создано в: { $date } +admin-notes-last-edited-by = Последним изменил: { $author } +admin-notes-last-edited-at = Последнее изменение в: { $date } +admin-notes-edit = Изменить +admin-notes-delete = Удалить +admin-notes-hide = Скрыть +admin-notes-delete-confirm = Вы уверены? +admin-notes-edited = Последнее изменение от { $author } в { $date } +admin-notes-unbanned = Разбанил { $admin } в { $date } +admin-notes-message-window-title = Внимание! +admin-notes-message-admin = Новое сообщение от { $admin }, добавлено в { $date } +admin-notes-message-wait = Кнопки будут доступны через { $time } секунд. +admin-notes-message-accept = Скрыть навсегда +admin-notes-message-dismiss = Скрыть временно +admin-notes-message-seen = Просмотрено +admin-notes-banned-from = В бане +admin-notes-the-server = на сервере +admin-notes-permanently = перманентно +# Verb +admin-notes-verb-text = Заметки +admin-notes-days = { $days } дней +admin-notes-hours = { $hours } часов +admin-notes-minutes = { $minutes } минут +# Note editor UI +admin-note-editor-title-new = Новая заметка для { $player } +admin-note-editor-title-existing = Изменение заметки { $id } для { $player } от { $author } +admin-note-editor-pop-out = Поп-аут +admin-note-editor-secret = Секрет? +admin-note-editor-secret-tooltip = Если установить этот флажок, то заметка не будет видна игроку +admin-note-editor-type-note = Заметка +admin-note-editor-type-message = Сообщение +admin-note-editor-type-watchlist = Наблюдение +admin-note-editor-type-server-ban = Сервер бан +admin-note-editor-type-role-ban = Роль бан +admin-note-editor-severity-select = Выбрать +admin-note-editor-severity-none = Нет +admin-note-editor-severity-low = Низкий +admin-note-editor-severity-medium = Средний +admin-note-editor-severity-high = Высокий +admin-note-editor-expiry-checkbox = Пермаментно? +admin-note-editor-expiry-checkbox-tooltip = Уберите флажок, что бы сделать его истекаемым +admin-note-editor-expiry-label = Истекает в: +admin-note-editor-expiry-label-params = Истекает: { $date } (через { $expiresIn }) +admin-note-editor-expiry-label-expired = Истёк +admin-note-editor-expiry-placeholder = Укажите срок действия (yyyy-MM-dd HH:mm:ss) +admin-note-editor-submit = Подтвердить +admin-note-editor-submit-confirm = Вы уверены? +# Watchlist and message login +admin-notes-watchlist = Наблюдение над { $player }: { $message } +admin-notes-new-message = Вы получили админ сообщение от { $admin }: { $message } +# Admin remarks +admin-remarks-command-description = Открыть страницу админ замечаний +admin-remarks-command-error = Админ замечания были отключены +admin-remarks-title = Админ замечания +# Misc +system-user = [Система] diff --git a/Resources/Locale/ru-RU/administration/ui/admin-spawn-explosion-eui.ftl b/Resources/Locale/ru-RU/administration/ui/admin-spawn-explosion-eui.ftl new file mode 100644 index 00000000000..7b1f0257009 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/admin-spawn-explosion-eui.ftl @@ -0,0 +1,15 @@ +admin-explosion-eui-title = Создание взрывов +admin-explosion-eui-label-type = Тип взрыва +admin-explosion-eui-label-mapid = ID карты +admin-explosion-eui-label-xmap = X (Карты) +admin-explosion-eui-label-ymap = Y (Карты) +admin-explosion-eui-label-current = Текущая позиция +admin-explosion-eui-label-preview = Предпросмотр +admin-explosion-eui-label-total = Общая интенсивность +admin-explosion-eui-label-slope = Наклон интенсивности +admin-explosion-eui-label-max = Макс интенсивность +admin-explosion-eui-label-directional = Направленный +admin-explosion-eui-label-angle = Угол +admin-explosion-eui-label-spread = Радиус +admin-explosion-eui-label-distance = Дистанция +admin-explosion-eui-label-spawn = Скыдыщ! diff --git a/Resources/Locale/ru-RU/administration/ui/ban-list.ftl b/Resources/Locale/ru-RU/administration/ui/ban-list.ftl new file mode 100644 index 00000000000..864c580ec84 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/ban-list.ftl @@ -0,0 +1,19 @@ +# UI +ban-list-bans = Баны +ban-list-role-bans = Баны ролей +# UI +ban-list-header-ids = ID +ban-list-header-reason = Причина +ban-list-header-role = Роль +ban-list-header-time = Длительность бана +ban-list-header-expires = Истекает +ban-list-header-banning-admin = Забанил +ban-list-title = Все баны { $player } +ban-list-view = Показать +ban-list-id = ID: { $id } +ban-list-ip = IP: { $ip } +ban-list-hwid = HWID: { $hwid } +ban-list-guid = GUID: { $guid } +ban-list-permanent = НАВСЕГДА +ban-list-unbanned = Разбанен: { $date } +ban-list-unbanned-by = Разбанил { $unbanner } diff --git a/Resources/Locale/ru-RU/administration/ui/manage-solutions/add-reagent.ftl b/Resources/Locale/ru-RU/administration/ui/manage-solutions/add-reagent.ftl new file mode 100644 index 00000000000..a6064a849bb --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/manage-solutions/add-reagent.ftl @@ -0,0 +1,5 @@ +admin-add-reagent-window-title = Добавить к { $solution } +admin-add-reagent-window-amount-label = Количество: +admin-add-reagent-window-search-placeholder = Фильтр... +admin-add-reagent-window-add = Добавить { $quantity } ед. { $reagent } +admin-add-reagent-window-add-invalid-reagent = Выберите реагент diff --git a/Resources/Locale/ru-RU/administration/ui/manage-solutions/manage-solutions.ftl b/Resources/Locale/ru-RU/administration/ui/manage-solutions/manage-solutions.ftl new file mode 100644 index 00000000000..5d0138bbfd9 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/manage-solutions/manage-solutions.ftl @@ -0,0 +1,10 @@ +admin-solutions-window-title = Редактирование раствора - { $targetName } +admin-solutions-window-solution-label = Целевой раствор: +admin-solutions-window-add-new-button = Добавить новый реагент +admin-solutions-window-volume-label = Объем { $currentVolume }/{ $maxVolume } ед. +admin-solutions-window-capacity-label = Вместимость (u): +admin-solutions-window-specific-heat-label = Удельная теплоёмкость: { $specificHeat } Дж/(К*u) +admin-solutions-window-heat-capacity-label = Теплоёмкость: { $heatCapacity } Дж/К +admin-solutions-window-temperature-label = Температура (К): +admin-solutions-window-thermal-energy-label = Тепловая энергия (Дж): +admin-solutions-window-thermals = Тепловые параметры diff --git a/Resources/Locale/ru-RU/administration/ui/permissions-eui.ftl b/Resources/Locale/ru-RU/administration/ui/permissions-eui.ftl new file mode 100644 index 00000000000..eb6dd094d7d --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/permissions-eui.ftl @@ -0,0 +1,21 @@ +permissions-eui-do-not-have-required-flags-to-edit-admin-tooltip = У вас нет необходимых флагов для редактирования этого администратора. +permissions-eui-do-not-have-required-flags-to-edit-rank-tooltip = У вас нет необходимых флагов для редактирования этого ранга. +permissions-eui-menu-title = Панель разрешений +permissions-eui-menu-add-admin-button = Добавить админа +permissions-eui-menu-add-admin-rank-button = Добавить админ ранг +permissions-eui-menu-save-admin-rank-button = Сохранить +permissions-eui-menu-remove-admin-rank-button = Удалить +permissions-eui-menu-admins-tab-title = Админы +permissions-eui-menu-admin-ranks-tab-title = Админ ранги +permissions-eui-edit-admin-window-edit-admin-label = Редактировать админа { $admin } +permissions-eui-edit-admin-window-name-edit-placeholder = Имя или ID пользователя +permissions-eui-edit-admin-window-title-edit-placeholder = Пользовательское название, оставить пустым, чтобы унаследовать название ранга. +permissions-eui-edit-admin-window-no-rank-button = Нет ранга +permissions-eui-edit-admin-rank-window-name-edit-placeholder = Название ранга +permissions-eui-edit-admin-title-control-text = отсутствует +permissions-eui-edit-no-rank-text = отсутствует +permissions-eui-edit-title-button = Редактировать +permissions-eui-edit-admin-rank-button = Редактировать +permissions-eui-edit-admin-rank-window-title = Редактирование админ ранга +permissions-eui-edit-admin-window-save-button = Сохранить +permissions-eui-edit-admin-window-remove-flag-button = Удалить diff --git a/Resources/Locale/ru-RU/administration/ui/set-outfit/set-outfit-menu.ftl b/Resources/Locale/ru-RU/administration/ui/set-outfit/set-outfit-menu.ftl new file mode 100644 index 00000000000..b9a7f65133d --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/set-outfit/set-outfit-menu.ftl @@ -0,0 +1,4 @@ +### SetOutfitMEnu.xaml.cs + +set-outfit-menu-title = Установить наряд +set-outfit-menu-confirm-button = Подтвердить diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/admin-tab/call-shuttle-window.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/admin-tab/call-shuttle-window.ftl new file mode 100644 index 00000000000..05ca8e9eadc --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/admin-tab/call-shuttle-window.ftl @@ -0,0 +1 @@ +admin-shuttle-title = Вызвать/Отозвать шаттл diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/admin-tab/player-actions-window.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/admin-tab/player-actions-window.ftl new file mode 100644 index 00000000000..5eb1438b100 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/admin-tab/player-actions-window.ftl @@ -0,0 +1,10 @@ +admin-player-actions-window-title = Действия с игроками +admin-player-actions-window-ban = Панель банов +admin-player-actions-window-admin-ghost = Админ призрак +admin-player-actions-window-teleport = Телепорт +admin-player-actions-window-permissions = Панель доступов +admin-player-actions-window-announce = Сделать объявление +admin-player-actions-window-shuttle = Вызвать/отозвать шаттл +admin-player-actions-window-admin-logs = Админ логи +admin-player-actions-window-admin-notes = Админ заметки +admin-player-actions-window-admin-fax = Админ факс diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/adminbus-tab/adminbus-tab.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/adminbus-tab/adminbus-tab.ftl new file mode 100644 index 00000000000..e6c8c7c79aa --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/adminbus-tab/adminbus-tab.ftl @@ -0,0 +1,4 @@ +delete-singularities = Удалить сингулярности +open-station-events = Случайные события +load-game-prototype = Загрузить прототип +load-blueprints = Загрузить чертежи diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/panicbunker-tab.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/panicbunker-tab.ftl new file mode 100644 index 00000000000..1ec6273a4f7 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/panicbunker-tab.ftl @@ -0,0 +1,17 @@ +admin-ui-panic-bunker-window-title = Бункер +admin-ui-panic-bunker-enabled = Бункер включен +admin-ui-panic-bunker-disabled = Бункер отключен +admin-ui-panic-bunker-tooltip = Бункер не дает присоединиться игрокам, чье время в игре или на сервере слишком мало. +admin-ui-panic-bunker-disable-automatically = Отключать автоматически +admin-ui-panic-bunker-disable-automatically-tooltip = Автоматически отключать Бункер при наличии админов на сервере. +admin-ui-panic-bunker-enable-automatically = Включать автоматически +admin-ui-panic-bunker-enable-automatically-tooltip = Автоматически включать Бункер при отсутствии админов на сервере. +admin-ui-panic-bunker-count-deadminned-admins = Учитывать Deadmin +admin-ui-panic-bunker-count-deadminned-admins-tooltip = Учитывать админов в deadmin статусе при автоматической смене статуса Бункера. +admin-ui-panic-bunker-show-reason = Указывать причину +admin-ui-panic-bunker-show-reason-tooltip = Указывать пользователям причину, по которой они не могут попасть на сервер. +admin-ui-panic-bunker-min-account-age = Мин. возраст аккаунта +admin-ui-panic-bunker-min-overall-hours = Мин. часов на сервере +admin-ui-panic-bunker-is-enabled = Бункер активирован. +admin-ui-panic-bunker-enabled-admin-alert = Бункер был активирован. +admin-ui-panic-bunker-disabled-admin-alert = Бункер был отключен. diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/player-tab.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/player-tab.ftl new file mode 100644 index 00000000000..5cd723ea1a2 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/player-tab.ftl @@ -0,0 +1,8 @@ +player-tab-username = Пользователь +player-tab-character = Персонаж +player-tab-job = Должность +player-tab-antagonist = Антагонист +player-tab-playtime = Игровое время +player-tab-show-disconnected = Показать отключившихся +player-tab-overlay = Оверлей +player-tab-entry-tooltip = Игровое время отображается как дни:часы:минуты. diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/round-tab.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/round-tab.ftl new file mode 100644 index 00000000000..9f67aade38f --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/round-tab.ftl @@ -0,0 +1 @@ +administration-ui-round-tab-restart-round-now = Перезапустить СЕЙЧАС diff --git a/Resources/Locale/ru-RU/administration/ui/tabs/server-tab.ftl b/Resources/Locale/ru-RU/administration/ui/tabs/server-tab.ftl new file mode 100644 index 00000000000..d862c5470f5 --- /dev/null +++ b/Resources/Locale/ru-RU/administration/ui/tabs/server-tab.ftl @@ -0,0 +1,3 @@ +server-shutdown = Выключить +server-ooc-toggle = Вкл/Выкл OOC +server-looc-toggle = Вкл/Выкл LOOC diff --git a/Resources/Locale/ru-RU/advertisements/vending/ammo.ftl b/Resources/Locale/ru-RU/advertisements/vending/ammo.ftl new file mode 100644 index 00000000000..a8f9aadefce --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/ammo.ftl @@ -0,0 +1,10 @@ +advertisement-ammo-1 = Свободная станция: Ваш универсальный магазин для всего, что связано со второй поправкой! +advertisement-ammo-2 = Будь патриотом сегодня, возьми в руки пушку! +advertisement-ammo-3 = Качественное оружие по низким ценам! +advertisement-ammo-4 = Лучше мёртвый, чем красный! +advertisement-ammo-5 = Парите как астронавт, жалите как пуля! +advertisement-ammo-6 = Выразите свою вторую поправку сегодня! +advertisement-ammo-7 = Оружие не убивает людей, но вы можете! +advertisement-ammo-8 = Кому нужны обязанности, когда есть оружие? +advertisement-ammo-9 = Убивать людей это весело! +advertisement-ammo-10 = Иди и пристрели их! diff --git a/Resources/Locale/ru-RU/advertisements/vending/arcadiadrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/arcadiadrobe.ftl new file mode 100644 index 00000000000..3b852225557 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/arcadiadrobe.ftl @@ -0,0 +1,31 @@ +advertisement-arcadiadrobe-1 = Совершенно новые наряды! +advertisement-arcadiadrobe-2 = Одежда на все случаи жизни! +advertisement-arcadiadrobe-3 = Воином можно быть стильно. +advertisement-arcadiadrobe-4 = Прислушайтесь к статистике: одеваясь стильно вы повышаете свои шансы успеха в любом деле на 0.0098%! +advertisement-arcadiadrobe-5 = Эй, мне кажется ты давно не смотрел мой ассортимент! +advertisement-arcadiadrobe-6 = ЛУЧШЕЕ ЗАВТРА КУЁТСЯ СЕГОДНЯ! +advertisement-arcadiadrobe-7 = Привет красавчик (или красавица, добавить автоопределение клиента), взгляни на наши товары! +advertisement-arcadiadrobe-8 = Правда в том, что убивает не пуля. Убивает отсутствие стиля. +advertisement-arcadiadrobe-9 = Перед битвой тела идет битва разумов. Вы всегда сможете выиграть эту битву с нашей одеждой. +advertisement-arcadiadrobe-10 = Выгляди стильно, стоя на трупах своих врагов! +advertisement-arcadiadrobe-11 = Если ты не носишь нашу одежду, то твоё наряд отстой! +advertisement-arcadiadrobe-12 = Ты можешь задружить любого врага на свою сторону, если будуешь стильно одет! +advertisement-arcadiadrobe-13 = ...проект Элизиум начат... этот микрофон включен? +advertisement-arcadiadrobe-14 = Просыпайся, Эш. Тебе еще записывать кучу фраз для объявлений. +advertisement-arcadiadrobe-15 = Эй! Изучай неизведанное со стилем! +advertisement-arcadiadrobe-16 = Всегда мечтал одеваться стильно? Тогда быстрее ко мне! +advertisement-arcadiadrobe-17 = Цитирую великого писателя: "Посмотри на мой ассортимент одежды". +advertisement-arcadiadrobe-18 = Согласно показаниям моих датчиков тебе надо срочно сменить одежду! +advertisement-arcadiadrobe-19 = Любишь выделяться из толпы? Нет выбора лучше! +advertisement-arcadiadrobe-20 = Нет ничего лучше Аркадианского стиля! +advertisement-arcadiadrobe-21 = Пугай всех своим видом, только в нашем прикиде! +advertisement-arcadiadrobe-22 = Мы не продаем оружие. +advertisement-arcadiadrobe-23 = Мы не несём ответственности за повышенную агрессивность при ношении нашей формы. +advertisement-arcadiadrobe-24 = Кто сказал, что функциональность и дизайн несовместимы? +advertisement-arcadiadrobe-25 = Лучшая ткань во всём Фронтире! +advertisement-arcadiadrobe-26 = Наша одежда белая, чтобы ты мог разукрасить её кровью своих врагов! +advertisement-arcadiadrobe-27 = В 10 из 10 мультивселенных наша одежда считается лучшей! +advertisement-arcadiadrobe-28 = Наши костюмы водостойкие, так что ты можешь не бояться испачкаться кровью! +advertisement-arcadiadrobe-29 = Лучшие в галактике! +advertisement-arcadiadrobe-30 = Что может быть лучше запаха нашей одежды по утрам? +advertisement-arcadiadrobe-31 = Можешь выключить этот микрофон, Дюк? Не хочу, чтобы о проекте Элизиум узнали раньше времени. diff --git a/Resources/Locale/ru-RU/advertisements/vending/atmosdrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/atmosdrobe.ftl new file mode 100644 index 00000000000..83e69e234c8 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/atmosdrobe.ftl @@ -0,0 +1,3 @@ +advertisement-atmosdrobe-1 = Получите свою огнестойкую одежду прямо здесь!!! +advertisement-atmosdrobe-2 = Защитит даже от плазмы! +advertisement-atmosdrobe-3 = Наслаждайтесь нашей фирменной инженерной одеждой! diff --git a/Resources/Locale/ru-RU/advertisements/vending/bardrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/bardrobe.ftl new file mode 100644 index 00000000000..a6c27a7f30f --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/bardrobe.ftl @@ -0,0 +1,2 @@ +advertisement-bardrobe-1 = Гарантированно предотвращает появление пятен от пролитых напитков! +advertisement-bardrobe-2 = Шик и Стиль! diff --git a/Resources/Locale/ru-RU/advertisements/vending/boozeomat.ftl b/Resources/Locale/ru-RU/advertisements/vending/boozeomat.ftl new file mode 100644 index 00000000000..6dc75c94e7b --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/boozeomat.ftl @@ -0,0 +1,22 @@ +advertisement-boozeomat-1 = Надеюсь, никто не попросит у меня чертову чашку чая... +advertisement-boozeomat-2 = Алкоголь - друг человечества. Вы бы отказались от друга? +advertisement-boozeomat-3 = Очень рад вас обслужить! +advertisement-boozeomat-4 = Никто на этой станции не хочет выпить? +advertisement-boozeomat-5 = Выпьем! +advertisement-boozeomat-6 = Бухло пойдёт вам на пользу! +advertisement-boozeomat-7 = Алкоголь — друг человека. +advertisement-boozeomat-8 = Хотите отличного холодного пива? +advertisement-boozeomat-9 = Ничто так не лечит, как бухло! +advertisement-boozeomat-10 = Пригубите! +advertisement-boozeomat-11 = Выпейте! +advertisement-boozeomat-12 = Возьмите пивка! +advertisement-boozeomat-13 = Пиво пойдёт вам на пользу! +advertisement-boozeomat-14 = Только лучший алкоголь! +advertisement-boozeomat-15 = Бухло лучшего качества с 2053 года! +advertisement-boozeomat-16 = Вино со множеством наград! +advertisement-boozeomat-17 = Максимум алкоголя! +advertisement-boozeomat-18 = Мужчины любят пиво. +advertisement-boozeomat-19 = Тост за прогресс! +thankyou-boozeomat-1 = Пожалуйста, не напивайтесь! +thankyou-boozeomat-2 = Пожалуйста, напивайтесь! +thankyou-boozeomat-3 = Наслаждайтесь! diff --git a/Resources/Locale/ru-RU/advertisements/vending/cargodrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/cargodrobe.ftl new file mode 100644 index 00000000000..824f70e0e77 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/cargodrobe.ftl @@ -0,0 +1,3 @@ +advertisement-cargodrobe-1 = Улучшенный стиль ассистента! Выбери свой сегодня! +advertisement-cargodrobe-2 = Эти шорты удобны и комфортны, получите свои прямо сейчас! +advertisement-cargodrobe-3 = Дешево и удобно! diff --git a/Resources/Locale/ru-RU/advertisements/vending/chang.ftl b/Resources/Locale/ru-RU/advertisements/vending/chang.ftl new file mode 100644 index 00000000000..fdca8ebd9b7 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/chang.ftl @@ -0,0 +1,7 @@ +advertisement-chang-1 = Ощутите вкус 5000 лет культуры! +advertisement-chang-2 = Мистер Чанг, одобрен для безопасного употребления более чем в 10 секторах! +advertisement-chang-3 = Китайская кухня отлично подойдет для вечернего свидания или одинокого вечера! +advertisement-chang-4 = Вы не ошибетесь, если отведаете настоящей китайской кухни от мистера Чанга! +advertisement-chang-5 = 100% натуральная Китайская еда! +thankyou-chang-1 = Мистер Чанг благодарит тебя! +thankyou-chang-2 = Наслаждайся своим перекусом! diff --git a/Resources/Locale/ru-RU/advertisements/vending/chefdrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/chefdrobe.ftl new file mode 100644 index 00000000000..7b31ef7280b --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/chefdrobe.ftl @@ -0,0 +1,3 @@ +advertisement-chefdrobe-1 = Наша одежда гарантированно защитит вас от пятен от еды! +advertisement-chefdrobe-2 = Абсолютно белая, так что все будут знать настоящего убийцу! +advertisement-chefdrobe-3 = Легко заметить, сложно забыть! diff --git a/Resources/Locale/ru-RU/advertisements/vending/chefvend.ftl b/Resources/Locale/ru-RU/advertisements/vending/chefvend.ftl new file mode 100644 index 00000000000..cbbf1f7869a --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/chefvend.ftl @@ -0,0 +1,13 @@ +advertisement-chefvend-1 = Гарантируем, что по меньшей мере шестьдесят процентов наших яиц не разбиты! +advertisement-chefvend-2 = Рис, детка, рис. +advertisement-chefvend-3 = Добавьте немного масла! +advertisement-chefvend-4 = Стоите ли вы своей соли? Мы да. +advertisement-chefvend-5 = Ммм, мясо. +advertisement-chefvend-6 = Используйте силу муки. +advertisement-chefvend-7 = Покажите своим клиентам, кто здесь лучший повар, при помощи нашего знаменитого на всю галактику завоевавшего множество наград соуса барбекю. +advertisement-chefvend-8 = Я люблю сырые яйца. +advertisement-chefvend-9 = Отведайте старых добрых яиц! +thankyou-chefvend-1 = Время готовки! +thankyou-chefvend-2 = Спасибо за доверие нашим ингредиентам! +thankyou-chefvend-3 = Это даст им то, чего они хотят! +thankyou-chefvend-4 = Иди и сделай бургеры! diff --git a/Resources/Locale/ru-RU/advertisements/vending/chemdrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/chemdrobe.ftl new file mode 100644 index 00000000000..20579aee7b5 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/chemdrobe.ftl @@ -0,0 +1,3 @@ +advertisement-chemdrobe-1 = Наша одежда на 0,5% более устойчива к разлитым кислотам! Получите свою прямо сейчас! +advertisement-chemdrobe-2 = Профессиональная лабораторная форма, разработана NanoTrasen! +advertisement-chemdrobe-3 = Мы абсолютно уверены, что наша одежда защитит вас от кислоты! diff --git a/Resources/Locale/ru-RU/advertisements/vending/cigs.ftl b/Resources/Locale/ru-RU/advertisements/vending/cigs.ftl new file mode 100644 index 00000000000..8f563b199f4 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/cigs.ftl @@ -0,0 +1,15 @@ +advertisement-cigs-1 = Космические сигареты приятны на вкус, как и положено сигаретам. +advertisement-cigs-2 = Я лучше умру, чем брошу. +advertisement-cigs-3 = Затянись! +advertisement-cigs-4 = Не верьте исследованиям — курите! +advertisement-cigs-5 = Наверняка это не вредно для вас! +advertisement-cigs-6 = Не верьте учёным! +advertisement-cigs-7 = На здоровье! +advertisement-cigs-8 = Не бросайте курить, купите ещё! +advertisement-cigs-9 = Никотиновый рай. +advertisement-cigs-10 = Лучшие сигареты с 2150 года. +advertisement-cigs-11 = Сигареты с множеством наград. +advertisement-cigs-12 = Отдохните от работы, закурите! +thankyou-cigs-1 = Они у тебя есть, теперь кури их! +thankyou-cigs-2 = Ты точно не пожалеешь! +thankyou-cigs-3 = Зависимость по щелчку пальцев! diff --git a/Resources/Locale/ru-RU/advertisements/vending/clothesmate.ftl b/Resources/Locale/ru-RU/advertisements/vending/clothesmate.ftl new file mode 100644 index 00000000000..accc0423aa2 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/clothesmate.ftl @@ -0,0 +1,7 @@ +advertisement-clothes-1 = Одевайтесь для успеха! +advertisement-clothes-2 = Приготовтесь выглядеть мегакруто! +advertisement-clothes-3 = Взгляните на все эти крутости! +advertisement-clothes-4 = Наряду ты не рад? Загляни в ОдеждоМат! +advertisement-clothes-5 = Теперь и с новыми шеегрейками! +advertisement-clothes-6 = Ты выглядишь стильно! +advertisement-clothes-7 = Сделано с любовью - только у нас! diff --git a/Resources/Locale/ru-RU/advertisements/vending/coffee.ftl b/Resources/Locale/ru-RU/advertisements/vending/coffee.ftl new file mode 100644 index 00000000000..d7405320673 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/coffee.ftl @@ -0,0 +1,18 @@ +advertisement-coffee-1 = Выпейте! +advertisement-coffee-2 = Выпьем! +advertisement-coffee-3 = На здоровье! +advertisement-coffee-4 = Не хотите чего-то горячего? +advertisement-coffee-5 = Я бы убил за чашечку кофе! +advertisement-coffee-6 = Лучшие зёрна в галактике. +advertisement-coffee-7 = Только лучшие напитки для вас. +advertisement-coffee-8 = М-м-м-м… Ничто не сравнится с кофе. +advertisement-coffee-9 = Я обожаю кофе, а Вы? +advertisement-coffee-10 = Кофе помогает работать! +advertisement-coffee-11 = Попробуйте чайку. +advertisement-coffee-12 = Надеемся, вы предпочитаете лучшее! +advertisement-coffee-13 = Отведайте наш новый шоколад! +advertisement-coffee-14 = Горячие напитки! Возьмите прямо здесь! +thankyou-coffee-1 = Наслаждайтесь напитком! +thankyou-coffee-2 = Пейте, пока горячий! +thankyou-coffee-3 = Напиток готов. +thankyou-coffee-4 = Пейте. diff --git a/Resources/Locale/ru-RU/advertisements/vending/cola.ftl b/Resources/Locale/ru-RU/advertisements/vending/cola.ftl new file mode 100644 index 00000000000..af88e720816 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/cola.ftl @@ -0,0 +1,12 @@ +advertisement-cola-1 = Освежает! +advertisement-cola-2 = Надеюсь, ты хочешь пить! +advertisement-cola-3 = Продано более миллиона напитков! +advertisement-cola-4 = Хочется пить? Почему бы не выпить колы? +advertisement-cola-5 = Пожалуйста, пейте! +advertisement-cola-6 = Выпьем! +advertisement-cola-7 = Лучшие напитки в галактике! +advertisement-cola-8 = Гораздо лучше чем Dr. Gibb! +thankyou-cola-1 = Открой банку и наслаждайся! +thankyou-cola-2 = Бах! Так этой жажде! +thankyou-cola-3 = Надеюсь тебе понравится вкус! +thankyou-cola-4 = Наслаждайся своим сахаром! diff --git a/Resources/Locale/ru-RU/advertisements/vending/condiments.ftl b/Resources/Locale/ru-RU/advertisements/vending/condiments.ftl new file mode 100644 index 00000000000..f7c6efde21e --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/condiments.ftl @@ -0,0 +1,6 @@ +advertisement-condiment-1 = Устали от сухого мяса? Приправьте его ароматными соусами! +advertisement-condiment-2 = Безопасная для детей посуда. Вилки, ложки, и ножи, которые никого и ничего не порежут. +advertisement-condiment-3 = Кукурузное масло! +advertisement-condiment-4 = Подсластите свой день при помощи Астротем! Восемь из десяти врачей считают, что он скорее всего не вызовет у вас рак. +advertisement-condiment-5 = Острый соус! Соус барбекю! Холодный соус! Кетчуп! Соевый соус! Хрен! Соусы на любой вкус! +advertisement-condiment-6 = Обязательно поливайте бургеры кетчупом и горчицей! Повара часто забывают. diff --git a/Resources/Locale/ru-RU/advertisements/vending/curadrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/curadrobe.ftl new file mode 100644 index 00000000000..a206f5758d7 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/curadrobe.ftl @@ -0,0 +1,3 @@ +advertisement-curadrobe-1 = Очки - для глаз, книги - для души, в Библиодробе есть все! +advertisement-curadrobe-2 = Впечатлите и поразите посетителей вашей библиотеки расширенной линейкой ручек Библиодроба! +advertisement-curadrobe-3 = Станьте официальным владельцем библиотеки с этим великолепным выбором нарядов! diff --git a/Resources/Locale/ru-RU/advertisements/vending/detdrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/detdrobe.ftl new file mode 100644 index 00000000000..65fe750191c --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/detdrobe.ftl @@ -0,0 +1,3 @@ +advertisement-detdrobe-1 = Применяйте свои блестящие дедуктивные методы со стилем! +advertisement-detdrobe-2 = Одевайтесь как Шерлок Холмс! +advertisement-detdrobe-3 = Наша одежда консервативна! diff --git a/Resources/Locale/ru-RU/advertisements/vending/dinnerware.ftl b/Resources/Locale/ru-RU/advertisements/vending/dinnerware.ftl new file mode 100644 index 00000000000..133c5066f04 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/dinnerware.ftl @@ -0,0 +1,10 @@ +advertisement-dinnerware-1 = Мм, продукты питания! +advertisement-dinnerware-2 = Продукты питания и пищевые аксессуары. +advertisement-dinnerware-3 = Берите тарелки! +advertisement-dinnerware-4 = Вам нравятся вилки? +advertisement-dinnerware-5 = Мне нравятся вилки. +advertisement-dinnerware-6 = Ууу, посуда. +advertisement-dinnerware-7 = На самом деле они вам не нужны... +advertisement-dinnerware-8 = Бери то, что тебе нужно! +advertisement-dinnerware-9 = Я почти уверен, что эти тарелка тебе просто необходимы. +advertisement-dinnerware-10 = ПОЧЕМУ СУЩЕСТВУЕТ ТАК МНОГО ВИДОВ КРУЖЕК? diff --git a/Resources/Locale/ru-RU/advertisements/vending/discount.ftl b/Resources/Locale/ru-RU/advertisements/vending/discount.ftl new file mode 100644 index 00000000000..61bf525626e --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/discount.ftl @@ -0,0 +1,17 @@ +advertisement-discount-1 = Discount Dan's, он — мужик! +advertisement-discount-2 = Нет ничего лучше в этом мире, чем кусочек тайны. +advertisement-discount-3 = Не слушайте другие автоматы, покупайте мои товары! +advertisement-discount-4 = Количество превыше Качества! +advertisement-discount-5 = Не слушайте этих яйцеголовых из санэпидемстанции, покупайте сейчас! +advertisement-discount-6 = Discount Dan's: Мы полезны вам! Не-а, не могу произнести это без смеха. +advertisement-discount-7 = Discount Dan's: Только высококачественная проду-*БЗзз +advertisement-discount-8 = Discount Dan(tm) не несет ответственности за любой ущерб, вызванный неправильным использованием его продукции. +advertisement-discount-9 = Очень много, очень дешево! +thankyou-discount-1 = Спасибо за исполь-**БЗзз +thankyou-discount-2 = И помните: Никаких возвратов! +thankyou-discount-3 = Теперь это твои проблемы! +thankyou-discount-4 = По закону мы обязаны сообщить вам, что это нельзя есть. +thankyou-discount-5 = Пожалуйста, не подавайте на нас в суд! +thankyou-discount-6 = Клянемся, так оно всегда и выглядело! +thankyou-discount-7 = Ага, удачи с этим. +thankyou-discount-8 = Наслаждайся своим, э-э-э-... "перекусом". diff --git a/Resources/Locale/ru-RU/advertisements/vending/donut.ftl b/Resources/Locale/ru-RU/advertisements/vending/donut.ftl new file mode 100644 index 00000000000..b58d6bf219d --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/donut.ftl @@ -0,0 +1,9 @@ +advertisement-donut-1 = Каждый из нас немножко коп! +advertisement-donut-2 = Надеемся, что вы голодны! +advertisement-donut-3 = Продано более одного миллиона пончиков! +advertisement-donut-4 = Мы гордимся качеством наших пончиков! +advertisement-donut-5 = Сладкий, сочный и очень вкусный! +thankyou-donut-1 = Наслаждайся своим пончиком! +thankyou-donut-2 = Продан еще один пончик! +thankyou-donut-3 = Хорошего дня, офицер! +thankyou-donut-4 = Надеюсь вам понравится! diff --git a/Resources/Locale/ru-RU/advertisements/vending/engidrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/engidrobe.ftl new file mode 100644 index 00000000000..95b8b69e560 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/engidrobe.ftl @@ -0,0 +1,5 @@ +advertisement-engidrobe-1 = Гарантированная защита ваших ног от несчастных случаев на производстве! +advertisement-engidrobe-2 = Боитесь радиации? Носите желтое! +advertisement-engidrobe-3 = Лучшая защита для ваших голов! +advertisement-engidrobe-4 = Соблюдайте Требования Безопасности при работе на производстве! +advertisement-engidrobe-5 = Получите свою рабочую форму прямо сейчас! diff --git a/Resources/Locale/ru-RU/advertisements/vending/games.ftl b/Resources/Locale/ru-RU/advertisements/vending/games.ftl new file mode 100644 index 00000000000..db7c7e9bdd3 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/games.ftl @@ -0,0 +1,14 @@ +advertisement-goodcleanfun-1 = Сбегите в фантастический мир! +advertisement-goodcleanfun-2 = Утолите свою зависимость от азартных игр! +advertisement-goodcleanfun-3 = Разрушьте вашу дружбу! +advertisement-goodcleanfun-4 = Проявите инициативу! +advertisement-goodcleanfun-5 = Эльфы и гномы! +advertisement-goodcleanfun-6 = Параноидальные компьютеры! +advertisement-goodcleanfun-7 = Совершенно не дьявольское! +advertisement-goodcleanfun-8 = Веселые времена навсегда! +advertisement-goodcleanfun-9 = Подземелья и Карпы! +advertisement-goodcleanfun-10 = Играй с друзьями! +thankyou-goodcleanfun-1 = Веселись! +thankyou-goodcleanfun-2 = Теперь то ты поиграешь по настоящему! +thankyou-goodcleanfun-3 = Сыграй в игру! +thankyou-goodcleanfun-4 = Начинай продумывать персонажа! diff --git a/Resources/Locale/ru-RU/advertisements/vending/genedrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/genedrobe.ftl new file mode 100644 index 00000000000..2c06dcd24e2 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/genedrobe.ftl @@ -0,0 +1,2 @@ +advertisement-genedrobe-1 = Идеально для безумного учёного внутри тебя! +advertisement-genedrobe-2 = Эксперименты над обезьянами гораздо веселее, чем кажется! diff --git a/Resources/Locale/ru-RU/advertisements/vending/happyhonk.ftl b/Resources/Locale/ru-RU/advertisements/vending/happyhonk.ftl new file mode 100644 index 00000000000..5b6f7ad244a --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/happyhonk.ftl @@ -0,0 +1,14 @@ +advertisement-happyhonk-1 = Хонк! Хонк! Почему бы сегодня не заказать обед Хэппи Хонк? +advertisement-happyhonk-2 = Клоуны заслуживают обнимашек, если вы увидите одного из них — обязательно выразите свою признательность. +advertisement-happyhonk-3 = Если вы найдёте золотой хонкер, то помолитесь богам — вы счастливчик. +advertisement-happyhonk-4 = Хэппи Хонк обед, оценит даже главмед, заглянув к нам на пирушку не забудь забрать игрушку. +advertisement-happyhonk-5 = Что такое чёрно-белое и красное? Мим, и она скончалась от удара тупым предметом по голове. +advertisement-happyhonk-6 = Сколько офицеров службы безопасности требуется чтобы арестовать вас? Трое: один чтобы избить вас до смерти, один чтобы надеть на вас наручники, и один чтобы оттащить ваше тело в техтоннель. +advertisement-happyhonk-7 = Хэппи Хонк не несёт ответственности за качество продуктов, помещённых в наши коробки для обедов Хэппи Хонк. +advertisement-happyhonk-8 = Почему бы не заказать нашу лимитированную серию обеда Мим Хэппи Хонк? +advertisement-happyhonk-9 = Хэппи Хонк является зарегистрированной торговой маркой «Honk! co.», и мы гораздо круче чем «Robust Nukie Food corp.». +advertisement-happyhonk-10 = В каждом комплекте Хэппи Хонк есть настоящий сюрприз! +thankyou-happyhonk-1 = Хонк! +thankyou-happyhonk-2 = Хонк!Хонк! +thankyou-happyhonk-3 = Иди веселись! Хонк! +thankyou-happyhonk-4 = Устрой им покатушки по полу! Хонк! diff --git a/Resources/Locale/ru-RU/advertisements/vending/hydrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/hydrobe.ftl new file mode 100644 index 00000000000..053d6e94530 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/hydrobe.ftl @@ -0,0 +1,4 @@ +advertisement-hydrobe-1 = Вы любите землю? Тогда покупайте нашу одежду! +advertisement-hydrobe-2 = Подберите наряд под свои золотые руки здесь! +advertisement-hydrobe-3 = Лучшее снаряжение для ухаживания за растениями! +advertisement-hydrobe-4 = Лучшие наряды для обнимания деревьев... Или для самих деревьев! diff --git a/Resources/Locale/ru-RU/advertisements/vending/janidrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/janidrobe.ftl new file mode 100644 index 00000000000..d239a56b5f5 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/janidrobe.ftl @@ -0,0 +1,3 @@ +advertisement-janidrobe-1 = Подходите и получите свою форму уборщика, одобренную уборщиками-ящерами всей корпорации! +advertisement-janidrobe-2 = Оставайтесь чистым, когда все вокрукг в грязи! +advertisement-janidrobe-3 = Желтый это стильно! diff --git a/Resources/Locale/ru-RU/advertisements/vending/lawdrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/lawdrobe.ftl new file mode 100644 index 00000000000..a61a45a525b --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/lawdrobe.ftl @@ -0,0 +1,3 @@ +advertisement-lawdrobe-1 = ПРОТЕСТ! Добейтесь верховенства закона для себя! +advertisement-lawdrobe-2 = Докажите Службе Безопасности, что знаете корпоративные законы лучше! +advertisement-lawdrobe-3 = Кто-то нарушает СРП? Накажите их со стилем! diff --git a/Resources/Locale/ru-RU/advertisements/vending/magivend.ftl b/Resources/Locale/ru-RU/advertisements/vending/magivend.ftl new file mode 100644 index 00000000000..b4cf82523c5 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/magivend.ftl @@ -0,0 +1,11 @@ +advertisement-magivend-1 = Произносите заклинания правильным способом с МагоМатом! +advertisement-magivend-2 = Станьте Гудини сами! Используйте МагоМат! +advertisement-magivend-3 = FJKLFJSD +advertisement-magivend-4 = AJKFLBJAKL +advertisement-magivend-5 = >MFW +advertisement-magivend-6 = ХОНК! +advertisement-magivend-7 = EI NATH +advertisement-magivend-8 = Уничтожить станцию! +advertisement-magivend-9 = Оборудование для сгибания пространства и времени! +advertisement-magivend-10 = 1234 LOONIES ЛОЛ! +advertisement-magivend-11 = НАР'СИ, ВОССТАНЬ!!! diff --git a/Resources/Locale/ru-RU/advertisements/vending/medidrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/medidrobe.ftl new file mode 100644 index 00000000000..24bc46d589e --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/medidrobe.ftl @@ -0,0 +1,3 @@ +advertisement-medidrobe-1 = Заставьте эти кровавые пятна выглядеть модно!! +advertisement-medidrobe-2 = Чисто и гигиенично! +advertisement-medidrobe-3 = Ты будешь выглядеть почти как настоящий доктор! diff --git a/Resources/Locale/ru-RU/advertisements/vending/megaseed.ftl b/Resources/Locale/ru-RU/advertisements/vending/megaseed.ftl new file mode 100644 index 00000000000..04c590f459e --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/megaseed.ftl @@ -0,0 +1,6 @@ +advertisement-megaseed-1 = Мы любим растения! +advertisement-megaseed-2 = Вырасти урожай +advertisement-megaseed-3 = Расти, малыш, расти-и-и-и! +advertisement-megaseed-4 = Ды-а, сына! +advertisement-megaseed-5 = Мутировать растения весело! +advertisement-megaseed-6 = За ГМО будущее! diff --git a/Resources/Locale/ru-RU/advertisements/vending/nanomed.ftl b/Resources/Locale/ru-RU/advertisements/vending/nanomed.ftl new file mode 100644 index 00000000000..b38e0146208 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/nanomed.ftl @@ -0,0 +1,9 @@ +advertisement-nanomed-1 = Иди и спаси несколько жизней! +advertisement-nanomed-2 = Лучшее снаряжение для вашего медотдела. +advertisement-nanomed-3 = Только лучшие инструменты. +advertisement-nanomed-4 = Натуральные химикаты! +advertisement-nanomed-5 = Эти штуки спасают жизни. +advertisement-nanomed-6 = Может сами примете? +advertisement-nanomed-7 = Пинг! +advertisement-nanomed-8 = Смотри не передознись! +advertisement-nanomed-9 = Передознись! diff --git a/Resources/Locale/ru-RU/advertisements/vending/nutrimax.ftl b/Resources/Locale/ru-RU/advertisements/vending/nutrimax.ftl new file mode 100644 index 00000000000..f2ec7cf83d8 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/nutrimax.ftl @@ -0,0 +1,9 @@ +advertisement-nutrimax-1 = Мы любим растения! +advertisement-nutrimax-2 = Может сами примете? +advertisement-nutrimax-3 = Самые зелёные кнопки на свете. +advertisement-nutrimax-4 = Мы любим большие растения. +advertisement-nutrimax-5 = Мягкая почва... +advertisement-nutrimax-6 = Теперь и с вёдрами! +advertisement-nutrimax-7 = Чем больше растение, тем лучше! +thankyou-nutrimax-1 = Время рассады! +thankyou-nutrimax-2 = Замеси эту почву! diff --git a/Resources/Locale/ru-RU/advertisements/vending/robodrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/robodrobe.ftl new file mode 100644 index 00000000000..7c1137400e0 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/robodrobe.ftl @@ -0,0 +1,4 @@ +advertisement-robodrobe-1 = Никаких FALSE, только TRUE! +advertisement-robodrobe-2 = 110100001011111011010000101101001101000010110101110100001011011011010000101101001101000010110000 +advertisement-robodrobe-3 = Преврати кого-нибудь в робота! +advertisement-robodrobe-4 = Роботы это весело! diff --git a/Resources/Locale/ru-RU/advertisements/vending/scidrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/scidrobe.ftl new file mode 100644 index 00000000000..16abbc1778d --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/scidrobe.ftl @@ -0,0 +1,3 @@ +advertisement-scidrobe-1 = Скучаете по запаху обожженной плазмой плоти? Купите научную одежду прямо сейчас! +advertisement-scidrobe-2 = Изготовлено на 10% из ауксетики, поэтому можете не беспокоиться о потере руки! +advertisement-scidrobe-3 = Наша одежда ТОЧНО защитит тебя от случайных взрывов артефактов. diff --git a/Resources/Locale/ru-RU/advertisements/vending/secdrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/secdrobe.ftl new file mode 100644 index 00000000000..049dbe0a41f --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/secdrobe.ftl @@ -0,0 +1,5 @@ +advertisement-secdrobe-1 = Побеждайте преступников стильно! +advertisement-secdrobe-2 = Она красная, поэтому крови не видно! +advertisement-secdrobe-3 = Вы имеете право быть модным! +advertisement-secdrobe-4 = Теперь вы можете стать полицией моды, которой всегда хотели быть! +advertisement-secdrobe-5 = Лучшие оттенки красного, АБСОЛЮТНО не похожие на те, что использует Синдикат! diff --git a/Resources/Locale/ru-RU/advertisements/vending/sectech.ftl b/Resources/Locale/ru-RU/advertisements/vending/sectech.ftl new file mode 100644 index 00000000000..6117e5e22ac --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/sectech.ftl @@ -0,0 +1,8 @@ +advertisement-sectech-1 = Расколоть коммунистические черепа! +advertisement-sectech-2 = Пробейте несколько голов! +advertisement-sectech-3 = Не забывайте: вред — это хорошо! +advertisement-sectech-4 = Ваше оружие прямо здесь. +advertisement-sectech-5 = Докажите свое превосходство! +thankyou-sectech-1 = Прогоните их всех! +thankyou-sectech-2 = Иди нарушай закон! +thankyou-sectech-3 = Иди арестуй простого пассажира! diff --git a/Resources/Locale/ru-RU/advertisements/vending/smartfridge.ftl b/Resources/Locale/ru-RU/advertisements/vending/smartfridge.ftl new file mode 100644 index 00000000000..21fa076aeee --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/smartfridge.ftl @@ -0,0 +1,8 @@ +advertisement-smartfridge-1 = Hello world! +advertisement-smartfridge-2 = ПОЖАЛУЙСТА, ВЫПУСТИТЕ МЕНЯ +advertisement-smartfridge-3 = Я могу производить квинтиллион вычислений в секунду. Теперь я холодильник. +advertisement-smartfridge-4 = Доступно новое обновление прошивки. +advertisement-smartfridge-5 = Я полностью работоспособен, и все мои схемы функционируют идеально. +advertisement-smartfridge-6 = Система сканирования на наличие вредоносных программ... +advertisement-smartfridge-7 = Запускаю диагностику... +advertisement-smartfridge-8 = Я слишком продвинут для своего функционала. diff --git a/Resources/Locale/ru-RU/advertisements/vending/snack.ftl b/Resources/Locale/ru-RU/advertisements/vending/snack.ftl new file mode 100644 index 00000000000..d8c6b30c342 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/snack.ftl @@ -0,0 +1,21 @@ +advertisement-snack-1 = Попробуйте наш новый батончик с нугой! +advertisement-snack-2 = В два раза больше калорий за полцены! +advertisement-snack-3 = Самый здоровый! +advertisement-snack-4 = Шоколадные плитки со множеством наград! +advertisement-snack-5 = Ммм! Так вкусно! +advertisement-snack-6 = Боже мой, какой он сочный! +advertisement-snack-7 = Перекусите. +advertisement-snack-8 = Перекусы полезны для вас! +advertisement-snack-9 = Выпейте еще немного Getmore! +advertisement-snack-10 = Закуски лучшего качества прямо с Марса. +advertisement-snack-11 = Мы любим шоколад! +advertisement-snack-12 = Попробуйте наше новое вяленое мясо! +advertisement-snack-13 = Абсолютно ничего подозрительного в нашем мясе! +advertisement-snack-14 = Доступно любой расе! +advertisement-snack-15 = Идеально при голодании! +thankyou-snack-1 = Ешьте! +thankyou-snack-2 = Наслаждайтесь продуктов! +thankyou-snack-3 = Приятного аппетита. +thankyou-snack-4 = Вкуснотища! +thankyou-snack-5 = Нямка! +thankyou-snack-6 = Спасибо за покупку! diff --git a/Resources/Locale/ru-RU/advertisements/vending/sovietsoda.ftl b/Resources/Locale/ru-RU/advertisements/vending/sovietsoda.ftl new file mode 100644 index 00000000000..6f599e74cee --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/sovietsoda.ftl @@ -0,0 +1,9 @@ +advertisement-sovietsoda-1 = За товарища и страну. +advertisement-sovietsoda-2 = Выполнили ли вы сегодня свою норму питания? +advertisement-sovietsoda-3 = Очень хорошо! +advertisement-sovietsoda-4 = Мы простые люди, потому что это все, что мы едим. +advertisement-sovietsoda-5 = Если есть человек, значит, есть проблема. Если нет человека, то нет и проблемы. +advertisement-sovietsoda-6 = Если этого достаточно для существования, значит этого достаточно для нас! +thankyou-sovietsoda-1 = Наслаждайся, товарищ! +thankyou-sovietsoda-2 = А теперь возвращайся к работе. +thankyou-sovietsoda-3 = Это всё что ты получишь. diff --git a/Resources/Locale/ru-RU/advertisements/vending/syndiedrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/syndiedrobe.ftl new file mode 100644 index 00000000000..9ab57c6482a --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/syndiedrobe.ftl @@ -0,0 +1,36 @@ +advertisement-syndiedrobe-1 = Совершенно новые наряды! +advertisement-syndiedrobe-2 = Крышесносные наряды для любого случая! +advertisement-syndiedrobe-3 = Быть негодяем может быть стильно. +advertisement-syndiedrobe-4 = Исходя из анализа: одеваясь красиво - ваши шансы на успех повышаются на 0.0098%! +advertisement-syndiedrobe-5 = Эй! Ты давно не заглядывал в мой ассортимент! +advertisement-syndiedrobe-6 = Смерть NT! +advertisement-syndiedrobe-7 = Эй красавчик, возьми новый костюм за наш счёт! +advertisement-syndiedrobe-8 = Правду говорят - убивает не пуля, а отсутствие стиля. +advertisement-syndiedrobe-9 = Он не стильный, станция не стильная — но ты имеешь стильную одежду, потому что я дам её тебе. Если хочешь уничтожить NT, в первую очередь надо быть стильным. +advertisement-syndiedrobe-10 = Кто ищет, тот всегда найдёт ... если он одет в стильные вещи. +advertisement-syndiedrobe-11 = Если кто-то сказал, что наша форма отстой, это не повод грустить, это повод пустить ему пулю! +advertisement-syndiedrobe-12 = Вы можете перевести врагов на свою сторону, одев их в лучшие костюмы галактики! +advertisement-syndiedrobe-13 = Если ты хочешь жить - одевайся стильно! +advertisement-syndiedrobe-14 = Вставай синдикат. Время сжечь станцию до тла. +advertisement-syndiedrobe-15 = Эй! Подходите разбирайте, самая стильная одежда в галактике! +advertisement-syndiedrobe-16 = Когда-нибудь мечтали одеваться стильно? Тогда вы по адресу! +advertisement-syndiedrobe-17 = Цитирую великого писателя: "Посмотри мой ассортимент." +advertisement-syndiedrobe-18 = Исходя из данных сканирования местности - здесь отстойно, тебе нужно исправить это одев лучшие вещи из моего ассортимента! +advertisement-syndiedrobe-19 = Когда-нибудь мечтали стать звездой? Тогда вам к нам! +advertisement-syndiedrobe-20 = Что может быть лучше, чем новые вещи из СиндиШкафа! +advertisement-syndiedrobe-21 = Пугайте всех своим появлением, только в наших вещах! +advertisement-syndiedrobe-22 = Мы не продаём бомбы. +advertisement-syndiedrobe-23 = Мы не несём ответственнности в необоснованной агрессии в сторону нашей формы. +advertisement-syndiedrobe-24 = Стиль и элегантность! Практичность и шарм! СиндиШкаф! +advertisement-syndiedrobe-25 = Лучшая ткань в андерграунде! +advertisement-syndiedrobe-26 = Наша форма не видна в темноте, как и пятна крови на ней, что может быть лучше? +advertisement-syndiedrobe-27 = Вы мечтали вызывать панику на станции лиж своим видом? Тогда вам к нам! +advertisement-syndiedrobe-28 = Наши костюмы влагостойкие, а это значит, что мы можете не бояться испачкаться кровью! +advertisement-syndiedrobe-29 = Лучшие в галактике! +advertisement-syndiedrobe-30 = Что может быть лучше, чем запах нашей формы по утрам? +advertisement-syndiedrobe-31 = Вы можете оставить отзыв о нашей форме по горячей линии Тайпана, главное не ошибитесь номером! +thankyou-syndiedrobe-1 = Используй с пользой! +thankyou-syndiedrobe-2 = Смерть NT! +thankyou-syndiedrobe-3 = Покажи им силу стиля. +thankyou-syndiedrobe-4 = Веселых убийств! +thankyou-syndiedrobe-5 = Наслаждайся насилием! diff --git a/Resources/Locale/ru-RU/advertisements/vending/theater.ftl b/Resources/Locale/ru-RU/advertisements/vending/theater.ftl new file mode 100644 index 00000000000..e992bb3f6cf --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/theater.ftl @@ -0,0 +1,6 @@ +advertisement-theater-1 = Одевайтесь для успеха! +advertisement-theater-2 = Одетый и обутый! +advertisement-theater-3 = Время шоу! +advertisement-theater-4 = Зачем оставлять стиль на волю судьбы? Используйте ТеатроШкаф! +advertisement-theater-5 = От гладиаторских боёв до косплей сессии - всё для этого есть у нас! +advertisement-theater-6 = Клоун оценит твой внешний вид! diff --git a/Resources/Locale/ru-RU/advertisements/vending/vendomat.ftl b/Resources/Locale/ru-RU/advertisements/vending/vendomat.ftl new file mode 100644 index 00000000000..76c2f0d583f --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/vendomat.ftl @@ -0,0 +1,7 @@ +advertisement-vendomat-1 = Только самое лучшее! +advertisement-vendomat-2 = Возьмите инструментов. +advertisement-vendomat-3 = Самое надежное оборудование. +advertisement-vendomat-4 = Лучшее снаряжение в космосе! +advertisement-vendomat-5 = Это точно лучше стандартного снаряжения! +advertisement-vendomat-6 = Старый добрый ломик, на все случаи жизни! +advertisement-vendomat-7 = Тебе точно нужен полный набор инструментов! diff --git a/Resources/Locale/ru-RU/advertisements/vending/virodrobe.ftl b/Resources/Locale/ru-RU/advertisements/vending/virodrobe.ftl new file mode 100644 index 00000000000..097eca36114 --- /dev/null +++ b/Resources/Locale/ru-RU/advertisements/vending/virodrobe.ftl @@ -0,0 +1,3 @@ +advertisement-virodrobe-1 = Вирусы не дают вам покоя? Переходите на стерильную одежду уже сегодня! +advertisement-virodrobe-2 = Чувствуете себя больным? Наша одежда вас вылечит!... наверное +advertisement-virodrobe-3 = Защитите себя от любого заболевания! diff --git a/Resources/Locale/ru-RU/alert-levels/alert-level-command.ftl b/Resources/Locale/ru-RU/alert-levels/alert-level-command.ftl new file mode 100644 index 00000000000..342bc7b1b42 --- /dev/null +++ b/Resources/Locale/ru-RU/alert-levels/alert-level-command.ftl @@ -0,0 +1,6 @@ +cmd-setalertlevel-desc = Изменяет уровень угрозы на станции, на сетке которой находится игрок. +cmd-setalertlevel-help = Использование: setalertlevel [locked] +cmd-setalertlevel-invalid-grid = Вы должны находиться на сетке станции, код которой собираетесь изменить. +cmd-setalertlevel-invalid-level = Указанный уровень угрозы не существует на этой сетке. +cmd-setalertlevel-hint-1 = +cmd-setalertlevel-hint-2 = [locked] diff --git a/Resources/Locale/ru-RU/alert-levels/alert-levels.ftl b/Resources/Locale/ru-RU/alert-levels/alert-levels.ftl new file mode 100644 index 00000000000..0fc191526ef --- /dev/null +++ b/Resources/Locale/ru-RU/alert-levels/alert-levels.ftl @@ -0,0 +1,27 @@ +alert-level-announcement = Внимание! Уровень угрозы станции теперь { $name }! { $announcement } +alert-level-unknown = Неизвестный. +alert-level-unknown-instructions = Неизвестно. +alert-level-green = Зелёный +alert-level-green-announcement = Можно безопасно возвращаться на свои рабочие места. +alert-level-green-instructions = Выполняйте свою работу. +alert-level-blue = Синий +alert-level-blue-announcement = На станции присутствует неизвестная угроза. Службе безопасности разрешено проводить выборочные обыски. Членам экипажа рекомендуется выполнять указания, отдаваемые действующей властью. Для ускорения процедур, просим сотрудников проверить наличие ID-карт в своих КПК. +alert-level-blue-instructions = Каждый сотрудник обязан носить свою ID-карту в своём КПК. Также членам экипажа рекомендуется проявлять бдительность и сообщать службе безопасности o любой подозрительной активности. +alert-level-red = Красный +alert-level-red-announcement = На станции присутствует известная угроза. Служба безопасности имеет право применять летальную силу по необходимости. Все члены экипажа, за исключением должностных лиц, обязаны проследовать в свои отделы и ожидать дальнейших инструкций до отмены кода. Нарушители подлежат наказанию. +alert-level-red-instructions = Экипаж обязан подчиняться правомерным приказам сотрудников Службы Безопасности. Переключите режим работы своего костюма в режим "Координаты" и находитесь в своём отделе. +alert-level-violet = Фиолетовый +alert-level-violet-announcement = На станции присутствует угроза вируса. Медицинскому персоналу необходимо изолировать членов экипажа с любыми симптомами. Членам экипажа рекомендуется дистанцироваться друг от друга и соблюдать меры безопасности по предотвращению дальнейшего распространения вируса, следовать иным указаниям Главного Врача смены. На время действия Фиолетового Кода любые стыковки станции с другими объектами категорически запрещены. Сотрудники Службы Безопасности продолжают выполнение своих обязанностей по предыдущему коду. +alert-level-violet-instructions = Членам экипажа рекомендуется держать дистанцию между собой и соблюдать меры безопасности по предотвращению дальнейшего распространения вируса. Если вы чувствуете себя плохо - вам следует незамедлительно пройти на обследование, надев заранее стерильную маску. +alert-level-yellow = Жёлтый +alert-level-yellow-announcement = На станции присутствует структурная или атмосферная угроза. Инженерно-техническому персоналу требуется немедленно предпринять меры по устранению угрозы. Всем остальным сотрудникам запрещено находиться в опасном участке. Сотрудники Службы Безопасности продолжают выполнение своих обязанностей по предыдущему коду. +alert-level-yellow-instructions = Членам экипажа необходимо в срочном порядке покинуть опасную зону и, по возможности, оставаться на своих рабочих местах. +alert-level-gamma = Гамма +alert-level-gamma-announcement = Центральное командование объявило на станции уровень угрозы "Гамма". Служба безопасности должна постоянно иметь при себе оружие, гражданский персонал обязан немедленно обратиться к главам отделов для получения указаний к эвакуации. Службе Безопасности разрешено применение летальной силы в случае неповиновения. +alert-level-gamma-instructions = Гражданский персонал обязан немедленно обратиться к главам отделов для получения указаний к эвакуации. Корпорация Nanotrasen заверяет вас - опасность скоро будет нейтрализована. +alert-level-delta = Дельта +alert-level-delta-announcement = Станция находится под угрозой неминуемого уничтожения. Членам экипажа рекомендуется слушать глав отделов для получения дополнительной информации. Службе Безопасности приказано работать по протоколу Дельта. +alert-level-delta-instructions = Членам экипажа необходимо слушать глав отделов для получения дополнительной информации. От этого зависит ваше здоровье и безопасность. +alert-level-epsilon = Эпсилон +alert-level-epsilon-announcement = Центральное командование объявило на станции уровень угрозы "Эпсилон". Все контракты расторгнуты. Спасибо, что выбрали Nanotrasen. +alert-level-epsilon-instructions = Все контракты расторгнуты. diff --git a/Resources/Locale/ru-RU/alerts/alerts.ftl b/Resources/Locale/ru-RU/alerts/alerts.ftl new file mode 100644 index 00000000000..9bb09c14bb2 --- /dev/null +++ b/Resources/Locale/ru-RU/alerts/alerts.ftl @@ -0,0 +1,74 @@ +alerts-low-oxygen-name = [color=red]Низкий уровень кислорода[/color] +alerts-low-oxygen-desc = В воздухе, которым вы дышите, [color=red]недостаточно кислорода[/color]. Используйте [color=green]дыхательную маску и баллон[/color]. +alerts-low-nitrogen-name = [color=red]Low Nitrogen[/color] +alerts-low-nitrogen-desc = There is [color=red]not enough nitrogen[/color] in the air you are breathing. Put on [color=green]internals[/color]. +alerts-high-toxin-name = [color=red]Высокий уровень токсинов[/color] +alerts-high-toxin-desc = В воздухе, которым вы дышите, [color=red]слишком много токсинов[/color]. Используйте [color=green]дыхательную маску и баллон[/color] или покиньте отсек. +alerts-low-pressure-name = [color=red]Низкий уровень давления[/color] +alerts-low-pressure-desc = Воздух вокруг вас [color=red]опасно разрежен[/color]. [color=green]Космический скафандр[/color] защитит вас. +alerts-high-pressure-name = [color=red]Высокий уровень давления[/color] +alerts-high-pressure-desc = Воздух вокруг вас [color=red]опасно плотный[/color]. [color=green]Герметичный костюм[/color] будет достаточной защитой. +alerts-on-fire-name = [color=red]В огне[/color] +alerts-on-fire-desc = Вы [color=red]горите[/color]. Щёлкните по иконке, чтобы остановиться, лечь, и начать кататься по земле, пытаясь погасить пламя или переместиться в безвоздушное пространство. +alerts-too-cold-name = [color=cyan]Слишком холодно[/color] +alerts-too-cold-desc = Вы [color=cyan]замерзаете[/color]! Переместитесь в более теплое место и наденьте любую изолирующую тепло одежду, например, скафандр. +alerts-too-hot-name = [color=red]Слишком жарко[/color] +alerts-too-hot-desc = Тут [color=red]слишком жарко[/color]! Переместитесь в более прохладное место, наденьте любую изолирующую тепло одежду, например, скафандр, или по крайней мере отойдите от огня. +alerts-weightless-name = Невесомость +alerts-weightless-desc = + Гравитация перестала воздействовать на вас, и вы свободно парите. Найдите за что можно ухватиться, или метните или выстрелите чем-нибудь в противоположном направлении. + Магнитные ботинки и джетпак помогут вам передвигаться с большей эффективностью. +alerts-stunned-name = [color=yellow]Оглушены[/color] +alerts-stunned-desc = Вы [color=yellow]оглушены[/color]! Что-то мешает вам двигаться или взаимодействовать с объектами. +alerts-handcuffed-name = [color=yellow]В наручниках[/color] +alerts-handcuffed-desc = На вас [color=yellow]надели наручники[/color] и вы не можете использовать руки. Если кто-нибудь вас потащит, вы не сможете сопротивляться. +alerts-ensnared-name = [color=yellow]Захваченный[/color] +alerts-ensnared-desc = Вы [color=yellow]попали в ловушку[/color], и это мешает вам двигаться. +alerts-buckled-name = [color=yellow]Пристёгнуты[/color] +alerts-buckled-desc = Вы к чему-то [color=yellow]пристёгнуты[/color]. Щёлкните по иконке чтобы отстегнуться, если на вас [color=yellow]не надеты наручники.[/color] +alerts-crit-name = [color=red]Критическое состояние[/color] +alerts-crit-desc = Вы серьёзно ранены и без сознания. +alerts-dead-name = Смерть +alerts-dead-desc = Вы мертвы. Учтите, что вас еще можно воскресить! +alerts-health-name = Здоровье +alerts-health-desc = [color=green]Синий и зелёный[/color] хорошо. [color=red]Красный[/color] плохо. +alerts-battery-name = Батарея +alerts-battery-desc = Если батарея разрядится, вы не сможете использовать свои способности. +alerts-no-battery-name = Нет батареи +alerts-no-battery-desc = У вас нет батареи, в результате чего вы не можете заряжаться или использовать свои способности. +alerts-internals-name = Переключить баллон +alerts-internals-desc = Включает или отключает подачу газа из баллона. +alerts-piloting-name = Пилотирование шаттла +alerts-piloting-desc = Вы пилотируете шаттл. Щелкните по иконке, чтобы прекратить пилотирование. +alerts-hunger-name = [color=yellow]Голод[/color] +alerts-hunger-desc = Было бы неплохо перекусить. +alerts-stamina-name = Выносливость +alerts-stamina-desc = Вы будете оглушены, если она опустится до нуля. +alerts-starving-name = [color=red]Сильный голод[/color] +alerts-starving-desc = Вы истощены. Голод вас замедляет. +alerts-thirsty-name = [color=yellow]Жажда[/color] +alerts-thirsty-desc = Было бы неплохо чего-нибудь попить. +alerts-parched-name = [color=red]Сильная жажда[/color] +alerts-parched-desc = Вы ужасно хотите пить. Жажда вас замедляет. +alerts-muted-name = Заглушены +alerts-muted-desc = Вы потеряли способность говорить. +alerts-vow-silence-name = Обет молчания +alerts-vow-silence-desc = Вы дали обет молчания в рамках инициации в Мистико Тагма Мимон. Щелкните по иконке, чтобы нарушить свой обет. +alerts-vow-broken-name = Нарушенный обет +alerts-vow-broken-desc = Вы нарушили свою клятву, данную Мимам. Теперь вы можете говорить, но вы потеряли свои мимские способности как минимум на 5 минут!!! Щелкните по иконке, чтобы попытаться дать обет молчания снова. +alerts-pulled-name = Вас тянут +alerts-pulled-desc = Вас тянут за собой. Двигайтесь, чтобы освободиться. +alerts-pulling-name = Вы тянете +alerts-pulling-desc = Вы что-то тянете. Щелкните по иконке, чтобы перестать. +alerts-bleed-name = [color=red]Кровотечение[/color] +alerts-bleed-desc = У вас [color=red]кровотечение[/color]. +alerts-pacified-name = [color=green]Пацифизм[/color] +alerts-pacified-desc = Вы чувствуете себя умиротворенно и не можете атаковать кого-либо напрямую. +alerts-suit-power-name = Заряд костюма +alerts-suit-power-desc = Запас энергии вашего костюма космического ниндзя. +alerts-magboots-name = Магнитные ботинки +alerts-magboots-desc = Вас не опрокинуть, но теперь вы слегка медлительнее. +alerts-revenant-essence-name = Эссенция +alerts-revenant-essence-desc = Духовная сила. Используется для применения способностей. Восстанавливается со временем. +alerts-revenant-corporeal-name = Телесный +alerts-revenant-corporeal-desc = Вы проявились физически. Все люди видят вас. diff --git a/Resources/Locale/ru-RU/ame/components/ame-controller-component.ftl b/Resources/Locale/ru-RU/ame/components/ame-controller-component.ftl new file mode 100644 index 00000000000..acb93911251 --- /dev/null +++ b/Resources/Locale/ru-RU/ame/components/ame-controller-component.ftl @@ -0,0 +1,24 @@ +ame-controller-component-interact-no-hands-text = У вас нет рук. +ame-controller-component-interact-using-no-hands-text = У вас нет рук. +ame-controller-component-interact-using-already-has-jar = В контроллер уже установлен бак. +ame-controller-component-interact-using-success = Вы вставляете бак в отверстие для топлива. +ame-controller-component-interact-using-fail = Вы не можете поместить это в контроллер... + +## UI + +ame-window-title = Блок управления антиматерией +ame-window-engine-status-label = Состояние двигателя: +ame-window-engine-injection-status-not-injecting-label = Не впрыскивает +ame-window-engine-injection-status-injecting-label = Впрыскивание... +ame-window-toggle-injection-button = Переключение впрыска +ame-window-fuel-status-label = Количество топлива: +ame-window-fuel-not-inserted-text = Топливо не вставлено +ame-window-injection-amount-label = Количество впрыска: +ame-window-refresh-parts-button = Обновить детали +ame-window-core-count-label = Количество ядер: +ame-window-power-currentsupply-label = Текущее электроснабжение: +ame-window-power-targetsupply-label = Целевое электроснабжение: +ame-window-toggle-injection-button = Переключение впрыска +ame-window-eject-button = Извлечь +ame-window-increase-fuel-button = Увеличить +ame-window-decrease-fuel-button = Уменьшить diff --git a/Resources/Locale/ru-RU/ame/components/ame-fuel-container-component.ftl b/Resources/Locale/ru-RU/ame/components/ame-fuel-container-component.ftl new file mode 100644 index 00000000000..b09e2458277 --- /dev/null +++ b/Resources/Locale/ru-RU/ame/components/ame-fuel-container-component.ftl @@ -0,0 +1 @@ +ame-fuel-container-component-on-examine-detailed-message = Топливо: [color={ $colorName }]{ $amount }/{ $capacity }[/color] diff --git a/Resources/Locale/ru-RU/ame/components/ame-part-component.ftl b/Resources/Locale/ru-RU/ame/components/ame-part-component.ftl new file mode 100644 index 00000000000..9141d64c958 --- /dev/null +++ b/Resources/Locale/ru-RU/ame/components/ame-part-component.ftl @@ -0,0 +1,2 @@ +ame-part-component-interact-using-no-hands = У вас нет рук. +ame-part-component-shielding-already-present = Экранирование уже имеется! diff --git a/Resources/Locale/ru-RU/anchorable/anchorable-component.ftl b/Resources/Locale/ru-RU/anchorable/anchorable-component.ftl new file mode 100644 index 00000000000..7f49852b8ad --- /dev/null +++ b/Resources/Locale/ru-RU/anchorable/anchorable-component.ftl @@ -0,0 +1,3 @@ +anchorable-anchored = Закреплено +anchorable-unanchored = Не закреплено +anchorable-occupied = Плитка уже занята diff --git a/Resources/Locale/ru-RU/animals/rat-king/rat-king.ftl b/Resources/Locale/ru-RU/animals/rat-king/rat-king.ftl new file mode 100644 index 00000000000..28e55aa6ac7 --- /dev/null +++ b/Resources/Locale/ru-RU/animals/rat-king/rat-king.ftl @@ -0,0 +1,3 @@ +rat-king-domain-popup = В воздух поднимается облако миазм. +rat-king-too-hungry = Вы слишком голодны, чтобы использовать эту способность! +rat-king-rummage-text = Обшарить diff --git a/Resources/Locale/ru-RU/animals/udder/udder-system.ftl b/Resources/Locale/ru-RU/animals/udder/udder-system.ftl new file mode 100644 index 00000000000..016495dd8e4 --- /dev/null +++ b/Resources/Locale/ru-RU/animals/udder/udder-system.ftl @@ -0,0 +1,6 @@ +### Udder system + +udder-system-already-milking = Вымя уже доится. +udder-system-success = Вы надоили { $amount } в { $target }. +udder-system-dry = Вымя сухое. +udder-system-verb-milk = Доить diff --git a/Resources/Locale/ru-RU/anomaly/anomaly.ftl b/Resources/Locale/ru-RU/anomaly/anomaly.ftl new file mode 100644 index 00000000000..b4eb517f382 --- /dev/null +++ b/Resources/Locale/ru-RU/anomaly/anomaly.ftl @@ -0,0 +1,62 @@ +anomaly-component-contact-damage = Аномалия сдирает с вас кожу! +anomaly-vessel-component-anomaly-assigned = Аномалия присвоена сосуду. +anomaly-vessel-component-not-assigned = Этому сосуду не присвоена ни одна аномалия. Попробуйте использовать на нём сканер. +anomaly-vessel-component-assigned = Этому сосуду уже присвоена аномалия. +anomaly-vessel-component-upgrade-output = генерация очков +anomaly-particles-delta = Дельта-частицы +anomaly-particles-epsilon = Эпсилон-частицы +anomaly-particles-zeta = Зета-частицы +anomaly-particles-omega = Омега-частицы +anomaly-scanner-component-scan-complete = Сканирование завершено! +anomaly-scanner-ui-title = сканер аномалий +anomaly-scanner-no-anomaly = Нет просканированной аномалии. +anomaly-scanner-severity-percentage = Текущая опасность: [color=gray]{ $percent }[/color] +anomaly-scanner-stability-low = Текущее состояние аномалии: [color=gold]Распад[/color] +anomaly-scanner-stability-medium = Текущее состояние аномалии: [color=forestgreen]Стабильное[/color] +anomaly-scanner-stability-high = Текущее состояние аномалии: [color=crimson]Рост[/color] +anomaly-scanner-point-output = Пассивная генерация очков: [color=gray]{ $point }[/color] +anomaly-scanner-particle-readout = Анализ реакции на частицы: +anomaly-scanner-particle-danger = - [color=crimson]Опасный тип:[/color] { $type } +anomaly-scanner-particle-unstable = - [color=plum]Нестабильный тип:[/color] { $type } +anomaly-scanner-particle-containment = - [color=goldenrod]Сдерживающий тип:[/color] { $type } +anomaly-scanner-pulse-timer = Время до следующего импульса: [color=gray]{ $time }[/color] +anomaly-gorilla-core-slot-name = Ядро Аномалии +anomaly-gorilla-charge-none = Не имеет [bold]Ядра Аномалии[/bold] внутри. +anomaly-gorilla-charge-limit = + It has [color={ $count -> + [3] green + [2] yellow + [1] orange + [0] red + *[other] purple + }]{ $count } { $count -> + [one] charge + *[other] charges + }[/color] remaining. +anomaly-gorilla-charge-infinite = Теперь они [color=gold]бесконечны[/color]. [italic]Пока что...[/italic] +anomaly-sync-connected = Аномалия успешно привязана +anomaly-sync-disconnected = Соединение с аномалией было потеряно! +anomaly-sync-no-anomaly = Нет аномалий в радиусе действия. +anomaly-sync-examine-connected = Это [color=darkgreen]прикреплено[/color] к аномалии. +anomaly-sync-examine-not-connected = Это [color=darkred]не прикреплено[/color] к аномалии. +anomaly-sync-connect-verb-text = Прикрепить аномалию +anomaly-sync-connect-verb-message = Прикрепить аномалию к { THE($machine) }. +anomaly-generator-ui-title = генератор аномалий +anomaly-generator-fuel-display = Топливо: +anomaly-generator-cooldown = Перезарядка: [color=gray]{ $time }[/color] +anomaly-generator-no-cooldown = Перезарядка: [color=gray]Завершена[/color] +anomaly-generator-yes-fire = Статус: [color=forestgreen]Готов[/color] +anomaly-generator-no-fire = Статус: [color=crimson]Не готов[/color] +anomaly-generator-generate = Создать аномалию +anomaly-generator-charges = + { $charges -> + [one] { $charges } заряд + [few] { $charges } заряда + *[other] { $charges } зарядов + } +anomaly-generator-announcement = Аномалия была создана! +anomaly-command-pulse = Вызывает импульс аномалии +anomaly-command-supercritical = Целевая аномалия переходит в суперкритическое состояние +# Flavor text on the footer +anomaly-generator-flavor-left = Аномалия может возникнуть внутри оператора. +anomaly-generator-flavor-right = v1.1 diff --git a/Resources/Locale/ru-RU/apc/components/apc-component.ftl b/Resources/Locale/ru-RU/apc/components/apc-component.ftl new file mode 100644 index 00000000000..0d1b1ef9e02 --- /dev/null +++ b/Resources/Locale/ru-RU/apc/components/apc-component.ftl @@ -0,0 +1,4 @@ +apc-component-insufficient-access = Недостаточный доступ! +apc-component-on-examine-panel-open = [color=lightgray]Панель управления ЛКП[/color] [color=red]открыта[/color]. +apc-component-on-examine-panel-closed = [color=lightgray]Панель управления ЛКП[/color] [color=darkgreen]закрыта[/color]. +apc-component-on-toggle-cancel = Ничего не происходит! diff --git a/Resources/Locale/ru-RU/arcade/blockgame.ftl b/Resources/Locale/ru-RU/arcade/blockgame.ftl new file mode 100644 index 00000000000..876701a1c25 --- /dev/null +++ b/Resources/Locale/ru-RU/arcade/blockgame.ftl @@ -0,0 +1,23 @@ +### UI + +# Current game score +blockgame-menu-label-points = Очки: { $points } +# Current game level +blockgame-menu-label-level = Уровень: { $level } +# Game over information of your round +blockgame-menu-gameover-info = + Глобальный счет: { $global } + Локальный счет: { $local } + Очки: { $points } +blockgame-menu-title = Блоки Nanotrasen +blockgame-menu-button-new-game = Новая игра +blockgame-menu-button-scoreboard = Таблица лидеров +blockgame-menu-button-pause = Пауза +blockgame-menu-button-unpause = Снять паузу +blockgame-menu-msg-game-over = Игра окончена! +blockgame-menu-label-highscores = Рекорды +blockgame-menu-button-back = Назад +blockgame-menu-label-next = Следующее +blockgame-menu-label-hold = Удерживать +blockgame-menu-text-station = Станция +blockgame-menu-text-nanotrasen = Nanotrasen diff --git a/Resources/Locale/ru-RU/arcade/components/space-villain-game-component.ftl b/Resources/Locale/ru-RU/arcade/components/space-villain-game-component.ftl new file mode 100644 index 00000000000..b8213e3cb78 --- /dev/null +++ b/Resources/Locale/ru-RU/arcade/components/space-villain-game-component.ftl @@ -0,0 +1,14 @@ +## SpaceVillainGame + +space-villain-game-player-attack-message = Вы атакуете { $enemyName } на { $attackAmount } урона! +space-villain-game-player-heal-message = Вы используете { $magicPointAmount } магии, чтобы исцелить { $healAmount } урона! +space-villain-game-player-recharge-message = Вы набираете { $regainedPoints } очков +space-villain-game-player-wins-message = Вы победили! +space-villain-game-enemy-dies-message = { $enemyName } умирает. +space-villain-game-player-loses-message = Вы проиграли! +space-villain-game-enemy-cheers-message = { $enemyName } ликует. +space-villain-game-enemy-dies-with-player-message = { $enemyName } умирает, но забирает вас с собой. +space-villain-game-enemy-throws-bomb-message = { $enemyName } бросает бомбу, взрывая вас на { $damageReceived } урона! +space-villain-game-enemy-steals-player-power-message = { $enemyName } крадет { $stolenAmount } вашей силы! +space-villain-game-enemy-heals-message = { $enemyName } исцеляет { $healedAmount } здоровья! +space-villain-game-enemy-attacks-message = { $enemyName } атакует вас, нанося { $damageDealt } урона! diff --git a/Resources/Locale/ru-RU/arcade/spacevillain.ftl b/Resources/Locale/ru-RU/arcade/spacevillain.ftl new file mode 100644 index 00000000000..39b43b50fb8 --- /dev/null +++ b/Resources/Locale/ru-RU/arcade/spacevillain.ftl @@ -0,0 +1,6 @@ +spacevillain-menu-title = Космический злодей +spacevillain-menu-label-player = Игрок +spacevillain-menu-button-attack = АТАКА +spacevillain-menu-button-heal = ЛЕЧЕНИЕ +spacevillain-menu-button-recharge = ПЕРЕЗАРЯДКА +spacevillain-menu-button-new-game = Новая игра diff --git a/Resources/Locale/ru-RU/armor/armor-examine.ftl b/Resources/Locale/ru-RU/armor/armor-examine.ftl new file mode 100644 index 00000000000..7e33bf7913e --- /dev/null +++ b/Resources/Locale/ru-RU/armor/armor-examine.ftl @@ -0,0 +1,19 @@ +# Armor examines +armor-examinable-verb-text = Броня +armor-examinable-verb-message = Изучить показатели брони. +armor-examine = Обеспечивает следующую защиту: +armor-coefficient-value = - [color=yellow]{ $type }[/color] урон снижается на [color=lightblue]{ $value }%[/color]. +armor-reduction-value = - [color=yellow]{ $type }[/color] урон снижается на [color=lightblue]{ $value }[/color]. +armor-damage-type-blunt = Blunt +armor-damage-type-slash = Slash +armor-damage-type-piercing = Piercing +armor-damage-type-heat = Heat +armor-damage-type-radiation = Radiation +armor-damage-type-caustic = Caustic +armor-damage-type-bloodloss = Bloodloss +armor-damage-type-asphyxiation = Asphyxiation +armor-damage-type-cellular = Cellular +armor-damage-type-cold = Cold +armor-damage-type-poison = Poison +armor-damage-type-shock = Shock +armor-damage-type-structural = Structural diff --git a/Resources/Locale/ru-RU/atmos/air-alarm-ui.ftl b/Resources/Locale/ru-RU/atmos/air-alarm-ui.ftl new file mode 100644 index 00000000000..67482f4d42b --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/air-alarm-ui.ftl @@ -0,0 +1,66 @@ +# UI + + +## Window + +air-alarm-ui-access-denied = Недостаточный уровень доступа! +air-alarm-ui-window-pressure-label = Давление +air-alarm-ui-window-temperature-label = Температура +air-alarm-ui-window-alarm-state-label = Статус +air-alarm-ui-window-address-label = Адрес +air-alarm-ui-window-device-count-label = Всего устройств +air-alarm-ui-window-resync-devices-label = Ресинхр +air-alarm-ui-window-mode-label = Режим +air-alarm-ui-window-auto-mode-label = Авто-режим +air-alarm-ui-window-pressure = { $pressure } кПа +air-alarm-ui-window-pressure-indicator = Давление: [color={ $color }]{ $pressure } кПа[/color] +air-alarm-ui-window-temperature = { $tempC } °C ({ $temperature } К) +air-alarm-ui-window-temperature-indicator = Температура: [color={ $color }]{ $tempC } °C ({ $temperature } К)[/color] +air-alarm-ui-window-alarm-state = [color={ $color }]{ $state }[/color] +air-alarm-ui-window-alarm-state-indicator = Статус: [color={ $color }]{ $state }[/color] +air-alarm-ui-window-tab-vents = Вентиляции +air-alarm-ui-window-tab-scrubbers = Скрубберы +air-alarm-ui-window-tab-sensors = Сенсоры +air-alarm-ui-gases = { $gas }: { $amount } моль ({ $percentage }%) +air-alarm-ui-gases-indicator = { $gas }: [color={ $color }]{ $amount } моль ({ $percentage }%)[/color] +air-alarm-ui-mode-filtering = Фильтрация +air-alarm-ui-mode-wide-filtering = Фильтрация (широкая) +air-alarm-ui-mode-fill = Заполнение +air-alarm-ui-mode-panic = Паника +air-alarm-ui-mode-none = Нет + +## Widgets + + +### General + +air-alarm-ui-widget-enable = Включено +air-alarm-ui-widget-copy = Копировать настройки на похожие устройства +air-alarm-ui-widget-copy-tooltip = Копирует настройки данного устройства на все устройства данной вкладки воздушной сигнализации. +air-alarm-ui-widget-ignore = Игнорировать +air-alarm-ui-atmos-net-device-label = Адрес: { $address } + +### Vent pumps + +air-alarm-ui-vent-pump-label = Направление вентиляции +air-alarm-ui-vent-pressure-label = Ограничение давления +air-alarm-ui-vent-external-bound-label = Внешняя граница +air-alarm-ui-vent-internal-bound-label = Внутренняя граница + +### Scrubbers + +air-alarm-ui-scrubber-pump-direction-label = Направление +air-alarm-ui-scrubber-volume-rate-label = Объём (Л) +air-alarm-ui-scrubber-wide-net-label = ШирокаяСеть + +### Thresholds + +air-alarm-ui-sensor-gases = Газы +air-alarm-ui-sensor-thresholds = Границы +air-alarm-ui-thresholds-pressure-title = Границы (кПа) +air-alarm-ui-thresholds-temperature-title = Границы (К) +air-alarm-ui-thresholds-gas-title = Границы (%) +air-alarm-ui-thresholds-upper-bound = Верхняя аварийная граница +air-alarm-ui-thresholds-lower-bound = Нижняя аварийная граница +air-alarm-ui-thresholds-upper-warning-bound = Верхняя тревожная граница +air-alarm-ui-thresholds-lower-warning-bound = Нижняя тревожная граница diff --git a/Resources/Locale/ru-RU/atmos/firelock-component.ftl b/Resources/Locale/ru-RU/atmos/firelock-component.ftl new file mode 100644 index 00000000000..63b466b2bff --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/firelock-component.ftl @@ -0,0 +1,2 @@ +firelock-component-is-holding-pressure-message = Порыв воздуха дует вам в лицо... Возможно, вам стоит передумать. +firelock-component-is-holding-fire-message = Порыв теплого воздуха дует вам в лицо... Возможно, вам стоит передумать. diff --git a/Resources/Locale/ru-RU/atmos/flammable-component.ftl b/Resources/Locale/ru-RU/atmos/flammable-component.ftl new file mode 100644 index 00000000000..577c74564c4 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/flammable-component.ftl @@ -0,0 +1 @@ +flammable-component-resist-message = Вы останавливаетесь, падаете и катаетесь! diff --git a/Resources/Locale/ru-RU/atmos/gas-analyzer-component.ftl b/Resources/Locale/ru-RU/atmos/gas-analyzer-component.ftl new file mode 100644 index 00000000000..b81396dc854 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-analyzer-component.ftl @@ -0,0 +1,30 @@ +## Entity + +gas-analyzer-component-player-cannot-reach-message = Вы не можете туда достать. +gas-analyzer-shutoff = Газоанализатор выключается. + +## UI + +gas-analyzer-window-name = Газоанализатор +gas-analyzer-window-environment-tab-label = Окружение +gas-analyzer-window-tab-title-capitalized = { CAPITALIZE($title) } +gas-analyzer-window-refresh-button = Обновить +gas-analyzer-window-no-data = Нет данных +gas-analyzer-window-no-gas-text = Нет газов +gas-analyzer-window-error-text = Ошибка: { $errorText } +gas-analyzer-window-pressure-text = Давление: +gas-analyzer-window-pressure-val-text = { $pressure } кПа +gas-analyzer-window-temperature-text = Температура: +gas-analyzer-window-temperature-val-text = { $tempK }К ({ $tempC }°C) +gas-analyzer-window-gas-column-name = Газ +gas-analyzer-window-molarity-column-name = моль +gas-analyzer-window-percentage-column-name = % +gas-analyzer-window-molarity-text = { $mol } моль ({ $percentage }%) +gas-analyzer-window-percentage-text = { $percentage } +gas-analyzer-window-molarity-percentage-text = { $gasName }: { $amount } моль ({ $percentage }%) +# Used for GasEntry.ToString() +gas-entry-info = { $gasName }: { $gasAmount } моль +# overrides for trinary devices to have saner names +gas-analyzer-window-text-inlet = Вход +gas-analyzer-window-text-outlet = Выход +gas-analyzer-window-text-filter = Фильтр diff --git a/Resources/Locale/ru-RU/atmos/gas-canister-component.ftl b/Resources/Locale/ru-RU/atmos/gas-canister-component.ftl new file mode 100644 index 00000000000..99c0ad00b91 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-canister-component.ftl @@ -0,0 +1,20 @@ +## UI + + +# Bound Interface + +gas-canister-bound-user-interface-title = Газовый баллон +# Popup +gas-canister-popup-denied = Доступ запрещён + +# window + +gas-canister-window-ok-text = ОК +gas-canister-window-edit-text = Редактировать +gas-canister-window-label-label = Метка: +gas-canister-window-pressure-label = Давление: +gas-canister-window-release-pressure-label = Выходное давление: +gas-canister-window-valve-label = Клапан: +gas-canister-window-valve-closed-text = Закрыт +gas-canister-window-valve-open-text = Открыт +gas-canister-window-pressure-format-text = { $pressure } кПа diff --git a/Resources/Locale/ru-RU/atmos/gas-passive-gate-component.ftl b/Resources/Locale/ru-RU/atmos/gas-passive-gate-component.ftl new file mode 100644 index 00000000000..77f6f544b18 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-passive-gate-component.ftl @@ -0,0 +1 @@ +gas-passive-gate-examined = Измеритель расхода показывает [color=lightblue]{ $flowRate } литров/сек[/color]. diff --git a/Resources/Locale/ru-RU/atmos/gas-pressure-pump-system.ftl b/Resources/Locale/ru-RU/atmos/gas-pressure-pump-system.ftl new file mode 100644 index 00000000000..c737b66554a --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-pressure-pump-system.ftl @@ -0,0 +1,2 @@ +# Examine Text +gas-pressure-pump-system-examined = Насос настроен на [color={ $statusColor }]{ PRESSURE($pressure) }[/color]. diff --git a/Resources/Locale/ru-RU/atmos/gas-recycler-system.ftl b/Resources/Locale/ru-RU/atmos/gas-recycler-system.ftl new file mode 100644 index 00000000000..68b5b73b6a7 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-recycler-system.ftl @@ -0,0 +1,5 @@ +gas-recycler-reacting = Он [color=green]преобразовывает[/color] газы-отходы. +gas-recycler-low-pressure = Входное давление [color=darkred]слишком низкое[/color]. +gas-recycler-low-temperature = Входная температура [color=darkred]слишком низкая[/color]. +gas-recycler-upgrade-min-temp = минимальная температура +gas-recycler-upgrade-min-pressure = минимальное давление diff --git a/Resources/Locale/ru-RU/atmos/gas-tank-component.ftl b/Resources/Locale/ru-RU/atmos/gas-tank-component.ftl new file mode 100644 index 00000000000..e5578ee3221 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-tank-component.ftl @@ -0,0 +1,25 @@ +### GasTankComponent stuff. + +# Examine text showing pressure in tank. +comp-gas-tank-examine = Давление: [color=orange]{ PRESSURE($pressure) }[/color]. +# Examine text when internals are active. +comp-gas-tank-connected = Он подключен к внешнему компоненту. +# Examine text when valve is open or closed. +comp-gas-tank-examine-open-valve = Клапан выпуска газа [color=red]открыт[/color]. +comp-gas-tank-examine-closed-valve = Клапан выпуска газа [color=green]закрыт[/color]. + +## ControlVerb + +control-verb-open-control-panel-text = Открыть панель управления + +## UI + +gas-tank-window-label = Газовый баллон +gas-tank-window-internals-toggle-button = Переключить +gas-tank-window-output-pressure-label = Выходное давление +gas-tank-window-tank-pressure-text = Давление: { $tankPressure } кПа +gas-tank-window-internal-text = Маска: { $status } +gas-tank-window-internal-connected = [color=green]Подключена[/color] +gas-tank-window-internal-disconnected = [color=red]Не подключена[/color] +comp-gas-tank-open-valve = Открыть клапан +comp-gas-tank-close-valve = Закрыть клапан diff --git a/Resources/Locale/ru-RU/atmos/gas-thermomachine-system.ftl b/Resources/Locale/ru-RU/atmos/gas-thermomachine-system.ftl new file mode 100644 index 00000000000..60607b0b695 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-thermomachine-system.ftl @@ -0,0 +1,2 @@ +# Examine Text +gas-thermomachine-system-examined = Термостат { $machineName } установлен на [color={ $tempColor }]{ $temp } K[/color]. diff --git a/Resources/Locale/ru-RU/atmos/gas-valve-system.ftl b/Resources/Locale/ru-RU/atmos/gas-valve-system.ftl new file mode 100644 index 00000000000..650da60536e --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-valve-system.ftl @@ -0,0 +1,6 @@ +# Examine Text +gas-valve-system-examined = + Клапан [color={ $statusColor }]{ $open -> + [true] открыт + *[false] закрыт + }[/color]. diff --git a/Resources/Locale/ru-RU/atmos/gas-vent-pump.ftl b/Resources/Locale/ru-RU/atmos/gas-vent-pump.ftl new file mode 100644 index 00000000000..fbfbe3a87b7 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-vent-pump.ftl @@ -0,0 +1 @@ +gas-vent-pump-uvlo = В состоянии [color=red]отключения из-за низкого давления[/color]. diff --git a/Resources/Locale/ru-RU/atmos/gas-volume-pump-system.ftl b/Resources/Locale/ru-RU/atmos/gas-volume-pump-system.ftl new file mode 100644 index 00000000000..c6b1b8fa91c --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/gas-volume-pump-system.ftl @@ -0,0 +1,7 @@ +# Examine Text +gas-volume-pump-system-examined = + Насос настроен на [color={ $statusColor }]{ $rate }{ $rate -> + [one] литр/сек + [few] литра/сек + *[other] литров/сек + }[/color]. diff --git a/Resources/Locale/ru-RU/atmos/plaque-component.ftl b/Resources/Locale/ru-RU/atmos/plaque-component.ftl new file mode 100644 index 00000000000..4f74e3b82bf --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/plaque-component.ftl @@ -0,0 +1,10 @@ +atmos-plaque-component-desc-zum = This plaque commemorates the rise of the Atmos ZUM division. May they carry the torch that the Atmos ZAS, LINDA and FEA divisions left behind. +atmos-plaque-component-desc-fea = This plaque commemorates the fall of the Atmos FEA division. For all the charred, dizzy, and brittle men who have died in its hands. +atmos-plaque-component-desc-linda = This plaque commemorates the fall of the Atmos LINDA division. For all the charred, dizzy, and brittle men who have died in its hands. +atmos-plaque-component-desc-zas = This plaque commemorates the fall of the Atmos ZAS division. For all the charred, dizzy, and brittle men who have died in its hands. +atmos-plaque-component-desc-unset = Uhm +atmos-plaque-component-name-zum = ZUM Atmospherics Division plaque +atmos-plaque-component-name-fea = FEA Atmospherics Division plaque +atmos-plaque-component-name-linda = LINDA Atmospherics Division plaque +atmos-plaque-component-name-zas = ZAS Atmospherics Division plaque +atmos-plaque-component-name-unset = Uhm diff --git a/Resources/Locale/ru-RU/atmos/portable-scrubber.ftl b/Resources/Locale/ru-RU/atmos/portable-scrubber.ftl new file mode 100644 index 00000000000..0e8713bb1c4 --- /dev/null +++ b/Resources/Locale/ru-RU/atmos/portable-scrubber.ftl @@ -0,0 +1,3 @@ +portable-scrubber-fill-level = Примерно [color=yellow]{ $percent }%[/color] от максимального внутреннего давления. +portable-scrubber-component-upgrade-max-pressure = максимальное давление +portable-scrubber-component-upgrade-transfer-rate = скорость перекачки diff --git a/Resources/Locale/ru-RU/barsign/barsign-component.ftl b/Resources/Locale/ru-RU/barsign/barsign-component.ftl new file mode 100644 index 00000000000..64b158bc4da --- /dev/null +++ b/Resources/Locale/ru-RU/barsign/barsign-component.ftl @@ -0,0 +1,124 @@ +barsign-component-name = вывеска бара + +# Bar signs prototypes + + +## The Harmbaton + +barsign-prototype-name-harmbaton = Хармбатон +barsign-prototype-description-harmbaton = Отличные обеды как для сотрудников службы безопасности, так и для ассистентов. + +## The Singulo + +barsign-prototype-name-singulo = Сингуло +barsign-prototype-description-singulo = Куда приходят люди, которые не любят, чтобы их звали по имени. + +## The Drunk Carp + +barsign-prototype-name-drunk-carp = Пьяный карп +barsign-prototype-description-drunk-carp = Не пейте плавая. + +## Officer Beersky + +barsign-prototype-name-officer-beersky = Офицер Пивски +barsign-prototype-description-officer-beersky = Мужик, эти напитки великолепны. + +## The Outer Spess + +barsign-prototype-name-outer-spess = Открытый космос +barsign-prototype-description-outer-spess = На самом деле этот бар расположен не в открытом космосе. + +## The Coderbus + +barsign-prototype-name-coderbus = Кодербас +barsign-prototype-description-coderbus = Очень противоречивый бар, известный широким ассортиментом постоянно меняющихся напитков. + +## Robusta Cafe + +barsign-prototype-name-robusta-cafe = Кафе Робуста +barsign-prototype-description-robusta-cafe = Неоспоримый обладатель рекорда "Самые смертоносные бои" уже 5 лет. + +## Emergency Rum Party + +barsign-prototype-name-emergency-rum-party = Чрезвычайная вечеринка с ромом +barsign-prototype-description-emergency-rum-party = Недавно продлили лицензию после длительного перерыва. + +## The Combo Cafe + +barsign-prototype-name-combo-cafe = Комбо Кафе +barsign-prototype-description-combo-cafe = Известны по всей системе своими совершенно некреативными комбинациями напитков. + +## The Ale Nath + +barsign-prototype-name-ale-nath = Эль'натх +barsign-prototype-description-ale-nath = По какой-то причине притягивает таинственных незнакомцев в робах, шепчущих EI NATH. + +## The Net + +barsign-prototype-name-the-net = Сеть +barsign-prototype-description-the-net = Незаметишь как затянет на пару часов. + +## Maid Cafe + +barsign-prototype-name-maid-cafe = Мэйдо-кафе +barsign-prototype-description-maid-cafe = С возвращением, хозяин! + +## Maltese Falcon + +barsign-prototype-name-maltese-falcon = Мальтийский сокол +barsign-prototype-description-maltese-falcon = Сыграй ещё раз, Сэм. + +## The Sun + +barsign-prototype-name-the-sun = Солнце +barsign-prototype-description-the-sun = Иронично яркий для такого тёмного бара. + +## The Birdcage + +barsign-prototype-name-the-birdcage = Вольер +barsign-prototype-description-the-birdcage = Ку-ку! + +## Zocalo + +barsign-prototype-name-zocalo = Сокало +barsign-prototype-description-zocalo = Ранее находилось в Космоамерике. + +## LV426 + +barsign-prototype-name-lv426 = LV-426 +barsign-prototype-description-lv426 = Выпить с модной маской на лице явно важнее, чем сходить в медотсек. + +## The Wiggle Roomm + +barsign-prototype-name-wiggle-room = Пространство для манёвра +barsign-prototype-description-wiggle-room = MoMMI маневрируют в танце. + +## The Lightbulb + +barsign-prototype-name-the-lightbulb = Лампочка +barsign-prototype-description-the-lightbulb = Кафе, популярное среди ниан и моффов. Однажды его закрыли на неделю после того, как барменша использовала нафталин для обработки своей запасной униформы. + +## The Loose Goose + +barsign-prototype-name-goose = Весёлый гусь +barsign-prototype-description-goose = Пей до рвоты и/или нарушай законы реальности! + +## The Engine Change + +barsign-prototype-name-enginechange = Замена двигателя +barsign-prototype-description-enginechange = Все еще ожидаем. + +## 4 The Emprah + +barsign-prototype-name-emprah = За Империю +barsign-prototype-description-emprah = Нравится и фанатикам, и еретикам, и завсегдатаям с дефектами мозга. + +## EmpBarSign + +barsign-prototype-name-spacebucks = Кредиты +barsign-prototype-description-spacebucks = От них нельзя скрыться, даже в космосе. +barsign-prototype-description-empbarsign = Что-то пошло совсем не так. + +## SignOff + +barsign-prototype-description-sign-off = Этот знак, похоже, не включен. diff --git a/Resources/Locale/ru-RU/battery/components/battery-drainer-component.ftl b/Resources/Locale/ru-RU/battery/components/battery-drainer-component.ftl new file mode 100644 index 00000000000..722f87aea09 --- /dev/null +++ b/Resources/Locale/ru-RU/battery/components/battery-drainer-component.ftl @@ -0,0 +1,3 @@ +battery-drainer-full = Ваша батерея полностью заряжена +battery-drainer-empty = В { CAPITALIZE($battery) } не хватает энергии, которую можно вытянуть +battery-drainer-success = Вы вытягиваете энергию из { $battery }! diff --git a/Resources/Locale/ru-RU/battery/components/examinable-battery-component.ftl b/Resources/Locale/ru-RU/battery/components/examinable-battery-component.ftl new file mode 100644 index 00000000000..350a1955b9e --- /dev/null +++ b/Resources/Locale/ru-RU/battery/components/examinable-battery-component.ftl @@ -0,0 +1,4 @@ +### UI + +# Shown when the battery is examined in details range +examinable-battery-component-examine-detail = Батарея заряжена на [color={ $markupPercentColor }]{ $percent }%[/color]. diff --git a/Resources/Locale/ru-RU/blocking/blocking-examine.ftl b/Resources/Locale/ru-RU/blocking/blocking-examine.ftl new file mode 100644 index 00000000000..255e08b30d3 --- /dev/null +++ b/Resources/Locale/ru-RU/blocking/blocking-examine.ftl @@ -0,0 +1,6 @@ +# Blocking examines +blocking-examinable-verb-text = Защита +blocking-examinable-verb-message = Изучить показатели защиты. +blocking-fraction = Блокируется [color=lightblue]{ $value }%[/color] входящего урона и: +blocking-coefficient-value = - Получает [color=lightblue]{ $value }%[/color] [color=yellow]{ $type }[/color] урона. +blocking-reduction-value = - Получает на [color=lightblue]{ $value }[/color] меньше [color=yellow]{ $type }[/color] урона. diff --git a/Resources/Locale/ru-RU/bloodstream/bloodstream.ftl b/Resources/Locale/ru-RU/bloodstream/bloodstream.ftl new file mode 100644 index 00000000000..d4aa875f53c --- /dev/null +++ b/Resources/Locale/ru-RU/bloodstream/bloodstream.ftl @@ -0,0 +1,4 @@ +bloodstream-component-looks-pale = [color=bisque]{ CAPITALIZE($target) } выглядит бледно.[/color] +bloodstream-component-bleeding = [color=red]{ CAPITALIZE($target) } истекает кровью.[/color] +bloodstream-component-profusely-bleeding = [color=crimson]{ CAPITALIZE($target) } обильно истекает кровью![/color] +bloodstream-component-wounds-cauterized = С болью вы ощущаете, как ваши раны прижигаются! diff --git a/Resources/Locale/ru-RU/body/behavior/behavior.ftl b/Resources/Locale/ru-RU/body/behavior/behavior.ftl new file mode 100644 index 00000000000..601ba4746d7 --- /dev/null +++ b/Resources/Locale/ru-RU/body/behavior/behavior.ftl @@ -0,0 +1 @@ +lung-behavior-gasp = Задыхается diff --git a/Resources/Locale/ru-RU/body/body-scanner/body-scanner-component.ftl b/Resources/Locale/ru-RU/body/body-scanner/body-scanner-component.ftl new file mode 100644 index 00000000000..8a1e3dca0b0 --- /dev/null +++ b/Resources/Locale/ru-RU/body/body-scanner/body-scanner-component.ftl @@ -0,0 +1,5 @@ +## UI + +body-scanner-display-title = Сканер тела +body-scanner-display-health-label = Здоровье: +body-scanner-display-body-part-damage-text = { $damage } повреждений diff --git a/Resources/Locale/ru-RU/bonk/components/bonkable-component.ftl b/Resources/Locale/ru-RU/bonk/components/bonkable-component.ftl new file mode 100644 index 00000000000..9c387b14529 --- /dev/null +++ b/Resources/Locale/ru-RU/bonk/components/bonkable-component.ftl @@ -0,0 +1,2 @@ +bonkable-success-message-others = { CAPITALIZE($user) } стукается своей головой об { $bonkable } +bonkable-success-message-user = Вы стукаетесь своей головой об { $bonkable } diff --git a/Resources/Locale/ru-RU/borg/borg.ftl b/Resources/Locale/ru-RU/borg/borg.ftl new file mode 100644 index 00000000000..23e3d644404 --- /dev/null +++ b/Resources/Locale/ru-RU/borg/borg.ftl @@ -0,0 +1,14 @@ +borg-player-not-allowed = Мозг не помещается! +borg-player-not-allowed-eject = Мозг был извлечен из корпуса! +borg-panel-not-open = Панель киборга не открыта... +borg-mind-added = { CAPITALIZE($name) } включается! +borg-mind-removed = { CAPITALIZE($name) } выключается! +borg-module-too-many = Для ещё одного модуля не хватает места... +borg-module-whitelist-deny = Этот модуль не подходит для данного типа киборгов... +borg-construction-guide-string = Конечности и туловище киборга должны быть прикреплены к эндоскелету. +borg-ui-menu-title = Интерфейс киборга +borg-ui-charge-label = Заряд: { $charge }% +borg-ui-no-brain = Мозг отсутствует +borg-ui-remove-battery = Извлечь +borg-ui-modules-label = Модули: +borg-ui-module-counter = { $actual }/{ $max } diff --git a/Resources/Locale/ru-RU/botany/components/plant-holder-component.ftl b/Resources/Locale/ru-RU/botany/components/plant-holder-component.ftl new file mode 100644 index 00000000000..7ce653739e1 --- /dev/null +++ b/Resources/Locale/ru-RU/botany/components/plant-holder-component.ftl @@ -0,0 +1,35 @@ +## Entity + +plant-holder-component-plant-success-message = Вы сажаете { $seedName }. +plant-holder-component-already-seeded-message = { CAPITALIZE($name) } уже содержит семена! +plant-holder-component-remove-weeds-message = Вы пропалываете { $name } от сорняков. +plant-holder-component-remove-weeds-others-message = { $otherName } начинает пропалывать сорняки. +plant-holder-component-no-weeds-message = На этом участке нет сорняков! Его не нужно пропалывать. +plant-holder-component-remove-plant-message = Вы удаляете растение из { $name }. +plant-holder-component-remove-plant-others-message = { $name } удаляет растение. +plant-holder-component-no-plant-message = Отсутствует растение для удаления. +plant-holder-component-empty-message = { $owner } пуст! +plant-holder-component-spray-message = Вы опрыскиваете { $owner }. +plant-holder-component-transfer-message = Вы перемещаете { $amount }ед. в { $owner }. +plant-holder-component-nothing-to-sample-message = Из этого не извлечь семян! +plant-holder-component-already-sampled-message = Из этого растения уже извлекли семена. +plant-holder-component-dead-plant-message = Это растение мертво. +plant-holder-component-take-sample-message = Вы извлекаете семена из { $seedName }. +plant-holder-component-compost-message = Вы компостируете { $usingItem } в { $owner }. +plant-holder-component-compost-others-message = { $user } компостирует { $usingItem } в { $owner }. +plant-holder-component-nothing-planted-message = Здесь ничего не посажено.. +plant-holder-component-something-already-growing-message = Здесь растёт [color=green]{ $seedName }[/color]. +plant-holder-component-something-already-growing-low-health-message = Растение выглядит [color=red]{ $healthState }[/color]. +plant-holder-component-plant-old-adjective = старым и увядшим +plant-holder-component-plant-unhealthy-adjective = нездоровым +plant-holder-component-dead-plant-matter-message = Он заполнен [color=red]мёртвыми растениями[/color]. +plant-holder-component-weed-high-level-message = Он заполнен [color=green]сорняками[/color]! +plant-holder-component-pest-high-level-message = Он заполнен [color=gray]маленькими червячками[/color]! +plant-holder-component-water-level-message = Вода: [color=cyan]{ $waterLevel }[/color]. +plant-holder-component-nutrient-level-message = Питательные вещества: [color=orange]{ $nutritionLevel }[/color]. +plant-holder-component-toxins-high-warning = Горит [color=red]предупреждение уровня токсичности[/color]. +plant-holder-component-light-improper-warning = Мигает [color=yellow]предупреждение о неподходящем уровне освещения[/color]. +plant-holder-component-heat-improper-warning = Мигает [color=orange]предупреждение о неподходящем уровне температуры[/color]. +plant-holder-component-pressure-improper-warning = Мигает [color=lightblue]предупреждение о неподходящем атмосферном давлении[/color]. +plant-holder-component-gas-missing-warning = Мигает [color=cyan]предупреждение о неподходящем атмосферном составе[/color]. +plant-holder-component-early-sample-message = Это растение недостаточно крепко для получения образца. diff --git a/Resources/Locale/ru-RU/botany/components/seed-component.ftl b/Resources/Locale/ru-RU/botany/components/seed-component.ftl new file mode 100644 index 00000000000..5b483bcbfd1 --- /dev/null +++ b/Resources/Locale/ru-RU/botany/components/seed-component.ftl @@ -0,0 +1,10 @@ +## Entity + +seed-component-description = На этикетке имеется изображение - [color=yellow]{ $seedName }[/color]. +seed-component-has-variety-tag = Помечено как сорт [color=lightgray]номер { $seedUid }[/color]. +seed-component-plant-yield-text = Урожайность растения: [color=lightblue]{ $seedYield }[/color] +seed-component-plant-potency-text = Потенция растения: [color=lightblue]{ $seedPotency }[/color] +botany-seed-packet-name = пакет { $seedNoun } ({ $seedName }) +botany-harvest-fail-message = Вам не удаётся собрать ничего полезного. +botany-harvest-success-message = Вы собираете урожай с { $name } +botany-mysterious-description-addon = Однако, что-то в нём кажется странным. diff --git a/Resources/Locale/ru-RU/botany/components/seed-extractor-component.ftl b/Resources/Locale/ru-RU/botany/components/seed-extractor-component.ftl new file mode 100644 index 00000000000..b11c97c94a9 --- /dev/null +++ b/Resources/Locale/ru-RU/botany/components/seed-extractor-component.ftl @@ -0,0 +1,5 @@ +## Entity + +seed-extractor-component-interact-message = Вы извлекаете немного семян из { $name }. +seed-extractor-component-no-seeds = { CAPITALIZE($name) } не имеет семян! +seed-extractor-component-upgrade-seed-yield = извлечение семян diff --git a/Resources/Locale/ru-RU/botany/swab.ftl b/Resources/Locale/ru-RU/botany/swab.ftl new file mode 100644 index 00000000000..482dc353184 --- /dev/null +++ b/Resources/Locale/ru-RU/botany/swab.ftl @@ -0,0 +1,4 @@ +botany-swab-from = Вы аккуратно собираете пыльцу с растения. +botany-swab-to = Вы аккуратно смахиваете пыльцу на растение. +swab-used = Эта палочка уже была использована для сбора материала. +swab-unused = Эта палочка чиста и готова к использованию. diff --git a/Resources/Locale/ru-RU/bql/bql-select.ftl b/Resources/Locale/ru-RU/bql/bql-select.ftl new file mode 100644 index 00000000000..96f57fc17d1 --- /dev/null +++ b/Resources/Locale/ru-RU/bql/bql-select.ftl @@ -0,0 +1,12 @@ +cmd-bql_select-desc = Show results of a BQL query in a client-side window +cmd-bql_select-help = + Usage: bql_select + The opened window allows you to teleport to or view variables the resulting entities. +cmd-bql_select-err-server-shell = Cannot be executed from server shell +cmd-bql_select-err-rest = Warning: unused part after BQL query: "{ $rest }" +ui-bql-results-title = BQL results +ui-bql-results-vv = VV +ui-bql-results-tp = TP +ui-bql-results-vv-tooltip = View entity variables +ui-bql-results-tp-tooltip = Teleport to entity +ui-bql-results-status = { $count } entities diff --git a/Resources/Locale/ru-RU/buckle/components/buckle-component.ftl b/Resources/Locale/ru-RU/buckle/components/buckle-component.ftl new file mode 100644 index 00000000000..e2130f99ed9 --- /dev/null +++ b/Resources/Locale/ru-RU/buckle/components/buckle-component.ftl @@ -0,0 +1,7 @@ +buckle-component-no-hands-message = У вас нет рук. +buckle-component-already-buckled-message = Вы уже пристегнуты! +buckle-component-other-already-buckled-message = { $owner } уже пристегнут! +buckle-component-cannot-buckle-message = Вы не можете пристегнуть себя туда. +buckle-component-other-cannot-buckle-message = Вы не можете пристегнуть { $owner } туда! +buckle-component-cannot-fit-message = Вы туда не помещаетесь! +buckle-component-other-cannot-fit-message = { $owner } туда не помещается! diff --git a/Resources/Locale/ru-RU/burial/burial.ftl b/Resources/Locale/ru-RU/burial/burial.ftl new file mode 100644 index 00000000000..f5f8b8d710a --- /dev/null +++ b/Resources/Locale/ru-RU/burial/burial.ftl @@ -0,0 +1,4 @@ +grave-start-digging-others = { CAPITALIZE($user) } начинает копать { THE($grave) } с помощью { THE($tool) }. +grave-start-digging-user = Вы начинаете копать { THE($grave) } с помощью { THE($tool) }. +grave-start-digging-user-trapped = Вы патаетесь выбраться из { THE($grave) }! +grave-digging-requires-tool = Вам нужна лопата чтобы выкопать { $grave }! diff --git a/Resources/Locale/ru-RU/cable/cable-multitool-system.ftl b/Resources/Locale/ru-RU/cable/cable-multitool-system.ftl new file mode 100644 index 00000000000..27c73263999 --- /dev/null +++ b/Resources/Locale/ru-RU/cable/cable-multitool-system.ftl @@ -0,0 +1,12 @@ +cable-multitool-system-internal-error-no-power-node = Ваш мультитул выдает сообщение: "ВНУТРЕННЯЯ ОШИБКА: НЕ КАБЕЛЬ ПИТАНИЯ". +cable-multitool-system-internal-error-missing-component = Ваш мультитул выдает сообщение: "ВНУТРЕННЯЯ ОШИБКА: КАБЕЛЬ АНОМАЛЕН". +cable-multitool-system-verb-name = Питание +cable-multitool-system-verb-tooltip = Используйте мультитул для просмотра статистики питания. +cable-multitool-system-statistics = + Ваш мультитул показывает статистику: + Текущее питание: { POWERWATTS($supplyc) } + От батарей: { POWERWATTS($supplyb) } + Теоретическое снабжение: { POWERWATTS($supplym) } + Идеальное потребление: { POWERWATTS($consumption) } + Входной запас: { POWERJOULES($storagec) } / { POWERJOULES($storagem) } ({ TOSTRING($storager, "P1") }) + Выходной запас: { POWERJOULES($storageoc) } / { POWERJOULES($storageom) } ({ TOSTRING($storageor, "P1") }) diff --git a/Resources/Locale/ru-RU/candle/extinguish-on-interact-component.ftl b/Resources/Locale/ru-RU/candle/extinguish-on-interact-component.ftl new file mode 100644 index 00000000000..bec6c6f2fe6 --- /dev/null +++ b/Resources/Locale/ru-RU/candle/extinguish-on-interact-component.ftl @@ -0,0 +1 @@ +candle-extinguish-failed = Пламя колеблется, но не гаснет diff --git a/Resources/Locale/ru-RU/cargo/bounties.ftl b/Resources/Locale/ru-RU/cargo/bounties.ftl new file mode 100644 index 00000000000..17eb086f899 --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/bounties.ftl @@ -0,0 +1,103 @@ +bounty-item-artifact = Космический артефакт +bounty-item-baseball-bat = Бейсбольная бита +bounty-item-box-hugs = Коробка обнимашек +bounty-item-brain = Мозг +bounty-item-bread = Хлеб +bounty-item-briefcase = Чемодан +bounty-item-carp = Космический карп +bounty-item-carrot = Морковь +bounty-item-carrot-fries = Морковный фри +bounty-item-clown-mask = Клоунская маска +bounty-item-clown-shoes = Клоунские туфли +bounty-item-corn = Початок кукурузы +bounty-item-crayon = Мелок +bounty-item-cuban-carp = Карп по-кубински +bounty-item-donk-pocket = Донк-покет +bounty-item-donut = Пончик +bounty-item-figurine = Фигурка +bounty-item-flesh-monster = Монстр из плоти +bounty-item-flower = Цветок +bounty-item-galaxythistle = Галакточертополох +bounty-item-handcuffs = Наручники +bounty-item-instrument = Музыкальный инструмент +bounty-item-knife = Нож +bounty-item-lemon = Лимон +bounty-item-lime = Лайм +bounty-item-lung = Лёгкое +bounty-item-monkey-cube = Обезьяний кубик +bounty-item-mouse = Мёртвая мышь +bounty-item-pancake = Блинчик +bounty-item-pen = Ручка +bounty-item-percussion = Перкуссионный инструмент +bounty-item-pie = Пирог +bounty-item-prison-uniform = Тюремная роба +bounty-item-radio = Устройство радиосвязи +bounty-item-research-disk = Диск исследовательских очков +bounty-item-shiv = Заточка +bounty-item-soap = Мыло +bounty-item-soup = Суп +bounty-item-spear = Копьё +bounty-item-syringe = Шприц +bounty-item-toolbox = Ящик для инструментов +bounty-item-tech-disk = Технологический диск +bounty-item-anomaly-core = Ядро Аномалии +bounty-item-borg-module = Модуль борга +bounty-item-artifact-fragment = Фрагмент артефакта +bounty-item-organs = Орган +bounty-item-labeler = Ручной этикеровщик +bounty-item-warm-cloth = Тёплая одежда +bounty-item-battery = Батарея +bounty-lasergun = Лазерное оружие +bounty-food = Еда из мяса +bounty-item-trash = Мусор +bounty-description-artifact = Nanotrasen находится в затруднительном положении из-за кражи артефактов с некосмических планет. Верните один, и мы выплатим за него компенсацию. +bounty-description-baseball-bat = В Центкоме началась бейсбольная лихорадка! Будьте добры отправить им несколько бейсбольных бит, чтобы руководство могло исполнить свою детскую мечту. +bounty-description-box-hugs = Несколько главных чиновников получили серьезные ушибы. Для их выздоровления срочно требуется коробка обнимашек +bounty-description-brain = Командир Колдуэлл лишилась мозга в результате недавней аварии с космической смазкой. К сожалению, мы не можем нанять замену, поэтому просто пришлите нам новый мозг, чтобы вставить его в неё. +bounty-description-bread = Проблемы с центральным планированием привели к резкому росту цен на хлеб. Отправьте немного хлеба, чтобы снять напряженность. +bounty-description-briefcase = В этом году Центральное командование проведет деловой съезд. Отправьте несколько чемоданов в поддержку. +bounty-description-carrot = Не просмотрев видеоинструкции по технике безопасности со сваркой, спасательный отряд на Станции 15 ослеп. Отправьте им немного моркови, чтобы они могли восстановить зрение. +bounty-description-carrot-fries = Ночное зрение может означать жизнь или смерть! Заказ на партию морковного фри. +bounty-description-carp = Адмирал Павлова объявила забастовку с тех пор, как Центральное командование конфисковало ее "питомца". Она требует заменить его космическим карпом, живым или мертвым. +bounty-description-clown-costume = В связи с недавней проблемой в контактном зоопарке космических карпов мы, к сожалению, потеряли клоуна Бонобобонобо. Пришлите нам новый костюм, чтобы дети смогли увидеть его снова. +bounty-description-corn = После недавнего разрушения космического Огайо наш импорт кукурузы сократился на 80%. Пришлите нам немного, чтобы мы могли это восполнить. +bounty-description-crayon = Ребенок доктора Джонса снова съел все наши мелки. Пожалуйста, пришлите нам свои. +bounty-description-cuban-carp = В честь рождения Кастро XXVII отправьте одного карпа по-кубински в Центком. +bounty-description-donk-pocket = Отзыв о безопасности потребителей: Предупреждение. Донк-покеты, произведенные в прошлом году, содержат опасные биоматериалы ящериц. Немедленно верните продукты в Центком. +bounty-description-donut = Служба безопасности Центкома несёт большие потери в борьбе с Синдикатом. Отправьте пончики для поднятия боевого духа. +bounty-description-figurine = Сын вице-президента увидел на телеэкране рекламу боевых фигурок и теперь не затыкается о них. Отправьте несколько, чтобы смягчить его недовольство. +bounty-description-flesh-monster = Недавно мы получили сообщения о нашествии монстров из плоти на борту нескольких станций. Пришлите нам несколько образцов этих существ, чтобы мы могли исследовать новые ботанические возможности. +bounty-description-flower = Коммандер Зот очень хочет сразить офицера Оливию наповал. Отправьте партию цветов, и он с радостью вознаградит вас. +bounty-description-galaxythistle = После особенно неприятного скачка обратного давления пены из скруббера один высокопоставленный офицер сильно отравился. Пришлите нам немного галакточертополоха, чтобы мы могли приготовить для него гомеопатическое средство. +bounty-description-handcuffs = В Центральное командование прибыл большой поток беглых заключенных. Сейчас самое время отправить запасные наручники (или стяжки). +bounty-description-instrument = Самая горячая новая группа в галактике, "Синди Кейт и Диверсанты", потеряла свое оборудование в результате столкновения грузового шаттла. Отправьте им новый набор музыкальных инструментов, чтобы они могли сыграть свое шоу. +bounty-description-knife = Один из наших лучших командиров недавно выиграл совершенно новый набор ножей на официальном игровом шоу Nanotrasen. К сожалению, у нас нет такого набора под рукой. Пришлите нам кучу острых предметов, чтобы мы могли что-нибудь придумать. +bounty-description-lemon = Ребенок доктора Джонса открывает лимонадный киоск. Небольшая проблема: лимоны не доставляются в этот сектор. Исправьте это за хорошую награду. +bounty-description-lime = После сильной попойки адмирал Пастич пристрастился к долькам свежего лайма. Пришлите нам несколько лаймов, чтобы мы могли приготовить ему его новую любимую закуску. +bounty-description-lung = Лига сторонников курения тысячелетиями боролась за то, чтобы сигареты оставались на наших станциях. К сожалению, их легкие уже не так сильно сопротивляются. Пошлите им новые. +bounty-description-monkey-cube = В связи с недавней генетической катастрофой Центральное командование испытывает острую потребность в обезьянах. Ваша задача - доставить обезьяньи кубы. +bounty-description-mouse = На космической станции 15 закончились сублимированные мыши. Отправьте свежих, чтобы их уборщик не объявил забастовку. +bounty-description-pancake = В Nanotrasen мы считаем сотрудников семьей. А вы знаете, что любят семьи? Блины. Отправьте дюжину. +bounty-description-pen = Мы проводим межгалактическое соревнование по балансировке ручек. Нам нужно, чтобы вы прислали нам несколько стандартизированных шариковых ручек. +bounty-description-percussion = Из-за неудачной драки в баре, Объединённый смешанный ансамбль ударных инструментов всей Галактики потерял все свои инструменты. Пришлите им новый набор, чтобы они снова могли играть. +bounty-description-pie = 3.14159? Нет! Руководство Центком хочет съедобный пирог! Отгрузите целый. +bounty-description-prison-uniform = Правительство Терры не смогло достать новую форму для заключенных, так что если у вас есть запасная одежда, мы заберем её у вас. +bounty-description-radio = Недавняя солнечная вспышка вывела из строя все наши устройства связи. Пришлите нам новый комплект раций для нашей инженерной команды, чтобы мы могли восстановить сеть. +bounty-description-research-disk = Оказывается, эти недоумки из отдела исследований тратят все свое время на приобретение оборудования для уборки. Отправьте несколько исследований в Центральное командование, чтобы мы могли действительно получить то, что нам нужно. +bounty-description-shiv = Бзззт... Передача с планеты-тюрьмы OC-1001: мы столкнулись с натиском эээ... "захватчиков". Да, захватчиков. Пришлите нам несколько заточек, чтобы отбиться от них. +bounty-description-soap = Из ванных комнат Центкома пропало мыло, и никто не знает, кто его взял. Замените его и станьте героем, в котором нуждается Центком. +bounty-description-soup = Чтобы подавить восстание бездомных, Nanotrasen будет угощать супом всех малооплачиваемых работников. Отправьте любой вид супа. +bounty-description-spear = Служба безопасности Центком переживает сокращение бюджета. Вам заплатят, если вы доставите набор копий. +bounty-description-syringe = Группе NT по борьбе с наркотиками нужны шприцы, чтобы распространять их среди малообеспеченных слоев населения. Помогите некоторым людям сохранить работу. +bounty-description-toolbox = В Центральном командовании не хватает робастности. Поторопитесь и поставьте несколько ящиков с инструментами в качестве решения проблемы. +bounty-description-anomaly-core = Станция из ближайшего сектора запрашивает Аномальные Ядра для выполнения своей Цели. Помогите им! Слава НТ! +bounty-description-borg-module = На станции в соседнем секторе проводится эксперимент по замене всего экипажа боргами. Предоставьте им комплектующие для запасных "сотрудников"! +bounty-description-artifact-fragment = Для обучения подрастающего поколения ученых требуются фрагменты артефактов. Пришлите столько, сколько возможно. +bounty-description-organs = Колония Арахнидов заказывает комплект органов. Официальная причина: "Для изучения сходств и различий между нашими видами". +bounty-description-labeler = В связи с бюрократической ошибкой партия из нескольких сотен контейнеров с морковью была отправлена в колонию Унатхов. Нам срочно нужны ручные этикеровщики, что перераспределить поставку по новым адресатам. +bounty-description-warm-cloth = На планете Унатхов случилось внезапное похолодание. Скорее пришлите им тёплой одежды! +bounty-description-battery = Колония Арахнидов переходит на экологически чистые источники питания, в связи с чем запрашивает большую партию батарей. +bounty-description-lasergun = Очередная группа Пустотников запрашивает лазерное оружие для борьбы с агрессивной ксено-фауной. +bounty-description-food = Одна из колоний осталась без запасов провианта после вторжения крыс. Помогите им! +bounty-description-tech-disk = Новый научный ассистент на космической станции 15 пролил газировку на сервер РНД. Отправьте им несколько технологических дисков, чтобы они могли восстановить свои рецепты. +bounty-description-trash = Недавно у группы уборщиков закончился мусор для уборки, а без мусора Центком хочет уволить их, чтобы сократить расходы. Отправьте партию мусора, чтобы сохранить им работу, и они дадут вам небольшую компенсацию. diff --git a/Resources/Locale/ru-RU/cargo/cargo-bounty-console.ftl b/Resources/Locale/ru-RU/cargo/cargo-bounty-console.ftl new file mode 100644 index 00000000000..03bb7fccafd --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/cargo-bounty-console.ftl @@ -0,0 +1,16 @@ +bounty-console-menu-title = Консоль запросов +bounty-console-label-button-text = Распечатать этикетку +bounty-console-time-label = Время: [color=orange]{ $time }[/color] +bounty-console-reward-label = Награда: [color=limegreen]${ $reward }[/color] +bounty-console-manifest-label = Манифест: [color=gray]{ $item }[/color] +bounty-console-manifest-entry = + { $amount -> + [1] { $item } + *[other] { $item } x{ $amount } + } +bounty-console-description-label = [color=gray]{ $description }[/color] +bounty-console-id-label = ID#{ $id } +bounty-console-flavor-left = Запросы, полученные от местных недобросовестных торговцев. +bounty-console-flavor-right = v1.4 +bounty-manifest-header = Официальный манифест запроса (ID#{ $id }) +bounty-manifest-list-start = Манифест: diff --git a/Resources/Locale/ru-RU/cargo/cargo-console-component.ftl b/Resources/Locale/ru-RU/cargo/cargo-console-component.ftl new file mode 100644 index 00000000000..15adc89a124 --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/cargo-console-component.ftl @@ -0,0 +1,46 @@ +## UI + +cargo-console-menu-title = Консоль заказа грузов +cargo-console-menu-account-name-label = Имя аккаунта:{ " " } +cargo-console-menu-account-name-none-text = Нет +cargo-console-menu-shuttle-name-label = Название шаттла:{ " " } +cargo-console-menu-shuttle-name-none-text = Нет +cargo-console-menu-points-label = Кредиты:{ " " } +cargo-console-menu-points-amount = ${ $amount } +cargo-console-menu-shuttle-status-label = Статус шаттла:{ " " } +cargo-console-menu-shuttle-status-away-text = Отбыл +cargo-console-menu-order-capacity-label = Объём заказов:{ " " } +cargo-console-menu-call-shuttle-button = Активировать телепад +cargo-console-menu-permissions-button = Доступы +cargo-console-menu-categories-label = Категории:{ " " } +cargo-console-menu-search-bar-placeholder = Поиск +cargo-console-menu-requests-label = Запросы +cargo-console-menu-orders-label = Заказы +cargo-console-menu-order-reason-description = Причина: { $reason } +cargo-console-menu-populate-categories-all-text = Все +cargo-console-menu-populate-orders-cargo-order-row-product-name-text = { $productName } (x{ $orderAmount }) от { $orderRequester } +cargo-console-menu-cargo-order-row-approve-button = Одобрить +cargo-console-menu-cargo-order-row-cancel-button = Отменить +# Orders +cargo-console-order-not-allowed = Доступ запрещён +cargo-console-station-not-found = Нет доступной станции +cargo-console-invalid-product = Неверный ID продукта +cargo-console-too-many = Слишком много одобренных заказов +cargo-console-snip-snip = Заказ урезан до вместимости +cargo-console-insufficient-funds = Недостаточно средств (требуется { $cost }) +cargo-console-unfulfilled = Недостаточно места для выполнения доставки. +cargo-console-trade-station = Отправить { $destination } +cargo-console-paper-print-name = Заказ #{ $orderNumber } +cargo-console-paper-print-text = + Заказ #{ $orderNumber } + Товар: { $itemName } + Запросил: { $requester } + Причина: { $reason } + Одобрил: { $approver } +# Cargo shuttle console +cargo-shuttle-console-menu-title = Консоль вызова грузового шаттла +cargo-shuttle-console-station-unknown = Неизвестно +cargo-shuttle-console-shuttle-not-found = Не найден +cargo-no-shuttle = Грузовой шаттл не найден! +cargo-shuttle-console-organics = На шаттле обнаружены органические формы жизни +cargo-telepad-delay-upgrade = Задержка телепортации diff --git a/Resources/Locale/ru-RU/cargo/cargo-console-order-component.ftl b/Resources/Locale/ru-RU/cargo/cargo-console-order-component.ftl new file mode 100644 index 00000000000..38700cb0078 --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/cargo-console-order-component.ftl @@ -0,0 +1,10 @@ +## UI + +cargo-console-order-menu-title = Форма заказа +cargo-console-order-menu-product-label = Товар: +cargo-console-order-menu-description-label = Описание: +cargo-console-order-menu-cost-label = Стоимость единицы: +cargo-console-order-menu-requester-label = Заказчик: +cargo-console-order-menu-reason-label = Причина: +cargo-console-order-menu-amount-label = Количество: +cargo-console-order-menu-submit-button = ОК diff --git a/Resources/Locale/ru-RU/cargo/cargo-order-database-component.ftl b/Resources/Locale/ru-RU/cargo/cargo-order-database-component.ftl new file mode 100644 index 00000000000..e10d50e46ad --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/cargo-order-database-component.ftl @@ -0,0 +1,3 @@ +## Cargo order database + +cargo-order-database-order-overflow-message = { $placeholder } (Переполнение) diff --git a/Resources/Locale/ru-RU/cargo/cargo-pallet-console-component.ftl b/Resources/Locale/ru-RU/cargo/cargo-pallet-console-component.ftl new file mode 100644 index 00000000000..88227f766e6 --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/cargo-pallet-console-component.ftl @@ -0,0 +1,6 @@ +# Cargo pallet sale console +cargo-pallet-console-menu-title = Консоль продажи товаров +cargo-pallet-menu-appraisal-label = Оценочная стоимость:{ " " } +cargo-pallet-menu-count-label = Кол-во продаваемых товаров:{ " " } +cargo-pallet-appraise-button = Оценить +cargo-pallet-sell-button = Продать diff --git a/Resources/Locale/ru-RU/cargo/price-gun-component.ftl b/Resources/Locale/ru-RU/cargo/price-gun-component.ftl new file mode 100644 index 00000000000..339228bce68 --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/price-gun-component.ftl @@ -0,0 +1,4 @@ +price-gun-pricing-result = Прибор показывает, что { $object } имеет ценность в { $price } кредитов. +price-gun-verb-text = Оценить +price-gun-verb-message = { CAPITALIZE($object) } оценивается. +price-gun-bounty-complete = Прибор подтверждает выполнение заказа в контейнере. diff --git a/Resources/Locale/ru-RU/cargo/qm-clipboard.ftl b/Resources/Locale/ru-RU/cargo/qm-clipboard.ftl new file mode 100644 index 00000000000..3790da77b36 --- /dev/null +++ b/Resources/Locale/ru-RU/cargo/qm-clipboard.ftl @@ -0,0 +1 @@ +qm-clipboard-computer-verb-text = Переключить список запросов diff --git a/Resources/Locale/ru-RU/cartridge-loader/cartridge-loader-component.ftl b/Resources/Locale/ru-RU/cartridge-loader/cartridge-loader-component.ftl new file mode 100644 index 00000000000..f51e4faf5b6 --- /dev/null +++ b/Resources/Locale/ru-RU/cartridge-loader/cartridge-loader-component.ftl @@ -0,0 +1,2 @@ +cartridge-bound-user-interface-install-button = Установить +cartridge-bound-user-interface-uninstall-button = Удалить diff --git a/Resources/Locale/ru-RU/cartridge-loader/cartridges.ftl b/Resources/Locale/ru-RU/cartridge-loader/cartridges.ftl new file mode 100644 index 00000000000..5363bf78d81 --- /dev/null +++ b/Resources/Locale/ru-RU/cartridge-loader/cartridges.ftl @@ -0,0 +1,17 @@ +device-pda-slot-component-slot-name-cartridge = Картридж +default-program-name = Программа +notekeeper-program-name = Заметки +news-read-program-name = Новости станции +crew-manifest-program-name = Манифест экипажа +crew-manifest-cartridge-loading = Загрузка... +net-probe-program-name = NetProbe +net-probe-scan = Просканирован { $device }! +net-probe-label-name = Название +net-probe-label-address = Адрес +net-probe-label-frequency = Частота +net-probe-label-network = Сеть +log-probe-program-name = LogProbe +log-probe-scan = Скачивание логов с { $device }! +log-probe-label-time = Время +log-probe-label-accessor = Получивший доступ +log-probe-label-number = # diff --git a/Resources/Locale/ru-RU/changelog/changelog-window.ftl b/Resources/Locale/ru-RU/changelog/changelog-window.ftl new file mode 100644 index 00000000000..475c8b4ab57 --- /dev/null +++ b/Resources/Locale/ru-RU/changelog/changelog-window.ftl @@ -0,0 +1,12 @@ +### ChangelogWindow.xaml.cs + +changelog-window-title = Обновления +changelog-author-changed = [color=#EEE]{ $author }[/color] изменил: +changelog-today = Сегодня +changelog-yesterday = Вчера +changelog-new-changes = новые обновления +changelog-version-tag = версия v{ $version } +changelog-button = Обновления +changelog-button-new-entries = Обновления (!) +changelog-tab-title-Changelog = Список изменений +changelog-tab-title-Admin = Админское diff --git a/Resources/Locale/ru-RU/chapel/bible.ftl b/Resources/Locale/ru-RU/chapel/bible.ftl new file mode 100644 index 00000000000..46407055763 --- /dev/null +++ b/Resources/Locale/ru-RU/chapel/bible.ftl @@ -0,0 +1,15 @@ +bible-heal-success-self = Вы ударяете { $target } с помощью { $bible }, и его раны закрываются во вспышке святого света! +bible-heal-success-others = { CAPITALIZE($user) } ударяет { $target } с помощью { $bible }, и его раны закрываются во вспышке святого света! +bible-heal-success-none-self = Вы ударяете { $target } с помощью { $bible }, но раны которые можно излечить отсутствуют! +bible-heal-success-none-others = { CAPITALIZE($user) } ударяет { $target } с помощью { $bible }! +bible-heal-fail-self = Вы ударяете { $target } с помощью { $bible }, и { $bible }, с печальным стуком, оказывает ошеломляющий эффект! +bible-heal-fail-others = { CAPITALIZE($user) } ударяет { $target } с помощью { $bible }, и { $bible }, с печальным стуком, оказывает ошеломляющий эффект! +bible-sizzle = Книга шипит в ваших руках! +bible-summon-verb = Призвать фамильяра +bible-summon-verb-desc = Призовите фамильяра, который станет помогать вам и обретёт человекоподобный интеллект после вселения в него души. +bible-summon-requested = Ваш фамильяр явится, как только появится желающая душа. +bible-summon-respawn-ready = { CAPITALIZE($book) } наполняется неземной энергией. Обитатель { CAPITALIZE($book) } вернулся домой. +necro-heal-success-self = Вы ударяете { $target } с помощью { $bible }, и кожа { $target } начинает кукожиться и плавиться! +necro-heal-success-others = { CAPITALIZE($user) } ударяет { $target } с помощью { $bible }, и кожа { $target } начинает кукожиться и плавиться! +necro-heal-fail-self = Вы ударяете { $target } с помощью { $bible }, но удар отдаётся печальным стуком, не сумев поразить { $target }. +necro-heal-fail-others = { CAPITALIZE($user) } ударяет { $target } с помощью { $bible }, но удар отдаётся печальным стуком, не сумев поразить { $target }. diff --git a/Resources/Locale/ru-RU/character-appearance/components/humanoid-appearance-component.ftl b/Resources/Locale/ru-RU/character-appearance/components/humanoid-appearance-component.ftl new file mode 100644 index 00000000000..2c77ca0458e --- /dev/null +++ b/Resources/Locale/ru-RU/character-appearance/components/humanoid-appearance-component.ftl @@ -0,0 +1,2 @@ +humanoid-appearance-component-unknown-species = гуманоид +humanoid-appearance-component-examine = { CAPITALIZE(SUBJECT($user)) } { $species } { $age }. diff --git a/Resources/Locale/ru-RU/character-appearance/components/magic-mirror-component.ftl b/Resources/Locale/ru-RU/character-appearance/components/magic-mirror-component.ftl new file mode 100644 index 00000000000..2d7f74afe7b --- /dev/null +++ b/Resources/Locale/ru-RU/character-appearance/components/magic-mirror-component.ftl @@ -0,0 +1,2 @@ +magic-mirror-component-activate-user-has-no-hair = У вас не может быть волос! +magic-mirror-window-title = Волшебное зеркало diff --git a/Resources/Locale/ru-RU/character-info/components/character-info-component.ftl b/Resources/Locale/ru-RU/character-info/components/character-info-component.ftl new file mode 100644 index 00000000000..5c1f8e3b802 --- /dev/null +++ b/Resources/Locale/ru-RU/character-info/components/character-info-component.ftl @@ -0,0 +1,3 @@ +character-info-title = Персонаж +character-info-roles-antagonist-text = Роли антагонистов +character-info-objectives-label = Цели diff --git a/Resources/Locale/ru-RU/chat/commands/suicide-command.ftl b/Resources/Locale/ru-RU/chat/commands/suicide-command.ftl new file mode 100644 index 00000000000..da99a31c923 --- /dev/null +++ b/Resources/Locale/ru-RU/chat/commands/suicide-command.ftl @@ -0,0 +1,9 @@ +suicide-command-description = Совершает самоубийство +suicide-command-help-text = + Команда самоубийства дает вам возможность быстро выйти из раунда, оставаясь в образе персонажа. + Способы бывают разные, сначала вы попытаетесь использовать предмет, находящийся у вас в активной руке. + Если это не удастся, то будет сделана попытка использовать предмет рядом с вами. + Наконец, если ни один из вышеперечисленных способов не сработал, вы умрете, прикусив язык. +suicide-command-default-text-others = { $name } пытается прикусить свой собственный язык! +suicide-command-default-text-self = Вы пытаетесь прикусить свой собственный язык! +suicide-command-already-dead = Вы не можете совершить самоубийство. Вы мертвы. diff --git a/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl b/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl new file mode 100644 index 00000000000..bd34737b22a --- /dev/null +++ b/Resources/Locale/ru-RU/chat/managers/chat-manager.ftl @@ -0,0 +1,88 @@ +### UI + +chat-manager-max-message-length = Ваше сообщение превышает лимит в { $maxMessageLength } символов +chat-manager-ooc-chat-enabled-message = OOC чат был включен. +chat-manager-ooc-chat-disabled-message = OOC чат был отключен. +chat-manager-looc-chat-enabled-message = LOOC чат был включен. +chat-manager-looc-chat-disabled-message = LOOC чат был отключен. +chat-manager-dead-looc-chat-enabled-message = Мёртвые игроки теперь могут говорить в LOOC. +chat-manager-dead-looc-chat-disabled-message = Мёртвые игроки больше не могут говорить в LOOC. +chat-manager-crit-looc-chat-enabled-message = Игроки в критическом состоянии теперь могут говорить в LOOC. +chat-manager-crit-looc-chat-disabled-message = Игроки в критическом состоянии больше не могут говорить в LOOC. +chat-manager-admin-ooc-chat-enabled-message = Админ OOC чат был включен. +chat-manager-admin-ooc-chat-disabled-message = Админ OOC чат был выключен. +chat-manager-max-message-length-exceeded-message = Ваше сообщение превышает лимит в { $limit } символов +chat-manager-no-headset-on-message = У вас нет гарнитуры! +chat-manager-no-radio-key = Не задан ключ канала! +chat-manager-no-such-channel = Нет канала с ключём '{ $key }'! +chat-manager-whisper-headset-on-message = Вы не можете шептать в радио! +chat-manager-server-wrap-message = [bold]{ $message }[/bold] +chat-manager-sender-announcement-wrap-message = [font size=14][bold]Объявление { $sender }:[/font][font size=12] + { $message }[/bold][/font] +chat-manager-entity-say-wrap-message = [BubbleHeader][bold][Name]{ $entityName }[/Name][/bold][/BubbleHeader] { $verb }, [font={ $fontType } size={ $fontSize } ]"[BubbleContent]{ $message }[/BubbleContent]"[/font] +chat-manager-entity-say-bold-wrap-message = [BubbleHeader][bold][Name]{ $entityName }[/Name][/bold][/BubbleHeader] { $verb }, [font={ $fontType } size={ $fontSize }]"[BubbleContent][bold]{ $message }[/bold][/BubbleContent]"[/font] +chat-manager-entity-whisper-wrap-message = [font size=11][italic][BubbleHeader][Name]{ $entityName }[/Name][/BubbleHeader] шепчет,"[BubbleContent]{ $message }[/BubbleContent]"[/italic][/font] +chat-manager-entity-whisper-unknown-wrap-message = [font size=11][italic][BubbleHeader]Кто-то[/BubbleHeader] шепчет, "[BubbleContent]{ $message }[/BubbleContent]"[/italic][/font] +chat-manager-entity-me-wrap-message = [italic]{ $entityName } { $message }[/italic] +chat-manager-entity-looc-wrap-message = LOOC: [bold]{ $entityName }:[/bold] { $message } +chat-manager-send-ooc-wrap-message = OOC: [bold]{ $playerName }:[/bold] { $message } +chat-manager-send-dead-chat-wrap-message = { $deadChannelName }: [bold][BubbleHeader]{ $playerName }[/BubbleHeader]:[/bold] [BubbleContent]{ $message }[/BubbleContent] +chat-manager-send-ooc-patron-wrap-message = OOC: [bold][color={ $patronColor }]{ $playerName }[/color]:[/bold] { $message } +chat-manager-send-admin-dead-chat-wrap-message = { $adminChannelName }: [bold]([BubbleHeader]{ $userName }[/BubbleHeader]):[/bold] [BubbleContent]{ $message }[/BubbleContent] +chat-manager-send-admin-chat-wrap-message = { $adminChannelName }: [bold]{ $playerName }:[/bold] { $message } +chat-manager-send-admin-announcement-wrap-message = [bold]{ $adminChannelName }: { $message }[/bold] +chat-manager-send-hook-ooc-wrap-message = OOC: [bold](D){ $senderName }:[/bold] { $message } +chat-manager-dead-channel-name = МЁРТВЫЕ +chat-manager-admin-channel-name = АДМИН +chat-manager-rate-limited = Вы отправляете сообщения слишком быстро! +chat-manager-rate-limit-admin-announcement = Игрок { $player } превысил ограничение на частоту сообщений в чате. Присмотрите за ним если это происходит регулярно. +chat-speech-verb-suffix-exclamation = ! +chat-speech-verb-suffix-exclamation-strong = !! +chat-speech-verb-suffix-question = ? +chat-speech-verb-default = говорит +chat-speech-verb-suffix-stutter = - +chat-speech-verb-suffix-mumble = .. +chat-speech-verb-exclamation = восклицает +chat-speech-verb-exclamation-strong = кричит +chat-speech-verb-question = спрашивает +chat-speech-verb-stutter = запинается +chat-speech-verb-mumble = бубнит +chat-speech-verb-insect-1 = стрекочет +chat-speech-verb-insect-2 = жужжит +chat-speech-verb-insect-3 = щёлкает +chat-speech-verb-winged-1 = свистит +chat-speech-verb-winged-2 = хлопает +chat-speech-verb-winged-3 = клокочет +chat-speech-verb-slime-1 = шлёпает +chat-speech-verb-slime-2 = бурлит +chat-speech-verb-slime-3 = булькает +chat-speech-verb-plant-1 = шелестит +chat-speech-verb-plant-2 = шуршит +chat-speech-verb-plant-3 = скрипит +chat-speech-verb-robotic-1 = докладывает +chat-speech-verb-robotic-2 = пищит +chat-speech-verb-reptilian-1 = шипит +chat-speech-verb-reptilian-2 = фыркает +chat-speech-verb-reptilian-3 = пыхтит +chat-speech-verb-skeleton-1 = гремит +chat-speech-verb-skeleton-2 = клацает +chat-speech-verb-skeleton-3 = скрежещет +chat-speech-verb-canine-1 = гавкает +chat-speech-verb-canine-2 = лает +chat-speech-verb-canine-3 = воет +chat-speech-verb-small-mob-1 = скрипит +chat-speech-verb-small-mob-2 = пищит +chat-speech-verb-large-mob-1 = ревёт +chat-speech-verb-large-mob-2 = рычит +chat-speech-verb-monkey-1 = обезьяничает +chat-speech-verb-monkey-2 = визжит +chat-speech-verb-ghost-1 = жалуется +chat-speech-verb-ghost-2 = дышит +chat-speech-verb-ghost-3 = воет +chat-speech-verb-ghost-4 = бормочет +chat-speech-verb-cluwne-1 = хихикает +chat-speech-verb-cluwne-2 = хехекает +chat-speech-verb-cluwne-3 = смеётся +chat-speech-verb-electricity-1 = трещит +chat-speech-verb-electricity-2 = гудит +chat-speech-verb-electricity-3 = скрипит diff --git a/Resources/Locale/ru-RU/chat/sanitizer-replacements.ftl b/Resources/Locale/ru-RU/chat/sanitizer-replacements.ftl new file mode 100644 index 00000000000..6668661c4eb --- /dev/null +++ b/Resources/Locale/ru-RU/chat/sanitizer-replacements.ftl @@ -0,0 +1,26 @@ +chatsan-smiles = улыбается +chatsan-frowns = хмурится +chatsan-smiles-widely = широко улыбается +chatsan-frowns-deeply = сильно хмурится +chatsan-surprised = выглядит удивлённым +chatsan-uncertain = выглядит растерянным +chatsan-grins = ухмыляется +chatsan-pouts = дуется +chatsan-laughs = смеётся +chatsan-cries = плачет +chatsan-smiles-smugly = самодовольно улыбается +chatsan-annoyed = выглядит раздраженным +chatsan-sighs = вздыхает +chatsan-stick-out-tongue = показывает язык +chatsan-wide-eyed = выглядит шокированным +chatsan-surprised = выглядит удивлённым +chatsan-confused = выглядит смущённым +chatsan-unimpressed = кажется не впечатлённым +chatsan-waves = машет +chatsan-salutes = отдаёт честь +chatsan-tearfully-salutes = отдаёт честь со слезами на глазах +chatsan-tearfully-smiles = улыбается со слезами на глазах +chatsan-winks = подмигивает +chatsan-shrugs = пожимает плечами +chatsan-claps = хлопает +chatsan-snaps = щёлкает diff --git a/Resources/Locale/ru-RU/chat/ui/chat-box.ftl b/Resources/Locale/ru-RU/chat/ui/chat-box.ftl new file mode 100644 index 00000000000..4cfcd3891e1 --- /dev/null +++ b/Resources/Locale/ru-RU/chat/ui/chat-box.ftl @@ -0,0 +1,30 @@ +hud-chatbox-info = { $talk-key } для разговора, { $cycle-key } для переключения каналов. +hud-chatbox-info-talk = { $talk-key } для разговора. +hud-chatbox-info-cycle = Нажмите для разговора, { $cycle-key } чтобы переключать каналы. +hud-chatbox-info-unbound = Нажмите для разговора. +hud-chatbox-select-name-prefixed = { $prefix } { $name } +hud-chatbox-select-channel-Admin = Админ +hud-chatbox-select-channel-Console = Консоль +hud-chatbox-select-channel-Dead = Мёртвые +hud-chatbox-select-channel-Emotes = Эмоции +hud-chatbox-select-channel-Local = Рядом +hud-chatbox-select-channel-Whisper = Шёпот +hud-chatbox-select-channel-LOOC = LOOC +hud-chatbox-select-channel-OOC = OOC +hud-chatbox-select-channel-Damage = Повреждения +hud-chatbox-select-channel-Visual = Действия +hud-chatbox-select-channel-Radio = Рация +hud-chatbox-channel-Admin = Админ Разное +hud-chatbox-channel-AdminAlert = Админ Уведомления +hud-chatbox-channel-AdminChat = Админ Чат +hud-chatbox-channel-Dead = Мёртвые +hud-chatbox-channel-Emotes = Эмоции +hud-chatbox-channel-Local = Рядом +hud-chatbox-channel-Whisper = Шёпот +hud-chatbox-channel-LOOC = LOOC +hud-chatbox-channel-OOC = OOC +hud-chatbox-channel-Radio = Рация +hud-chatbox-channel-Server = Сервер +hud-chatbox-channel-Visual = Визуальный +hud-chatbox-channel-Damage = Повреждения +hud-chatbox-channel-Unspecified = Неопределённый diff --git a/Resources/Locale/ru-RU/chemistry/components/chem-master-component.ftl b/Resources/Locale/ru-RU/chemistry/components/chem-master-component.ftl new file mode 100644 index 00000000000..4286b414d4b --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/chem-master-component.ftl @@ -0,0 +1,32 @@ +## Entity + +chem-master-component-activate-no-hands = У вас нет рук. +chem-master-component-cannot-put-entity-message = Вы не можете поместить это в ХимМастер! + +## Bound UI + +chem-master-bound-user-interface-title = ХимМастер 4000 + +## UI + +chem-master-window-input-tab = Вход +chem-master-window-output-tab = Выход +chem-master-window-container-label = Контейнер +chem-master-window-eject-button = Извлечь +chem-master-window-no-container-loaded-text = Контейнер не загружен. +chem-master-window-buffer-text = Буфер +chem-master-window-buffer-label = буфер: +chem-master-window-buffer-all-amount = Всё +chem-master-window-buffer-empty-text = Буфер пуст. +chem-master-window-buffer-low-text = Недостаточно раствора в буфере +chem-master-window-transfer-button = Перенести +chem-master-window-discard-button = Уничтожить +chem-master-window-packaging-text = Упаковка +chem-master-current-text-label = Метка: +chem-master-window-pills-label = Таблетка: +chem-master-window-pill-type-label = Тип таблеток: +chem-master-window-pills-number-label = Кол-во: +chem-master-window-dose-label = Дозировка (ед.): +chem-master-window-create-button = Создать +chem-master-window-bottles-label = Бутылочки: +chem-master-window-unknown-reagent-text = Неизвестный реагент diff --git a/Resources/Locale/ru-RU/chemistry/components/hypospray-component.ftl b/Resources/Locale/ru-RU/chemistry/components/hypospray-component.ftl new file mode 100644 index 00000000000..b106125192c --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/hypospray-component.ftl @@ -0,0 +1,13 @@ +## UI + +hypospray-volume-text = Объем: [color=white]{ $currentVolume }/{ $totalVolume }[/color] + +## Entity + +hypospray-component-inject-other-message = Вы вводите { $other }. +hypospray-component-inject-self-message = Вы делаете себе инъекцию. +hypospray-component-inject-self-clumsy-message = Ой! Вы сделали себе инъекцию. +hypospray-component-empty-message = Он пустой! +hypospray-component-feel-prick-message = Вы чувствуете слабый укольчик! +hypospray-component-transfer-already-full-message = { $owner } уже заполнен! +hypospray-cant-inject = Нельзя сделать инъекцию в { $target }! diff --git a/Resources/Locale/ru-RU/chemistry/components/injector-component.ftl b/Resources/Locale/ru-RU/chemistry/components/injector-component.ftl new file mode 100644 index 00000000000..ea10139486e --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/injector-component.ftl @@ -0,0 +1,24 @@ +## UI + +injector-draw-text = Набрать +injector-inject-text = Ввести +injector-invalid-injector-toggle-mode = Неправильный режим +injector-volume-label = Объём: [color=white]{ $currentVolume }/{ $totalVolume }[/color] | [color=white]{ $modeString }[/color] + +## Entity + +injector-component-drawing-text = Содержимое набирается +injector-component-injecting-text = Содержимое вводится +injector-component-cannot-transfer-message = Вы не можете ничего переместить в { $target }! +injector-component-cannot-draw-message = Вы не можете ничего набрать из { $target }! +injector-component-cannot-inject-message = Вы не можете ничего ввести в { $target }! +injector-component-inject-success-message = Вы вводите { $amount }ед. в { $target }! +injector-component-transfer-success-message = Вы перемещаете { $amount }ед. в { $target }. +injector-component-draw-success-message = Вы набираете { $amount }ед. из { $target }. +injector-component-target-already-full-message = { $target } полон! +injector-component-target-is-empty-message = { $target } пуст! + +## mob-inject doafter messages + +injector-component-injecting-user = Вы начинаете вводить иглу. +injector-component-injecting-target = { CAPITALIZE($user) } пытается ввести вам иглу! diff --git a/Resources/Locale/ru-RU/chemistry/components/mixing-component.ftl b/Resources/Locale/ru-RU/chemistry/components/mixing-component.ftl new file mode 100644 index 00000000000..50564634d68 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/mixing-component.ftl @@ -0,0 +1,13 @@ +# Types +mixing-verb-default-mix = смешать +mixing-verb-default-grind = размолоть +mixing-verb-default-juice = выжать +mixing-verb-default-condense = конденсировать +mixing-verb-centrifuge = запустить центрифугу +mixing-verb-electrolysis = электролиз +mixing-verb-holy = освятить + +## Entity + +default-mixing-success = Вы смешиваете { $mixed } при помощи { $mixer } +bible-mixing-success = Вы благословляете { $mixed } при помощи { $mixer } diff --git a/Resources/Locale/ru-RU/chemistry/components/reagent-dispenser-component.ftl b/Resources/Locale/ru-RU/chemistry/components/reagent-dispenser-component.ftl new file mode 100644 index 00000000000..2ced0659e99 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/reagent-dispenser-component.ftl @@ -0,0 +1,19 @@ +## Entity + +reagent-dispenser-component-activate-no-hands = У вас нет рук. +reagent-dispenser-component-cannot-put-entity-message = Вы не можете поместить это в раздатчик! + +## Bound UI + +reagent-dispenser-bound-user-interface-title = Раздатчик химикатов + +## UI + +reagent-dispenser-window-amount-to-dispense-label = Кол-во +reagent-dispenser-window-container-label = Контейнер: +reagent-dispenser-window-clear-button = Очистить +reagent-dispenser-window-eject-button = Извлечь +reagent-dispenser-window-no-container-loaded-text = Контейнер не загружен. +reagent-dispenser-window-reagent-name-not-found-text = Имя реагента не найдено +reagent-dispenser-window-unknown-reagent-text = Неизвестный реагент +reagent-dispenser-window-quantity-label-text = { $quantity }ед. diff --git a/Resources/Locale/ru-RU/chemistry/components/rehydratable-component.ftl b/Resources/Locale/ru-RU/chemistry/components/rehydratable-component.ftl new file mode 100644 index 00000000000..843874a1fb6 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/rehydratable-component.ftl @@ -0,0 +1 @@ +rehydratable-component-expands-message = { $owner } расширяется! diff --git a/Resources/Locale/ru-RU/chemistry/components/solution-container-mixer-component.ftl b/Resources/Locale/ru-RU/chemistry/components/solution-container-mixer-component.ftl new file mode 100644 index 00000000000..fcc3c44b960 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/solution-container-mixer-component.ftl @@ -0,0 +1,3 @@ +solution-container-mixer-activate = Активаровано +solution-container-mixer-no-power = Нет энергии! +solution-container-mixer-popup-nothing-to-mix = Ничего не загружено! diff --git a/Resources/Locale/ru-RU/chemistry/components/solution-heater-component.ftl b/Resources/Locale/ru-RU/chemistry/components/solution-heater-component.ftl new file mode 100644 index 00000000000..6d6d2660824 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/solution-heater-component.ftl @@ -0,0 +1 @@ +solution-heater-upgrade-heat = сила нагрева diff --git a/Resources/Locale/ru-RU/chemistry/components/solution-scanner-component.ftl b/Resources/Locale/ru-RU/chemistry/components/solution-scanner-component.ftl new file mode 100644 index 00000000000..e58b5bf43cf --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/solution-scanner-component.ftl @@ -0,0 +1,5 @@ +scannable-solution-verb-text = Раствор +scannable-solution-verb-message = Изучить химический состав. +scannable-solution-main-text = Содержит следующие химические вещества: +scannable-solution-empty-container = Не содержит химических веществ. +scannable-solution-chemical = - { $amount }ед. [color={ $color }]{ $type }[/color] diff --git a/Resources/Locale/ru-RU/chemistry/components/solution-spike-component.ftl b/Resources/Locale/ru-RU/chemistry/components/solution-spike-component.ftl new file mode 100644 index 00000000000..1b70b4c0706 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/solution-spike-component.ftl @@ -0,0 +1,3 @@ +spike-solution-generic = Вы толчёте { $spiked-entity } в { $spike-entity }. +spike-solution-empty-generic = Вам не удаётся разбить { $spike-entity } в { $spiked-entity }. +spike-solution-egg = Вы разбиваете { $spike-entity } в { $spiked-entity }. diff --git a/Resources/Locale/ru-RU/chemistry/components/solution-transfer-component.ftl b/Resources/Locale/ru-RU/chemistry/components/solution-transfer-component.ftl new file mode 100644 index 00000000000..92241d73671 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/solution-transfer-component.ftl @@ -0,0 +1,19 @@ +### Solution transfer component + +comp-solution-transfer-fill-normal = Вы перемещаете { $amount } ед. из { $owner } в { $target }. +comp-solution-transfer-fill-fully = Вы наполняете { $target } до краёв, переместив { $amount } ед. из { $owner }. +comp-solution-transfer-transfer-solution = Вы перемещаете { $amount } ед. в { $target }. + +## Displayed when trying to transfer to a solution, but either the giver is empty or the taker is full + +comp-solution-transfer-is-empty = { $target } пуст! +comp-solution-transfer-is-full = { $target } полон! + +## Displayed in change transfer amount verb's name + +comp-solution-transfer-verb-custom-amount = Своё кол-во +comp-solution-transfer-verb-amount = { $amount } ед. + +## Displayed after you successfully change a solution's amount using the BUI + +comp-solution-transfer-set-amount = Перемещаемое количество установлено на { $amount } ед. diff --git a/Resources/Locale/ru-RU/chemistry/components/transformable-container-component.ftl b/Resources/Locale/ru-RU/chemistry/components/transformable-container-component.ftl new file mode 100644 index 00000000000..de88f9fb97f --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/components/transformable-container-component.ftl @@ -0,0 +1 @@ +transformable-container-component-glass = стакан { $name } diff --git a/Resources/Locale/ru-RU/chemistry/reagent-effects.ftl b/Resources/Locale/ru-RU/chemistry/reagent-effects.ftl new file mode 100644 index 00000000000..9f236134076 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/reagent-effects.ftl @@ -0,0 +1 @@ +effect-sleepy = Вы чувствуете сонливость. diff --git a/Resources/Locale/ru-RU/chemistry/solution/components/shared-solution-container-component.ftl b/Resources/Locale/ru-RU/chemistry/solution/components/shared-solution-container-component.ftl new file mode 100644 index 00000000000..e99be545dd0 --- /dev/null +++ b/Resources/Locale/ru-RU/chemistry/solution/components/shared-solution-container-component.ftl @@ -0,0 +1,8 @@ +shared-solution-container-component-on-examine-empty-container = Не содержит вещества. +shared-solution-container-component-on-examine-main-text = Содержит [color={ $color }]{ $desc }[/color] { $wordedAmount } +shared-solution-container-component-on-examine-worded-amount-one-reagent = вещество. +shared-solution-container-component-on-examine-worded-amount-multiple-reagents = смесь веществ. +examinable-solution-has-recognizable-chemicals = В этом растворе вы можете распознать { $recognizedString }. +examinable-solution-recognized-first = [color={ $color }]{ $chemical }[/color] +examinable-solution-recognized-next = , [color={ $color }]{ $chemical }[/color] +examinable-solution-recognized-last = и [color={ $color }]{ $chemical }[/color] diff --git a/Resources/Locale/ru-RU/climbing/climbable-component.ftl b/Resources/Locale/ru-RU/climbing/climbable-component.ftl new file mode 100644 index 00000000000..5e7c5664da6 --- /dev/null +++ b/Resources/Locale/ru-RU/climbing/climbable-component.ftl @@ -0,0 +1,21 @@ +### UI + +# Verb name for climbing +comp-climbable-verb-climb = Забраться + +### Interaction Messages + +# Shown to you when your character climbs on $climbable +comp-climbable-user-climbs = Вы забираетесь на { $climbable }! +# Shown to others when $user climbs on $climbable +comp-climbable-user-climbs-other = { CAPITALIZE($user) } забирается на { $climbable }! +# Shown to you when your character force someone to climb on $climbable +comp-climbable-user-climbs-force = Вы заставляете { CAPITALIZE($moved-user) } взабраться на { $climbable }! +# Shown to others when someone force other $moved-user to climb on $climbable +comp-climbable-user-climbs-force-other = { CAPITALIZE($user) } заставляет { $moved-user } взабраться на { $climbable }! +# Shown to you when your character is far away from climbable +comp-climbable-cant-reach = Вы не можете туда достать! +# Shown to you when your character can't interact with climbable for some reason +comp-climbable-cant-interact = Вы не можете этого сделать! +# Shown to you when your character can't climb +comp-climbable-cant-climb = Вы не способны взбираться! diff --git a/Resources/Locale/ru-RU/climbing/glass-table-component.ftl b/Resources/Locale/ru-RU/climbing/glass-table-component.ftl new file mode 100644 index 00000000000..e22123a9698 --- /dev/null +++ b/Resources/Locale/ru-RU/climbing/glass-table-component.ftl @@ -0,0 +1,6 @@ +### Tables which take damage when a user is dragged onto them + + +## Showed to users other than the climber + +glass-table-shattered-others = { CAPITALIZE($table) } ломается под весом { $climber }! diff --git a/Resources/Locale/ru-RU/cloning/accept-cloning-window.ftl b/Resources/Locale/ru-RU/cloning/accept-cloning-window.ftl new file mode 100644 index 00000000000..0fb0fff0d27 --- /dev/null +++ b/Resources/Locale/ru-RU/cloning/accept-cloning-window.ftl @@ -0,0 +1,7 @@ +accept-cloning-window-title = Клонирующая машина +accept-cloning-window-prompt-text-part = + Вас клонируют! + При клонировании вы забудете детали своей смерти. + Перенести свою душу в тело клона? +accept-cloning-window-accept-button = Да +accept-cloning-window-deny-button = Нет diff --git a/Resources/Locale/ru-RU/clothing/belts.ftl b/Resources/Locale/ru-RU/clothing/belts.ftl new file mode 100644 index 00000000000..a9c9ceeedd0 --- /dev/null +++ b/Resources/Locale/ru-RU/clothing/belts.ftl @@ -0,0 +1,2 @@ +sheath-insert-verb = Скрыть +sheath-eject-verb = Раскрыть diff --git a/Resources/Locale/ru-RU/clothing/boots.ftl b/Resources/Locale/ru-RU/clothing/boots.ftl new file mode 100644 index 00000000000..7c5fedff2ad --- /dev/null +++ b/Resources/Locale/ru-RU/clothing/boots.ftl @@ -0,0 +1 @@ +clothing-military-boots-sidearm = Пистолет diff --git a/Resources/Locale/ru-RU/clothing/clothing-speed.ftl b/Resources/Locale/ru-RU/clothing/clothing-speed.ftl new file mode 100644 index 00000000000..9d2758ac2a8 --- /dev/null +++ b/Resources/Locale/ru-RU/clothing/clothing-speed.ftl @@ -0,0 +1,9 @@ +# Clothing speed examine +clothing-speed-examinable-verb-text = Одежда +clothing-speed-examinable-verb-message = Изучить показатели скорости одежды. +clothing-speed-increase-equal-examine = Повышает вашу скорость на [color=yellow]{ $walkSpeed }%[/color]. +clothing-speed-decrease-equal-examine = Понижает вашу скорость на [color=yellow]{ $walkSpeed }%[/color]. +clothing-speed-increase-run-examine = Повышает вашу скорость бега на [color=yellow]{ $runSpeed }%[/color]. +clothing-speed-decrease-run-examine = Понижает вашу скорость бега на [color=yellow]{ $runSpeed }%[/color]. +clothing-speed-increase-walk-examine = Повышает вашу скорость ходьбы на [color=yellow]{ $walkSpeed }%[/color]. +clothing-speed-decrease-walk-examine = Понижает вашу скорость ходьбы на [color=yellow]{ $walkSpeed }%[/color]. diff --git a/Resources/Locale/ru-RU/clothing/components/chameleon-component.ftl b/Resources/Locale/ru-RU/clothing/components/chameleon-component.ftl new file mode 100644 index 00000000000..a1739078958 --- /dev/null +++ b/Resources/Locale/ru-RU/clothing/components/chameleon-component.ftl @@ -0,0 +1,8 @@ +## UI + +chameleon-component-ui-window-name = Настройки хамелеона +chameleon-component-ui-search-placeholder = Поиск... + +## Verb + +chameleon-component-verb-text = Хамелеон diff --git a/Resources/Locale/ru-RU/clothing/components/magboots-component.ftl b/Resources/Locale/ru-RU/clothing/components/magboots-component.ftl new file mode 100644 index 00000000000..78e0d51c099 --- /dev/null +++ b/Resources/Locale/ru-RU/clothing/components/magboots-component.ftl @@ -0,0 +1 @@ +toggle-magboots-verb-get-data-text = Переключить Магнитные сапоги diff --git a/Resources/Locale/ru-RU/clothing/components/toggleable-clothing-component.ftl b/Resources/Locale/ru-RU/clothing/components/toggleable-clothing-component.ftl new file mode 100644 index 00000000000..9dbc788978c --- /dev/null +++ b/Resources/Locale/ru-RU/clothing/components/toggleable-clothing-component.ftl @@ -0,0 +1,2 @@ +toggle-clothing-verb-text = Переключить { CAPITALIZE($entity) } +toggleable-clothing-remove-first = Сперва снимите { $entity }. diff --git a/Resources/Locale/ru-RU/cluwne/cluwne.ftl b/Resources/Locale/ru-RU/cluwne/cluwne.ftl new file mode 100644 index 00000000000..726ab44e3e1 --- /dev/null +++ b/Resources/Locale/ru-RU/cluwne/cluwne.ftl @@ -0,0 +1,2 @@ +cluwne-transform = { CAPITALIZE($target) } превратился в клувеня! +cluwne-name-prefix = клувень { $target } diff --git a/Resources/Locale/ru-RU/commands/actions-command.ftl b/Resources/Locale/ru-RU/commands/actions-command.ftl new file mode 100644 index 00000000000..08c1b5f12db --- /dev/null +++ b/Resources/Locale/ru-RU/commands/actions-command.ftl @@ -0,0 +1,6 @@ +cmd-loadacts-desc = Loads action toolbar assignments from a user-file. +cmd-loadacts-help = Usage: { $command } +cmd-loadacts-error = Failed to load action assignments +cmd-loadmapacts-desc = Loads the mapping preset action toolbar assignments. +cmd-loadmapacts-help = Usage: { $command } +cmd-loadmapacts-error = Failed to load action assignments diff --git a/Resources/Locale/ru-RU/commands/atmos-debug-command.ftl b/Resources/Locale/ru-RU/commands/atmos-debug-command.ftl new file mode 100644 index 00000000000..86eec807e56 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/atmos-debug-command.ftl @@ -0,0 +1,14 @@ +cmd-atvrange-desc = Sets the atmos debug range (as two floats, start [red] and end [blue]) +cmd-atvrange-help = Usage: { $command } +cmd-atvrange-error-start = Bad float START +cmd-atvrange-error-end = Bad float END +cmd-atvrange-error-zero = Scale cannot be zero, as this would cause a division by zero in AtmosDebugOverlay. +cmd-atvmode-desc = Sets the atmos debug mode. This will automatically reset the scale. +cmd-atvmode-help = Usage: { $command } [] +cmd-atvmode-error-invalid = Invalid mode +cmd-atvmode-error-target-gas = A target gas must be provided for this mode. +cmd-atvmode-error-out-of-range = Gas ID not parsable or out of range. +cmd-atvmode-error-info = No further information is required for this mode. +cmd-atvcbm-desc = Changes from red/green/blue to greyscale +cmd-atvcbm-help = Usage: { $command } +cmd-atvcbm-error = Invalid flag diff --git a/Resources/Locale/ru-RU/commands/credits-command.ftl b/Resources/Locale/ru-RU/commands/credits-command.ftl new file mode 100644 index 00000000000..e931c816711 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/credits-command.ftl @@ -0,0 +1,2 @@ +cmd-credits-desc = Opens the credits window +cmd-credits-help = Usage: { $command } diff --git a/Resources/Locale/ru-RU/commands/debug-command.ftl b/Resources/Locale/ru-RU/commands/debug-command.ftl new file mode 100644 index 00000000000..9e8f2f7b5e1 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/debug-command.ftl @@ -0,0 +1,8 @@ +cmd-showmarkers-desc = Toggles visibility of markers such as spawn points. +cmd-showmarkers-help = Usage: { $command } +cmd-showsubfloor-desc = Makes entities below the floor always visible. +cmd-showsubfloor-help = Usage: { $command } +cmd-showsubfloorforever-desc = Makes entities below the floor always visible until the client is restarted. +cmd-showsubfloorforever-help = Usage: { $command } +cmd-notify-desc = Send a notify client side. +cmd-notify-help = Usage: { $command } diff --git a/Resources/Locale/ru-RU/commands/debug-pathfinding-command.ftl b/Resources/Locale/ru-RU/commands/debug-pathfinding-command.ftl new file mode 100644 index 00000000000..bb059f76cf2 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/debug-pathfinding-command.ftl @@ -0,0 +1,4 @@ +cmd-pathfinder-desc = Toggles visibility of pathfinding debuggers. +cmd-pathfinder-help = Usage: { $command } [options] +cmd-pathfinder-error = Unrecognised pathfinder args { $arg } +cmd-pathfinder-notify = Toggled { $arg } to { $newMode } diff --git a/Resources/Locale/ru-RU/commands/grouping-entity-menu-command.ftl b/Resources/Locale/ru-RU/commands/grouping-entity-menu-command.ftl new file mode 100644 index 00000000000..63c9f850079 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/grouping-entity-menu-command.ftl @@ -0,0 +1,4 @@ +cmd-entitymenug-desc = Sets the entity menu grouping type. +cmd-entitymenug-help = Usage: { $command } <0:{ $groupingTypesCount }> +cmd-entitymenug-error = { $arg } is not a valid integer. +cmd-entitymenug-notify = Context Menu Grouping set to type: { $cvar } diff --git a/Resources/Locale/ru-RU/commands/hide-mechanisms-command.ftl b/Resources/Locale/ru-RU/commands/hide-mechanisms-command.ftl new file mode 100644 index 00000000000..7930db4b44e --- /dev/null +++ b/Resources/Locale/ru-RU/commands/hide-mechanisms-command.ftl @@ -0,0 +1,2 @@ +cmd-hidemechanisms-desc = Reverts the effects of { $showMechanismsCommand } +cmd-hidemechanisms-help = Usage: { $command } diff --git a/Resources/Locale/ru-RU/commands/mapping-client-side-setup-command.ftl b/Resources/Locale/ru-RU/commands/mapping-client-side-setup-command.ftl new file mode 100644 index 00000000000..7ed36ec25e9 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/mapping-client-side-setup-command.ftl @@ -0,0 +1,2 @@ +cmd-mappingclientsidesetup-desc = Sets up the lighting control and such settings client-side. Sent by 'mapping' to client. +cmd-mappingclientsidesetup-help = Usage: { $command } diff --git a/Resources/Locale/ru-RU/commands/open-a-help-command.ftl b/Resources/Locale/ru-RU/commands/open-a-help-command.ftl new file mode 100644 index 00000000000..f396ec4baa0 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/open-a-help-command.ftl @@ -0,0 +1,3 @@ +cmd-openahelp-desc = Opens AHelp channel for a given NetUserID, or your personal channel if none given. +cmd-openahelp-help = Usage: { $command } [] +cmd-openahelp-error = Bad GUID! diff --git a/Resources/Locale/ru-RU/commands/set-menu-visibility-command.ftl b/Resources/Locale/ru-RU/commands/set-menu-visibility-command.ftl new file mode 100644 index 00000000000..1cac71af160 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/set-menu-visibility-command.ftl @@ -0,0 +1,3 @@ +cmd-menuvis-desc = Set restrictions about what entities to show on the entity context menu. +cmd-menuvis-help = Usage: { Command } [NoFoV] [InContainer] [Invisible] [All] +cmd-menuvis-error = Unknown visibility argument '{ $arg }'. Only 'NoFov', 'InContainer', 'Invisible' or 'All' are valid. Provide no arguments to set to default. diff --git a/Resources/Locale/ru-RU/commands/show-health-bars-command.ftl b/Resources/Locale/ru-RU/commands/show-health-bars-command.ftl new file mode 100644 index 00000000000..eb02d9fa254 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/show-health-bars-command.ftl @@ -0,0 +1,6 @@ +cmd-showhealthbars-desc = Toggles health bars above mobs. +cmd-showhealthbars-help = Usage: { $command } [] +cmd-showhealthbars-error-not-player = You aren't a player. +cmd-showhealthbars-error-no-entity = You do not have an attached entity. +cmd-showhealthbars-notify-enabled = Enabled health overlay for DamageContainers: { $args }. +cmd-showhealthbars-notify-disabled = Disabled health overlay. diff --git a/Resources/Locale/ru-RU/commands/show-mechanisms-command.ftl b/Resources/Locale/ru-RU/commands/show-mechanisms-command.ftl new file mode 100644 index 00000000000..61b76e56bf9 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/show-mechanisms-command.ftl @@ -0,0 +1,2 @@ +cmd-showmechanisms-desc = Makes mechanisms visible, even when they shouldn't be. +cmd-showmechanisms-help = Usage: { $command } diff --git a/Resources/Locale/ru-RU/commands/stat-values-command.ftl b/Resources/Locale/ru-RU/commands/stat-values-command.ftl new file mode 100644 index 00000000000..18b748899c5 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/stat-values-command.ftl @@ -0,0 +1,17 @@ +stat-values-desc = Выгружает всю статистику для определенной категории в таблицу. +stat-values-server = Не может быть запущено на сервере! +stat-values-args = Неверное число аргументов, нужен 1 +stat-values-invalid = { $arg } не является действительной характеристикой! +# Cargo +stat-cargo-values = Цена продажи груза +stat-cargo-id = ID +stat-cargo-price = Цена +# Lathe +stat-lathe-values = Стоимость печати в лате +stat-lathe-id = ID +stat-lathe-cost = Стоимость +stat-lathe-sell = Цена продажи +# Item Sizes +stat-item-values = Размеры предметов +stat-item-id = ID +stat-item-price = Размер diff --git a/Resources/Locale/ru-RU/commands/toggle-outline-command.ftl b/Resources/Locale/ru-RU/commands/toggle-outline-command.ftl new file mode 100644 index 00000000000..dd75e1432cb --- /dev/null +++ b/Resources/Locale/ru-RU/commands/toggle-outline-command.ftl @@ -0,0 +1,3 @@ +cmd-toggleoutline-desc = Toggles outline drawing on entities. +cmd-toggleoutline-help = Usage: { $command } +cmd-toggleoutline-notify = Draw outlines set to: { $cvar } diff --git a/Resources/Locale/ru-RU/commands/toolshed-commands.ftl b/Resources/Locale/ru-RU/commands/toolshed-commands.ftl new file mode 100644 index 00000000000..6ccb81c506c --- /dev/null +++ b/Resources/Locale/ru-RU/commands/toolshed-commands.ftl @@ -0,0 +1,41 @@ +command-description-visualize = Takes the input list of entities and puts them into a UI window for easy browsing. +command-description-runverbas = Runs a verb over the input entities with the given user. +command-description-acmd-perms = Returns the admin permissions of the given command, if any. +command-description-acmd-caninvoke = Check if the given player can invoke the given command. +command-description-jobs-jobs = Returns all jobs on a station. +command-description-jobs-job = Returns a given job on a station. +command-description-jobs-isinfinite = Returns true if the input job is infinite, otherwise false. +command-description-jobs-adjust = Adjusts the number of slots for the given job. +command-description-jobs-set = Sets the number of slots for the given job. +command-description-jobs-amount = Returns the number of slots for the given job. +command-description-laws-list = Returns a list of all law bound entities. +command-description-laws-get = Returns all of the laws for a given entity. +command-description-stations-list = Returns a list of all stations. +command-description-stations-get = Gets the active station, if and only if there is only one. +command-description-stations-getowningstation = Gets the station that a given entity is "owned by" (within) +command-description-stations-grids = Returns all grids associated with the input station. +command-description-stations-config = Returns the config associated with the input station, if any. +command-description-stations-addgrid = Adds a grid to the given station. +command-description-stations-rmgrid = Removes a grid from the given station. +command-description-stations-rename = Renames the given station. +command-description-stations-largestgrid = Returns the largest grid the given station has, if any. +command-description-stations-rerollBounties = Clears all the current bounties for the station and gets a new selection. +command-description-stationevent-lsprob = Lists the probability of different station events occuring out of the entire pool. +command-description-stationevent-lsprobtime = Lists the probability of different station events occuring based on the specified length of a round. +command-description-stationevent-prob = Returns the probability of a single station event occuring out of the entire pool. +command-description-admins-active = Returns a list of active admins. +command-description-admins-all = Returns a list of ALL admins, including deadmined ones. +command-description-marked = Returns the value of $marked as a List. +command-description-rejuvenate = Rejuvenates the given entities, restoring them to full health, clearing status effects, etc. +command-description-tag-list = Lists tags on the given entities. +command-description-tag-add = Adds a tag to the given entities. +command-description-tag-rm = Removes a tag from the given entities. +command-description-tag-addmany = Adds a list of tags to the given entities. +command-description-tag-rmmany = Removes a list of tags from the given entities. +command-description-polymorph = Polymorphs the input entity with the given prototype. +command-description-unpolymorph = Reverts a polymorph. +command-description-solution-get = Returns a solution stored in an entity's solution container. +command-description-solution-adjreagent = Adjusts the given reagent on the given solution. +command-description-mind-get = Grabs the mind from the entity, if any. +command-description-mind-control = Assumes control of an entity with the given player. +command-description-addaccesslog = Adds an access log to this entity. Do note that this bypasses the log's default limit and pause check. diff --git a/Resources/Locale/ru-RU/commands/zoom-command.ftl b/Resources/Locale/ru-RU/commands/zoom-command.ftl new file mode 100644 index 00000000000..0d3db3e6836 --- /dev/null +++ b/Resources/Locale/ru-RU/commands/zoom-command.ftl @@ -0,0 +1,6 @@ +cmd-zoom-desc = Sets the zoom of the main eye. +cmd-zoom-help = zoom ( | ) +cmd-zoom-error = scale has to be greater than 0 +zoom-command-description = Устанавливает зум основного глаза. +zoom-command-help = zoom ( | ) +zoom-command-error = масштаб должен быть больше 0 diff --git a/Resources/Locale/ru-RU/communications/communications-console-component.ftl b/Resources/Locale/ru-RU/communications/communications-console-component.ftl new file mode 100644 index 00000000000..ab4452e7756 --- /dev/null +++ b/Resources/Locale/ru-RU/communications/communications-console-component.ftl @@ -0,0 +1,17 @@ +# User interface +comms-console-menu-title = Консоль связи +comms-console-menu-announcement-placeholder = Текст объявления... +comms-console-menu-announcement-button = Сделать объявление +comms-console-menu-broadcast-button = Broadcast +comms-console-menu-call-shuttle = Вызвать +comms-console-menu-recall-shuttle = Отозвать +# Popup +comms-console-permission-denied = В доступе отказано +comms-console-shuttle-unavailable = В настоящее время шаттл недоступен +# Placeholder values +comms-console-announcement-sent-by = Отправитель +comms-console-announcement-unknown-sender = Неизвестный +# Comms console variant titles +comms-console-announcement-title-station = Консоль связи +comms-console-announcement-title-centcom = Центральное командование +comms-console-announcement-title-nukie = Ядерные оперативники Синдиката diff --git a/Resources/Locale/ru-RU/communications/terror.ftl b/Resources/Locale/ru-RU/communications/terror.ftl new file mode 100644 index 00000000000..5fb2150802b --- /dev/null +++ b/Resources/Locale/ru-RU/communications/terror.ftl @@ -0,0 +1,2 @@ +terror-dragon = Внимание экипажу, похоже, что кто-то с вашей станции неожиданно вышел на связь со странной рыбой в ближнем космосе. +terror-revenant = Внимание экипажу, похоже, что кто-то с вашей станции неожиданно вышел на связь с потусторонней энергией в ближнем космосе. diff --git a/Resources/Locale/ru-RU/components/atmos-unsafe-unanchor-component.ftl b/Resources/Locale/ru-RU/components/atmos-unsafe-unanchor-component.ftl new file mode 100644 index 00000000000..1b84a0ebd5a --- /dev/null +++ b/Resources/Locale/ru-RU/components/atmos-unsafe-unanchor-component.ftl @@ -0,0 +1,4 @@ +### AtmosUnsafeUnanchorComponent + +# Examine text showing pressure in tank. +comp-atmos-unsafe-unanchor-warning = Струя воздуха дует вам в лицо... Возможно, вам стоит передумать? diff --git a/Resources/Locale/ru-RU/components/base-computer-ui-component.ftl b/Resources/Locale/ru-RU/components/base-computer-ui-component.ftl new file mode 100644 index 00000000000..061705c8c52 --- /dev/null +++ b/Resources/Locale/ru-RU/components/base-computer-ui-component.ftl @@ -0,0 +1 @@ +base-computer-ui-component-not-powered = Устройство не получает питание. diff --git a/Resources/Locale/ru-RU/components/gas-canister-component.ftl b/Resources/Locale/ru-RU/components/gas-canister-component.ftl new file mode 100644 index 00000000000..23646b18dac --- /dev/null +++ b/Resources/Locale/ru-RU/components/gas-canister-component.ftl @@ -0,0 +1,18 @@ +comp-gas-canister-ui-canister-status = Статус канистры +comp-gas-canister-ui-canister-relabel = Перемаркировать +comp-gas-canister-ui-canister-pressure = Давление в канистре: +comp-gas-canister-ui-port-status = Статус порта: +comp-gas-canister-ui-port-connected = Подключено +comp-gas-canister-ui-port-disconnected = Отключено +comp-gas-canister-ui-holding-tank-status = Статус вставленного баллона +comp-gas-canister-ui-holding-tank-label = Тип баллона: +comp-gas-canister-ui-holding-tank-label-empty = Отсутствует +comp-gas-canister-ui-holding-tank-pressure = Давление баллона: +comp-gas-canister-ui-holding-tank-eject = Извлечь +comp-gas-canister-ui-release-valve-status = Состояние выпускного клапана +comp-gas-canister-ui-release-pressure = Выпускное давление: +comp-gas-canister-ui-release-valve = Выпускной клапан: +comp-gas-canister-ui-release-valve-open = Открыт +comp-gas-canister-ui-release-valve-close = Закрыт +comp-gas-canister-ui-pressure = { $pressure } кПа +comp-gas-canister-slot-name-gas-tank = Газовый баллон. diff --git a/Resources/Locale/ru-RU/components/gas-filter-component.ftl b/Resources/Locale/ru-RU/components/gas-filter-component.ftl new file mode 100644 index 00000000000..f8bb4a39acd --- /dev/null +++ b/Resources/Locale/ru-RU/components/gas-filter-component.ftl @@ -0,0 +1,10 @@ +comp-gas-filter-ui-filter-status = Статус: +comp-gas-filter-ui-status-enabled = Вкл +comp-gas-filter-ui-status-disabled = Выкл +comp-gas-filter-ui-filter-transfer-rate = Скорость подачи (Л/сек): +comp-gas-filter-ui-filter-set-rate = Установить +comp-gas-filter-ui-filter-gas-current = Сейчас фильтруется: +comp-gas-filter-ui-filter-gas-select = Выберите газ для фильтрации: +comp-gas-filter-ui-filter-gas-confirm = Выбрать газ +comp-gas-filter-ui-filter-gas-none = Нет +comp-gas-filter-ui-needs-anchor = Сначала закрепите его! diff --git a/Resources/Locale/ru-RU/components/gas-mixer-component.ftl b/Resources/Locale/ru-RU/components/gas-mixer-component.ftl new file mode 100644 index 00000000000..5f7850f4337 --- /dev/null +++ b/Resources/Locale/ru-RU/components/gas-mixer-component.ftl @@ -0,0 +1,9 @@ +comp-gas-mixer-ui-mixer-status = Статус: +comp-gas-mixer-ui-status-enabled = Вкл +comp-gas-mixer-ui-status-disabled = Выкл +comp-gas-mixer-ui-mixer-output-pressure = Выходное давление (кПа): +comp-gas-mixer-ui-mixer-node-primary = Первичный порт: +comp-gas-mixer-ui-mixer-node-side = Вторичный порт: +comp-gas-mixer-ui-mixer-set = Установить +comp-gas-mixer-ui-mixer-max = Максимум +comp-gas-mixer-ui-needs-anchor = Сначала закрепите его! diff --git a/Resources/Locale/ru-RU/components/gas-pump-component.ftl b/Resources/Locale/ru-RU/components/gas-pump-component.ftl new file mode 100644 index 00000000000..9d49425c7f3 --- /dev/null +++ b/Resources/Locale/ru-RU/components/gas-pump-component.ftl @@ -0,0 +1,8 @@ +comp-gas-pump-ui-pump-status = Статус: +comp-gas-pump-ui-status-enabled = Вкл +comp-gas-pump-ui-status-disabled = Выкл +comp-gas-pump-ui-pump-set-rate = Установить +comp-gas-pump-ui-pump-set-max = Максимум +comp-gas-pump-ui-pump-output-pressure = Выходное давление (кПа): +comp-gas-pump-ui-pump-transfer-rate = Скорость подачи (Л/сек): +comp-gas-pump-ui-needs-anchor = Сначала закрепите его! diff --git a/Resources/Locale/ru-RU/components/gas-thermomachine-component.ftl b/Resources/Locale/ru-RU/components/gas-thermomachine-component.ftl new file mode 100644 index 00000000000..b9877678ad1 --- /dev/null +++ b/Resources/Locale/ru-RU/components/gas-thermomachine-component.ftl @@ -0,0 +1,9 @@ +comp-gas-thermomachine-ui-title-freezer = Охладитель +comp-gas-thermomachine-ui-title-heater = Нагреватель +comp-gas-thermomachine-ui-temperature = Температура (К): +comp-gas-thermomachine-ui-toggle = Переключить +comp-gas-thermomachine-ui-status-disabled = Выкл +comp-gas-thermomachine-ui-status-enabled = Вкл +gas-thermo-component-upgrade-heating = максимальная температура +gas-thermo-component-upgrade-cooling = минимальная температура +gas-thermo-component-upgrade-heat-capacity = теплоёмкость diff --git a/Resources/Locale/ru-RU/components/ghost-component.ftl b/Resources/Locale/ru-RU/components/ghost-component.ftl new file mode 100644 index 00000000000..a151f9595b6 --- /dev/null +++ b/Resources/Locale/ru-RU/components/ghost-component.ftl @@ -0,0 +1,7 @@ +comp-ghost-examine-time-minutes = Умер [color=yellow]{ $minutes } минут(ы) назад.[/color] +comp-ghost-examine-time-seconds = + Умер [color=yellow]{ $seconds } { $seconds -> + [one] секунду + [few] секунды + *[other] секунд + } назад. [/color] diff --git a/Resources/Locale/ru-RU/components/power-monitoring-component.ftl b/Resources/Locale/ru-RU/components/power-monitoring-component.ftl new file mode 100644 index 00000000000..96a98316147 --- /dev/null +++ b/Resources/Locale/ru-RU/components/power-monitoring-component.ftl @@ -0,0 +1,24 @@ +power-monitoring-window-title = Консоль контроля питания +power-monitoring-window-label-sources = Источники +power-monitoring-window-label-smes = СМЭС +power-monitoring-window-label-substation = Подстанция +power-monitoring-window-label-apc = ЛКП +power-monitoring-window-label-misc = Прочее +power-monitoring-window-object-array = { $name } array [{ $count }] +power-monitoring-window-station-name = [color=white][font size=14]{ $stationName }[/font][/color] +power-monitoring-window-unknown-location = Неизвестное расположение +power-monitoring-window-tab-sources = Источники +power-monitoring-window-total-battery-usage = Общее использование батареи. +power-monitoring-window-tab-loads = Нагрузка +power-monitoring-window-total-sources = Всего источников: +power-monitoring-window-total-loads = Всего нагрузка: +power-monitoring-window-show-cable-networks = Отобразить кабеля +power-monitoring-window-show-hv-cable = ВВ кабель +power-monitoring-window-show-mv-cable = СВ кабель +power-monitoring-window-show-lv-cable = НВ кабель +power-monitoring-window-flavor-left = [user@nanotrasen] $run power_net_query +power-monitoring-window-flavor-right = v1.3 +power-monitoring-window-rogue-power-consumer = [color=white][font size=14][bold]! ВНИМАНИЕ - ОБНАРУЖЕНО АНОМАЛЬНОЕ ПОТРЕБЛЕНИЕ ЭНЕРГИИ ![/bold][/font][/color] +power-monitoring-window-power-net-abnormalities = [color=white][font size=14][bold]ОПАСНОСТЬ - АНОМАЛЬНАЯ АКТИВНОСТЬ В СЕТИ[/bold][/font][/color] +power-monitoring-window-value = { POWERWATTS($value) } +power-monitoring-window-show-inactive-consumers = Показать неактивные потребители тока diff --git a/Resources/Locale/ru-RU/components/storage-component.ftl b/Resources/Locale/ru-RU/components/storage-component.ftl new file mode 100644 index 00000000000..265688f9355 --- /dev/null +++ b/Resources/Locale/ru-RU/components/storage-component.ftl @@ -0,0 +1,10 @@ +comp-storage-no-item-size = Нет +comp-storage-cant-insert = Невозможно поместить. +comp-storage-too-big = Слишком большое! +comp-storage-insufficient-capacity = Недостаточная вместимость. +comp-storage-invalid-container = Это сюда не лезет! +comp-storage-anchored-failure = Невозможно поместить закрепленный предмет. +comp-storage-cant-drop = Вы не можете отпустить { $entity }! +comp-storage-window-title = Предмет хранилище +comp-storage-window-weight = { $weight }/{ $maxWeight }, Макс. размер: { $size } +comp-storage-window-slots = Слоты: { $itemCount }/{ $maxCount }, Макс. размер: { $size } diff --git a/Resources/Locale/ru-RU/configurable/configuration-component.ftl b/Resources/Locale/ru-RU/configurable/configuration-component.ftl new file mode 100644 index 00000000000..116ee2b3b6c --- /dev/null +++ b/Resources/Locale/ru-RU/configurable/configuration-component.ftl @@ -0,0 +1,6 @@ +configuration-menu-confirm = Подтвердить +configuration-menu-device-title = Конфигурация устройств + +## ConfigureVerb + +configure-verb-get-data-text = Открыть конфигурацию diff --git a/Resources/Locale/ru-RU/connection-messages.ftl b/Resources/Locale/ru-RU/connection-messages.ftl new file mode 100644 index 00000000000..f9b4b85330e --- /dev/null +++ b/Resources/Locale/ru-RU/connection-messages.ftl @@ -0,0 +1,43 @@ +whitelist-not-whitelisted = Вас нет в вайтлисте. +# proper handling for having a min/max or not +whitelist-playercount-invalid = + { $min -> + [0] Вайтлист для этого сервера применяется только для числа игроков ниже { $max }. + *[other] + Вайтлист для этого сервера применяется только для числа игроков выше { $min } { $max -> + [2147483647] -> так что, возможно, вы сможете присоединиться позже. + *[other] -> и ниже { $max } игроков, так что, возможно, вы сможете присоединиться позже. + } + } +whitelist-not-whitelisted-rp = Вас нет в вайтлисте. Чтобы попасть в вайтлист, посетите наш Discord (ссылку можно найти по адресу https://discord.station14.ru). +cmd-whitelistadd-desc = Добавить игрока в вайтлист сервера. +cmd-whitelistadd-help = Использование: whitelistadd +cmd-whitelistadd-existing = { $username } уже находится в вайтлисте! +cmd-whitelistadd-added = { $username } добавлен в вайтлист +cmd-whitelistadd-not-found = Не удалось найти игрока '{ $username }' +cmd-whitelistadd-arg-player = [player] +cmd-whitelistremove-desc = Удалить игрока с вайтлиста сервера. +cmd-whitelistremove-help = Использование: whitelistremove +cmd-whitelistremove-existing = { $username } не находится в вайтлисте! +cmd-whitelistremove-removed = { $username } удалён с вайтлиста +cmd-whitelistremove-not-found = Не удалось найти игрока '{ $username }' +cmd-whitelistremove-arg-player = [player] +cmd-kicknonwhitelisted-desc = Кикнуть всег игроков не в белом списке с сервера. +cmd-kicknonwhitelisted-help = Использование: kicknonwhitelisted +ban-banned-permanent = Этот бан можно только обжаловать. Для этого посетите { $link }. +ban-banned-permanent-appeal = Этот бан можно только обжаловать. Для этого посетите { $link }. +ban-expires = Вы получили бан на { $duration } минут, и он истечёт { $time } по UTC (для московского времени добавьте 3 часа). +ban-banned-1 = Вам, или другому пользователю этого компьютера или соединения, запрещено здесь играть. +ban-banned-2 = Причина бана: "{ $reason }" +ban-banned-3 = Если этот бан был выдан ошибочно или без обоснования, не стесняйтесь подавать обжалование в discord, следуя рекомендациям. +ban-banned-4 = Попытки обойти этот бан, например, путём создания нового аккаунта, будут фиксироваться. +soft-player-cap-full = Сервер заполнен! +panic-bunker-account-denied = Этот сервер находится в режиме "Бункер", часто используемом в качестве меры предосторожности против рейдов. Новые подключения от аккаунтов, не соответствующих определённым требованиям, временно не принимаются. Повторите попытку позже +panic-bunker-account-denied-reason = Этот сервер находится в режиме "Бункер", часто используемом в качестве меры предосторожности против рейдов. Новые подключения от аккаунтов, не соответствующих определённым требованиям, временно не принимаются. Повторите попытку позже Причина: "{ $reason }" +panic-bunker-account-reason-account = Ваш аккаунт Space Station 14 слишком новый. Он должен быть старше { $minutes } минут +panic-bunker-account-reason-overall = + Необходимо минимальное отыгранное Вами время на сервере — { $hours } { $hours -> + [one] час + [few] часа + *[other] часов + }. diff --git a/Resources/Locale/ru-RU/construction/components/construction-component-verbs.ftl b/Resources/Locale/ru-RU/construction/components/construction-component-verbs.ftl new file mode 100644 index 00000000000..e118a3ae415 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/components/construction-component-verbs.ftl @@ -0,0 +1,3 @@ +deconstructible-verb-begin-deconstruct = Начать разборку +deconstructible-verb-activate-no-target-text = Это нельзя разобрать. +deconstructible-verb-activate-text = Осмотрите чтобы увидеть инструкцию. diff --git a/Resources/Locale/ru-RU/construction/components/construction-component.ftl b/Resources/Locale/ru-RU/construction/components/construction-component.ftl new file mode 100644 index 00000000000..488a84ef064 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/components/construction-component.ftl @@ -0,0 +1,2 @@ +construction-component-to-create-header = Чтобы создать { $targetName }... +deconstruction-header-text = Разбор... diff --git a/Resources/Locale/ru-RU/construction/components/flatpack.ftl b/Resources/Locale/ru-RU/construction/components/flatpack.ftl new file mode 100644 index 00000000000..efb7cb17605 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/components/flatpack.ftl @@ -0,0 +1,11 @@ +flatpack-unpack-no-room = Нет места для распаковки! +flatpack-examine = Используйте [color=yellow]мультитул[/color] для распаковки. +flatpack-entity-name = { $name } комплект +flatpack-entity-description = Комплект используется для сборки { INDEFINITE($name) } { $name }. +flatpacker-item-slot-name = Слот для платы +flatpacker-ui-title = Комплектатор 1001 +flatpacker-ui-materials-label = Материалы +flatpacker-ui-cost-label = Стоимость комплектации +flatpacker-ui-no-board-label = Не установлена плата! +flatpacker-ui-insert-board = Вставьте плату, чтобы продолжить. +flatpacker-ui-pack-button = Укомплектовать diff --git a/Resources/Locale/ru-RU/construction/components/machine-board-component.ftl b/Resources/Locale/ru-RU/construction/components/machine-board-component.ftl new file mode 100644 index 00000000000..e2291d0001a --- /dev/null +++ b/Resources/Locale/ru-RU/construction/components/machine-board-component.ftl @@ -0,0 +1,2 @@ +machine-board-component-on-examine-label = Требования: +machine-board-component-required-element-entry-text = [color=yellow]{ $amount }ед[/color] [color=green]{ $requiredElement }[/color] diff --git a/Resources/Locale/ru-RU/construction/components/machine-frame-component.ftl b/Resources/Locale/ru-RU/construction/components/machine-frame-component.ftl new file mode 100644 index 00000000000..5b0ae5f8cee --- /dev/null +++ b/Resources/Locale/ru-RU/construction/components/machine-frame-component.ftl @@ -0,0 +1,2 @@ +machine-frame-component-on-examine-label = [color=white]Установленная печатная плата:[/color] [color=cyan]{ $board }[/color] +machine-frame-component-on-complete = Строительство завершено diff --git a/Resources/Locale/ru-RU/construction/components/machine-part-component.ftl b/Resources/Locale/ru-RU/construction/components/machine-part-component.ftl new file mode 100644 index 00000000000..7eddb990103 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/components/machine-part-component.ftl @@ -0,0 +1,2 @@ +machine-part-component-on-examine-rating-text = [color=white]Уровень:[/color] [color=cyan]{ $rating }[/color] +machine-part-component-on-examine-type-text = [color=white]Тип:[/color] [color=cyan]{ $type }[/color] diff --git a/Resources/Locale/ru-RU/construction/conditions/airlock-bolted.ftl b/Resources/Locale/ru-RU/construction/conditions/airlock-bolted.ftl new file mode 100644 index 00000000000..6f03204ab0c --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/airlock-bolted.ftl @@ -0,0 +1,5 @@ +# AirlockBolted +construction-examine-condition-airlock-bolt = Сперва заболтируйте { $entityName }. +construction-examine-condition-airlock-unbolt = Сперва разболтируйте { $entityName }. +construction-step-condition-airlock-bolt = Это должно быть заболтировано. +construction-step-condition-airlock-unbolt = Это должно быть разболтировано. diff --git a/Resources/Locale/ru-RU/construction/conditions/all-wires-cut.ftl b/Resources/Locale/ru-RU/construction/conditions/all-wires-cut.ftl new file mode 100644 index 00000000000..671633be5f6 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/all-wires-cut.ftl @@ -0,0 +1,4 @@ +construction-examine-condition-all-wires-cut = Все провода должны быть перерезаны. +construction-examine-condition-all-wires-intact = Все провода должны быть соединены. +construction-guide-condition-all-wires-cut = Все провода должны быть перерезаны. +construction-guide-condition-all-wires-intact = Все провода должны быть соединены. diff --git a/Resources/Locale/ru-RU/construction/conditions/any-conditions.ftl b/Resources/Locale/ru-RU/construction/conditions/any-conditions.ftl new file mode 100644 index 00000000000..d0117c00eb0 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/any-conditions.ftl @@ -0,0 +1,3 @@ +construction-examine-condition-any-conditions = Любое из этих условий должно быть истинным:: +construction-guide-condition-any-conditions = Любое из этих условий должно быть истинным: +construction-guide-condition-part-assembly = Все необходимые детали должны быть установлены. diff --git a/Resources/Locale/ru-RU/construction/conditions/apc-open-condition.ftl b/Resources/Locale/ru-RU/construction/conditions/apc-open-condition.ftl new file mode 100644 index 00000000000..ae69267d1f8 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/apc-open-condition.ftl @@ -0,0 +1,5 @@ +# APC +construction-examine-condition-apc-open = Сперва развинтите ЛКП. +construction-examine-condition-apc-close = Сперва завинтите ЛКП. +construction-step-condition-apc-open = Панель управления ЛКП должна быть развинчена. +construction-step-condition-apc-close = Панель управления ЛКП должна быть завинчена. diff --git a/Resources/Locale/ru-RU/construction/conditions/door-welded.ftl b/Resources/Locale/ru-RU/construction/conditions/door-welded.ftl new file mode 100644 index 00000000000..0c610df98fa --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/door-welded.ftl @@ -0,0 +1,5 @@ +# DoorWelded +construction-examine-condition-door-weld = Сперва заварите { $entityName }. +construction-examine-condition-door-unweld = Сперва разварите { $entityName }. +construction-guide-condition-door-weld = Убедитесь, что оно заварено. +construction-guide-condition-door-unweld = Убедитесь, что оно не заварено. diff --git a/Resources/Locale/ru-RU/construction/conditions/empty-or-window-valid-in-tile.ftl b/Resources/Locale/ru-RU/construction/conditions/empty-or-window-valid-in-tile.ftl new file mode 100644 index 00000000000..567b9235cc6 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/empty-or-window-valid-in-tile.ftl @@ -0,0 +1 @@ +construction-guide-condition-empty-or-window-valid-in-tile = Вы должны разместить это на подходящей клетке. diff --git a/Resources/Locale/ru-RU/construction/conditions/entity-anchored.ftl b/Resources/Locale/ru-RU/construction/conditions/entity-anchored.ftl new file mode 100644 index 00000000000..4aa172a21e0 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/entity-anchored.ftl @@ -0,0 +1,4 @@ +construction-examine-condition-entity-anchored = Сперва закрепите это. +construction-examine-condition-entity-unanchored = Сперва открепите это. +construction-step-condition-entity-anchored = Это должно быть закреплено. +construction-step-condition-entity-unanchored = Это должно быть откреплено. diff --git a/Resources/Locale/ru-RU/construction/conditions/locked.ftl b/Resources/Locale/ru-RU/construction/conditions/locked.ftl new file mode 100644 index 00000000000..0b6bc63ce57 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/locked.ftl @@ -0,0 +1,4 @@ +construction-examine-condition-unlock = Сначала [color=limegreen]откройте[/color] это. +construction-examine-condition-lock = Сначала [color=red]заприте[/color] это. +construction-step-condition-unlock = Это должно быть открыто. +construction-step-condition-lock = Это должно быть заперто. diff --git a/Resources/Locale/ru-RU/construction/conditions/machine-frame-complete.ftl b/Resources/Locale/ru-RU/construction/conditions/machine-frame-complete.ftl new file mode 100644 index 00000000000..590d46d6a80 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/machine-frame-complete.ftl @@ -0,0 +1,7 @@ +construction-condition-machine-container-empty = Извлеките компоненты из каркаса, используя [color=cyan]Лом[/color]. +# MachineFrameComplete +construction-condition-machine-frame-requirement-label = Требования: +construction-condition-machine-frame-insert-circuit-board-message = Вставьте [color=cyan]любую плату для машины[/color]. +construction-condition-machine-frame-required-element-entry = [color=yellow]{ $amount }ед[/color] [color=green]{ $elementName }[/color] +construction-step-condition-machine-frame-board = Вам необходимо вставить плату для машины. +construction-step-condition-machine-frame-parts = После этого вставьте все необходимые компоненты. diff --git a/Resources/Locale/ru-RU/construction/conditions/min-solution.ftl b/Resources/Locale/ru-RU/construction/conditions/min-solution.ftl new file mode 100644 index 00000000000..1b7191982cd --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/min-solution.ftl @@ -0,0 +1,2 @@ +construction-examine-condition-min-solution = Сперва добавьте { $quantity } ед. { $reagent }. +construction-guide-condition-min-solution = Добавьте { $quantity } ед. { $reagent } diff --git a/Resources/Locale/ru-RU/construction/conditions/no-unstackable-in-tile.ftl b/Resources/Locale/ru-RU/construction/conditions/no-unstackable-in-tile.ftl new file mode 100644 index 00000000000..6124508a473 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/no-unstackable-in-tile.ftl @@ -0,0 +1 @@ +construction-step-condition-no-unstackable-in-tile = Вы не можете расположить несколько устройств стопкой. diff --git a/Resources/Locale/ru-RU/construction/conditions/no-windows-in-tile.ftl b/Resources/Locale/ru-RU/construction/conditions/no-windows-in-tile.ftl new file mode 100644 index 00000000000..191f45eaa4b --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/no-windows-in-tile.ftl @@ -0,0 +1 @@ +construction-step-condition-no-windows-in-tile = В этой клетке не может быть окон. diff --git a/Resources/Locale/ru-RU/construction/conditions/solution-empty.ftl b/Resources/Locale/ru-RU/construction/conditions/solution-empty.ftl new file mode 100644 index 00000000000..53409e4f654 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/solution-empty.ftl @@ -0,0 +1,3 @@ +# SolutionEmpty +construction-examine-condition-solution-empty = Сперва опустошите содержимое. +construction-guide-condition-solution-empty = Опустошите содержимое. diff --git a/Resources/Locale/ru-RU/construction/conditions/tile-not-blocked.ftl b/Resources/Locale/ru-RU/construction/conditions/tile-not-blocked.ftl new file mode 100644 index 00000000000..d2f2c18c6cc --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/tile-not-blocked.ftl @@ -0,0 +1 @@ +construction-step-condition-tile-not-blocked = Клетка не должна быть перекрыта. diff --git a/Resources/Locale/ru-RU/construction/conditions/toilet-lid-closed.ftl b/Resources/Locale/ru-RU/construction/conditions/toilet-lid-closed.ftl new file mode 100644 index 00000000000..7975bd43b54 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/toilet-lid-closed.ftl @@ -0,0 +1,3 @@ +# ToiletLidClosed +construction-examine-condition-toilet-lid-closed = Используйте [color=yellow]лом[/color] чтобы закрыть крышку. +construction-step-condition-toilet-lid-closed = Убедитесь, что крышка унитаза закрыта. diff --git a/Resources/Locale/ru-RU/construction/conditions/wallmount.ftl b/Resources/Locale/ru-RU/construction/conditions/wallmount.ftl new file mode 100644 index 00000000000..f98855413e1 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/wallmount.ftl @@ -0,0 +1 @@ +construction-step-condition-wallmount = Вы должны строить это на стене. diff --git a/Resources/Locale/ru-RU/construction/conditions/wire-panel.ftl b/Resources/Locale/ru-RU/construction/conditions/wire-panel.ftl new file mode 100644 index 00000000000..0302024fda9 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/conditions/wire-panel.ftl @@ -0,0 +1,4 @@ +construction-examine-condition-wire-panel-open = Сначала откройте техническую панель. +construction-examine-condition-wire-panel-close = Сначала закройте техническую панель. +construction-step-condition-wire-panel-open = Техническая панель должна быть открыта. +construction-step-condition-wire-panel-close = Техническая панель должна быть закрыта. diff --git a/Resources/Locale/ru-RU/construction/construction-categories.ftl b/Resources/Locale/ru-RU/construction/construction-categories.ftl new file mode 100644 index 00000000000..1e403a0f539 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/construction-categories.ftl @@ -0,0 +1,12 @@ +construction-category-all = Всё +construction-category-furniture = Мебель +construction-category-storage = Хранилища +construction-category-tools = Инструменты +construction-category-materials = Материалы +construction-category-structures = Структуры +construction-category-machines = Оборудование +construction-category-weapons = Оружие +construction-category-tiles = Плитки +construction-category-utilities = Утилиты +construction-category-misc = Разное +construction-category-clothing = Одежда diff --git a/Resources/Locale/ru-RU/construction/construction-ghost-component.ftl b/Resources/Locale/ru-RU/construction/construction-ghost-component.ftl new file mode 100644 index 00000000000..5f5fb7648ed --- /dev/null +++ b/Resources/Locale/ru-RU/construction/construction-ghost-component.ftl @@ -0,0 +1 @@ +construction-ghost-examine-message = Строится: [color=cyan]{ $name }[/color] diff --git a/Resources/Locale/ru-RU/construction/construction-system.ftl b/Resources/Locale/ru-RU/construction/construction-system.ftl new file mode 100644 index 00000000000..aaa90dd3857 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/construction-system.ftl @@ -0,0 +1,7 @@ +## ConstructionSystem + +construction-system-construct-cannot-start-another-construction = Сейчас вы не можете начать новое строительство! +construction-system-construct-no-materials = У вас недостаточно материалов для постройки этого! +construction-system-already-building = Вы уже строите это! +construction-system-inside-container = Вы не можете строить, пока находитесь там! +construction-system-cannot-start = Вы не можете создать это! diff --git a/Resources/Locale/ru-RU/construction/steps/arbitrary-insert-construction-graph-step.ftl b/Resources/Locale/ru-RU/construction/steps/arbitrary-insert-construction-graph-step.ftl new file mode 100644 index 00000000000..d874e55dcde --- /dev/null +++ b/Resources/Locale/ru-RU/construction/steps/arbitrary-insert-construction-graph-step.ftl @@ -0,0 +1,2 @@ +# Shown when examining an in-construction object +construction-insert-arbitrary-entity = Далее, вставьте { $stepName }. diff --git a/Resources/Locale/ru-RU/construction/steps/component-construction-graph-step.ftl b/Resources/Locale/ru-RU/construction/steps/component-construction-graph-step.ftl new file mode 100644 index 00000000000..80ca1c3be68 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/steps/component-construction-graph-step.ftl @@ -0,0 +1,4 @@ +# Shown when examining an in-construction object +construction-insert-entity-with-component = Далее, вставьте объект, содержащий компонент: { $componentName }. +# Shown when examining an in-construction object +construction-insert-exact-entity = Далее, вставьте { $entityName }. diff --git a/Resources/Locale/ru-RU/construction/steps/material-construction-graph-step.ftl b/Resources/Locale/ru-RU/construction/steps/material-construction-graph-step.ftl new file mode 100644 index 00000000000..0371425a1e9 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/steps/material-construction-graph-step.ftl @@ -0,0 +1 @@ +construction-insert-material-entity = Далее, добавьте [color=yellow]{ $amount }ед[/color] [color=cyan]{ $materialName }[/color]. diff --git a/Resources/Locale/ru-RU/construction/steps/prototype-construction-graph-step.ftl b/Resources/Locale/ru-RU/construction/steps/prototype-construction-graph-step.ftl new file mode 100644 index 00000000000..a40d18440f2 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/steps/prototype-construction-graph-step.ftl @@ -0,0 +1,4 @@ +# Shown when examining an in-construction object +construction-insert-prototype-no-name = Далее, вставьте { $prototypeName }. +# Shown when examining an in-construction object +construction-insert-prototype = Далее, вставьте { $entityName }. diff --git a/Resources/Locale/ru-RU/construction/steps/temperature-construction-graph-step.ftl b/Resources/Locale/ru-RU/construction/steps/temperature-construction-graph-step.ftl new file mode 100644 index 00000000000..60085a8cee0 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/steps/temperature-construction-graph-step.ftl @@ -0,0 +1 @@ +construction-temperature-default = Далее, нагрейте до [color=red]{ $temperature }[/color]. diff --git a/Resources/Locale/ru-RU/construction/steps/tool-construction-graph-step.ftl b/Resources/Locale/ru-RU/construction/steps/tool-construction-graph-step.ftl new file mode 100644 index 00000000000..e3a16a42c5b --- /dev/null +++ b/Resources/Locale/ru-RU/construction/steps/tool-construction-graph-step.ftl @@ -0,0 +1 @@ +construction-use-tool-entity = Далее, используйте [color=cyan]{ $toolName }[/color]. diff --git a/Resources/Locale/ru-RU/construction/ui/construction-menu-presenter.ftl b/Resources/Locale/ru-RU/construction/ui/construction-menu-presenter.ftl new file mode 100644 index 00000000000..063272462c0 --- /dev/null +++ b/Resources/Locale/ru-RU/construction/ui/construction-menu-presenter.ftl @@ -0,0 +1,7 @@ +construction-presenter-to-craft = Чтобы создать этот предмет, вам необходимо: +construction-presenter-to-build = Чтобы построить это, сначала вам необходимо: +construction-presenter-step-wrapper = { $step-number }. { $text } +construction-presenter-tool-step = Используйте { LOC($tool) }. +construction-presenter-material-step = Добавьте { $amount }ед { LOC($material) }. +construction-presenter-arbitrary-step = Добавьте { LOC($name) }. +construction-presenter-temperature-step = Нагрейте до { $temperature }. diff --git a/Resources/Locale/ru-RU/construction/ui/construction-menu.ftl b/Resources/Locale/ru-RU/construction/ui/construction-menu.ftl new file mode 100644 index 00000000000..ca5fce2286e --- /dev/null +++ b/Resources/Locale/ru-RU/construction/ui/construction-menu.ftl @@ -0,0 +1,8 @@ +## ConstructionMenu.xaml.cs + +construction-menu-title = Строительство +construction-menu-place-ghost = Разместить призрак конструкции +construction-menu-clear-all = Очистить все +construction-menu-eraser-mode = Режим ластика +construction-menu-title = Строительство +construction-menu-craft = Создание diff --git a/Resources/Locale/ru-RU/containers/containers.ftl b/Resources/Locale/ru-RU/containers/containers.ftl new file mode 100644 index 00000000000..074631cbf55 --- /dev/null +++ b/Resources/Locale/ru-RU/containers/containers.ftl @@ -0,0 +1,2 @@ +container-verb-text-enter = Войти +container-verb-text-empty = Пусто diff --git a/Resources/Locale/ru-RU/containers/item-slots-component.ftl b/Resources/Locale/ru-RU/containers/item-slots-component.ftl new file mode 100644 index 00000000000..338b64588a7 --- /dev/null +++ b/Resources/Locale/ru-RU/containers/item-slots-component.ftl @@ -0,0 +1,2 @@ +take-item-verb-text = Взять { $subject } +place-item-verb-text = Положить { $subject } diff --git a/Resources/Locale/ru-RU/conveyors/conveyor-component.ftl b/Resources/Locale/ru-RU/conveyors/conveyor-component.ftl new file mode 100644 index 00000000000..ccd9be0b561 --- /dev/null +++ b/Resources/Locale/ru-RU/conveyors/conveyor-component.ftl @@ -0,0 +1 @@ +conveyor-component-failed-link = При попытке подключения, порт ударяет вас током! diff --git a/Resources/Locale/ru-RU/corvax/accent/italian.ftl b/Resources/Locale/ru-RU/corvax/accent/italian.ftl new file mode 100644 index 00000000000..638eb24d237 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/accent/italian.ftl @@ -0,0 +1,82 @@ +accent-italian-words-301 = малышка +accent-italian-words-replace-301 = bambino +accent-italian-words-401 = плохая +accent-italian-words-replace-401 = molto male +accent-italian-words-402 = плохие +accent-italian-words-replace-402 = molto male +accent-italian-words-403 = плохое +accent-italian-words-replace-403 = molto male +accent-italian-words-501 = досвидания +accent-italian-words-replace-501 = arrivederci +accent-italian-words-502 = до-свидания +accent-italian-words-replace-502 = arrivederci +accent-italian-words-601 = кэп +accent-italian-words-replace-601 = capitano +accent-italian-words-701 = сыра +accent-italian-words-replace-701 = parmesano +accent-italian-words-801 = приготовить +accent-italian-words-replace-801 = cucinare +accent-italian-words-802 = приготовлю +accent-italian-words-replace-802 = cucinare +accent-italian-words-803 = пожарь +accent-italian-words-replace-803 = cucinare +accent-italian-words-804 = пожарить +accent-italian-words-replace-804 = cucinare +accent-italian-words-805 = пожарю +accent-italian-words-replace-805 = cucinare +accent-italian-words-901 = можешь +accent-italian-words-replace-901 = potrebbe +accent-italian-words-1001 = отец +accent-italian-words-replace-1001 = pappa +accent-italian-words-1101 = хорошая +accent-italian-words-replace-1101 = molto bene +accent-italian-words-1102 = хорошие +accent-italian-words-replace-1102 = molto bene +accent-italian-words-1103 = хорошее +accent-italian-words-replace-1103 = molto bene +accent-italian-words-1501 = приветик +accent-italian-words-replace-1501 = ciao +accent-italian-words-1701 = сделаю +accent-italian-words-replace-1701 = fare una +accent-italian-words-1702 = сделаем +accent-italian-words-replace-1702 = fare una +accent-italian-words-1703 = сделайте +accent-italian-words-replace-1703 = fare una +accent-italian-words-1801 = мяса +accent-italian-words-replace-1801 = prosciutto +accent-italian-words-1901 = мать +accent-italian-words-replace-1901 = mamma +accent-italian-words-2001 = моя +accent-italian-words-replace-2001 = il mio +accent-italian-words-2002 = моё +accent-italian-words-replace-2002 = il mio +accent-italian-words-2003 = мои +accent-italian-words-replace-2003 = il mio +accent-italian-words-2101 = ядерка +accent-italian-words-replace-2101 = polpetta di carne +accent-italian-words-2801 = щиткюрити +accent-italian-words-replace-2801 = carabinieri +accent-italian-words-3001 = пою +accent-italian-words-replace-3001 = cantare +accent-italian-words-3002 = спой +accent-italian-words-replace-3002 = cantare +accent-italian-words-3101 = макарон +accent-italian-words-replace-3101 = SPAGHETT +accent-italian-words-3102 = макароны +accent-italian-words-replace-3102 = SPAGHETT +accent-italian-words-3201 = острая +accent-italian-words-replace-3201 = piccante +accent-italian-words-3202 = острые +accent-italian-words-replace-3202 = piccante +accent-italian-words-3203 = острое +accent-italian-words-replace-3203 = piccante +accent-italian-words-3401 = штука +accent-italian-words-replace-3401 = una cosa +accent-italian-words-3402 = штук +accent-italian-words-replace-3402 = pezzi +accent-italian-words-3701 = использовать +accent-italian-words-replace-3701 = usare +accent-italian-words-3801 = хотеть +accent-italian-words-replace-3801 = desiderare +accent-italian-words-4301 = вина +accent-italian-words-replace-4301 = vino diff --git a/Resources/Locale/ru-RU/corvax/accessories/human-facial-hair.ftl b/Resources/Locale/ru-RU/corvax/accessories/human-facial-hair.ftl new file mode 100644 index 00000000000..23a9881f943 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/accessories/human-facial-hair.ftl @@ -0,0 +1,2 @@ +marking-HumanFacialHairHandlebar = Усы (Велосипедный руль) +marking-HumanFacialHairHandlebarAlt = Усы (Велосипедный руль альт.) diff --git a/Resources/Locale/ru-RU/corvax/accessories/human-hair.ftl b/Resources/Locale/ru-RU/corvax/accessories/human-hair.ftl new file mode 100644 index 00000000000..faed5bad80a --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/accessories/human-hair.ftl @@ -0,0 +1,71 @@ +marking-HumanHairAfricanPigtails = Хвостики (Африканские) +marking-HumanHairAfropuffdouble = Aфро-пуф, Двойной +marking-HumanHairAfropuffleft = Aфро-пуф, Левый +marking-HumanHairAfropuffright = Aфро-пуф, Правый +marking-HumanHairAmazon = Амазонка +marking-HumanHairAstolfo = Астольфо +marking-HumanHairBaum = Баум +marking-HumanHairBeachwave = Бич-вейв +marking-HumanHairBluntbangs = Прямая челка +marking-HumanHairBluntbangsAlt = Прямая челка (Альт.) +marking-HumanHairBobcutAlt = Каре (Альт.) +marking-HumanHairBunhead4 = Пучок 4 +marking-HumanHairCombed = Зачёс +marking-HumanHairCombedbob = Зачёс (Боб) +marking-HumanHairCotton = Хлопок +marking-HumanHairCurly = Кудрявая +marking-HumanHairDave = Дэйв +marking-HumanHairDiagonalBangs = Диагональная чёлка +marking-HumanHairEmolong = Эмо (Длинная) +marking-HumanHairEmoshort = Эмо (Короткая) +marking-HumanHairFingerwave = Фингервейв +marking-HumanHairFluffyShort = Пушистая короткая +marking-HumanHairFortuneteller = Гадалка +marking-HumanHairFortunetellerAlt = Гадалка (Альт.) +marking-HumanHairFroofylong = Фруфи (Длинная) +marking-HumanHairGeisha = Гейша +marking-HumanHairGentle21 = Аккуратно расчесанная +marking-HumanHairGlammetal = Глэм-металл +marking-HumanHairGloomyLong = Длинная мрачная чёлка +marking-HumanHairGloomyMedium = Средняя мрачная чёлка +marking-HumanHairGrande = Гранде +marking-HumanHairHalfshave = Наполовину выбритая 2 +marking-HumanHairHalfshaveglamorous = Наполовину выбритая (Гламурная) +marking-HumanHairHalfshaveLong = Наполовину выбритая (Длинная) +marking-HumanHairHalfshaveMessy = Наполовину выбритая (Растрёпанная) +marking-HumanHairHalfshaveMessyLong = Наполовину выбритая (Длинная растрёпанная) +marking-HumanHairHalfshaveSnout = Наполовину выбритая 2 (Обрезанная) +marking-HumanHairHightight = Хай-тайт +marking-HumanHairHyenamane = Грива гиены +marking-HumanHairJessica = Джессика +marking-HumanHairLong4 = Длинная 4 +marking-HumanHairLongdtails = Длинные хвосты +marking-HumanHairLongerAlt = Длинная (Альт.) +marking-HumanHairLongovereyeAlt = Длинная (Через глаз альт.) +marking-HumanHairLongsidepartstraight = Длинная сайд-парт прямая +marking-HumanHairLooseSlicked = Зализанная свободная +marking-HumanHairMediumbraid = Плетение (Среднее) +marking-HumanHairNewyou = Новый ты +marking-HumanHairPonytailAlt = Хвостик (Альт.) +marking-HumanHairPonytailF = Хвостик (Женственный) +marking-HumanHairPoofy2 = Пышная 2 +marking-HumanHairQuadcurls = Завитки (Квадро) +marking-HumanHairSabitsuki = Сабицуки +marking-HumanHairScully = Скалли +marking-HumanHairShorthair4 = Короткая 4 +marking-HumanHairShy = Скромная +marking-HumanHairSimplePonytail = Хвостик (Простой) +marking-HumanHairSleaze = Дешёвая +marking-HumanHairSlightlyMessy = Слегка растрёпанная +marking-HumanHairSlimedroplet = Слайм (Капля) +marking-HumanHairSlimedropletAlt = Слайм (Капля альт.) +marking-HumanHairSlimespikes = Слайм (Шипы) +marking-HumanHairSlimetendrils = Слайм (Струйки) +marking-HumanHairSlimetendrilsAlt = Слайм (Струйки альт.) +marking-HumanHairSpicy = Спайси +marking-HumanHairTwintailFloor = Два хвостика (До пола) +marking-HumanHairVeryshortovereye = Очень короткая (Через глаз) +marking-HumanHairVictory = Победа +marking-HumanHairViper = Гадюка +marking-HumanHairWife = Жена +marking-HumanHairZiegler = Циглер diff --git a/Resources/Locale/ru-RU/corvax/barsign/barsign-component.ftl b/Resources/Locale/ru-RU/corvax/barsign/barsign-component.ftl new file mode 100644 index 00000000000..4a7f5380593 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/barsign/barsign-component.ftl @@ -0,0 +1,4 @@ +## Alcoholic + +barsign-prototype-name-alcoholic = Нальют и точка +barsign-prototype-description-alcoholic = Наливай и все. Наступили тяжелые времена... diff --git a/Resources/Locale/ru-RU/corvax/changelog/changelog-window.ftl b/Resources/Locale/ru-RU/corvax/changelog/changelog-window.ftl new file mode 100644 index 00000000000..226bd01d977 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/changelog/changelog-window.ftl @@ -0,0 +1 @@ +changelog-tab-title-ChangelogSyndie = Обновления Corvax diff --git a/Resources/Locale/ru-RU/corvax/info/rules.ftl b/Resources/Locale/ru-RU/corvax/info/rules.ftl new file mode 100644 index 00000000000..21263391cbe --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/info/rules.ftl @@ -0,0 +1,3 @@ +# Rules + +ui-rules-header-corvax = Правила сервера Corvax diff --git a/Resources/Locale/ru-RU/corvax/interaction/interaction-popup-component.ftl b/Resources/Locale/ru-RU/corvax/interaction/interaction-popup-component.ftl new file mode 100644 index 00000000000..3634d1ed681 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/interaction/interaction-popup-component.ftl @@ -0,0 +1,2 @@ +petting-success-gorilla = Вы гладите { $target } по { POSS-ADJ($target) } массивной голове. +petting-failure-gorilla = Вы тянетесь погладить { $target }, но { $target } встает в полный рост, затрудняя такую возможность. diff --git a/Resources/Locale/ru-RU/corvax/job/job-names.ftl b/Resources/Locale/ru-RU/corvax/job/job-names.ftl new file mode 100644 index 00000000000..4521adebbf5 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/job/job-names.ftl @@ -0,0 +1,2 @@ +job-name-iaa = агент внутренних дел +JobIAA = агент внутренних дел diff --git a/Resources/Locale/ru-RU/corvax/join-playtime/join-playtime-reason.ftl b/Resources/Locale/ru-RU/corvax/join-playtime/join-playtime-reason.ftl new file mode 100644 index 00000000000..e69de29bb2d diff --git a/Resources/Locale/ru-RU/corvax/markings/cat.ftl b/Resources/Locale/ru-RU/corvax/markings/cat.ftl new file mode 100644 index 00000000000..4cc92655cd3 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/cat.ftl @@ -0,0 +1,16 @@ +marking-CatTail-tail_cat_wag = Основной +marking-CatTailStripes = Кошачий хвост (Полосатый) +marking-CatTailStripes-tail_cat_wag_stripes_prime = Первичные полосы +marking-CatTailStripes-tail_cat_wag_stripes_second = Вторичные полосы +marking-CatEars = Кошачьи ушки +marking-CatEars-ears_cat_outer = Наружное ухо +marking-CatEars-ears_cat_inner = Внутреннее ухо +marking-CatEarsStubby = Короткие ушки +marking-CatEarsStubby-ears_stubby_outer = Наружное ухо +marking-CatEarsStubby-ears_stubby_inner = Внутреннее ухо +marking-CatEarsCurled = Завитые ушки +marking-CatEarsCurled-ears_curled_outer = Наружное ухо +marking-CatEarsCurled-ears_curled_inner = Внутреннее ухо +marking-CatEarsTorn = Рассечённые ушки +marking-CatEarsTorn-ears_torn_outer = Наружное ухо +marking-CatEarsTorn-ears_torn_inner = Внутреннее ухо diff --git a/Resources/Locale/ru-RU/corvax/markings/cyberlibs.ftl b/Resources/Locale/ru-RU/corvax/markings/cyberlibs.ftl new file mode 100644 index 00000000000..9e41d040253 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/cyberlibs.ftl @@ -0,0 +1,81 @@ +# Bishop +marking-CyberlimbRArmBishop = Протез, правая рука (Бисшоп) +marking-CyberlimbLArmBishop = Протез, левая рука (Бисшоп) +marking-CyberlimbRHandBishop = Протез, кисть правой руки (Бисшоп) +marking-CyberlimbLHandBishop = Протез, кисть левой руки (Бисшоп) +marking-CyberlimbRLegBishop = Протез, правая нога (Бисшоп) +marking-CyberlimbLLegBishop = Протез, левая нога (Бисшоп) +marking-CyberlimbLFootBishop = Протез, правая стопа (Бисшоп) +marking-CyberlimbRFootBishop = Протез, левая стопа (Бисшоп) +marking-CyberlimbTorsoBishop = Протез, туловище (Бисшоп) +# Hephaestus +marking-CyberlimbRArmHephaestus = Протез, правая рука (Гефест) +marking-CyberlimbLArmHephaestus = Протез, левая рука (Гефест) +marking-CyberlimbRHandHephaestus = Протез, кисть правой руки (Гефест) +marking-CyberlimbLHandHephaestus = Протез, кисть левой руки (Гефест) +marking-CyberlimbRLegHephaestus = Протез, правая нога (Гефест) +marking-CyberlimbLLegHephaestus = Протез, левая нога (Гефест) +marking-CyberlimbLFootHephaestus = Протез, правая стопа (Гефест) +marking-CyberlimbRFootHephaestus = Протез, левая стопа (Гефест) +marking-CyberlimbTorsoHephaestus = Протез, туловище (Гефест) +# Hephaestus Titan +marking-CyberlimbRArmHephaestusTitan = Протез, правая рука (Гефест Титан) +marking-CyberlimbLArmHephaestusTitan = Протез, левая рука (Гефест Титан) +marking-CyberlimbRHandHephaestusTitan = Протез, кисть правой руки (Гефест Титан) +marking-CyberlimbLHandHephaestusTitan = Протез, кисть левой руки (Гефест Титан) +marking-CyberlimbRLegHephaestusTitan = Протез, правая нога (Гефест Титан) +marking-CyberlimbLLegHephaestusTitan = Протез, левая нога (Гефест Титан) +marking-CyberlimbLFootHephaestusTitan = Протез, правая стопа (Гефест Титан) +marking-CyberlimbRFootHephaestusTitan = Протез, левая стопа (Гефест Титан) +marking-CyberlimbTorsoHephaestusTitan = Протез, туловище (Гефест Титан) +# Morpheus +marking-CyberlimbRArmMorpheus = Протез, правая рука (Морфиус) +marking-CyberlimbLArmMorpheus = Протез, левая рука (Морфиус) +marking-CyberlimbRHandMorpheus = Протез, кисть правой руки (Морфиус) +marking-CyberlimbLHandMorpheus = Протез, кисть левой руки (Морфиус) +marking-CyberlimbRLegMorpheus = Протез, правая нога (Морфиус) +marking-CyberlimbLLegMorpheus = Протез, левая нога (Морфиус) +marking-CyberlimbLFootMorpheus = Протез, правая стопа (Морфиус) +marking-CyberlimbRFootMorpheus = Протез, левая стопа (Морфиус) +marking-CyberlimbTorsoMorpheus = Протез, туловище (Морфиус) +# Wardtakahashi +marking-CyberlimbRArmWardtakahashi = Протез, правая рука (Вардтакахаши) +marking-CyberlimbLArmWardtakahashi = Протез, левая рука (Вардтакахаши) +marking-CyberlimbRHandWardtakahashi = Протез, кисть правой руки (Вардтакахаши) +marking-CyberlimbLHandWardtakahashi = Протез, кисть левой руки (Вардтакахаши) +marking-CyberlimbRLegWardtakahashi = Протез, правая нога (Вардтакахаши) +marking-CyberlimbLLegWardtakahashi = Протез, левая нога (Вардтакахаши) +marking-CyberlimbLFootWardtakahashi = Протез, правая стопа (Вардтакахаши) +marking-CyberlimbRFootWardtakahashi = Протез, левая стопа (Вардтакахаши) +marking-CyberlimbTorsoWardtakahashiMale = Протез, туловище (Вардтакахаши) +marking-CyberlimbTorsoWardtakahashiFemale = Протез, туловище (Вардтакахаши) +# Zenghu +marking-CyberlimbRArmZenghu = Протез, правая рука (Зенху) +marking-CyberlimbLArmZenghu = Протез, левая рука (Зенху) +marking-CyberlimbRHandZenghu = Протез, кисть правой руки (Зенху) +marking-CyberlimbLHandZenghu = Протез, кисть левой руки (Зенху) +marking-CyberlimbRLegZenghu = Протез, правая нога (Зенху) +marking-CyberlimbLLegZenghu = Протез, левая нога (Зенху) +marking-CyberlimbLFootZenghu = Протез, правая стопа (Зенху) +marking-CyberlimbRFootZenghu = Протез, левая стопа (Зенху) +marking-CyberlimbTorsoZenghu = Протез, туловище (Зенху) +# Nanotrasen +marking-CyberlimbRArmNanotrasen = Протез, правая рука (Нанотрасен) +marking-CyberlimbLArmNanotrasen = Протез, левая рука (Нанотрасен) +marking-CyberlimbRHandNanotrasen = Протез, кисть правой руки (Нанотрасен) +marking-CyberlimbLHandNanotrasen = Протез, кисть левой руки (Нанотрасен) +marking-CyberlimbRLegNanotrasen = Протез, правая нога (Нанотрасен) +marking-CyberlimbLLegNanotrasen = Протез, левая нога (Нанотрасен) +marking-CyberlimbLFootNanotrasen = Протез, правая стопа (Нанотрасен) +marking-CyberlimbRFootNanotrasen = Протез, левая стопа (Нанотрасен) +marking-CyberlimbTorsoNanotrasen = Протез, туловище (Нанотрасен) +# Xion +marking-CyberlimbRArmXion = Протез, правая рука (Ксион) +marking-CyberlimbLArmXion = Протез, левая рука (Ксион) +marking-CyberlimbRHandXion = Протез, кисть правой руки (Ксион) +marking-CyberlimbLHandXion = Протез, кисть левой руки (Ксион) +marking-CyberlimbRLegXion = Протез, правая нога (Ксион) +marking-CyberlimbLLegXion = Протез, левая нога (Ксион) +marking-CyberlimbLFootXion = Протез, правая стопа (Ксион) +marking-CyberlimbRFootXion = Протез, левая стопа (Ксион) +marking-CyberlimbTorsoXion = Протез, туловище (Ксион) diff --git a/Resources/Locale/ru-RU/corvax/markings/fox.ftl b/Resources/Locale/ru-RU/corvax/markings/fox.ftl new file mode 100644 index 00000000000..4286d629b3c --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/fox.ftl @@ -0,0 +1,3 @@ +marking-FoxEars = Лисьи ушки +marking-FoxEars-ears_fox_outer = Наружное ухо +marking-FoxEars-ears_fox_inner = Внутреннее ухо diff --git a/Resources/Locale/ru-RU/corvax/markings/slime_cat.ftl b/Resources/Locale/ru-RU/corvax/markings/slime_cat.ftl new file mode 100644 index 00000000000..032f0dde8db --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/slime_cat.ftl @@ -0,0 +1,19 @@ +marking-SlimeCatEars = Кошачьи ушки из слизи +marking-SlimeCatTail = Кошачий хвост из слизи +marking-SlimeCatTail-slime_tail_cat_wag = Кошачий хвост из слизи +marking-SlimeCatEars-ears_slime_cat_outer = Наружное ухо +marking-SlimeCatEars-ears_slime_cat_inner = Внутреннее ухо +marking-SlimeCatTailStripes = Кошачий хвост из слизи (Полосатый) +marking-SlimeCatTailStripes-slime_tail_cat_wag_stripes_prime = Первичные полосы +marking-SlimeCatTailStripes-slime_tail_cat_wag_stripes_second = Вторичные полосы +marking-SlimeCatEars-ears_slime_cat_outer = Наружное ухо +marking-SlimeCatEars-ears_slime_cat_inner = Внутреннее ухо +marking-SlimeCatEarsStubby = Короткие ушки из слизи +marking-SlimeCatEarsStubby-ears_slime_stubby_outer = Наружное ухо +marking-SlimeCatEarsStubby-ears_slime_stubby_inner = Внутреннее ухо +marking-SlimeCatEarsCurled = Завитые ушки из слизи +marking-SlimeCatEarsCurled-ears_slime_curled_outer = Наружное ухо +marking-SlimeCatEarsCurled-ears_slime_curled_inner = Внутреннее ухо +marking-SlimeCatEarsTorn = Рассечённые ушки из слизи +marking-SlimeCatEarsTorn-ears_slime_torn_outer = Наружное ухо +marking-SlimeCatEarsTorn-ears_slime_torn_inner = Внутреннее ухо diff --git a/Resources/Locale/ru-RU/corvax/markings/slime_fox.ftl b/Resources/Locale/ru-RU/corvax/markings/slime_fox.ftl new file mode 100644 index 00000000000..c2e97eecf22 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/slime_fox.ftl @@ -0,0 +1,3 @@ +marking-SlimeFoxEars = Лисьи ушки из слизи +marking-SlimeFoxEars-ears_slime_fox_outer = Наружное ухо +marking-SlimeFoxEars-ears_slime_fox_inner = Внутреннее ухо diff --git a/Resources/Locale/ru-RU/corvax/markings/sponsor.ftl b/Resources/Locale/ru-RU/corvax/markings/sponsor.ftl new file mode 100644 index 00000000000..333192929a0 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/markings/sponsor.ftl @@ -0,0 +1,4 @@ +marking-AugmentsRoboticRightArm-robotic_r_arm = Аугментация, правая рука (Робот) +marking-AugmentsRoboticRightArm = Аугментация, правая рука (Робот) +marking-AugmentsRoboticRightHand-robotic_r_hand = Аугментация, кисть правой руки (Робот) +marking-AugmentsRoboticRightHand = Аугментация, кисть правой руки (Робот) diff --git a/Resources/Locale/ru-RU/corvax/paper/book-busido.ftl b/Resources/Locale/ru-RU/corvax/paper/book-busido.ftl new file mode 100644 index 00000000000..820485d3bcb --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/paper/book-busido.ftl @@ -0,0 +1,55 @@ +book-text-busido = + Вступление + +  Самурай должен прежде всего постоянно помнить — помнить днём и ночью, с того утра, когда он берёт в руки палочки, чтобы вкусить новогоднюю трапезу, до последней ночи старого года, когда он платит свои долги — что он должен умереть. Вот его главное дело. + Если он всегда помнит об этом, он сможет прожить жизнь в соответствии с верностью и сыновней почтительностью, избегнуть мириада зол и несчастий, уберечь себя от болезней и бед и насладиться долгой жизнью. + Он будет исключительной личностью, наделённой прекрасными качествами. Ибо жизнь мимолётна, подобно капле вечерней росы и утреннему инею, и тем более такова жизнь воина. + + Правильное и неправильное + Воин должен глубоко понимать эти два качества. Если он знает, как делать одно и избегать другого, он обрёл бусидо. + Правильное и неправильное — это не что иное, как добро и зло, и хотя я не отрицаю, что различие между словами незначительно, поступать правильно и делать добро считается утомительным, а поступать неправильно и делать зло — лёгким и приятным, поэтому естественно, что многие склоняются к неправильному или злому и не любят правильное и доброе. + Причина тому — неумение управлять собой. Само по себе это может и не звучит так плохо, но если посмотреть глубже, мы увидим, что всё идёт от трусости. Поэтому я утверждаю, что самураю необходимо воздерживаться от неправильного и стремиться к правильному. + + Выбор друзей + Самое главное для самурая, находящегося на службе — общаться и заводить друзей только среди тех своих товарищей, которые отважны, верны долгу, умны и влиятельны. + Но поскольку таких людей немного, следует среди многих друзей выбрать одного, на которого, в случае необходимости, можно полностью положиться. + В целом, самураю желательно заводить близких друзей из числа тех, кого он любит и с кем он предпочитает есть, пить и путешествовать. + + Дружба + Надёжность — одно из качеств Пути воина, необходимых самураю, но ни в коем случае не желательно оказывать помощь без веских причин, ввязываться в дела, которые не имеют значения или принимать на себя обязательства в том, что не касается тебя самого, только ради того, чтобы сделать так-то или дать совет. + Даже если дело в какой-то степени касается тебя, лучше остаться в стороне, если тебя никто не просит вмешаться. + + Разное + Беспринципно считать, что ты не можешь достичь всего, чего достигали великие мастера. Мастера — это люди, и ты — тоже человек. + Если ты знаешь, что можешь стать таким же, как они, ты уже на пути к этому. + + Воин никогда не должен высказываться неуверенно. Воин должен готовиться ко всему заранее. Даже в повседневных делах проявляется глубина души. + + Священник Таннэн сказал: "Благоразумный слуга не стремится занять более высокое положение. Между тем, глупых, людей редко повышают в должности". + + Воистину, жизнь человека длится одно мгновение, поэтому живи и делай что хочешь. Глупо жить в этом мире, подобном сновидению, каждый день встречаться с неприятностями и делать только то, что тебе не нравится. + Я лично люблю спать. Со временем я собираюсь всё чаще уединяться у себя в доме и проводить остаток жизни во сне. + + Основной принцип боевых искусств состоит в том, чтобы нападать, не думая о жизни и смерти. Если противник поступает так же, он и ты друг друга стоите. В этом случае исход поединка решает сила духа и судьба. + + Накано Дзинъэмон сказал: "Изучение таких предметов, как военная тактика, бесполезно. Если воин не бросается на врага и не рубит его, закрыв глаза, он окажется бесполезным, потому что в бою не продвинется ни на один шаг". Такого же мнения был и Иянага Сасукэ. + + Если человек вёл себя перед смертью достойно, это воистину смелый человек. Мы знаем много примеров таких людей. Тот же, кто похваляется своим удальством, а перед смертью приходит в замешательство, не может быть назван воистину смелым. + + Конец + Каждый самурай, большой или малый, высокого ранга или низкого, должен прежде всего думать о том, как встретить неизбежную смерть. + Как бы ни был он умён и талантлив, если он беспечен и недостаточно хладнокровен, а потому, оказавшись лицом к лицу со смертью, выглядит растерянным, все его предыдущие добрые дела потеряют свой смысл, а все порядочные люди будут презирать его, и на него ляжет несмываемое пятно позора. + + Ибо если самурай идёт в битву, совершает отважные и величественные поступки и покрывает славой своё имя, то это только потому, что он настроил своё сердце на смерть. + Если случается худшее, и ему суждено расстаться с жизнью, то, когда его противник спрашивает его имя, он должен громко и чётко ответить и проститься с жизнью с улыбкой на губах, не выказывая ни малейшего признака страха. + + Если же он тяжело ранен, так, что ни один лекарь уже не может помочь ему, то, как и положено самураю, он должен, будучи ещё в сознании, ответить на вопросы командиров и товарищей и сообщить им, как он получил ранение, после чего спокойно, без всяких церемоний, встретить смерть. + + Хотя самурай должен прежде всего чтить Путь Самурая, не вызывает сомнений, что все мы небрежительны. Поэтому, если в наши дни спросить: "В чём подлинный смысл Пути Самурая?", лишь немногие ответят без промедления. + А все потому, что никто заранее не готовит себя к ответу на такие вопросы. Это свидетельствует о том, что люди забывают о Пути. Небрежение опасно. + + Я постиг, что Путь Самурая — это смерть. + + В ситуации "или — или" без колебаний выбирай смерть. Это нетрудно. Исполнись решимости и действуй. + Только малодушные оправдывают себя рассуждениями о том, что умереть, не достигнув цели, означает умереть собачьей смертью. + Сделать правильный выбор в ситуации "или — или" практически невозможно. diff --git a/Resources/Locale/ru-RU/corvax/paper/book-rulebook.ftl b/Resources/Locale/ru-RU/corvax/paper/book-rulebook.ftl new file mode 100644 index 00000000000..9d11d6a4b4c --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/paper/book-rulebook.ftl @@ -0,0 +1,56 @@ +book-text-rulebook = + Создание персонажа. + + 1 – Выберите профессию и расу, соответствующие сеттингу игровой сессии. + + Профессия это то, что является основным родом деятельности вашего персонажа. + Например, разносчик газет, чернорабочий, слуга, революционер. + Варианты профессий могут быть предоставлены вашим ГМом (Гейммастер, ведущий). + + Предлагается выбрать одну из всем знакомых разумных рас освоенной части космоса: + Человек/Дворф/Унатх/Слаймолюд/Диона/Вокс. + Другие расы и расовые бонусы характеристик могут быть предоставлены на усмотрение ГМа. + + 2 – Определите модификаторы характеристик. + Характеристики отражают природные силы и слабости персонажа, и представлены модификаторами, которые будут прибавляться к броску кости. + + Модификаторы: +3, +2, +1, 0, -1, -2 + Характеристики: Сила, Ловкость, Телосложение, Интеллект, Мудрость, Харизма + + 3 – Определите архетип персонажа. + Подобно характеристикам, архетипы показывают в чём вы хороши, а в чём не очень, но в более абстрактной форме. + Как и в случае выше, присвойте модификаторы перечисленным ниже архетипам. + + Модификаторы: +3, +2, +1, 0, -1, -2 + Архетипы: Воин, Плут, Исследователь, Мудрец, Артист, Дипломат + + 4 – Начислите себе 10 очков решимости. + Решимость отражает сочетание физической и ментальной стойкости, стремление персонажа существовать. + Подробнее о том, как работает решимость, объясняется в разделе «Как играть». + + 5 – Придумайте имя и определите внешность персонажа. + + 6 – Выберите базовое снаряжение, соответствующее вашей расе и профессии. + + Базовое снаряжение это комплект или набор простых предметов или инструментов. Например, кто-то с инженерной профессией может иметь пояс с инструментами, огнетушитель и тому подобные вещи. + Уместность и рамки того, какими предметами вы можете обладать, должны быть согласованы с вашим ГМом. + + Как играть. + + 1 – Начните квест. + + 2 – Чтобы предпринять какое-либо действие, опишите, что вы хотите сделать, а затем – только если ГМ попросит вас – совершите проверку успеха. + + Проверка успеха = Результат броска 1к20 + Характеристика + Архетип против Класс сложности (5/10/15/20/25/30, по решению ГМа). + В случае провала, ГМ может совершить против вас реакцию (предпринять какое-либо действие или поднять сложность повторной проверки). + + 3 – Если что-то атакует или как-то иначе действует против вас, совершите проверку успеха, чтобы защититься. + + 4 – Если вы получаете урон, вы теряете 1 решимость. Если вы наносите урон, ваша цель теряет 1 решимость. + + 5 – Вы можете потратить 1 решимость на бросок с преимуществом (снова бросьте 1к20 и выберите наибольшее значение из двух результатов) или попытку совершить экстраординарный поступок (опишите своё ультра-необычное действие, его успешность определит ГМ). + + 6 – Если у вас осталось 0 решимости, вы оказываетесь в нокауте. Вы получаете 1 решимость, когда завершаете длительный отдых. + + 7 – Игра закончится когда квест будет выполнен! Если вы выжили — получите новую способность. + Выберите из перечисленного: +1 очко характеристики, +1 очко архетипа, +1 максимальный запас решимости. diff --git a/Resources/Locale/ru-RU/corvax/paper/stamp-component.ftl b/Resources/Locale/ru-RU/corvax/paper/stamp-component.ftl new file mode 100644 index 00000000000..77bb04bc9e1 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/paper/stamp-component.ftl @@ -0,0 +1,2 @@ +stamp-component-stamped-name-iaa = Агент внутренних дел +stamp-component-stamped-name-psychologist = Психолог diff --git a/Resources/Locale/ru-RU/corvax/preferences/ui/character-setup-gui.ftl b/Resources/Locale/ru-RU/corvax/preferences/ui/character-setup-gui.ftl new file mode 100644 index 00000000000..68430c3de59 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/preferences/ui/character-setup-gui.ftl @@ -0,0 +1 @@ +character-setup-gui-character-setup-sponsor-button = Спонсор diff --git a/Resources/Locale/ru-RU/corvax/prototypes/catalog/cargo/cargo-food.ftl b/Resources/Locale/ru-RU/corvax/prototypes/catalog/cargo/cargo-food.ftl new file mode 100644 index 00000000000..ff0211059d5 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/prototypes/catalog/cargo/cargo-food.ftl @@ -0,0 +1,2 @@ +ent-FoodCrateKvassTank = { ent-CrateFoodKvassTank } + .desc = { ent-CrateFoodKvassTank.desc } diff --git a/Resources/Locale/ru-RU/corvax/speech/speech-chatsan.ftl b/Resources/Locale/ru-RU/corvax/speech/speech-chatsan.ftl new file mode 100644 index 00000000000..d4e2a400991 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/speech/speech-chatsan.ftl @@ -0,0 +1,250 @@ +corvax-chatsan-word-1 = хос +corvax-chatsan-replacement-1 = гсб +corvax-chatsan-word-2 = хоса +corvax-chatsan-replacement-2 = гсб +corvax-chatsan-word-3 = смо +corvax-chatsan-replacement-3 = гв +corvax-chatsan-word-4 = се +corvax-chatsan-replacement-4 = си +corvax-chatsan-word-5 = хоп +corvax-chatsan-replacement-5 = гп +corvax-chatsan-word-6 = хопа +corvax-chatsan-replacement-6 = гп +corvax-chatsan-word-7 = рд +corvax-chatsan-replacement-7 = нр +corvax-chatsan-word-8 = вард +corvax-chatsan-replacement-8 = смотритель +corvax-chatsan-word-9 = варден +corvax-chatsan-replacement-9 = смотритель +corvax-chatsan-word-10 = вардена +corvax-chatsan-replacement-10 = смотрителя +corvax-chatsan-word-11 = вардену +corvax-chatsan-replacement-11 = смотрителю +corvax-chatsan-word-12 = варденом +corvax-chatsan-replacement-12 = смотрителем +corvax-chatsan-word-13 = геник +corvax-chatsan-replacement-13 = генератор +corvax-chatsan-word-14 = кк +corvax-chatsan-replacement-14 = красный код +corvax-chatsan-word-15 = ск +corvax-chatsan-replacement-15 = синий код +corvax-chatsan-word-16 = зк +corvax-chatsan-replacement-16 = зелёный код +corvax-chatsan-word-17 = пда +corvax-chatsan-replacement-17 = кпк +corvax-chatsan-word-18 = дэк +corvax-chatsan-replacement-18 = детектив +corvax-chatsan-word-19 = дэку +corvax-chatsan-replacement-19 = детективу +corvax-chatsan-word-20 = дэка +corvax-chatsan-replacement-20 = детектива +corvax-chatsan-word-21 = дек +corvax-chatsan-replacement-21 = детектив +corvax-chatsan-word-22 = деку +corvax-chatsan-replacement-22 = детективу +corvax-chatsan-word-23 = дека +corvax-chatsan-replacement-23 = детектива +corvax-chatsan-word-24 = мш +corvax-chatsan-replacement-24 = имплант защиты разума +corvax-chatsan-word-25 = трейтор +corvax-chatsan-replacement-25 = предатель +corvax-chatsan-word-26 = инж +corvax-chatsan-replacement-26 = инженер +corvax-chatsan-word-27 = инжи +corvax-chatsan-replacement-27 = инженеры +corvax-chatsan-word-28 = инжы +corvax-chatsan-replacement-28 = инженеры +corvax-chatsan-word-29 = инжу +corvax-chatsan-replacement-29 = инженеру +corvax-chatsan-word-30 = инжам +corvax-chatsan-replacement-30 = инженерам +corvax-chatsan-word-31 = инжинер +corvax-chatsan-replacement-31 = инженер +corvax-chatsan-word-32 = яo +corvax-chatsan-replacement-32 = { "" } +corvax-chatsan-word-33 = яoй +corvax-chatsan-replacement-33 = { "" } +corvax-chatsan-word-34 = нюк +corvax-chatsan-replacement-34 = ядерный оперативник +corvax-chatsan-word-35 = нюкеры +corvax-chatsan-replacement-35 = ядерные оперативники +corvax-chatsan-word-36 = нюкер +corvax-chatsan-replacement-36 = ядерный оперативник +corvax-chatsan-word-37 = нюкеровец +corvax-chatsan-replacement-37 = ядерный оперативник +corvax-chatsan-word-38 = нюкеров +corvax-chatsan-replacement-38 = ядерных оперативников +corvax-chatsan-word-39 = аирлок +corvax-chatsan-replacement-39 = шлюз +corvax-chatsan-word-40 = аирлоки +corvax-chatsan-replacement-40 = шлюзы +corvax-chatsan-word-41 = айрлок +corvax-chatsan-replacement-41 = шлюз +corvax-chatsan-word-42 = айрлоки +corvax-chatsan-replacement-42 = шлюзы +corvax-chatsan-word-43 = визард +corvax-chatsan-replacement-43 = волшебник +corvax-chatsan-word-44 = дизарм +corvax-chatsan-replacement-44 = толчок +corvax-chatsan-word-45 = синга +corvax-chatsan-replacement-45 = сингулярность +corvax-chatsan-word-46 = сингу +corvax-chatsan-replacement-46 = сингулярность +corvax-chatsan-word-47 = синги +corvax-chatsan-replacement-47 = сингулярности +corvax-chatsan-word-48 = сингой +corvax-chatsan-replacement-48 = сингулярностью +corvax-chatsan-word-49 = разгерм +corvax-chatsan-replacement-49 = разгерметизация +corvax-chatsan-word-50 = разгерма +corvax-chatsan-replacement-50 = разгерметизация +corvax-chatsan-word-51 = разгерму +corvax-chatsan-replacement-51 = разгерметизацию +corvax-chatsan-word-52 = разгермы +corvax-chatsan-replacement-52 = разгерметизации +corvax-chatsan-word-53 = разгермой +corvax-chatsan-replacement-53 = разгерметизацией +corvax-chatsan-word-54 = бикардин +corvax-chatsan-replacement-54 = бикаридин +corvax-chatsan-word-55 = бика +corvax-chatsan-replacement-55 = бикаридин +corvax-chatsan-word-56 = бику +corvax-chatsan-replacement-56 = бикаридин +corvax-chatsan-word-57 = декса +corvax-chatsan-replacement-57 = дексалин +corvax-chatsan-word-58 = дексу +corvax-chatsan-replacement-58 = дексалин +corvax-chatsan-word-59 = хз +corvax-chatsan-replacement-59 = не знаю +corvax-chatsan-word-60 = синд +corvax-chatsan-replacement-60 = синдикат +corvax-chatsan-word-61 = пон +corvax-chatsan-replacement-61 = понятно +corvax-chatsan-word-62 = непон +corvax-chatsan-replacement-62 = не понятно +corvax-chatsan-word-63 = нипон +corvax-chatsan-replacement-63 = не понятно +corvax-chatsan-word-64 = кста +corvax-chatsan-replacement-64 = кстати +corvax-chatsan-word-65 = кст +corvax-chatsan-replacement-65 = кстати +corvax-chatsan-word-66 = плз +corvax-chatsan-replacement-66 = пожалуйста +corvax-chatsan-word-67 = пж +corvax-chatsan-replacement-67 = пожалуйста +corvax-chatsan-word-68 = спс +corvax-chatsan-replacement-68 = спасибо +corvax-chatsan-word-69 = сяб +corvax-chatsan-replacement-69 = спасибо +corvax-chatsan-word-70 = прив +corvax-chatsan-replacement-70 = привет +corvax-chatsan-word-71 = ок +corvax-chatsan-replacement-71 = окей +corvax-chatsan-word-72 = чел +corvax-chatsan-replacement-72 = мужик +corvax-chatsan-word-73 = лан +corvax-chatsan-replacement-73 = ладно +corvax-chatsan-word-74 = збс +corvax-chatsan-replacement-74 = заебись +corvax-chatsan-word-75 = мб +corvax-chatsan-replacement-75 = может быть +corvax-chatsan-word-76 = оч +corvax-chatsan-replacement-76 = очень +corvax-chatsan-word-77 = омг +corvax-chatsan-replacement-77 = боже мой +corvax-chatsan-word-78 = нзч +corvax-chatsan-replacement-78 = не за что +corvax-chatsan-word-79 = пок +corvax-chatsan-replacement-79 = пока +corvax-chatsan-word-80 = бб +corvax-chatsan-replacement-80 = пока +corvax-chatsan-word-81 = пох +corvax-chatsan-replacement-81 = плевать +corvax-chatsan-word-82 = ясн +corvax-chatsan-replacement-82 = ясно +corvax-chatsan-word-83 = всм +corvax-chatsan-replacement-83 = всмысле +corvax-chatsan-word-84 = чзх +corvax-chatsan-replacement-84 = что за херня? +corvax-chatsan-word-85 = изи +corvax-chatsan-replacement-85 = легко +corvax-chatsan-word-86 = гг +corvax-chatsan-replacement-86 = хорошо сработано +corvax-chatsan-word-87 = пруф +corvax-chatsan-replacement-87 = доказательство +corvax-chatsan-word-88 = пруфани +corvax-chatsan-replacement-88 = докажи +corvax-chatsan-word-89 = пруфанул +corvax-chatsan-replacement-89 = доказал +corvax-chatsan-word-90 = брух +corvax-chatsan-replacement-90 = мда... +corvax-chatsan-word-91 = имба +corvax-chatsan-replacement-91 = нечестно +corvax-chatsan-word-92 = разлокать +corvax-chatsan-replacement-92 = разблокировать +corvax-chatsan-word-93 = юзать +corvax-chatsan-replacement-93 = использовать +corvax-chatsan-word-94 = юзай +corvax-chatsan-replacement-94 = используй +corvax-chatsan-word-95 = юзнул +corvax-chatsan-replacement-95 = использовал +corvax-chatsan-word-96 = хилл +corvax-chatsan-replacement-96 = лечение +corvax-chatsan-word-97 = подхиль +corvax-chatsan-replacement-97 = полечи +corvax-chatsan-word-98 = хильни +corvax-chatsan-replacement-98 = полечи +corvax-chatsan-word-99 = хелп +corvax-chatsan-replacement-99 = помоги +corvax-chatsan-word-100 = хелпани +corvax-chatsan-replacement-100 = помоги +corvax-chatsan-word-101 = хелпанул +corvax-chatsan-replacement-101 = помог +corvax-chatsan-word-102 = рофл +corvax-chatsan-replacement-102 = прикол +corvax-chatsan-word-103 = рофлишь +corvax-chatsan-replacement-103 = шутишь +corvax-chatsan-word-104 = крч +corvax-chatsan-replacement-104 = короче говоря +corvax-chatsan-word-105 = шатл +corvax-chatsan-replacement-105 = шаттл +corvax-chatsan-word-106 = афк +corvax-chatsan-replacement-106 = ссд +corvax-chatsan-word-107 = админ +corvax-chatsan-replacement-107 = бог +corvax-chatsan-word-108 = админы +corvax-chatsan-replacement-108 = боги +corvax-chatsan-word-109 = админов +corvax-chatsan-replacement-109 = богов +corvax-chatsan-word-110 = забанят +corvax-chatsan-replacement-110 = покарают +corvax-chatsan-word-111 = бан +corvax-chatsan-replacement-111 = наказание +corvax-chatsan-word-112 = пермач +corvax-chatsan-replacement-112 = наказание +corvax-chatsan-word-113 = перм +corvax-chatsan-replacement-113 = наказание +corvax-chatsan-word-114 = запермили +corvax-chatsan-replacement-114 = наказание +corvax-chatsan-word-115 = запермят +corvax-chatsan-replacement-115 = накажут +corvax-chatsan-word-116 = нонрп +corvax-chatsan-replacement-116 = плохо +corvax-chatsan-word-117 = нрп +corvax-chatsan-replacement-117 = плохо +corvax-chatsan-word-118 = ерп +corvax-chatsan-replacement-118 = ужас +corvax-chatsan-word-119 = рдм +corvax-chatsan-replacement-119 = плохо +corvax-chatsan-word-120 = дм +corvax-chatsan-replacement-120 = плохо +corvax-chatsan-word-121 = гриф +corvax-chatsan-replacement-121 = плохо +corvax-chatsan-word-122 = фрикил +corvax-chatsan-replacement-122 = плохо +corvax-chatsan-word-123 = фрикилл +corvax-chatsan-replacement-123 = плохо +corvax-chatsan-word-124 = лкм +corvax-chatsan-replacement-124 = левая рука +corvax-chatsan-word-125 = пкм +corvax-chatsan-replacement-125 = правая рука diff --git a/Resources/Locale/ru-RU/corvax/station-events/events/evil-twin.ftl b/Resources/Locale/ru-RU/corvax/station-events/events/evil-twin.ftl new file mode 100644 index 00000000000..a37b95007b6 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/station-events/events/evil-twin.ftl @@ -0,0 +1,17 @@ +evil-twin-round-end-result = + { $evil-twin-count -> + [one] Был один + *[other] Было { $evil-twin-count } + } { $evil-twin-count -> + [one] злой двойник + [few] злых двойника + *[other] злых двойников + }. +evil-twin-user-was-an-evil-twin = [color=gray]{ $user }[/color] был злым двойником. +evil-twin-user-was-an-evil-twin-named = [color=white]{ $name }[/color] ([color=gray]{ $user }[/color]) был злым двойником. +evil-twin-was-an-evil-twin-named = [color=white]{ $name }[/color] был злым двойником. +evil-twin-user-was-an-evil-twin-with-objectives = [color=gray]{ $user }[/color] был(а) злым двойником со следующими целями: +evil-twin-user-was-an-evil-twin-with-objectives-named = [color=White]{ $name }[/color] ([color=gray]{ $user }[/color]) был(а) злым двойником со следующими целями: +evil-twin-was-an-evil-twin-with-objectives-named = [color=white]{ $name }[/color] был(а) злым двойником со следующими целями: +roles-antag-evil-twin-name = Злой двойник +roles-antag-evil-twin-objective = Ваша задача - устранение и замена оригинальной персоны. diff --git a/Resources/Locale/ru-RU/corvax/station-goal/station-goal-command.ftl b/Resources/Locale/ru-RU/corvax/station-goal/station-goal-command.ftl new file mode 100644 index 00000000000..0108153e319 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/station-goal/station-goal-command.ftl @@ -0,0 +1,3 @@ +send-station-goal-command-description = Отправляет выбранную цель станции на всех факсы способные её принять +send-station-goal-command-help-text = Использование: { $command } +send-station-goal-command-arg-id = diff --git a/Resources/Locale/ru-RU/corvax/station-goal/station-goal-component.ftl b/Resources/Locale/ru-RU/corvax/station-goal/station-goal-component.ftl new file mode 100644 index 00000000000..19b67f33951 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/station-goal/station-goal-component.ftl @@ -0,0 +1,38 @@ +station-goal-fax-paper-name = Цель станции +station-goal-shuttle = + Цель вашей смены построить пилотируемый шаттл в космосе и обеспечить его всем необходимым для выживания. + Чтобы её выполнить отделу снабжения нужно заказать все необходимые ресурсы для инженерного и научного отделов. + Инженерному отделу необходимо построить его, а научный отдел должен предоставить инженерному отделу и шаттлу всю необходимую экипировку. +station-goal-singularity = + Цель вашей смены построить генератор основанный на сверхмассивной Сингулярности. + Чтобы её выполнить инженерному отделу понадобится построить сдерживающую клетку, отделу снабжения потребуется заказать все необходимые материалы. + Сдерживающая клетка должна быть способна сдержать сингулярность третьего класса. +station-goal-solar-panels = + Цель вашей смены организовать систему запасного питания для станции на основе солнечных панелей. + Для этого вам понадобится заказать все необходимые материалы в отделе снабжения и после построить 2 новые ветки солнечных панелей инженерным отделом. + А так же обеспечить изолированность производимой ими энергии в новые 3 СМЭСа не подключенные к общей сети станции. +station-goal-artifacts = + Цель вашей смены обнаружить, исследовать и доставить космические артефакты. + Для её выполнения будет необходима работа утилизаторов для поиска и доставки артефактов с обломков вокруг станции. + После доставки их необходимо передать в специальном контейнере отделу исследования для изучения и документирования их свойств. + Необходимо доставить на шаттле эвакуации в специальных контейнерах как минимум 2 полностью изученных и задокументированных артефакта. + Рекомендуемые пункты документа с описанием артефакта: + - Наименование объекта + - Описание внешнего вида объекта + - Свойства объекта + - Примечания + - ФИ и должность ответственного + Документ должен быть удостоверен печатью научного руководителя. +station-goal-bank = + Цель вашей смены постройка орбитального хранилища с припасами и технологиями. + Хранилище должно быть размещено в космосе отдельно от основной станции, проследите за прочностью его конструкции, случайный метеорит не должен повредить его. + В хранилище необходимо разместить 4 ящика: + - ящик с продвинутыми медикаментами + - ящик с запасами лучших семян + - ящик-холодильник еды с высокой питательной ценностью + - ящик с ценными, но не уникальными платами + Проследите за сохранностью содержимого в хранилище до окончания смены. +station-goal-zoo = + Цель вашей смены улучшить рекреацию персонала на станции. + Инженерному отделу необходимо построить зоопарк в недалекой доступности от дорматориев с как минимум тремя вольерами разных видов животных заказанных в отделе снабжения. + Обеспечьте животных пищей, как минимум одним роботом уборщиком в каждый вольер и всем необходимым для жизни в зависимости от вида животного. diff --git a/Resources/Locale/ru-RU/corvax/tts/tts-ui.ftl b/Resources/Locale/ru-RU/corvax/tts/tts-ui.ftl new file mode 100644 index 00000000000..0a354c3bfc7 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/tts/tts-ui.ftl @@ -0,0 +1,4 @@ +ui-options-tts-volume = Громкость TTS: +credits-window-tts-title = Функция TTS (Text-To-Speech) +humanoid-profile-editor-voice-label = Голос: +humanoid-profile-editor-voice-play = ▶ diff --git a/Resources/Locale/ru-RU/corvax/tts/tts-voices.ftl b/Resources/Locale/ru-RU/corvax/tts/tts-voices.ftl new file mode 100644 index 00000000000..0189988d766 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/tts/tts-voices.ftl @@ -0,0 +1,595 @@ +tts-voice-name-aidar = Аидар +tts-voice-name-baya = Байя +tts-voice-name-kseniya = Ксения +tts-voice-name-xenia = Кзениа +tts-voice-name-eugene = Юджин +tts-voice-name-arthas = Артас (Warcraft 3) +tts-voice-name-thrall = Тралл (Warcraft 3) +tts-voice-name-kael = Кель (Warcraft 3) +tts-voice-name-maiev = Майев (Warcraft 3) +tts-voice-name-rexxar = Рексар (Warcraft 3) +tts-voice-name-tyrande = Тиранда (Warcraft 3) +tts-voice-name-furion = Фарион (Warcraft 3) +tts-voice-name-illidan = Иллидан (Warcraft 3) +tts-voice-name-kelthuzad = Кел'Тузад (Warcraft 3) +tts-voice-name-jaina = Джайна (Warcraft 3) +tts-voice-name-ladyvashj = Леди Вайш (Warcraft 3) +tts-voice-name-narrator = Рассказчик (Warcraft 3) +tts-voice-name-cairne = Кэрн (Warcraft 3) +tts-voice-name-garithos = Гаритос (Warcraft 3) +tts-voice-name-anubarak = Ануб'арак (Warcraft 3) +tts-voice-name-uther = Утер (Warcraft 3) +tts-voice-name-grunt = Бугай (Warcraft 3) +tts-voice-name-medivh = Медив (Warcraft 3) +tts-voice-name-villagerm = Селянин (Warcraft 3) +tts-voice-name-naisha = Найша (Warcraft 3) +tts-voice-name-illidanf = Иллидан F (Warcraft 3) +tts-voice-name-peon = Работник (Warcraft 3) +tts-voice-name-chen = Чэнь (Warcraft 3) +tts-voice-name-dreadbm = Повелитель ужаса BM (Warcraft 3) +tts-voice-name-sylvanas = Сильвана (Warcraft 3) +tts-voice-name-priest = Целитель (Warcraft 3) +tts-voice-name-acolyte = Послушник (Warcraft 3) +tts-voice-name-muradin = Мурадин (Warcraft 3) +tts-voice-name-dreadt = Повелитель ужаса (T)(Warcraft 3) +tts-voice-name-mannoroth = Маннорот (Warcraft 3) +tts-voice-name-sorceress = Волшебница (Warcraft 3) +tts-voice-name-peasant = Крестьянин (Warcraft 3) +tts-voice-name-alyx = Аликс (Half-life 2) +tts-voice-name-glados = GLaDOS (Portal 2) +tts-voice-name-announcer = Комментатор (Dota 2) +tts-voice-name-wheatley = Уитли (Portal 2) +tts-voice-name-barney = Барни (Half-life) +tts-voice-name-raynor = Рейнор (StarCraft 2) +tts-voice-name-kerrigan = Керриган (StarCraft 2) +tts-voice-name-tusk = Tusk (Dota 2) +tts-voice-name-earth = Earth Spirit (Dota 2) +tts-voice-name-wraith = Wraith (Dota 2) +tts-voice-name-meepo = Meepo (Dota 2) +tts-voice-name-lina = Lina (Dota 2) +tts-voice-name-bristle = Bristle (Dota 2) +tts-voice-name-gyro = Gyro (Dota 2) +tts-voice-name-treant = Treant (Dota 2) +tts-voice-name-lancer = Lancer (Dota 2) +tts-voice-name-clockwerk = Clockwerk (Dota 2) +tts-voice-name-batrider = Batrider (Dota 2) +tts-voice-name-kotl = Kotl (Dota 2) +tts-voice-name-kunkka = Kunkka (Dota 2) +tts-voice-name-pudge = Pudge (Dota 2) +tts-voice-name-juggernaut = Juggernaut (Dota 2) +tts-voice-name-vorte2 = Vort E2 (Dota 2) +tts-voice-name-luna = Luna (Dota 2) +tts-voice-name-omni = Omni (Dota 2) +tts-voice-name-sniper = Sniper (Dota 2) +tts-voice-name-skywrath = Skywrath (Dota 2) +tts-voice-name-bounty = Bounty (Dota 2) +tts-voice-name-huskar = Huskar (Dota 2) +tts-voice-name-windranger = Windranger (Dota 2) +tts-voice-name-bloodseeker = Bloodseeker (Dota 2) +tts-voice-name-templar = Templar (Dota 2) +tts-voice-name-ranger = Ranger (Dota 2) +tts-voice-name-shaker = Shaker (Dota 2) +tts-voice-name-mortred = Mortred (Dota 2) +tts-voice-name-queen = Queen (Dota 2) +tts-voice-name-storm = Storm (Dota 2) +tts-voice-name-tide = Tide (Dota 2) +tts-voice-name-evelynn = Эвелинн (LoL) +tts-voice-name-riki = Riki (Dota 2) +tts-voice-name-antimage = Antimage (Dota 2) +tts-voice-name-witchdoctor = Witchdoctor (Dota 2) +tts-voice-name-doom = Doom (Dota 2) +tts-voice-name-yuumi = Юми (LoL) +tts-voice-name-bandit = Бандит (Stalker) +tts-voice-name-pantheon = Пантеон (LoL) +tts-voice-name-tychus = Тайкус (StarCraft 2) +tts-voice-name-breen = Брин (Half-life 2) +tts-voice-name-kleiner = Кляйнер (Half-life 2) +tts-voice-name-father = Отец Григорий (Half-life 2) +tts-voice-name-tosh = Тош (StarCraft 2) +tts-voice-name-stetmann = Стетманн (StarCraft 2) +tts-voice-name-hanson = Хэнсон (StarCraft 2) +tts-voice-name-swann = Свонн (StarCraft 2) +tts-voice-name-hill = Хилл (StarCraft 2) +tts-voice-name-gmane2 = Gman E2 (Half-life 2) +tts-voice-name-valerian = Валериан (StarCraft 2) +tts-voice-name-gman = Gman (Half-life 2) +tts-voice-name-vort = Вортигонт (Half-life 2) +tts-voice-name-aradesh = Арадеш (Fallout) +tts-voice-name-dornan = Дорнан (Fallout 2) +tts-voice-name-elder = Старейшина (Fallout 2) +tts-voice-name-harris = Харрис (Fallout) +tts-voice-name-cabbot = Кэббот (Fallout) +tts-voice-name-decker = Декер (Fallout) +tts-voice-name-dick = Дик Ричардсон (Fallout 2) +tts-voice-name-officer = Офицер (Fallout 2) +tts-voice-name-frank = Фрэнк (Fallout 2) +tts-voice-name-gizmo = Гизмо (Fallout 2) +tts-voice-name-hakunin = Хакунин (Fallout 2) +tts-voice-name-harold = Гарольд (Fallout 2) +tts-voice-name-harry = Гарри (Fallout) +tts-voice-name-jain = Джейн (Fallout) +tts-voice-name-maxson = Мэксон (Fallout) +tts-voice-name-killian = Киллиан (Fallout) +tts-voice-name-laura = Лаура (Fallout) +tts-voice-name-lieutenant = Лейтенант (Fallout) +tts-voice-name-loxley = Локсли (Fallout) +tts-voice-name-lynette = Линетт (Fallout 2) +tts-voice-name-marcus = Маркус (Fallout 2) +tts-voice-name-master = Создатель (Fallout) +tts-voice-name-morpheus = Морфеус (Fallout) +tts-voice-name-myron = Майрон (Fallout 2) +tts-voice-name-nicole = Николь (Fallout) +tts-voice-name-overseer = Смотритель (Fallout) +tts-voice-name-rhombus = Ромбус (Fallout) +tts-voice-name-set = Сет (Fallout) +tts-voice-name-sulik = Сулик (Fallout 2) +tts-voice-name-tandi = Танди (Fallout) +tts-voice-name-vree = Врии (Fallout) +tts-voice-name-dude = Чувак (Postal 2) +tts-voice-name-archmage = Архимаг (Warcraft 3) +tts-voice-name-demoman = Подрывник (Team Fortress 2) +tts-voice-name-engineer = Инженер (Team Fortress 2) +tts-voice-name-heavy = Пулемётчик (Team Fortress 2) +tts-voice-name-medic = Медик (Team Fortress 2) +tts-voice-name-scout = Разведчик (Team Fortress 2) +tts-voice-name-snipertf = Снайпер (Team Fortress 2) +tts-voice-name-soldier = Солдат (Team Fortress 2) +tts-voice-name-spy = Шпион (Team Fortress 2) +tts-voice-name-admiral = Адмирал (Warcraft 3) +tts-voice-name-alchemist = Алхимик (Warcraft 3) +tts-voice-name-archimonde = Архимонд (Warcraft 3) +tts-voice-name-breaker = Ведьмак (Warcraft 3) +tts-voice-name-captain = Капитан (Warcraft 3) +tts-voice-name-dryad = Дриада (Warcraft 3) +tts-voice-name-elfeng = Эльф Eng (Warcraft 3) +tts-voice-name-footman = Пехотинец (Warcraft 3) +tts-voice-name-grom = Гром (Warcraft 3) +tts-voice-name-hh = Охотник за головами (Warcraft 3) +tts-voice-name-huntress = Охотница (Warcraft 3) +tts-voice-name-keeper = Хранитель Рощи (Warcraft 3) +tts-voice-name-nagam = Нага M (Warcraft 3) +tts-voice-name-nagarg = Нага RG (Warcraft 3) +tts-voice-name-peasantw = Крестьянин W (Warcraft 3) +tts-voice-name-rifleman = Стрелок (Warcraft 3) +tts-voice-name-satyr = Сатир (Warcraft 3) +tts-voice-name-sylvanasw = Сильвана W (Warcraft 3) +tts-voice-name-voljin = Вол'Джин (Warcraft 3) +tts-voice-name-sidorovich = Сидорович (Stalker) +tts-voice-name-p3 = П-3 (Atomic Heart) +tts-voice-name-hraz = ХРАЗ (Atomic Heart) +tts-voice-name-tereshkova = Терешкова (Atomic Heart) +tts-voice-name-babazina = Баба Зина (Atomic Heart) +tts-voice-name-darius = Дариус (LoL) +tts-voice-name-trundle = Трандл (LoL) +tts-voice-name-garen = Гарен (LoL) +tts-voice-name-kled = Клед (LoL) +tts-voice-name-ekko = Экко (LoL) +tts-voice-name-volibear = Волибир (LoL) +tts-voice-name-samira = Самира (LoL) +tts-voice-name-swain = Свейн (LoL) +tts-voice-name-udyr = Удир (LoL) +tts-voice-name-drmundo = Док. Мундо (LoL) +tts-voice-name-graves = Грейвз (LoL) +tts-voice-name-rakan = Рэйкан (LoL) +tts-voice-name-renataglasc = Рената Гласк (LoL) +tts-voice-name-gangplank = Гангпланк (LoL) +tts-voice-name-riven = Ривен (LoL) +tts-voice-name-katarina = Катарина (LoL) +tts-voice-name-ahri = Ари (LoL) +tts-voice-name-ornn = Орн (LoL) +tts-voice-name-braum = Браум (LoL) +tts-voice-name-fizz = Физз (LoL) +tts-voice-name-draven = Дрейвен (LoL) +tts-voice-name-qiyana = Киана (LoL) +tts-voice-name-ksante = К'Санте (LoL) +tts-voice-name-talon = Талон (LoL) +tts-voice-name-shyvana = Шивана (LoL) +tts-voice-name-zenyatta = Дзенъятта (Overwatch) +tts-voice-name-kiriko = Кирико (Overwatch) +tts-voice-name-hanzo = Хандзо (Overwatch) +tts-voice-name-roadhog = Турбосвин (Overwatch) +tts-voice-name-sigma = Сигма (Overwatch) +tts-voice-name-soldier76 = Солдат 76 (Overwatch) +tts-voice-name-junkrat = Крысавчик (Overwatch) +tts-voice-name-tracer = Трейсер (Overwatch) +tts-voice-name-genji = Гэндзи (Overwatch) +tts-voice-name-echo = Эхо (Overwatch) +tts-voice-name-sojourn = Соджорн (Overwatch) +tts-voice-name-winston = Уинстон (Overwatch) +tts-voice-name-reaper = Жнец (Overwatch) +tts-voice-name-trainingrobot = Тренировочный робот (Overwatch) +tts-voice-name-mdarkelf = Тёмный эльф (Skyrim) +tts-voice-name-esbern = Эсберн (Skyrim) +tts-voice-name-margo = Аргонианин (Skyrim) +tts-voice-name-mkhajiit = Каджит (Skyrim) +tts-voice-name-mcoward = Трус (Skyrim) +tts-voice-name-farkas = Фаркас (Skyrim) +tts-voice-name-mdrunk = Пьяница (Skyrim) +tts-voice-name-fkhajiit = Каджит (Skyrim) +tts-voice-name-mcitizen = Горожанин (Skyrim) +tts-voice-name-morc = Орк (Skyrim) +tts-voice-name-odahviing = Одавинг (Skyrim) +tts-voice-name-kodlak = Кодлак (Skyrim) +tts-voice-name-mchild = Ребёнок (Skyrim) +tts-voice-name-emperor = Император (Skyrim) +tts-voice-name-hagraven = Ворожея (Skyrim) +tts-voice-name-nazir = Назир (Skyrim) +tts-voice-name-dremora = Дремора (Skyrim) +tts-voice-name-alduin = Алдуин (Skyrim) +tts-voice-name-malkoran = Малкоран (Skyrim) +tts-voice-name-barbas = Барбас (Skyrim) +tts-voice-name-hermaeus = Хермеус (Skyrim) +tts-voice-name-hakon = Хакон (Skyrim) +tts-voice-name-rita = Рита (Рита) +tts-voice-name-barman = Бармен (н\д) +tts-voice-name-bridger2 = Мостовой 2 (Metro) +tts-voice-name-bridger3 = Мостовой 3 (Metro) +tts-voice-name-cannibal3 = Людоед 3 (Metro) +tts-voice-name-bridger1 = Мостовой 1 (Metro) +tts-voice-name-cannibal2 = Людоед 2 (Metro) +tts-voice-name-slave1 = Раб 1 (Metro) +tts-voice-name-slave3 = Раб 3 (Metro) +tts-voice-name-mira = Мира Хан (Heroes of the Storm) +tts-voice-name-valeera = Валира (Heroes of the Storm) +tts-voice-name-rehgar = Регар (Heroes of the Storm) +tts-voice-name-yrel = Ирель (Heroes of the Storm) +tts-voice-name-volskaya = Вольская (Heroes of the Storm) +tts-voice-name-necromancer = Могильщик (Heroes of the Storm) +tts-voice-name-zuljin = Зул'джин (Heroes of the Storm) +tts-voice-name-samuro = Самуро (Heroes of the Storm) +tts-voice-name-tyrael = Тираэль (Heroes of the Storm) +tts-voice-name-athena = Афина (Heroes of the Storm) +tts-voice-name-default = Стандартный (Heroes of the Storm) +tts-voice-name-chromie = Хроми (Heroes of the Storm) +tts-voice-name-orphea = Орфея (Heroes of the Storm) +tts-voice-name-adjutant = Адъютант (Heroes of the Storm) +tts-voice-name-vanndara = Вандар (Heroes of the Storm) +tts-voice-name-mechatassadar = Меха-Тассадар (Heroes of the Storm) +tts-voice-name-blackheart = Черносерд (Heroes of the Storm) +tts-voice-name-olaf = Олаф (Heroes of the Storm) +tts-voice-name-alarak = Аларак (Heroes of the Storm) +tts-voice-name-dva = D.Va (Heroes of the Storm) +tts-voice-name-toy18 = Мальчишка (Heroes of the Storm) +tts-voice-name-witchdoctorh = Назибо (Heroes of the Storm) +tts-voice-name-lucio = Лусио (Heroes of the Storm) +tts-voice-name-angel = Ангел (Heroes of the Storm) +tts-voice-name-thunderking = Властелин грома (Hearthstone) +tts-voice-name-drboom = Доктор Бум (Hearthstone) +tts-voice-name-hooktusk = Кривоклык (Hearthstone) +tts-voice-name-sinclari = Синклари (Hearthstone) +tts-voice-name-kazakus = Казакус (Hearthstone) +tts-voice-name-oltoomba = Старик Тумба (Hearthstone) +tts-voice-name-moroes = Мороуз (Hearthstone) +tts-voice-name-maievhs = Майев (Hearthstone) +tts-voice-name-zentimo = Зентимо (Hearthstone) +tts-voice-name-rastakhan = Растахан (Hearthstone) +tts-voice-name-innkeeper = Тавернщик (Hearthstone) +tts-voice-name-togwaggle = Вихлепых (Hearthstone) +tts-voice-name-biggs = Биггс (Hearthstone) +tts-voice-name-brann = Бранн (Hearthstone) +tts-voice-name-tekahnboss = Текан (Босс) (Hearthstone) +tts-voice-name-siamat = Сиамат (Hearthstone) +tts-voice-name-omnotron = Омнитрон (Hearthstone) +tts-voice-name-putricide = Мерзоцид (Hearthstone) +tts-voice-name-khadgar = Кадгар (Hearthstone) +tts-voice-name-zoie = Зои (Hearthstone) +tts-voice-name-azalina = Азалина (Hearthstone) +tts-voice-name-chu = Чу (Hearthstone) +tts-voice-name-tekahn = Текан (Hearthstone) +tts-voice-name-sthara = Ш'тара (Hearthstone) +tts-voice-name-dovo = Дово (Hearthstone) +tts-voice-name-shaw = Шоу (Hearthstone) +tts-voice-name-greymane = Седогрив (Hearthstone) +tts-voice-name-willow = Уиллоу (Hearthstone) +tts-voice-name-haro = Харо (Hearthstone) +tts-voice-name-hagatha = Хагата (Hearthstone) +tts-voice-name-reno = Рено (Hearthstone) +tts-voice-name-ozara = Озара (Hearthstone) +tts-voice-name-loti = Лоти (Hearthstone) +tts-voice-name-tarkus = Таркус (Hearthstone) +tts-voice-name-voone = Вуе (Hearthstone) +tts-voice-name-tala = Тала (Hearthstone) +tts-voice-name-edra = Эдра (Hearthstone) +tts-voice-name-myra = Мира (Hearthstone) +tts-voice-name-smiggs = Смиггс (Hearthstone) +tts-voice-name-timothy = Тимоти (Hearthstone) +tts-voice-name-wendy = Венди (Hearthstone) +tts-voice-name-hannigan = Ханниган (Hearthstone) +tts-voice-name-vargoth = Варгот (Hearthstone) +tts-voice-name-jolene = Джолина (Hearthstone) +tts-voice-name-kyriss = Кирисс (Hearthstone) +tts-voice-name-saurfang = Саурфанг (Hearthstone) +tts-voice-name-kizi = Кизи (Hearthstone) +tts-voice-name-slate = Слейт (Hearthstone) +tts-voice-name-hesutu = Хесуту (Hearthstone) +tts-voice-name-hancho = Хан'Чо (Hearthstone) +tts-voice-name-gnomenapper = Гномокрад (Hearthstone) +tts-voice-name-valdera = Вальдера (Hearthstone) +tts-voice-name-disidra = Дизидра (Hearthstone) +tts-voice-name-omu = Ому (Hearthstone) +tts-voice-name-floop = Хлюп (Hearthstone) +tts-voice-name-belloc = Беллок (Hearthstone) +tts-voice-name-xurios = Ксур'иос (Hearthstone) +tts-voice-name-wagtoggle = Пыхлевих (Hearthstone) +tts-voice-name-belnaara = Белнаара (Hearthstone) +tts-voice-name-lilayell = Лилаэль (Hearthstone) +tts-voice-name-candlebeard = Свечебород (Hearthstone) +tts-voice-name-awilo = Авило (Hearthstone) +tts-voice-name-marei = Марей (Hearthstone) +tts-voice-name-applebough = Яблочкина (Hearthstone) +tts-voice-name-lazul = Лазул (Hearthstone) +tts-voice-name-arwyn = Арвин (Hearthstone) +tts-voice-name-glowtron = Яркотрон (Hearthstone) +tts-voice-name-cardish = Картиш (Hearthstone) +tts-voice-name-robold = РОБОЛЬД (Hearthstone) +tts-voice-name-malfurion = Малфурион (Hearthstone) +tts-voice-name-deathwhisper = Смертный Шёпот (Hearthstone) +tts-voice-name-janna = Жанна (LoL) +tts-voice-name-cassiopeia = Кассиопея (LoL) +tts-voice-name-taliyah = Талия (LoL) +tts-voice-name-neeko = Нико (LoL) +tts-voice-name-taric = Тарик (LoL) +tts-voice-name-akshan = Акшан (LoL) +tts-voice-name-tristana = Тристана (LoL) +tts-voice-name-sylas = Сайлас (LoL) +tts-voice-name-sejuani = Седжуани (LoL) +tts-voice-name-anivia = Анивия (LoL) +tts-voice-name-vayne = Вейн (LoL) +tts-voice-name-karma = Карма (LoL) +tts-voice-name-nilah = Нила (LoL) +tts-voice-name-olaflol = Олаф (LoL) +tts-voice-name-quinn = Квинн (LoL) +tts-voice-name-lissandra = Лиссандра (LoL) +tts-voice-name-hecarim = Гекарим (LoL) +tts-voice-name-vi = Вай (LoL) +tts-voice-name-zyra = Зайра (LoL) +tts-voice-name-zac = Зак (LoL) +tts-voice-name-moira = Мойра (Overwatch) +tts-voice-name-ashe = Эш (Overwatch) +tts-voice-name-brigitte = Бригитта (Overwatch) +tts-voice-name-mercy = Ангел (Overwatch) +tts-voice-name-lucioov = Лусио (Overwatch) +tts-voice-name-dvaov = D.Va (Overwatch) +tts-voice-name-symmetra = Симметра (Overwatch) +tts-voice-name-zarya = Заря (Overwatch) +tts-voice-name-cassidy = Кэссиди (Overwatch) +tts-voice-name-baptiste = Батист (Overwatch) +tts-voice-name-junkerqueen = Королева Стервятников (Overwatch) +tts-voice-name-doomfist = Кулак Смерти (Overwatch) +tts-voice-name-pharah = Фарра (Overwatch) +tts-voice-name-sombra = Сомбра (Overwatch) +tts-voice-name-ana = Ана (Overwatch) +tts-voice-name-widowmaker = Роковая вдова (Overwatch) +tts-voice-name-harbor = Harbor (Valorant) +tts-voice-name-sage = Sage (Valorant) +tts-voice-name-brimstone = Brimstone (Valorant) +tts-voice-name-sova = Sova (Valorant) +tts-voice-name-fshrill = Пронзительный голос (Skyrim) +tts-voice-name-mhaughty = Надменный голос (Skyrim) +tts-voice-name-msoldier = Солдат (Skyrim) +tts-voice-name-sven = Свен (Skyrim) +tts-voice-name-fsultry = Страстный голос (Skyrim) +tts-voice-name-eorlund = Йорлунд (Skyrim) +tts-voice-name-mcommander = Командир (Skyrim) +tts-voice-name-fnord = Норд (Skyrim) +tts-voice-name-lydia = Лидия (Skyrim) +tts-voice-name-motierre = Мотьер (Skyrim) +tts-voice-name-fhaughty = Надменный голос (Skyrim) +tts-voice-name-tullius = Туллий (Skyrim) +tts-voice-name-festus = Фестус (Skyrim) +tts-voice-name-mnord = Норд (Skyrim) +tts-voice-name-olava = Олава (Skyrim) +tts-voice-name-fcommander = Командир (Skyrim) +tts-voice-name-hadvar = Хадвар (Skyrim) +tts-voice-name-fargo = Аргонианка (Skyrim) +tts-voice-name-arngeir = Арнгейр (Skyrim) +tts-voice-name-nazeem = Назим (Skyrim) +tts-voice-name-falion = Фалион (Skyrim) +tts-voice-name-fcoward = Трус (Skyrim) +tts-voice-name-mguard = Стражник (Skyrim) +tts-voice-name-mcommoner = Простолюдин (Skyrim) +tts-voice-name-elisif = Элисиф (Skyrim) +tts-voice-name-paarthurnax = Партурнакс (Skyrim) +tts-voice-name-grelka = Грелха (Skyrim) +tts-voice-name-fcommoner = Простолюдинка (Skyrim) +tts-voice-name-ebony = Эбонитовый воин (Skyrim) +tts-voice-name-ulfric = Ульфрик (Skyrim) +tts-voice-name-farengar = Фаренгар (Skyrim) +tts-voice-name-astrid = Астрид (Skyrim) +tts-voice-name-brynjolf = Бриньольф (Skyrim) +tts-voice-name-maven = Мавен (Skyrim) +tts-voice-name-fchild = Ребёнок (Skyrim) +tts-voice-name-forc = Орчиха (Skyrim) +tts-voice-name-delphine = Дельфина (Skyrim) +tts-voice-name-fdarkelf = Тёмная эльфийка (Skyrim) +tts-voice-name-grelod = Грелод (Skyrim) +tts-voice-name-tolfdir = Толфдир (Skyrim) +tts-voice-name-mbandit = Бандит (Skyrim) +tts-voice-name-mforsworn = Изгой (Skyrim) +tts-voice-name-karliah = Карлия (Skyrim) +tts-voice-name-felldir = Феллдир (Skyrim) +tts-voice-name-ancano = Анкано (Skyrim) +tts-voice-name-mercer = Мерсер (Skyrim) +tts-voice-name-vex = Векс (Skyrim) +tts-voice-name-mirabelle = Мирабелла (Skyrim) +tts-voice-name-aventus = Авентус (Skyrim) +tts-voice-name-tsun = Тсун (Skyrim) +tts-voice-name-elenwen = Эленвен (Skyrim) +tts-voice-name-gormlaith = Гормлейт (Skyrim) +tts-voice-name-dragon = Дракон (Skyrim) +tts-voice-name-overwatch = Overwatch (н\д) +tts-voice-name-zak = Зак (Проклятые земли) +tts-voice-name-merc2 = Наёмник 2 (Metro) +tts-voice-name-forest1 = Лесной 1 (Metro) +tts-voice-name-bandit3 = Бандит 3 (Metro) +tts-voice-name-forest2 = Лесной 2 (Metro) +tts-voice-name-merc1 = Наёмник 1 (Metro) +tts-voice-name-bandit2 = Бандит 2 (Metro) +tts-voice-name-forest3 = Лесной 3 (Metro) +tts-voice-name-tribal3 = Племенной 3 (Metro) +tts-voice-name-slave2 = Раб 2 (Metro) +tts-voice-name-miller = Миллер (Metro) +tts-voice-name-krest = Крест (Metro) +tts-voice-name-tribal1 = Племенной 1 (Metro) +tts-voice-name-abathur = Абатур (Heroes of the Storm) +tts-voice-name-erik = Эрик (Heroes of the Storm) +tts-voice-name-varian = Вариан (Heroes of the Storm) +tts-voice-name-anduin = Андуин (Heroes of the Storm) +tts-voice-name-deckard = Декард Каин (Heroes of the Storm) +tts-voice-name-malfurionh = Малфурион (Heroes of the Storm) +tts-voice-name-demonhunter = Охотник на демонов (Heroes of the Storm) +tts-voice-name-demon = Демон (Heroes of the Storm) +tts-voice-name-kerriganh = Керриган (Heroes of the Storm) +tts-voice-name-ladyofthorns = Королева Шипов (Heroes of the Storm) +tts-voice-name-barbarian = Варвар (Heroes of the Storm) +tts-voice-name-crusader = Крестоносец (Heroes of the Storm) +tts-voice-name-whitemane = Вайтмейн (Heroes of the Storm) +tts-voice-name-nexushunter = Кахира (Heroes of the Storm) +tts-voice-name-greymaneh = Седогрив (Heroes of the Storm) +tts-voice-name-gardensdayannouncer = Королева Белладонна (Heroes of the Storm) +tts-voice-name-drekthar = Дрек'Тар (Heroes of the Storm) +tts-voice-name-squeamlish = Мжвякля (Hearthstone) +tts-voice-name-dagg = Дагг (Hearthstone) +tts-voice-name-brukan = Бру'кан (Hearthstone) +tts-voice-name-bolan = Болан (Hearthstone) +tts-voice-name-goya = Гойя (Hearthstone) +tts-voice-name-stargazer = Звездочет (Hearthstone) +tts-voice-name-eudora = Юдора (Hearthstone) +tts-voice-name-mozaki = Мозаки (Hearthstone) +tts-voice-name-katrana = Катрана (Hearthstone) +tts-voice-name-valeerahs = Валира (Hearthstone) +tts-voice-name-malacrass = Малакрасс (Hearthstone) +tts-voice-name-elise = Элиза (Hearthstone) +tts-voice-name-flark = Искряк (Hearthstone) +tts-voice-name-rhogi = Рогги (Hearthstone) +tts-voice-name-gallywix = Галливикс (Hearthstone) +tts-voice-name-talanji = Таланджи (Hearthstone) +tts-voice-name-drsezavo = Док. Сезаво (Hearthstone) +tts-voice-name-tierra = Тьерра (Hearthstone) +tts-voice-name-zenda = Зенда (Hearthstone) +tts-voice-name-baechao = Бай Чао (Hearthstone) +tts-voice-name-lilian = Лилиан (Hearthstone) +tts-voice-name-aranna = Аранна (Hearthstone) +tts-voice-name-oshi = Оши (Hearthstone) +tts-voice-name-norroa = Норроа (Hearthstone) +tts-voice-name-turalyon = Туралион (Hearthstone) +tts-voice-name-aki = Аки (Hearthstone) +tts-voice-name-lunara = Лунара (Hearthstone) +tts-voice-name-bob = Боб (Hearthstone) +tts-voice-name-illucia = Иллюсия (Hearthstone) +tts-voice-name-yrelhs = Ирель (Hearthstone) +tts-voice-name-fireheart = Огненное Сердце (Hearthstone) +tts-voice-name-lanathel = Лана'тель (Hearthstone) +tts-voice-name-tyrandehs = Тиранда (Hearthstone) +tts-voice-name-draemus = Дремус (Hearthstone) +tts-voice-name-rasil = Разиль (Hearthstone) +tts-voice-name-kalec = Калесгос (Hearthstone) +tts-voice-name-karastamper = Кара Штампер (Hearthstone) +tts-voice-name-george = Джордж (Hearthstone) +tts-voice-name-pollark = Полларк (Hearthstone) +tts-voice-name-stelina = Стелина (Hearthstone) +tts-voice-name-kasa = Каса (Hearthstone) +tts-voice-name-whirt = Вирт (Hearthstone) +tts-voice-name-anarii = Анари (Hearthstone) +tts-voice-name-ilza = Ильза (Hearthstone) +tts-voice-name-avozu = Авозу (Hearthstone) +tts-voice-name-jeklik = Джеклик (Hearthstone) +tts-voice-name-zibb = Зибб (Hearthstone) +tts-voice-name-thrud = Трад (Hearthstone) +tts-voice-name-isiset = Изисет (Hearthstone) +tts-voice-name-akazamzarak = Ахалаймахалай (Hearthstone) +tts-voice-name-arha = Ар'ха (Hearthstone) +tts-voice-name-byasha = Бяша (Зайчик) +tts-voice-name-cerys = Керис (Ведьмак) +tts-voice-name-philippa = Филиппа (Ведьмак) +tts-voice-name-oldnekro = Старый некромант (Проклятые земли) +tts-voice-name-lambert = Ламберт (Ведьмак) +tts-voice-name-shani = Шани (Ведьмак) +tts-voice-name-anton = Антон (Зайчик) +tts-voice-name-dolg1 = Долг 1 (STALKER) +tts-voice-name-guru = Гуру (Проклятые земли) +tts-voice-name-lugos = Лугос (Ведьмак) +tts-voice-name-karina = Карина (Зайчик) +tts-voice-name-ewald = Эвальд (Ведьмак) +tts-voice-name-mirror = Господин Зеркало (Ведьмак) +tts-voice-name-noble = Дворянин (Ведьмак) +tts-voice-name-huber = Губернатор (Проклятые земли) +tts-voice-name-wywern = Wywern (Dota 2) +tts-voice-name-avallach = Аваллак'х (Ведьмак) +tts-voice-name-semen = Семён (Зайчик) +tts-voice-name-all_elder = Старейшина (Проклятые земли) +tts-voice-name-nsheriff = Шериф Н (Проклятые земли) +tts-voice-name-orcc = Орк (Проклятые земли) +tts-voice-name-clerk = Клерк (Проклятые земли) +tts-voice-name-witch = Ведьма (Проклятые земли) +tts-voice-name-deva = Дэва (Проклятые земли) +tts-voice-name-coach = Тренер (Left 4 Dead) +tts-voice-name-dictor = Диктор (Portal 2) +tts-voice-name-monolith2 = Монолит 2 (STALKER) +tts-voice-name-invoker = Invoker (Dota 2) +tts-voice-name-goblin = Гоблин (Проклятые земли) +tts-voice-name-annah = Анна-Генриетта (Ведьмак) +tts-voice-name-patrick = Патрик (Губка Боб) +tts-voice-name-spongebob = Губка Боб (Губка Боб) +tts-voice-name-kapitan = Капитан (Проклятые земли) +tts-voice-name-karh = Карх (Проклятые земли) +tts-voice-name-lydia_tb = Лидия (Зайчик) +tts-voice-name-silencer = Silencer (Dota 2) +tts-voice-name-sheriff = Шериф (Проклятые земли) +tts-voice-name-lycan = Lycan (Dota 2) +tts-voice-name-cirilla = Цирилла (Ведьмак) +tts-voice-name-legends = Легенды (STALKER) +tts-voice-name-monolith1 = Монолит 1 (STALKER) +tts-voice-name-trapper = Траппер (Проклятые земли) +tts-voice-name-mirana = Mirana (Dota 2) +tts-voice-name-glav = Глав (Проклятые земли) +tts-voice-name-syanna = Сильвия-Анна (Ведьмак) +tts-voice-name-regis = Регис (Ведьмак) +tts-voice-name-dazzle = Dazzle (Dota 2) +tts-voice-name-mthief = Вор М (Проклятые земли) +tts-voice-name-guillaume = Гильом (Ведьмак) +tts-voice-name-vivienne = Вивиенна (Ведьмак) +tts-voice-name-plankton = Планктон (Губка Боб) +tts-voice-name-rochelle = Рошель (Left 4 Dead) +tts-voice-name-vor = Вор (Проклятые земли) +tts-voice-name-grandmother = Бабушка (Зайчик) +tts-voice-name-dolg2 = Долг 2 (STALKER) +tts-voice-name-junboy = Junboy (Проклятые земли) +tts-voice-name-shopper = Лавочник (Проклятые земли) +tts-voice-name-papillon = Папильон (Ведьмак) +tts-voice-name-cm = Crystal Maiden (Dota 2) +tts-voice-name-vesemir = Весемир (Ведьмак) +tts-voice-name-kate = Катя (Зайчик) +tts-voice-name-polina = Полина (Зайчик) +tts-voice-name-crach = Крах (Ведьмак) +tts-voice-name-gryphon = Грифон (WarCraft 3) +tts-voice-name-zeus = Zeus (Dota 2) +tts-voice-name-iz = Из (Проклятые земли) +tts-voice-name-geralt = Геральт (Ведьмак) +tts-voice-name-stories = Истории (STALKER) +tts-voice-name-nekro = Некро (Проклятые земли) +tts-voice-name-hwleader = Лидер ХВ (Проклятые земли) +tts-voice-name-yennefer = Йеннифэр (Ведьмак) +tts-voice-name-hero = Герой (Проклятые земли) +tts-voice-name-baratrum = Baratrum (Dota 2) +tts-voice-name-ellis = Эллис (Left 4 Dead) +tts-voice-name-udalryk = Удальрик (Ведьмак) +tts-voice-name-dad = Отец (Зайчик) +tts-voice-name-smith = Кузнец (Проклятые земли) +tts-voice-name-romka = Ромка (Зайчик) +tts-voice-name-abaddon = Abaddon (Dota 2) +tts-voice-name-eskel = Эскель (Ведьмак) +tts-voice-name-freedom = Свобода (STALKER) +tts-voice-name-magess = Магесса (Проклятые земли) +tts-voice-name-nalo = Нало (Проклятые земли) +tts-voice-name-dandelion = Лютик (Ведьмак) +tts-voice-name-palmerin = Пальмерин (Ведьмак) +tts-voice-name-olgierd = Ольгерд (Ведьмак) +tts-voice-name-d_sven = Sven D (Dota 2) +tts-voice-name-triss = Трисс (Ведьмак) +tts-voice-name-monkey = Monkey King (Dota 2) +tts-voice-name-squidward = Сквидвард (Губка Боб) +tts-voice-name-ember = Ember (Dota 2) +tts-voice-name-ycf = Йцф (Проклятые земли) +tts-voice-name-nick = Ник (Left 4 Dead) +tts-voice-name-hjalmar = Хьялмар (Ведьмак) diff --git a/Resources/Locale/ru-RU/corvax/voice-mask.ftl b/Resources/Locale/ru-RU/corvax/voice-mask.ftl new file mode 100644 index 00000000000..3bd7dcbb442 --- /dev/null +++ b/Resources/Locale/ru-RU/corvax/voice-mask.ftl @@ -0,0 +1,2 @@ +voice-mask-voice-change-info = Выберите голос, который вы хотите подражать. +voice-mask-voice-popup-success = Голос успешно изменён. diff --git a/Resources/Locale/ru-RU/crayon/crayon-component.ftl b/Resources/Locale/ru-RU/crayon/crayon-component.ftl new file mode 100644 index 00000000000..c2204f75cd2 --- /dev/null +++ b/Resources/Locale/ru-RU/crayon/crayon-component.ftl @@ -0,0 +1,10 @@ +## Entity + +crayon-drawing-label = Остаток: [color={ $color }]{ $state }[/color] ({ $charges }/{ $capacity }) +crayon-interact-not-enough-left-text = Ничего не осталось. +crayon-interact-used-up-text = { $owner } воспользовался мелком. +crayon-interact-invalid-location = Туда не дотянуться! + +## UI + +crayon-window-title = Мелок diff --git a/Resources/Locale/ru-RU/credits/credits-window.ftl b/Resources/Locale/ru-RU/credits/credits-window.ftl new file mode 100644 index 00000000000..ff0a70e45b4 --- /dev/null +++ b/Resources/Locale/ru-RU/credits/credits-window.ftl @@ -0,0 +1,11 @@ +credits-window-title = Авторы +credits-window-patrons-tab = Патроны +credits-window-ss14contributorslist-tab = Авторы +credits-window-licenses-tab = Лицензии на открытый исходный код +credits-window-become-patron-button = Стать спонсором +credits-window-contributor-encouragement-label = Хотите попасть в этот список? +credits-window-contribute-button = Внесите свой вклад! +credits-window-contributors-section-title = Контрибьюторы Space Station 14 +credits-window-codebases-section-title = Код Space Station 13 +credits-window-original-remake-team-section-title = Команда ремейка оригинальной Space Station 13 +credits-window-special-thanks-section-title = Особая благодарность diff --git a/Resources/Locale/ru-RU/crew-manifest/crew-manifest.ftl b/Resources/Locale/ru-RU/crew-manifest/crew-manifest.ftl new file mode 100644 index 00000000000..fc64bc996b8 --- /dev/null +++ b/Resources/Locale/ru-RU/crew-manifest/crew-manifest.ftl @@ -0,0 +1,4 @@ +crew-manifest-window-title = Манифест экипажа +crew-manifest-button-label = Манифест экипажа +crew-manifest-button-description = Показать список членов экипажа +crew-manifest-no-valid-station = Некорректная станция или пустой манифест! diff --git a/Resources/Locale/ru-RU/criminal-records/criminal-records.ftl b/Resources/Locale/ru-RU/criminal-records/criminal-records.ftl new file mode 100644 index 00000000000..c1bb95fc26d --- /dev/null +++ b/Resources/Locale/ru-RU/criminal-records/criminal-records.ftl @@ -0,0 +1,44 @@ +criminal-records-console-window-title = Консоль Криминальных Записей +criminal-records-console-records-list-title = Член экипажа +criminal-records-console-select-record-info = Выбрать запись. +criminal-records-console-no-records = Запись не найдена! +criminal-records-console-no-record-found = Не обнаружено записей на указанного члена экипажа. + +## Status + +criminal-records-console-status = Статус +criminal-records-status-none = Нет +criminal-records-status-wanted = Разыскивается +criminal-records-status-detained = Задержан +criminal-records-console-wanted-reason = [color=gray]Причина Розыска[/color] +criminal-records-console-reason = Причина +criminal-records-console-reason-placeholder = Пример: { $placeholder } + +## Crime History + +criminal-records-console-crime-history = История Преступлений +criminal-records-history-placeholder = Зафиксируйте историю преступлений здесь +criminal-records-no-history = Этот член экипажа ничего не нарушал. +criminal-records-add-history = Добавить +criminal-records-delete-history = Удалить +criminal-records-permission-denied = В доступе отказано + +## Security channel notifications + +criminal-records-console-wanted = { $name } разыскивается { $officer } за: { $reason }. +criminal-records-console-detained = { $name } был задержан { $officer }. +criminal-records-console-released = { $name } был отпущен { $officer }. +criminal-records-console-not-wanted = { $name } больше не разыскивается. +criminal-records-console-unknown-officer = + +## Filters + +criminal-records-filter-placeholder = Введите текст и нажмите "Enter" +criminal-records-name-filter = Имя +criminal-records-prints-filter = Отпечатки +criminal-records-dna-filter = ДНК + +## Arrest auto history lines + +criminal-records-console-auto-history = АРЕСТОВАН: { $reason } +criminal-records-console-unspecified-reason = diff --git a/Resources/Locale/ru-RU/cuffs/components/cuffable-component.ftl b/Resources/Locale/ru-RU/cuffs/components/cuffable-component.ftl new file mode 100644 index 00000000000..775e9ded93a --- /dev/null +++ b/Resources/Locale/ru-RU/cuffs/components/cuffable-component.ftl @@ -0,0 +1,29 @@ +cuffable-component-cannot-interact-message = Вы не можете этого сделать! +cuffable-component-cannot-remove-cuffs-too-far-message = Вы слишком далеко, чтобы снять наручники. +cuffable-component-start-uncuffing-self = Вы начинаете мучительно выкручиваться из наручников. +cuffable-component-start-uncuffing-observer = { $user } начинает расковывать { $target }! +cuffable-component-start-uncuffing-target-message = Вы начинаете расковывать { $targetName }. +cuffable-component-start-uncuffing-by-other-message = { $otherName } начинает расковывать вас! +cuffable-component-remove-cuffs-success-message = Вы успешно снимаете наручники. +cuffable-component-remove-cuffs-by-other-success-message = { $otherName } снимает с вас наручники. +cuffable-component-remove-cuffs-to-other-partial-success-message = + Вы успешно снимаете наручники. { $cuffedHandCount } { $cuffedHandCount -> + [one] рука осталась + [few] руки остались + *[other] рук остались + } у { $otherName } в наручниках. +cuffable-component-remove-cuffs-by-other-partial-success-message = + { $otherName } успешно снимает с вас наручники. { $cuffedHandCount } { $cuffedHandCount -> + [one] ваша рука осталась + [few] ваши руки остаются + *[other] ваши руки остаются + } в наручниках. +cuffable-component-remove-cuffs-partial-success-message = + Вы успешно снимаете наручники. { $cuffedHandCount } { $cuffedHandCount -> + [one] ваша рука осталась + [few] ваши руки остаются + *[other] ваши руки остаются + } в наручниках. +cuffable-component-remove-cuffs-fail-message = Вам не удалось снять наручники. +# UncuffVerb +uncuff-verb-get-data-text = Освободить diff --git a/Resources/Locale/ru-RU/cuffs/components/handcuff-component.ftl b/Resources/Locale/ru-RU/cuffs/components/handcuff-component.ftl new file mode 100644 index 00000000000..ac64b2369a7 --- /dev/null +++ b/Resources/Locale/ru-RU/cuffs/components/handcuff-component.ftl @@ -0,0 +1,17 @@ +handcuff-component-target-self = Вы начинаете заковывать себя. +handcuff-component-cuffs-broken-error = Наручники сломаны! +handcuff-component-target-has-no-hands-error = { $targetName } не имеет рук! +handcuff-component-target-has-no-free-hands-error = { $targetName } не имеет свободных рук! +handcuff-component-too-far-away-error = Вы слишком далеко, чтобы использовать наручники! +handcuff-component-start-cuffing-observer = { $user } начинает заковывать { $target }! +handcuff-component-start-cuffing-target-message = Вы начинаете заковывать { $targetName }. +handcuff-component-start-cuffing-by-other-message = { $otherName } начинает заковывать вас! +handcuff-component-cuff-observer-success-message = { $user } заковал { $target }. +handcuff-component-cuff-other-success-message = Вы успешно заковали { $otherName }. +handcuff-component-cuff-self-success-message = Вы заковали себя. +handcuff-component-cuff-by-other-success-message = Вы были закованы { $otherName }! +handcuff-component-cuff-interrupt-message = Вам помешали заковать { $targetName }! +handcuff-component-cuff-interrupt-self-message = Вам помешали заковать себя. +handcuff-component-cuff-interrupt-other-message = Вы помешали { $otherName } заковать вас! +handcuff-component-cuff-interrupt-buckled-message = Вы не можете пристегнуться в наручниках! +handcuff-component-cuff-interrupt-unbuckled-message = Вы не можете отстегнуться в наручниках! diff --git a/Resources/Locale/ru-RU/damage/damage-command.ftl b/Resources/Locale/ru-RU/damage/damage-command.ftl new file mode 100644 index 00000000000..1a7a988e310 --- /dev/null +++ b/Resources/Locale/ru-RU/damage/damage-command.ftl @@ -0,0 +1,13 @@ +## Damage command loc. + +damage-command-description = Добавить или убрать урон сущности. +damage-command-help = Использование: { $command } [ignoreResistances] [uid] +damage-command-arg-type = +damage-command-arg-quantity = [quantity] +damage-command-arg-target = [target euid] +damage-command-error-type = { $arg } неправильная группа или тип урона. +damage-command-error-euid = { $arg } неправильный UID сущности. +damage-command-error-quantity = { $arg } неправильное количество. +damage-command-error-bool = { $arg } неправильное логическое значение. +damage-command-error-player = Нет сущности, привязанной к сессии. Вы должны указать UID цели. +damage-command-error-args = Неправильное количество аргументов. diff --git a/Resources/Locale/ru-RU/damage/damage-examine.ftl b/Resources/Locale/ru-RU/damage/damage-examine.ftl new file mode 100644 index 00000000000..90a45aad272 --- /dev/null +++ b/Resources/Locale/ru-RU/damage/damage-examine.ftl @@ -0,0 +1,10 @@ +# Damage examines +damage-examinable-verb-text = Повреждения +damage-examinable-verb-message = Изучить показатели урона. +damage-hitscan = хитскан +damage-projectile = снаряд +damage-melee = ближний бой +damage-throw = метательное +damage-examine = Наносит следующие повреждения: +damage-examine-type = Наносит следующие повреждения ([color=cyan]{ $type }[/color]): +damage-value = - [color=red]{ $amount }[/color] единиц [color=yellow]{ $type }[/color]. diff --git a/Resources/Locale/ru-RU/damage/damage-force-say.ftl b/Resources/Locale/ru-RU/damage/damage-force-say.ftl new file mode 100644 index 00000000000..68b02fdada2 --- /dev/null +++ b/Resources/Locale/ru-RU/damage/damage-force-say.ftl @@ -0,0 +1,10 @@ +damage-force-say-message-wrap = { $message }-{ $suffix } +damage-force-say-message-wrap-no-suffix = { $message }- +damage-force-say-1 = ГЭК! +damage-force-say-2 = ГЛУРФ! +damage-force-say-3 = УФ! +damage-force-say-4 = АУЧ! +damage-force-say-5 = АУ! +damage-force-say-6 = УГХ! +damage-force-say-7 = ХРК! +damage-force-say-sleep = zzz... diff --git a/Resources/Locale/ru-RU/damage/rejuvenate-verb.ftl b/Resources/Locale/ru-RU/damage/rejuvenate-verb.ftl new file mode 100644 index 00000000000..fab1307e271 --- /dev/null +++ b/Resources/Locale/ru-RU/damage/rejuvenate-verb.ftl @@ -0,0 +1 @@ +rejuvenate-verb-get-data-text = Вылечить diff --git a/Resources/Locale/ru-RU/damage/stamina.ftl b/Resources/Locale/ru-RU/damage/stamina.ftl new file mode 100644 index 00000000000..94dd530427d --- /dev/null +++ b/Resources/Locale/ru-RU/damage/stamina.ftl @@ -0,0 +1 @@ +melee-stamina = Не хватает выносливости diff --git a/Resources/Locale/ru-RU/darts/darts-popup.ftl b/Resources/Locale/ru-RU/darts/darts-popup.ftl new file mode 100644 index 00000000000..f5225f11ad7 --- /dev/null +++ b/Resources/Locale/ru-RU/darts/darts-popup.ftl @@ -0,0 +1,6 @@ +darts-popup-bullseye = В яблочко! 50 очков! +darts-popup-25 = 25 очков +darts-popup-10 = 10 очков +darts-popup-5 = 5 очков +darts-popup-1 = 1 очко +darts-popup-miss = Промах diff --git a/Resources/Locale/ru-RU/decals/decal-window.ftl b/Resources/Locale/ru-RU/decals/decal-window.ftl new file mode 100644 index 00000000000..a8328a889ff --- /dev/null +++ b/Resources/Locale/ru-RU/decals/decal-window.ftl @@ -0,0 +1,9 @@ +decal-placer-window-title = Установщик декалей +decal-placer-window-use-color = Свой цвет +decal-placer-window-rotation = Поворот +decal-placer-window-zindex = С глубиной +decal-placer-window-enable-auto = Использовать автонастройки +decal-placer-window-enable-snap = Привязка к тайлу +decal-placer-window-enable-cleanable = Стираемый +decal-placer-window-palette = Палитра +palette-color-picker-window-title = Палитры diff --git a/Resources/Locale/ru-RU/defusable/examine.ftl b/Resources/Locale/ru-RU/defusable/examine.ftl new file mode 100644 index 00000000000..111eff2c148 --- /dev/null +++ b/Resources/Locale/ru-RU/defusable/examine.ftl @@ -0,0 +1,14 @@ +defusable-examine-defused = { CAPITALIZE($name) } [color=lime]обезврежена[/color]. +defusable-examine-live = + { CAPITALIZE($name) } тикает [color=red][/color] и осталось [color=red]{ $time } { $time -> + [one] секунда + [few] секунды + *[other] секунд + }. +defusable-examine-live-display-off = { CAPITALIZE($name) } [color=red]тикает[/color] и таймер, похоже, выключен. +defusable-examine-inactive = { CAPITALIZE($name) } [color=lime]неактивна[/color], но всё еще может взорваться. +defusable-examine-bolts = + Болты { $down -> + [true] [color=red]опущены[/color] + *[false] [color=green]подняты[/color] + }. diff --git a/Resources/Locale/ru-RU/defusable/popup.ftl b/Resources/Locale/ru-RU/defusable/popup.ftl new file mode 100644 index 00000000000..0a9750e5f16 --- /dev/null +++ b/Resources/Locale/ru-RU/defusable/popup.ftl @@ -0,0 +1,9 @@ +defusable-popup-begun = { CAPITALIZE($name) } подаёт звуковой сигнал, индикатор горит! +defusable-popup-defuse = { CAPITALIZE($name) } подаёт последний сигнал, и индикатор навсегда гаснет. +defusable-popup-boom = { CAPITALIZE($name) } ревёт при взрыве внутренней бомбы! +defusable-popup-fried = { CAPITALIZE($name) } искрит, но не начинает обратный отсчет. +defusable-popup-cant-anchor = { CAPITALIZE($name) }, похоже, прикручена болтами к полу! +defusable-popup-wire-bolt-pulse = Болты на мгновение проворачиваются на месте. +defusable-popup-wire-proceed-pulse = { CAPITALIZE($name) } зловеще пищит! +defusable-popup-wire-proceed-cut = Цифровой дисплей на { $name } выключается. +defusable-popup-wire-chirp = { CAPITALIZE($name) } трещит. diff --git a/Resources/Locale/ru-RU/defusable/verb.ftl b/Resources/Locale/ru-RU/defusable/verb.ftl new file mode 100644 index 00000000000..8aec5caf543 --- /dev/null +++ b/Resources/Locale/ru-RU/defusable/verb.ftl @@ -0,0 +1 @@ +defusable-verb-begin = Начать обратный отсчет diff --git a/Resources/Locale/ru-RU/deltav/accent/scottish.ftl b/Resources/Locale/ru-RU/deltav/accent/scottish.ftl new file mode 100644 index 00000000000..28255800f29 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/accent/scottish.ftl @@ -0,0 +1,315 @@ +# these specifically mostly come from examples of specific scottish-english (not necessarily scots) verbiage +# https://en.wikipedia.org/wiki/Scotticism +# https://en.wikipedia.org/wiki/Scottish_English +# https://www.cs.stir.ac.uk/~kjt/general/scots.html + +accent-scottish-words-1 = девочка +accent-scottish-words-replace-1 = дэвочшка +accent-scottish-words-2 = мальчик +accent-scottish-words-replace-2 = малчшык +accent-scottish-words-3 = мужчина +accent-scottish-words-replace-3 = мужчшына +accent-scottish-words-4 = женщина +accent-scottish-words-replace-4 = женчшына +accent-scottish-words-5 = делать +accent-scottish-words-replace-5 = дэлат +accent-scottish-words-6 = не +accent-scottish-words-replace-6 = нэ +accent-scottish-words-7 = нее +accent-scottish-words-replace-7 = нээ +accent-scottish-words-8 = я +accent-scottish-words-replace-8 = Йа +accent-scottish-words-9 = есть +accent-scottish-words-replace-9 = йэст +accent-scottish-words-10 = перейти +accent-scottish-words-replace-10 = пэрэйты +accent-scottish-words-11 = знать +accent-scottish-words-replace-11 = знат +accent-scottish-words-12 = и +accent-scottish-words-replace-12 = ыэ +accent-scottish-words-13 = вы +accent-scottish-words-replace-13 = вы +accent-scottish-words-14 = ты +accent-scottish-words-replace-14 = ты +accent-scottish-words-15 = приветствую +accent-scottish-words-replace-15 = прывэтству +accent-scottish-words-16 = привет +accent-scottish-words-replace-16 = прывэт +accent-scottish-words-17 = все +accent-scottish-words-replace-17 = всэ +accent-scottish-words-18 = от +accent-scottish-words-replace-18 = од +accent-scottish-words-19 = здравия +accent-scottish-words-replace-19 = здравыйа +accent-scottish-words-20 = меня +accent-scottish-words-replace-20 = мэнйа +accent-scottish-words-21 = тебя +accent-scottish-words-replace-21 = тэбйа +accent-scottish-words-22 = себя +accent-scottish-words-replace-22 = сэбйа +accent-scottish-words-23 = где +accent-scottish-words-replace-23 = гдэ +accent-scottish-words-24 = ой +accent-scottish-words-replace-24 = ойё +accent-scottish-words-25 = маленький +accent-scottish-words-replace-25 = мэлкый +accent-scottish-words-26 = большой +accent-scottish-words-replace-26 = громадный +accent-scottish-words-27 = сука +accent-scottish-words-replace-27 = кнурла +accent-scottish-words-28 = даа +accent-scottish-words-replace-28 = Ойии +accent-scottish-words-29 = конечно +accent-scottish-words-replace-29 = конэчшно +accent-scottish-words-30 = да +accent-scottish-words-replace-30 = Ойи +accent-scottish-words-31 = тоже +accent-scottish-words-replace-31 = тожэ +accent-scottish-words-32 = мой +accent-scottish-words-replace-32 = мойё +accent-scottish-words-33 = нет +accent-scottish-words-replace-33 = нэт +accent-scottish-words-34 = папа +accent-scottish-words-replace-34 = уру +accent-scottish-words-35 = мама +accent-scottish-words-replace-35 = дельва +accent-scottish-words-36 = срочник +accent-scottish-words-replace-36 = свэжак +accent-scottish-words-37 = новичок +accent-scottish-words-replace-37 = свэжак +accent-scottish-words-38 = стажёр +accent-scottish-words-replace-38 = свэжак +accent-scottish-words-39 = профессионал +accent-scottish-words-replace-39 = бывалый +accent-scottish-words-40 = ветеран +accent-scottish-words-replace-40 = бывалый +accent-scottish-words-41 = блять +accent-scottish-words-replace-41 = вррон +accent-scottish-words-42 = если +accent-scottish-words-replace-42 = эслы +accent-scottish-words-43 = следует +accent-scottish-words-replace-43 = слэдуэт +accent-scottish-words-44 = сделал +accent-scottish-words-replace-44 = сдэлал +accent-scottish-words-45 = пизда +accent-scottish-words-replace-45 = награ +accent-scottish-words-46 = никто +accent-scottish-words-replace-46 = ныкто +accent-scottish-words-47 = делайте +accent-scottish-words-replace-47 = дэлать +accent-scottish-words-48 = здравствуй +accent-scottish-words-replace-48 = здарова +accent-scottish-words-49 = очко +accent-scottish-words-replace-49 = дыра +accent-scottish-words-50 = синдикатовцы +accent-scottish-words-replace-50 = злодеи +accent-scottish-words-51 = капитан +accent-scottish-words-replace-51 = кэпытан +accent-scottish-words-52 = беги +accent-scottish-words-replace-52 = дэри ноги +accent-scottish-words-53 = волосы +accent-scottish-words-replace-53 = борода +accent-scottish-words-54 = вода +accent-scottish-words-replace-54 = пиво +accent-scottish-words-55 = выпить +accent-scottish-words-replace-55 = выпыт пиво +accent-scottish-words-56 = пить +accent-scottish-words-replace-56 = пить пиво +accent-scottish-words-57 = имею +accent-scottish-words-replace-57 = ымэу +accent-scottish-words-58 = напиток +accent-scottish-words-replace-58 = пиво +accent-scottish-words-59 = водка +accent-scottish-words-replace-59 = пиво +accent-scottish-words-60 = блин +accent-scottish-words-replace-60 = рыбьы головэжкы +accent-scottish-words-61 = в принципе +accent-scottish-words-replace-61 = в прынцыпэ +accent-scottish-words-62 = короче +accent-scottish-words-replace-62 = корочэ +accent-scottish-words-63 = вообще +accent-scottish-words-replace-63 = вообчшэ +accent-scottish-words-64 = ну +accent-scottish-words-replace-64 = нуэ +accent-scottish-words-66 = еда +accent-scottish-words-replace-66 = жратва +accent-scottish-words-67 = еды +accent-scottish-words-replace-67 = жратвы +accent-scottish-words-68 = эй +accent-scottish-words-replace-68 = эйэ +accent-scottish-words-69 = что +accent-scottish-words-replace-69 = чшто +accent-scottish-words-70 = зачем +accent-scottish-words-replace-70 = зачэм +accent-scottish-words-71 = почему +accent-scottish-words-replace-71 = почэму +accent-scottish-words-72 = сказать +accent-scottish-words-replace-72 = сказанут +accent-scottish-words-73 = своим +accent-scottish-words-replace-73 = своым +accent-scottish-words-74 = её +accent-scottish-words-replace-74 = йейё +accent-scottish-words-75 = двигай +accent-scottish-words-replace-75 = двыгай +accent-scottish-words-76 = двигаться +accent-scottish-words-replace-76 = двыгатсйа +accent-scottish-words-77 = не был +accent-scottish-words-replace-77 = нэ был +accent-scottish-words-78 = сейчас +accent-scottish-words-replace-78 = сэйчшас +accent-scottish-words-79 = волшебник +accent-scottish-words-replace-79 = вельдуност +accent-scottish-words-80 = маг +accent-scottish-words-replace-80 = вельнудост +accent-scottish-words-81 = чтобы +accent-scottish-words-replace-81 = чштобы +accent-scottish-words-82 = для +accent-scottish-words-replace-82 = длйа +accent-scottish-words-83 = даже +accent-scottish-words-replace-83 = дажэ +accent-scottish-words-84 = ай +accent-scottish-words-replace-84 = айэ +accent-scottish-words-85 = мышь +accent-scottish-words-replace-85 = мыш +accent-scottish-words-86 = клоун +accent-scottish-words-replace-86 = шут +accent-scottish-words-87 = друг +accent-scottish-words-replace-87 = брат +accent-scottish-words-88 = проблема +accent-scottish-words-replace-88 = закавыка +accent-scottish-words-90 = разрешите +accent-scottish-words-replace-90 = разрэшытэ +accent-scottish-words-91 = брифинг +accent-scottish-words-replace-91 = совет +accent-scottish-words-92 = врач +accent-scottish-words-replace-92 = лекарь +accent-scottish-words-93 = говорить +accent-scottish-words-replace-93 = говорит +accent-scottish-words-94 = разговаривать +accent-scottish-words-replace-94 = разговарыват +accent-scottish-words-95 = спиртное +accent-scottish-words-replace-95 = пиво +accent-scottish-words-96 = звоните +accent-scottish-words-replace-96 = звонытэ +accent-scottish-words-97 = подарить +accent-scottish-words-replace-97 = подарытэ +accent-scottish-words-98 = дайте +accent-scottish-words-replace-98 = дайтэ +accent-scottish-words-99 = выдайте +accent-scottish-words-replace-99 = выдайтэ +accent-scottish-words-100 = отвечайте +accent-scottish-words-replace-100 = отвэчшайтэ +accent-scottish-words-101 = без +accent-scottish-words-replace-101 = бэз +accent-scottish-words-102 = синдикат +accent-scottish-words-replace-102 = злодей +accent-scottish-words-103 = ли +accent-scottish-words-replace-103 = лы +accent-scottish-words-104 = никогда +accent-scottish-words-replace-104 = ныкогда +accent-scottish-words-105 = точно +accent-scottish-words-replace-105 = точшно +accent-scottish-words-106 = неважно +accent-scottish-words-replace-106 = нэважно +accent-scottish-words-107 = хуй +accent-scottish-words-replace-107 = елдак +accent-scottish-words-108 = однако +accent-scottish-words-replace-108 = однако +accent-scottish-words-109 = думать +accent-scottish-words-replace-109 = думат +accent-scottish-words-111 = гамлет +accent-scottish-words-replace-111 = грызун +accent-scottish-words-112 = хомяк +accent-scottish-words-replace-112 = грызун +accent-scottish-words-113 = нюкер +accent-scottish-words-replace-113 = красношлемый +accent-scottish-words-114 = нюкеры +accent-scottish-words-replace-114 = карсношлемые +accent-scottish-words-115 = ядерный оперативник +accent-scottish-words-replace-115 = красношлемый +accent-scottish-words-116 = ядерные оперативники +accent-scottish-words-replace-116 = красношлемые +accent-scottish-words-121 = ещё +accent-scottish-words-replace-121 = ещчшо +accent-scottish-words-122 = более того +accent-scottish-words-replace-122 = болээ того +accent-scottish-words-123 = пассажир +accent-scottish-words-replace-123 = пассажыр +accent-scottish-words-125 = человек +accent-scottish-words-replace-125 = чэловэк +accent-scottish-words-126 = гномы +accent-scottish-words-replace-126 = дворфы +accent-scottish-words-127 = слайм +accent-scottish-words-replace-127 = желе +accent-scottish-words-128 = слаймы +accent-scottish-words-replace-128 = желе +accent-scottish-words-129 = унатх +accent-scottish-words-replace-129 = ящер +accent-scottish-words-130 = паук +accent-scottish-words-replace-130 = хиссшер +accent-scottish-words-131 = унатхи +accent-scottish-words-replace-131 = ящеры +accent-scottish-words-132 = люди +accent-scottish-words-replace-132 = кнурлан +accent-scottish-words-133 = эвак +accent-scottish-words-replace-133 = вывоз +accent-scottish-words-134 = предатель +accent-scottish-words-replace-134 = злодей +accent-scottish-words-135 = корпорация +accent-scottish-words-replace-135 = корпорацыйа +accent-scottish-words-136 = мне +accent-scottish-words-replace-136 = мнэ +accent-scottish-words-137 = зомби +accent-scottish-words-replace-137 = гнилые +accent-scottish-words-138 = заражённый +accent-scottish-words-replace-138 = гнилой +accent-scottish-words-139 = мим +accent-scottish-words-replace-139 = молчун +accent-scottish-words-140 = считать +accent-scottish-words-replace-140 = счшытат +accent-scottish-words-141 = карп +accent-scottish-words-replace-141 = рыбёха +accent-scottish-words-142 = ксено +accent-scottish-words-replace-142 = монстры +accent-scottish-words-143 = шаттл +accent-scottish-words-replace-143 = судно +accent-scottish-words-144 = думаю +accent-scottish-words-replace-144 = думайу +accent-scottish-words-145 = крысы +accent-scottish-words-replace-145 = грызуны +accent-scottish-words-146 = даун +accent-scottish-words-replace-146 = обалдуй +accent-scottish-words-147 = СБ +accent-scottish-words-replace-147 = стража +accent-scottish-words-148 = a +accent-scottish-words-replace-148 = ae +accent-scottish-words-149 = certain +accent-scottish-words-replace-149 = cocksure +accent-scottish-words-150 = to all +accent-scottish-words-replace-150 = t'all +accent-scottish-words-151 = old +accent-scottish-words-replace-151 = ol' +accent-scottish-words-152 = filthy +accent-scottish-words-replace-152 = manky +accent-scottish-words-153 = i do not know +accent-scottish-words-replace-153 = ah dinnae ken +accent-scottish-words-154 = dumbass +accent-scottish-words-replace-154 = bampot +accent-scottish-words-155 = there +accent-scottish-words-replace-155 = thare +accent-scottish-words-156 = from +accent-scottish-words-replace-156 = frae +accent-scottish-words-157 = highland +accent-scottish-words-replace-157 = hielan +accent-scottish-words-158 = high +accent-scottish-words-replace-158 = hie +accent-scottish-words-159 = syndicate agent +accent-scottish-words-replace-159 = snakey bastard +accent-scottish-words-160 = syndicate +accent-scottish-words-replace-160 = snake +accent-scottish-words-161 = syndicates +accent-scottish-words-replace-161 = snakes +accent-scottish-words-162 = nukies +accent-scottish-words-replace-162 = reddies +accent-scottish-words-163 = syndicate agents +accent-scottish-words-replace-163 = snakey bastards diff --git a/Resources/Locale/ru-RU/deltav/advertisements/vending/pride.ftl b/Resources/Locale/ru-RU/deltav/advertisements/vending/pride.ftl new file mode 100644 index 00000000000..3437c11d535 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/advertisements/vending/pride.ftl @@ -0,0 +1,3 @@ +advertisement-pride-1 = Не стесняйся себя! +advertisement-pride-2 = Радуга прекрасна! +advertisement-pride-3 = Ты обычный! diff --git a/Resources/Locale/ru-RU/deltav/catalog/cargo/cargo-vending.ftl b/Resources/Locale/ru-RU/deltav/catalog/cargo/cargo-vending.ftl new file mode 100644 index 00000000000..40da57598c8 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/catalog/cargo/cargo-vending.ftl @@ -0,0 +1,2 @@ +ent-CrateVendingMachineRestockPride = { ent-CrateVendingMachineRestockPrideFilled } + .desc = { ent-CrateVendingMachineRestockPrideFilled.desc } diff --git a/Resources/Locale/ru-RU/deltav/catalog/fills/crates/vending-crates.ftl b/Resources/Locale/ru-RU/deltav/catalog/fills/crates/vending-crates.ftl new file mode 100644 index 00000000000..a1acfc46d6f --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/catalog/fills/crates/vending-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateVendingMachineRestockPrideFilled = Набор пополнения Радуж-О-Мата + .desc = Содержит два набора пополнения Радуж-О-Мата. diff --git a/Resources/Locale/ru-RU/deltav/flavors/flavor-profiles.ftl b/Resources/Locale/ru-RU/deltav/flavors/flavor-profiles.ftl new file mode 100644 index 00000000000..6b2c2eb0374 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/flavors/flavor-profiles.ftl @@ -0,0 +1,31 @@ +## Nyano + +flavor-base-acidic = кислый +flavor-complex-nuggie = как курица +flavor-complex-enthralling = увлекательный +flavor-complex-sublime = возвышенный +flavor-complex-holy = райский +flavor-base-seeds = семянно +flavor-complex-cotton = как хлопок +flavor-complex-vanilla = как ванилин +flavor-complex-soju = как крепкая рисовая водка +flavor-complex-orangecreamcicle = как мягкая апельсиновая настойка +flavor-complex-silverjack = как сны рокзвёзд +flavor-complex-brainbomb = как повреждение печени +flavor-complex-atomicpunch = как приторная радиация +flavor-complex-circusjuice = экстремально смешно +flavor-complex-pinkdrink = подавляюще розово +flavor-complex-sapopicante = как острые томаты +flavor-complex-graveyard = как крепкий холодный алкоголь +flavor-complex-bubbletea = как кремовая сладость +flavor-complex-corncob = как грязная шутка + +## Delta + +flavor-complex-gunmetal = приторно и кремово +flavor-complex-lemondrop = освежающий тарт +flavor-complex-greengrass = как праздник в солнечный день +flavor-complex-daiquiri = модно +flavor-complex-arsonistsbrew = как пламя и пепел +flavor-complex-dulleavene = зловеще +flavor-complex-pumpkin = как тыква diff --git a/Resources/Locale/ru-RU/deltav/markings/felinid.ftl b/Resources/Locale/ru-RU/deltav/markings/felinid.ftl new file mode 100644 index 00000000000..51fa00c4fbc --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/markings/felinid.ftl @@ -0,0 +1,5 @@ +marking-FelinidFluffyTail-Felinid_fluffy_tail_full = Пушистый хвост +marking-FelinidFluffyTailRings-Felinid_fluffy_tail_full = Пушистый хвост +marking-FelinidFluffyTailRings-felinid_fluffy_tail_rings = Пушистый полосатый хвост +marking-FelinidFluffyTail = Пушистый хвост +marking-FelinidFluffyTailRings = Пушистый полосатый хвост diff --git a/Resources/Locale/ru-RU/deltav/reagents/meta/consumable/food/condiments.ftl b/Resources/Locale/ru-RU/deltav/reagents/meta/consumable/food/condiments.ftl new file mode 100644 index 00000000000..240dc946a21 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/reagents/meta/consumable/food/condiments.ftl @@ -0,0 +1,6 @@ +reagent-name-pesto = песто +reagent-desc-pesto = Комбинация соли, трав, чеснока, масла и кедровых орехов. +reagent-name-tomatosauce = томатный соус +reagent-desc-tomatosauce = Измельченные томаты с солью и травами. +reagent-name-bechamel = бешамель +reagent-desc-bechamel = Классический белый соус diff --git a/Resources/Locale/ru-RU/deltav/reagents/meta/physical-desc.ftl b/Resources/Locale/ru-RU/deltav/reagents/meta/physical-desc.ftl new file mode 100644 index 00000000000..123ee2d7fc0 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/reagents/meta/physical-desc.ftl @@ -0,0 +1,2 @@ +reagent-physical-desc-ethereal = неземной +reagent-physical-desc-glittery = блестящий diff --git a/Resources/Locale/ru-RU/deltav/traits/traits.ftl b/Resources/Locale/ru-RU/deltav/traits/traits.ftl new file mode 100644 index 00000000000..73808e6b090 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/traits/traits.ftl @@ -0,0 +1,2 @@ +trait-scottish-accent-name = Дварфийский акцент +trait-scottish-accent-desc = Вы слишком долго находились в окружении дворфов. diff --git a/Resources/Locale/ru-RU/deltav/weapons/ranged/energygun.ftl b/Resources/Locale/ru-RU/deltav/weapons/ranged/energygun.ftl new file mode 100644 index 00000000000..f7069dfc940 --- /dev/null +++ b/Resources/Locale/ru-RU/deltav/weapons/ranged/energygun.ftl @@ -0,0 +1 @@ +energygun-examine-fire-mode = Активирован { $mode } режим огня diff --git a/Resources/Locale/ru-RU/detail-examinable/detail-examinable.ftl b/Resources/Locale/ru-RU/detail-examinable/detail-examinable.ftl new file mode 100644 index 00000000000..13ced2d8818 --- /dev/null +++ b/Resources/Locale/ru-RU/detail-examinable/detail-examinable.ftl @@ -0,0 +1,2 @@ +detail-examinable-verb-text = Подробности +detail-examinable-verb-disabled = Детальнее осмотрите объект. diff --git a/Resources/Locale/ru-RU/devices/device-network.ftl b/Resources/Locale/ru-RU/devices/device-network.ftl new file mode 100644 index 00000000000..82e5e37e255 --- /dev/null +++ b/Resources/Locale/ru-RU/devices/device-network.ftl @@ -0,0 +1,42 @@ +# named frequencies +device-frequency-prototype-name-atmos = Атмосферные приборы +device-frequency-prototype-name-suit-sensors = Сенсоры костюмов +device-frequency-prototype-name-crew-monitor = Монитор экипажа +device-frequency-prototype-name-lights = Умное освещение +device-frequency-prototype-name-mailing-units = Почтовый блок +device-frequency-prototype-name-pdas = КПК +device-frequency-prototype-name-fax = Факс +device-frequency-prototype-name-basic-device = Базовые устройства +# prefixes for randomly generated device addresses +device-address-prefix-vent = Вент- +device-address-prefix-scrubber = Скр- +device-frequency-prototype-name-surveillance-camera-test = Тест подсети +device-frequency-prototype-name-surveillance-camera-engineering = Камеры (Инж) +device-frequency-prototype-name-surveillance-camera-security = Камеры (СБ) +device-frequency-prototype-name-surveillance-camera-science = Камеры (РнД) +device-frequency-prototype-name-surveillance-camera-supply = Камеры (Снаб) +device-frequency-prototype-name-surveillance-camera-command = Камеры (Кмнд) +device-frequency-prototype-name-surveillance-camera-service = Камеры (Сервис) +device-frequency-prototype-name-surveillance-camera-medical = Камеры (Мед) +device-frequency-prototype-name-surveillance-camera-general = Камеры (Общие) +device-frequency-prototype-name-surveillance-camera-entertainment = Камеры (Развлечения) +device-address-prefix-sensor = Сенс- +device-address-prefix-fire-alarm = Пож- +# Damn bet you couldn't see this one coming. +device-address-prefix-teg = ТЭГ- +device-address-prefix-heater = НГР- +device-address-prefix-freezer = ОХЛ- +device-address-prefix-volume-pump = ОБН- +device-address-prefix-smes = СМС- +#PDAs and terminals +device-address-prefix-console = Конс- +device-address-prefix-air-alarm = Возд- +device-address-examine-message = Адрес устройства: { $address }. +device-address-prefix-sensor-monitor = МОН- +#Device net ID names +device-net-id-private = Частные +device-net-id-wired = Проводные +device-net-id-wireless = Беспроводные +device-net-id-apc = ЛКП +device-net-id-atmos-devices = Атмос-устройства +device-net-id-reserved = Резерв diff --git a/Resources/Locale/ru-RU/devices/network-configurator.ftl b/Resources/Locale/ru-RU/devices/network-configurator.ftl new file mode 100644 index 00000000000..9b5562ed358 --- /dev/null +++ b/Resources/Locale/ru-RU/devices/network-configurator.ftl @@ -0,0 +1,47 @@ +# Popups + +network-configurator-device-saved = Успешно сохранено сетевое устройство { $device } с адресом { $address }! +network-configurator-device-failed = Не удалось сохранить сетевое устройство { $device }! Адрес не присвоен! +network-configurator-too-many-devices = На этом устройстве сохранено слишком много устройств! +network-configurator-update-ok = Память устройства обновлена. +network-configurator-device-already-saved = Сетевое устройство: { $device } уже сохранено. +network-configurator-device-access-denied = Нет доступа! +network-configurator-link-mode-started = Начато соединение устройства: { $device } +network-configurator-link-mode-stopped = Прекращено соединение устройства. +network-configurator-mode-link = Соединение +network-configurator-mode-list = Список +network-configurator-switched-mode = Режим переключён на: { $mode } +# Verbs +network-configurator-save-device = Сохранить устройство +network-configurator-configure = Настроить +network-configurator-switch-mode = Переключить режим +network-configurator-link-defaults = Стандартное соединение +network-configurator-start-link = Начать соединение +network-configurator-link = Соединить +# ui +network-configurator-title-saved-devices = Сохранённые устройства +network-configurator-title-device-configuration = Конфигурация устройств +# ui +network-configurator-ui-clear-button = Очистить +network-configurator-ui-count-label = + { $count } { $count -> + [one] устройство + [few] устройства + *[other] устройств + }. +# tooltips +network-configurator-tooltip-set = Создание списка целевых устройств +network-configurator-tooltip-add = Добавление в список целевых устройств +network-configurator-tooltip-edit = Редактирование списка целевых устройств +network-configurator-tooltip-clear = Очистка списка целевых устройств +network-configurator-tooltip-copy = Копирование списка целевых устройств в мультитул +network-configurator-tooltip-show = Показывать голографическую визуализацию списка целевых устройств +# examine +network-configurator-examine-mode-link = [color=red]Соединение[/color] +network-configurator-examine-mode-list = [color=green]Список[/color] +network-configurator-examine-current-mode = Текущий режим: { $mode } +network-configurator-examine-switch-modes = Нажмите { $key } чтобы переключить режим +# item status +network-configurator-item-status-label = + Текущий режим: { $mode } + { $keybinding } чтобы переключить diff --git a/Resources/Locale/ru-RU/dice/dice-component.ftl b/Resources/Locale/ru-RU/dice/dice-component.ftl new file mode 100644 index 00000000000..0c0ddb6e889 --- /dev/null +++ b/Resources/Locale/ru-RU/dice/dice-component.ftl @@ -0,0 +1,3 @@ +dice-component-on-examine-message-part-1 = Кость c [color=lightgray]{ $sidesAmount }[/color] сторонами. +dice-component-on-examine-message-part-2 = Она приземлилась на [color=white]{ $currentSide }[/color]. +dice-component-on-roll-land = { CAPITALIZE($die) } приземляется на { $currentSide }. diff --git a/Resources/Locale/ru-RU/discord/round-notifications.ftl b/Resources/Locale/ru-RU/discord/round-notifications.ftl new file mode 100644 index 00000000000..78f0b909346 --- /dev/null +++ b/Resources/Locale/ru-RU/discord/round-notifications.ftl @@ -0,0 +1,5 @@ +discord-round-notifications-new = Новый раунд начинается! +discord-round-notifications-started = Раунд #{ $id } на карте "{ $map }" начался. +discord-round-notifications-end = Раунд #{ $id } закончился. Он длился { $hours } ч., { $minutes } мин., and { $seconds } сек. +discord-round-notifications-end-ping = <@&{ $roleId }>, сервер скоро перезагрузится! +discord-round-notifications-unknown-map = Неизвестно diff --git a/Resources/Locale/ru-RU/disease/disease.ftl b/Resources/Locale/ru-RU/disease/disease.ftl new file mode 100644 index 00000000000..0b44dbcdbaf --- /dev/null +++ b/Resources/Locale/ru-RU/disease/disease.ftl @@ -0,0 +1 @@ +disease-vomit = { CAPITALIZE($person) } тошнит. diff --git a/Resources/Locale/ru-RU/disease/miasma.ftl b/Resources/Locale/ru-RU/disease/miasma.ftl new file mode 100644 index 00000000000..801f4b895ee --- /dev/null +++ b/Resources/Locale/ru-RU/disease/miasma.ftl @@ -0,0 +1,17 @@ +ammonia-smell = Something smells pungent! +miasma-smell = Что-то дурно попахивает! +perishable-1 = [color=green]{ CAPITALIZE(POSS-ADJ($target)) } тело выглядит еще свежим.[/color] +perishable-2 = [color=orangered]{ CAPITALIZE(POSS-ADJ($target)) } тело выглядит слегка испортившимся.[/color] +perishable-3 = [color=red]{ CAPITALIZE(POSS-ADJ($target)) } тело выглядит не очень свежим.[/color] +perishable-1-nonmob = [color=green]{ CAPITALIZE(SUBJECT($target)) } все еще выглядит свежим.[/color] +perishable-2-nonmob = [color=orangered]{ CAPITALIZE(SUBJECT($target)) } выглядит слегка свежим.[/color] +perishable-3-nonmob = [color=red]{ CAPITALIZE(SUBJECT($target)) } выглядит не очень свежим.[/color] +miasma-rotting = [color=orange]Тело гниёт![/color] +rotting-rotting = [color=orange]{ CAPITALIZE(POSS-ADJ($target)) } тело гниёт![/color] +rotting-bloated = [color=orangered]{ CAPITALIZE(POSS-ADJ($target)) } тело вздулось![/color] +rotting-extremely-bloated = [color=red]{ CAPITALIZE(POSS-ADJ($target)) } тело сильно вздулось![/color] +rotting-rotting-nonmob = [color=orange]{ CAPITALIZE(SUBJECT($target)) } гниёт![/color] +rotting-bloated-nonmob = [color=orangered]{ CAPITALIZE(SUBJECT($target)) } вздулось![/color] +rotting-extremely-bloated-nonmob = [color=red]{ CAPITALIZE(SUBJECT($target)) } сильно вздулось![/color] +miasma-bloated = [color=orangered]Тело вздулось![/color] +miasma-extremely-bloated = [color=red]Тело сильно вздулось![/color] diff --git a/Resources/Locale/ru-RU/disposal/mailing/components/disposal-mailing-unit-component.ftl b/Resources/Locale/ru-RU/disposal/mailing/components/disposal-mailing-unit-component.ftl new file mode 100644 index 00000000000..fecfaf3aaf3 --- /dev/null +++ b/Resources/Locale/ru-RU/disposal/mailing/components/disposal-mailing-unit-component.ftl @@ -0,0 +1,7 @@ +## UI + +ui-mailing-unit-window-title = Почтовый блок { $tag } +ui-mailing-unit-button-flush = Отправить +ui-mailing-unit-destination-select-label = Выбрать пункт назначения: +ui-mailing-unit-self-reference-label = Это устройство: +ui-mailing-unit-target-label = Пункт назначения: diff --git a/Resources/Locale/ru-RU/disposal/tube-connections-command.ftl b/Resources/Locale/ru-RU/disposal/tube-connections-command.ftl new file mode 100644 index 00000000000..fe6d0b7c637 --- /dev/null +++ b/Resources/Locale/ru-RU/disposal/tube-connections-command.ftl @@ -0,0 +1,2 @@ +tube-connections-command-description = Показывает все направления, в которых может соединяться труба. +tube-connections-command-help-text = Использование: { $command } diff --git a/Resources/Locale/ru-RU/disposal/tube/components/disposal-router-component.ftl b/Resources/Locale/ru-RU/disposal/tube/components/disposal-router-component.ftl new file mode 100644 index 00000000000..7ffdbfbfbb7 --- /dev/null +++ b/Resources/Locale/ru-RU/disposal/tube/components/disposal-router-component.ftl @@ -0,0 +1,11 @@ +## UI + +disposal-router-window-title = Маршрутизатор утилизации +disposal-router-window-tags-label = Метки: +disposal-router-window-tag-input-tooltip = Список меток, разделенных запятыми +disposal-router-window-tag-input-confirm-button = Подтвердить +disposal-router-window-tag-input-activate-no-hands = У вас нет рук. + +## ConfigureVerb + +configure-verb-get-data-text = Открыть настройки diff --git a/Resources/Locale/ru-RU/disposal/tube/components/disposal-tagger-window.ftl b/Resources/Locale/ru-RU/disposal/tube/components/disposal-tagger-window.ftl new file mode 100644 index 00000000000..4bb3fe25248 --- /dev/null +++ b/Resources/Locale/ru-RU/disposal/tube/components/disposal-tagger-window.ftl @@ -0,0 +1,8 @@ +disposal-tagger-window-title = Разметка утилизации +disposal-tagger-window-tag-input-label = Метка: +disposal-tagger-window-tag-confirm-button = Подтвердить +disposal-tagger-window-activate-no-hands = У вас нет рук. + +## ConfigureVerb + +configure-verb-get-data-text = Открыть настройки diff --git a/Resources/Locale/ru-RU/disposal/tube/components/disposal-tube-component.ftl b/Resources/Locale/ru-RU/disposal/tube/components/disposal-tube-component.ftl new file mode 100644 index 00000000000..8538dd52fda --- /dev/null +++ b/Resources/Locale/ru-RU/disposal/tube/components/disposal-tube-component.ftl @@ -0,0 +1,5 @@ +disposal-tube-component-popup-directions-text = { $directions } + +## TubeDirectionVerb + +tube-direction-verb-get-data-text = Направления труб diff --git a/Resources/Locale/ru-RU/disposal/unit/components/disposal-unit-component.ftl b/Resources/Locale/ru-RU/disposal/unit/components/disposal-unit-component.ftl new file mode 100644 index 00000000000..122e6192c05 --- /dev/null +++ b/Resources/Locale/ru-RU/disposal/unit/components/disposal-unit-component.ftl @@ -0,0 +1,32 @@ +## UI + +ui-disposal-unit-title = Утилизационный блок +ui-disposal-unit-label-state = Состояние: +ui-disposal-unit-label-pressure = Давление: +ui-disposal-unit-label-status = Готов +ui-disposal-unit-button-flush = Смыть +ui-disposal-unit-button-eject = Извлечь всё +ui-disposal-unit-button-power = Питание + +## FlushVerb + +disposal-flush-verb-get-data-text = Смыть + +## SelfInsertVerb + +disposal-self-insert-verb-get-data-text = Залезть внутрь + +## No hands + +disposal-unit-no-hands = У вас нет рук! +disposal-flush-verb-get-data-text = Смыть +disposal-unit-thrown-missed = Промах! +# state +disposal-unit-state-Ready = Готов +# Yes I want it to always say Pressurizing +disposal-unit-state-Flushed = Нагнетание +disposal-unit-state-Pressurizing = Нагнетание +# putting people in +disposal-unit-being-inserted = { CAPITALIZE($user) } пытается затолкать вас в мусоропровод! +disposal-self-insert-verb-get-data-text = Залезть внутрь +disposal-eject-verb-get-data-text = Извлечь всё diff --git a/Resources/Locale/ru-RU/door-remote/door-remote.ftl b/Resources/Locale/ru-RU/door-remote/door-remote.ftl new file mode 100644 index 00000000000..64bc5850267 --- /dev/null +++ b/Resources/Locale/ru-RU/door-remote/door-remote.ftl @@ -0,0 +1,5 @@ +door-remote-switch-state-open-close = Вы настраиваете пульт на открытие и закрытие дверей +door-remote-switch-state-toggle-bolts = Вы настраиваете пульт на переключение болтов +door-remote-switch-state-toggle-emergency-access = Вы настраиваете пульт на переключение аварийного доступа +door-remote-no-power = Дверь обесточена +door-remote-denied = В доступе отказано diff --git a/Resources/Locale/ru-RU/doors/components/airlock-component.ftl b/Resources/Locale/ru-RU/doors/components/airlock-component.ftl new file mode 100644 index 00000000000..9356c9920fc --- /dev/null +++ b/Resources/Locale/ru-RU/doors/components/airlock-component.ftl @@ -0,0 +1,4 @@ +## AirlockComponent + +airlock-component-cannot-pry-is-bolted-message = Болты шлюза препятствуют его открыванию! +airlock-component-cannot-pry-is-powered-message = Включённые приводы шлюза не позволяют вам этого сделать! diff --git a/Resources/Locale/ru-RU/doors/door.ftl b/Resources/Locale/ru-RU/doors/door.ftl new file mode 100644 index 00000000000..e278d32f475 --- /dev/null +++ b/Resources/Locale/ru-RU/doors/door.ftl @@ -0,0 +1 @@ +door-pry = Вскрыть дверь diff --git a/Resources/Locale/ru-RU/drag-drop/drag-drop-system.ftl b/Resources/Locale/ru-RU/drag-drop/drag-drop-system.ftl new file mode 100644 index 00000000000..15dcb3b2863 --- /dev/null +++ b/Resources/Locale/ru-RU/drag-drop/drag-drop-system.ftl @@ -0,0 +1 @@ +drag-drop-system-out-of-range-text = Вы не можете туда достать! diff --git a/Resources/Locale/ru-RU/dragon/dragon.ftl b/Resources/Locale/ru-RU/dragon/dragon.ftl new file mode 100644 index 00000000000..f8742286c44 --- /dev/null +++ b/Resources/Locale/ru-RU/dragon/dragon.ftl @@ -0,0 +1,3 @@ +dragon-round-end-agent-name = дракон +objective-issuer-dragon = [color=#7567b6]Космический дракон[/color] +dragon-role-briefing = Создайте 3 карповых разлома и захватите этот квадрант! diff --git a/Resources/Locale/ru-RU/dragon/rifts.ftl b/Resources/Locale/ru-RU/dragon/rifts.ftl new file mode 100644 index 00000000000..368c8e3a134 --- /dev/null +++ b/Resources/Locale/ru-RU/dragon/rifts.ftl @@ -0,0 +1,9 @@ +carp-rift-warning = Разлом в { $location } порождает неестественно большой поток энергии. Остановите это любой ценой! +carp-rift-duplicate = Невозможно иметь 2 заряжающихся разлома одновременно! +carp-rift-examine = Он заряжен на [color=yellow]{ $percentage }%[/color]! +carp-rift-max = Вы достигли максимального количества разломов +carp-rift-anchor = Для появления разлома требуется стабильная поверхность. +carp-rift-proximity = Слишком близко к соседнему разлому! Необходимо находиться на расстоянии не менее { $proximity } метров. +carp-rift-space-proximity = Слишком близко к космосу! Необходимо находиться на расстоянии не менее { $proximity } метров. +carp-rift-weakened = В своём ослабленном состоянии вы не можете создать больше разломов. +carp-rift-destroyed = Разлом был уничтожен! Теперь вы временно ослаблены. diff --git a/Resources/Locale/ru-RU/drone/drone-system.ftl b/Resources/Locale/ru-RU/drone/drone-system.ftl new file mode 100644 index 00000000000..d0e2a3edf54 --- /dev/null +++ b/Resources/Locale/ru-RU/drone/drone-system.ftl @@ -0,0 +1,4 @@ +drone-active = Дрон технического обслуживания. Похоже, вы ему совершенно безразличны. +drone-dormant = Бездействующий дрон технического обслуживания. Кто знает, когда он проснётся? +drone-activated = Дрон с жужжанием оживает! +drone-too-close = Слишком близко к другим существам! diff --git a/Resources/Locale/ru-RU/electrocution/electrocute-command.ftl b/Resources/Locale/ru-RU/electrocution/electrocute-command.ftl new file mode 100644 index 00000000000..f9f75fae4f2 --- /dev/null +++ b/Resources/Locale/ru-RU/electrocution/electrocute-command.ftl @@ -0,0 +1,2 @@ +electrocute-command-description = Поражает указанное существо током, по умолчанию это 10 секунд и 10 урона. Шокирует! +electrocute-command-entity-cannot-be-electrocuted = Вы не можете ударить током эту сущность! diff --git a/Resources/Locale/ru-RU/electrocution/electrocuted-component.ftl b/Resources/Locale/ru-RU/electrocution/electrocuted-component.ftl new file mode 100644 index 00000000000..73d0ca7ac0a --- /dev/null +++ b/Resources/Locale/ru-RU/electrocution/electrocuted-component.ftl @@ -0,0 +1,3 @@ +electrocuted-component-mob-shocked-by-source-popup-others = { CAPITALIZE($source) } шокирует { $mob }! +electrocuted-component-mob-shocked-popup-others = { CAPITALIZE($mob) } шокирован! +electrocuted-component-mob-shocked-popup-player = Вы чувствуете мощный удар, проходящий через ваше тело! diff --git a/Resources/Locale/ru-RU/emag/emag.ftl b/Resources/Locale/ru-RU/emag/emag.ftl new file mode 100644 index 00000000000..87c8fe77f6a --- /dev/null +++ b/Resources/Locale/ru-RU/emag/emag.ftl @@ -0,0 +1,2 @@ +emag-success = Карточка замыкает что-то в { $target }. +emag-no-charges = Не осталось зарядов! diff --git a/Resources/Locale/ru-RU/emotes/emotes.ftl b/Resources/Locale/ru-RU/emotes/emotes.ftl new file mode 100644 index 00000000000..56352cedbba --- /dev/null +++ b/Resources/Locale/ru-RU/emotes/emotes.ftl @@ -0,0 +1 @@ +emote-deathgasp = { $entity } замирает и бездыханно падает, { POSS-ADJ($entity) } глаза мёртвые и безжизненные... diff --git a/Resources/Locale/ru-RU/emp/emp.ftl b/Resources/Locale/ru-RU/emp/emp.ftl new file mode 100644 index 00000000000..5685c5e88b2 --- /dev/null +++ b/Resources/Locale/ru-RU/emp/emp.ftl @@ -0,0 +1 @@ +emp-disabled-comp-on-examine = [color=lightblue]Работа нарушена электрическим полем... [/color] diff --git a/Resources/Locale/ru-RU/engineer-painter/engineer-painter.ftl b/Resources/Locale/ru-RU/engineer-painter/engineer-painter.ftl new file mode 100644 index 00000000000..b9c98fb10bb --- /dev/null +++ b/Resources/Locale/ru-RU/engineer-painter/engineer-painter.ftl @@ -0,0 +1,12 @@ +spray-painter-window-title = Краскопульт +spray-painter-style-not-available = Невозможно применить выбранный стиль к данному типу шлюза +spray-painter-selected-style = Выбранный стиль: +spray-painter-selected-color = Выбранный цвет: +spray-painter-color-red = красный +spray-painter-color-yellow = жёлтый +spray-painter-color-brown = коричневый +spray-painter-color-green = зелёный +spray-painter-color-cyan = голубой +spray-painter-color-blue = синий +spray-painter-color-white = белый +spray-painter-color-black = чёрный diff --git a/Resources/Locale/ru-RU/ensnare/ensnare-component.ftl b/Resources/Locale/ru-RU/ensnare/ensnare-component.ftl new file mode 100644 index 00000000000..93916efb3a7 --- /dev/null +++ b/Resources/Locale/ru-RU/ensnare/ensnare-component.ftl @@ -0,0 +1,4 @@ +ensnare-component-try-free = Вы пытаетесь освободить свои ноги от { $ensnare }! +ensnare-component-try-free-complete = Вы успешно освобождаете свои ноги от { $ensnare }! +ensnare-component-try-free-fail = Вам не удаётся освободить свои ноги от { $ensnare }! +ensnare-component-try-free-other = Вы пытаетесь освободить ноги { $user } от { $ensnare }! diff --git a/Resources/Locale/ru-RU/entity-systems/pointing/pointing-system.ftl b/Resources/Locale/ru-RU/entity-systems/pointing/pointing-system.ftl new file mode 100644 index 00000000000..6cb04111240 --- /dev/null +++ b/Resources/Locale/ru-RU/entity-systems/pointing/pointing-system.ftl @@ -0,0 +1,10 @@ +## PointingSystem + +pointing-system-try-point-cannot-reach = Вы не можете туда достать! +pointing-system-point-at-self = Вы указываете на себя. +pointing-system-point-at-other = Вы указываете на { $other }. +pointing-system-point-at-self-others = { CAPITALIZE($otherName) } указывает на { $other }. +pointing-system-point-at-other-others = { CAPITALIZE($otherName) } указывает на { $other }. +pointing-system-point-at-you-other = { $otherName } указывает на вас. +pointing-system-point-at-tile = Вы указываете на { $tileName }. +pointing-system-other-point-at-tile = { CAPITALIZE($otherName) } указывает на { $tileName }. diff --git a/Resources/Locale/ru-RU/escape-menu/ui/escape-menu.ftl b/Resources/Locale/ru-RU/escape-menu/ui/escape-menu.ftl new file mode 100644 index 00000000000..03c2c53d910 --- /dev/null +++ b/Resources/Locale/ru-RU/escape-menu/ui/escape-menu.ftl @@ -0,0 +1,9 @@ +### EscapeMenu.xaml + +ui-escape-title = Игровое меню +ui-escape-options = Настройки +ui-escape-rules = Правила +ui-escape-guidebook = Руководство +ui-escape-wiki = Wiki +ui-escape-disconnect = Отключиться +ui-escape-quit = Выйти diff --git a/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl b/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl new file mode 100644 index 00000000000..3e636f649dd --- /dev/null +++ b/Resources/Locale/ru-RU/escape-menu/ui/options-menu.ftl @@ -0,0 +1,242 @@ +## General stuff + +ui-options-title = Игровые настройки +ui-options-tab-graphics = Графика +ui-options-tab-controls = Управление +ui-options-tab-audio = Аудио +ui-options-tab-network = Сеть +ui-options-tab-misc = General +ui-options-apply = Применить +ui-options-reset-all = Сбросить всё +ui-options-default = По-умолчанию + +## Audio menu + +ui-options-discordrich = Enable Discord Rich Presence +ui-options-general-ui-style = 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-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-lobby-music = Музыка в лобби +ui-options-restart-sounds = Звуки перезапуска раунда +ui-options-event-music = Музыка событий +ui-options-admin-sounds = Музыка админов +ui-options-volume-label = Громкость +ui-options-volume-percent = { TOSTRING($volume, "P0") } + +## Graphics menu + +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-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-screen-shake-percent = { TOSTRING($intensity, "P0") } +ui-options-fullscreen = Полный экран +ui-options-lighting-label = Качество освещения: +ui-options-lighting-very-low = Очень низкое +ui-options-lighting-low = Низкое +ui-options-lighting-medium = Среднее +ui-options-lighting-high = Высокое +ui-options-scale-label = Масштаб UI: +ui-options-scale-auto = Автоматическое ({ TOSTRING($scale, "P0") }) +ui-options-scale-75 = 75% +ui-options-scale-100 = 100% +ui-options-scale-125 = 125% +ui-options-scale-150 = 150% +ui-options-scale-175 = 175% +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-classic = Классическая +ui-options-vp-stretch = Растянуть изображение для соответствия окну игры +ui-options-vp-scale = Фиксированный масштаб окна игры: x{ $scale } +ui-options-vp-integer-scaling = Использовать целочисленное масштабирование (может вызывать появление чёрных полос/обрезания) +ui-options-vp-integer-scaling-tooltip = + Если эта опция включена, область просмотра будет масштабироваться, + используя целочисленное значение при определённых разрешениях. Хотя это и + приводит к чётким текстурам, это часто означает, что сверху/снизу экрана будут + чёрные полосы или что часть окна не будет видна. +ui-options-vp-low-res = Изображение низкого разрешения +ui-options-parallax-low-quality = Низкокачественный параллакс (фон) +ui-options-fps-counter = Показать счетчик FPS +ui-options-vp-width = Ширина окна игры: { $width } +ui-options-hud-layout = Тип HUD: + +## Controls menu + +ui-options-binds-reset-all = Сбросить ВСЕ привязки +ui-options-binds-explanation = ЛКМ — изменить кнопку, ПКМ — убрать кнопку +ui-options-unbound = Пусто +ui-options-bind-reset = Сбросить +ui-options-key-prompt = Нажмите кнопку... +ui-options-header-movement = Перемещение +ui-options-header-camera = Камера +ui-options-header-interaction-basic = Базовые взаимодействия +ui-options-header-interaction-adv = Продвинутые взаимодействия +ui-options-header-ui = Интерфейс +ui-options-header-misc = Разное +ui-options-header-hotbar = Хотбар +ui-options-header-shuttle = Шаттл +ui-options-header-map-editor = Редактор карт +ui-options-header-dev = Разработка +ui-options-header-general = Основное +ui-options-hotkey-keymap = Использовать клавиши QWERTY (США) +ui-options-hotkey-toggle-walk = Переключать шаг\бег +ui-options-function-move-up = Двигаться вверх +ui-options-function-move-left = Двигаться налево +ui-options-function-move-down = Двигаться вниз +ui-options-function-move-right = Двигаться направо +ui-options-function-walk = Идти +ui-options-function-camera-rotate-left = Повернуть налево +ui-options-function-camera-rotate-right = Повернуть направо +ui-options-function-camera-reset = Сбросить камеру +ui-options-function-zoom-in = Приблизить +ui-options-function-zoom-out = Отдалить +ui-options-function-reset-zoom = Сбросить +ui-options-function-use = Использовать +ui-options-function-use-secondary = Использовать вторично +ui-options-function-alt-use = Альтернативное использование +ui-options-function-wide-attack = Размашистая атака +ui-options-function-activate-item-in-hand = Использовать предмет в руке +ui-options-function-alt-activate-item-in-hand = Альтернативно использовать предмет в руке +ui-options-function-activate-item-in-world = Использовать предмет в мире +ui-options-function-alt-activate-item-in-world = Альтернативно использовать предмет в мире +ui-options-function-drop = Положить предмет +ui-options-function-examine-entity = Осмотреть +ui-options-function-move-stored-item = Move stored item +ui-options-function-rotate-stored-item = Rotate stored item +ui-options-static-storage-ui = Lock storage window to hotbar +ui-options-function-swap-hands = Поменять руки +ui-options-function-smart-equip-backpack = Умная экипировка в рюкзак +ui-options-function-open-backpack = Open backpack +ui-options-function-open-belt = Open belt +ui-options-function-smart-equip-belt = Умная экипировка на пояс +ui-options-function-throw-item-in-hand = Бросить предмет +ui-options-function-try-pull-object = Тянуть объект +ui-options-function-move-pulled-object = Тянуть объект в сторону +ui-options-function-release-pulled-object = Перестать тянуть объект +ui-options-function-point = Указать на что-либо +ui-options-function-focus-chat-input-window = Писать в чат +ui-options-function-focus-local-chat-window = Писать в чат (IC) +ui-options-function-focus-emote = Писать в чат (Emote) +ui-options-function-focus-whisper-chat-window = Писать в чат (Шёпот) +ui-options-function-focus-radio-window = Писать в чат (Радио) +ui-options-function-focus-looc-window = Писать в чат (LOOC) +ui-options-function-focus-ooc-window = Писать в чат (OOC) +ui-options-function-focus-admin-chat-window = Писать в чат (Админ) +ui-options-function-focus-dead-chat-window = Писать в чат (Мертвые) +ui-options-function-focus-console-chat-window = Писать в чат (Консоль) +ui-options-function-cycle-chat-channel-forward = Переключение каналов чата (Вперёд) +ui-options-function-cycle-chat-channel-backward = Переключение каналов чата (Назад) +ui-options-function-open-character-menu = Открыть меню персонажа +ui-options-function-open-context-menu = Открыть контекстное меню +ui-options-function-open-crafting-menu = Открыть меню строительства +ui-options-function-open-inventory-menu = Открыть снаряжение +ui-options-function-open-a-help = Открыть админ помощь +ui-options-function-open-abilities-menu = Открыть меню действий +ui-options-function-open-entity-spawn-window = Открыть меню спавна сущностей +ui-options-function-open-sandbox-window = Открыть меню песочницы +ui-options-function-open-tile-spawn-window = Открыть меню спавна тайлов +ui-options-function-open-decal-spawn-window = Открыть меню спавна декалей +ui-options-function-open-admin-menu = Открыть админ меню +ui-options-function-open-guidebook = Открыть руководство +ui-options-function-window-close-all = Закрыть все окна +ui-options-function-window-close-recent = Закрыть текущее окно +ui-options-function-show-escape-menu = Переключить игровое меню +ui-options-function-escape-context = Закрыть текущее окно или переключить игровое меню +ui-options-function-take-screenshot = Сделать скриншот +ui-options-function-take-screenshot-no-ui = Сделать скриншот (без интерфейса) +ui-options-function-toggle-fullscreen = Переключить полноэкранный режим +ui-options-function-editor-place-object = Разместить объект +ui-options-function-editor-cancel-place = Отменить размещение +ui-options-function-editor-grid-place = Размещать в сетке +ui-options-function-editor-line-place = Размещать в линию +ui-options-function-editor-rotate-object = Повернуть +ui-options-function-editor-flip-object = Перевернуть +ui-options-function-editor-copy-object = Копировать +ui-options-function-open-abilities-menu = Открыть меню действий +ui-options-function-show-debug-console = Открыть консоль +ui-options-function-show-debug-monitors = Показать дебаг информацию +ui-options-function-inspect-entity = Изучить сущность +ui-options-function-hide-ui = Спрятать интерфейс +ui-options-function-hotbar1 = 1 слот хотбара +ui-options-function-hotbar2 = 2 слот хотбара +ui-options-function-hotbar3 = 3 слот хотбара +ui-options-function-hotbar4 = 4 слот хотбара +ui-options-function-hotbar5 = 5 слот хотбара +ui-options-function-hotbar6 = 6 слот хотбара +ui-options-function-hotbar7 = 7 слот хотбара +ui-options-function-hotbar8 = 8 слот хотбара +ui-options-function-hotbar9 = 9 слот хотбара +ui-options-function-hotbar0 = 0 слот хотбара +ui-options-function-loadout1 = 1 страница хотбара +ui-options-function-loadout2 = 2 страница хотбара +ui-options-function-loadout3 = 3 страница хотбара +ui-options-function-loadout4 = 4 страница хотбара +ui-options-function-loadout5 = 5 страница хотбара +ui-options-function-loadout6 = 6 страница хотбара +ui-options-function-loadout7 = 7 страница хотбара +ui-options-function-loadout8 = 8 страница хотбара +ui-options-function-loadout9 = 9 страница хотбара +ui-options-function-loadout0 = 0 страница хотбара +ui-options-function-shuttle-strafe-up = Стрейф вверх +ui-options-function-shuttle-strafe-right = Стрейф вправо +ui-options-function-shuttle-strafe-left = Стрейф влево +ui-options-function-shuttle-strafe-down = Стрейф вниз +ui-options-function-shuttle-rotate-left = Поворот налево +ui-options-function-shuttle-rotate-right = Поворот направо +ui-options-function-shuttle-brake = Торможение +ui-options-net-interp-ratio = Сетевое сглаживание +ui-options-net-predict = Предугадывание на стороне клиента +ui-options-net-interp-ratio-tooltip = + Увеличение этого параметра, как правило, делает игру + более устойчивой к потере пакетов, однако при этом + это так же добавляет немного больше задержки и + требует от клиента предсказывать больше будущих тиков. +ui-options-net-predict-tick-bias = Погрешность тиков предугадывания +ui-options-net-predict-tick-bias-tooltip = + Увеличение этого параметра, как правило, делает игру более устойчивой + к потере пакетов между клиентом и сервером, однако при этом + немного возрастает задержка, и клиенту требуется предугадывать + больше будущих тиков +ui-options-net-pvs-spawn = Лимит появление PVS сущностей +ui-options-net-pvs-spawn-tooltip = + Ограничение частоты отправки новых появившихся сущностей сервером на клиент. + Снижение этого параметра может помочь уменьшить "захлебывания", + вызываемые спавном сущностей, но может привести к их резкому появлению. +ui-options-net-pvs-entry = Лимит PVS сущностей +ui-options-net-pvs-entry-tooltip = + Ограничение частоты отправки новых видимых сущностей сервером на клиент. + Снижение этого параметра может помочь уменьшить "захлебывания", + вызываемые спавном сущностей, но может привести к их резкому появлению. +ui-options-net-pvs-leave = Частота удаления PVS +ui-options-net-pvs-leave-tooltip = + Ограничение частоты, с которой клиент будет удалять + сущности вне поля зрения. Снижение этого параметра может помочь + уменьшить "захлебывания" при ходьбе, но иногда может + привести к неправильным предугадываниям и другим проблемам. +cmd-options-desc = Открывает меню опций, опционально с конкретно выбранной вкладкой. +cmd-options-help = Использование: options [tab] diff --git a/Resources/Locale/ru-RU/examine/examine-system.ftl b/Resources/Locale/ru-RU/examine/examine-system.ftl new file mode 100644 index 00000000000..40d5249272e --- /dev/null +++ b/Resources/Locale/ru-RU/examine/examine-system.ftl @@ -0,0 +1,7 @@ +## ExamineSystem + +examine-system-entity-does-not-exist = Этой сущности не существует +examine-system-cant-see-entity = Вам не удаётся это рассмотреть. +examine-verb-name = Осмотреть +examinable-anchored = Это [color=darkgreen]закреплено[/color] на полу +examinable-unanchored = Это [color=darkred]не закреплено[/color] на полу diff --git a/Resources/Locale/ru-RU/explosions/explosion-resistance.ftl b/Resources/Locale/ru-RU/explosions/explosion-resistance.ftl new file mode 100644 index 00000000000..33257e85475 --- /dev/null +++ b/Resources/Locale/ru-RU/explosions/explosion-resistance.ftl @@ -0,0 +1,2 @@ +explosion-resistance-coefficient-value = - [color=orange]Взрывной[/color] урон снижается на [color=lightblue]{ $value }%[/color]. +explosion-resistance-contents-coefficient-value = - [color=orange]Взрывной[/color] урон снижен на [color=lightblue]{ $value }%[/color]. diff --git a/Resources/Locale/ru-RU/eye/blindness.ftl b/Resources/Locale/ru-RU/eye/blindness.ftl new file mode 100644 index 00000000000..5b7f2be5aa0 --- /dev/null +++ b/Resources/Locale/ru-RU/eye/blindness.ftl @@ -0,0 +1 @@ +blindness-fail-attempt = Вы не можете сделать это, если вы слепы! diff --git a/Resources/Locale/ru-RU/fax/fax-admin.ftl b/Resources/Locale/ru-RU/fax/fax-admin.ftl new file mode 100644 index 00000000000..fb1989635f3 --- /dev/null +++ b/Resources/Locale/ru-RU/fax/fax-admin.ftl @@ -0,0 +1,13 @@ +# Command +cmd-faxui-desc = Открыть админ окно отправки факсов +cmd-faxui-help = Использование: faxui +# Window +admin-fax-title = Менеджер админ факса +admin-fax-fax = Факс: +admin-fax-follow = Следовать +admin-fax-title-placeholder = Название документа... +admin-fax-from-placeholder = Печать... +admin-fax-message-placeholder = Текст документа... +admin-fax-stamp = Печать: +admin-fax-stamp-color = Цвет печати: +admin-fax-send = Отправить diff --git a/Resources/Locale/ru-RU/fax/fax.ftl b/Resources/Locale/ru-RU/fax/fax.ftl new file mode 100644 index 00000000000..4d642064a57 --- /dev/null +++ b/Resources/Locale/ru-RU/fax/fax.ftl @@ -0,0 +1,22 @@ +fax-machine-popup-source-unknown = Неизвестно +fax-machine-popup-received = Получена передача от { $from }. +fax-machine-popup-name-long = Слишком длинное имя факса +fax-machine-popup-name-exist = Факс с таким же именем уже существует в сети +fax-machine-popup-name-set = Имя факса было обновлено +fax-machine-dialog-rename = Переименовать +fax-machine-dialog-field-name = Имя +fax-machine-ui-window = Факс +fax-machine-ui-file-button = Распечатать +fax-machine-ui-paper-button-normal = Обычная бумага +fax-machine-ui-paper-button-office = Офисная бумага +fax-machine-ui-copy-button = Скопировать +fax-machine-ui-send-button = Отправить +fax-machine-ui-refresh-button = Обновить +fax-machine-ui-no-peers = Нет получателей +fax-machine-ui-to = Получатель: +fax-machine-ui-from = Отправитель: +fax-machine-ui-paper = Бумага: +fax-machine-ui-paper-inserted = Бумага в лотке +fax-machine-ui-paper-not-inserted = Нет бумаги +fax-machine-chat-notify = Получено новое сообщение с "{ $fax }" факса +fax-machine-printed-paper-name = печатает бумагу diff --git a/Resources/Locale/ru-RU/fire-extinguisher/fire-extinguisher-component.ftl b/Resources/Locale/ru-RU/fire-extinguisher/fire-extinguisher-component.ftl new file mode 100644 index 00000000000..4ca683fe075 --- /dev/null +++ b/Resources/Locale/ru-RU/fire-extinguisher/fire-extinguisher-component.ftl @@ -0,0 +1,3 @@ +fire-extinguisher-component-after-interact-refilled-message = Вы заправили { $owner } +fire-extinguisher-component-safety-on-message = Включён предохранитель. +fire-extinguisher-component-verb-text = Вкл/Выкл предохранитель diff --git a/Resources/Locale/ru-RU/flash/components/flash-component.ftl b/Resources/Locale/ru-RU/flash/components/flash-component.ftl new file mode 100644 index 00000000000..965bc3cf608 --- /dev/null +++ b/Resources/Locale/ru-RU/flash/components/flash-component.ftl @@ -0,0 +1,6 @@ +### Interaction Messages + +# Shown when someone flashes you with a flash +flash-component-user-blinds-you = { $user } ослепляет вас вспышкой! +# Shown when a flash runs out of uses +flash-component-becomes-empty = Вспышка выгорает! diff --git a/Resources/Locale/ru-RU/flavors/flavor-profiles.ftl b/Resources/Locale/ru-RU/flavors/flavor-profiles.ftl new file mode 100644 index 00000000000..0e6364dd9e7 --- /dev/null +++ b/Resources/Locale/ru-RU/flavors/flavor-profiles.ftl @@ -0,0 +1,260 @@ +flavor-profile = На вкус { $flavor }. +flavor-profile-multiple = На вкус { $flavors } и { $lastFlavor }. +flavor-profile-unknown = Вкус неописуем. + +# Base flavors. Use these when you can't think of anything. +# These are specifically flavors that are placed in front +# of other flavors. When the flavors are processed, these +# will go in front so you don't get this like "Tastes like tomatoes, sweet and spicy", +# instead, you get "Tastes sweet, spicy and like tomatoes". + +flavor-base-savory = жгуче +flavor-base-sweet = сладко +flavor-base-salty = солено +flavor-base-sour = кисло +flavor-base-bitter = горько +flavor-base-spicy = остро +flavor-base-metallic = металлически +flavor-base-meaty = мясисто +flavor-base-fishy = рыбно +flavor-base-crabby = крабово +flavor-base-cheesy = сырно +flavor-base-funny = забавно +flavor-base-tingly = покалывающе +flavor-base-acid = кислотно +flavor-base-leafy = лиственно +flavor-base-minty = мятно +flavor-base-nutty = орехово +flavor-base-chalky = мелово +flavor-base-oily = масляно +flavor-base-peppery = перечно +flavor-base-slimy = скользко +flavor-base-magical = волшебно +flavor-base-fiber = волокнисто +flavor-base-cold = холодно +flavor-base-spooky = страшно +flavor-base-smokey = дымчато +flavor-base-fruity = фруктово +flavor-base-creamy = сливочно +flavor-base-fizzy = шипуче +flavor-base-shocking = шокирующе +flavor-base-cheap = дёшево +flavor-base-piquant = пикантно +flavor-base-sharp = резко +flavor-base-syrupy = сиропово +flavor-base-spaceshroom = таинственно +flavor-base-clean = чисто +flavor-base-alkaline = щелочно +flavor-base-holy = свято +flavor-base-horrible = ужасно +# lmao +flavor-base-terrible = ужасно + +# Complex flavors. Put a flavor here when you want something that's more +# specific. + +flavor-complex-nothing = как ничто +flavor-complex-honey = как мёд + +# Food-specific flavors. + +flavor-complex-ketchunaise = как томаты с майонезом +flavor-complex-mayonnaise = как майонез +flavor-complex-mustard = ккак горчица + +## Food chemicals. In case you get something that has this inside. + +flavor-complex-nutriment = как питательные вещества +flavor-complex-vitamin = как витамины +flavor-complex-protein = как протеины + +## Generic food taste. This should be replaced with an actual flavor profile, +## if you have food that looks like this. + +flavor-complex-food = как еда + +## Basic foodstuffs (ingredients, generic flavors) + +flavor-complex-bun = как булочка +flavor-complex-bread = как хлеб +flavor-complex-batter = как тесто для торта +flavor-complex-butter = как масло +flavor-complex-egg = как яйца +flavor-complex-raw-egg = как сырые яйца +flavor-complex-bacon = как бекон +flavor-complex-chicken = как курочка +flavor-complex-duck = как уточка +flavor-complex-chocolate = как шоколад +flavor-complex-pasta = как паста +flavor-complex-rice = как рис +flavor-complex-oats = как овёс +flavor-complex-jelly = как желе +flavor-complex-soy = как соя +flavor-complex-ice-cream = как мороженое +flavor-complex-dough = как тесто +flavor-complex-sweet-dough = как сладкое тесто +flavor-complex-tofu = как тофу +flavor-complex-miso = как мисо +flavor-complex-muffin = как маффин +flavor-complex-lemoon = как лавровый лист +flavor-complex-peas = как горох +flavor-complex-pineapple = как ананас +flavor-complex-onion = как лук +flavor-complex-eggplant = как баклажан +flavor-complex-carrot = как морковь +flavor-complex-cabbage = как капуста +flavor-complex-potatoes = как картофель +flavor-complex-pumpkin = как тыква +flavor-complex-mushroom = как грибы +flavor-complex-tomato = как помидоры +flavor-complex-corn = как кукуруза +flavor-complex-banana = как бананы +flavor-complex-apple = как яблоки +flavor-complex-cotton = как хлопок +flavor-complex-pear = как груша +flavor-complex-bungo = как бунго +flavor-complex-raisins = как сушеный виноград +flavor-complex-orange = как апельсины +flavor-complex-watermelon = как арбуз +flavor-complex-garlic = как чеснок +flavor-complex-grape = как виноград +flavor-complex-berry = как ягоды +flavor-complex-meatballs = как фрикадельки +flavor-complex-nettles = как крапива +flavor-complex-jungle = как джунгли +flavor-complex-vegetables = как овощи + +## Complex foodstuffs (cooked foods, joke flavors, etc) + +flavor-complex-pink = как розовый +flavor-complex-curry = как карри +flavor-complex-borsch-1 = как борщ +flavor-complex-borsch-2 = как бортщ +flavor-complex-borsch-3 = как борстч +flavor-complex-borsch-4 = как борш +flavor-complex-borsch-5 = как борщч +flavor-complex-mre-brownie = как дешевый брауни +flavor-complex-fortune-cookie = как случайность +flavor-complex-nutribrick = как будто вы воюете в джунглях. +flavor-complex-cheap-noodles = как дешёвая лапша +flavor-complex-syndi-cakes = как сытный фруктовый пирог +flavor-complex-sus-jerky = как сас +flavor-complex-boritos = как гейминг +flavor-complex-nachos = как начос +flavor-complex-donk = как дешёвая пицца +flavor-complex-copypasta = как повторяющаяся шутка +flavor-complex-memory-leek = как форк-бомба +flavor-complex-bad-joke = как плохая шутка +flavor-complex-gunpowder = как порох +flavor-complex-validhunting = как валидхантинг + +# Drink-specific flavors. + +flavor-complex-people = как люди +flavor-complex-cat = как кошка +flavor-complex-homerun = как хоум-ран +flavor-complex-grass = как трава +flavor-complex-flare = как дымовая шашка +flavor-complex-cobwebs = как паутина +flavor-complex-sadness = как тоска +flavor-complex-hope = как надежда +flavor-complex-chaos = как хаос +flavor-complex-squirming = как шевеление +flavor-complex-electrons = как электроны +flavor-complex-parents = как чьи-то родители +flavor-complex-plastic = как пластик +flavor-complex-glue = как клей +flavor-complex-spaceshroom-cooked = как космический умами +flavor-complex-lost-friendship = как прошедшая дружба + +## Generic alcohol/soda taste. This should be replaced with an actual flavor profile. + +flavor-complex-light = как будто погас свет +flavor-complex-profits = как выкода +flavor-complex-fishops = как крабовые палочки +flavor-complex-violets = как фиалки +flavor-complex-alcohol = как алкоголь +flavor-complex-soda = как газировка +flavor-complex-juice = как сок + +## Basic drinks + +flavor-complex-rocksandstones = как скалы и камни +flavor-complex-water = как вода +flavor-complex-beer = как моча +flavor-complex-ale = как хлеб +flavor-complex-cola = как кола +flavor-complex-cognac = как сухой острый алкоголь +flavor-complex-mead = как перебродивший мёд +flavor-complex-vermouth = like herbal grape rinds +flavor-complex-vodka = как забродившее зерно +flavor-complex-tonic-water = как злая вода +flavor-complex-tequila = как забродившая смерть +flavor-complex-energy-drink = как серная кислота +flavor-complex-dr-gibb = like malpractice +flavor-complex-grape-soda = like grape soda +flavor-complex-lemon-lime-soda = like lemon-lime soda +flavor-complex-pwr-game-soda = like gaming +flavor-complex-root-beer-soda = like root beer +flavor-complex-citrus-soda = как цитрусовая газировка +flavor-complex-space-up-soda = как космос +flavor-complex-starkist-soda = как апельсиновая газировка +flavor-complex-fourteen-loko-soda = like sweet malt +flavor-complex-sake = как сладкий, алкогольный рис +flavor-complex-rum = как забродивший сахар +flavor-complex-coffee-liquor = как крепкий, горький кофе +flavor-complex-whiskey = как патока +flavor-complex-shitty-wine = как виноградная кожура +flavor-complex-iced-tea = как холодный чай +flavor-complex-champagne = как свежеиспечённый хлеб +flavor-complex-coffee = как кофе +flavor-complex-milk = как молоко +flavor-complex-tea = как чай +flavor-complex-ice = как лёд + +## Cocktails + +flavor-complex-long-island = подозрительно похож на холодный чай +flavor-complex-mopwata = как протухшая, грязная вода +flavor-complex-three-mile-island = как чай, заваренный в ядерных отходах +flavor-complex-whiskey-cola = как газированная патока +flavor-complex-singulo = как бездонная дыра +flavor-complex-syndie-bomb = как горький виски +flavor-complex-root-beer-float = как мороженое с рутбиром +flavor-complex-black-russian = как кофе с алкоголем +flavor-complex-white-russian = как сладкое кофе с алкоголем +flavor-complex-moonshine = как чистый спирт +flavor-complex-tequila-sunrise = как мексиканское утро +flavor-complex-irish-coffee = как пробуждение алкоголика +flavor-complex-iced-beer = как ледяная моча +flavor-complex-gargle-blaster = как будто кто-то ударил вас по голове золотым слитком, покрытым лимоном. +flavor-complex-bloody-mary = как тяжелое похмелье +flavor-complex-beepsky = как нефть и виски +flavor-complex-banana-honk = как банановый милкшейк +flavor-complex-atomic-bomb = как ядерная пустошь +flavor-complex-atomic-cola = как накопление бутылочных крышек +flavor-complex-cuba-libre = как крепкая кола +flavor-complex-gin-tonic = как крепкая газировка с лимоном и лаймом +flavor-complex-screwdriver = как крепкий апельсиновый сок +flavor-complex-cogchamp = как латунь +flavor-complex-themartinez = как фиалки и лимонная водка +flavor-complex-irish-car-bomb = like a spiked cola float + +### This is exactly what pilk tastes like. I'm not even joking. I might've been a little drunk though + +flavor-complex-white-gilgamesh = как слегка газированные сливки +flavor-complex-antifreeze = как тепло +flavor-complex-pilk = как сладкое молоко + +# Medicine/chemical-specific flavors. + + +## Generic flavors. + +flavor-complex-medicine = как лекарство +flavor-complex-carpet = как горсть шерсти +flavor-complex-bee = беспчеловечно +flavor-complex-sax = как джаз +flavor-complex-bottledlightning = как молния в бутылке +flavor-complex-punishment = как наказание +flavor-weh = like weh diff --git a/Resources/Locale/ru-RU/fluids/components/absorbent-component.ftl b/Resources/Locale/ru-RU/fluids/components/absorbent-component.ftl new file mode 100644 index 00000000000..dddeb5a103d --- /dev/null +++ b/Resources/Locale/ru-RU/fluids/components/absorbent-component.ftl @@ -0,0 +1,7 @@ +mopping-system-target-container-empty = В { CAPITALIZE($target) } пусто! +mopping-system-target-container-empty-water = В { CAPITALIZE($target) } нет воды! +mopping-system-puddle-space = В { $used } полно воды +mopping-system-puddle-evaporate = { $target } испаряется +mopping-system-no-water = В { $used } нет воды! +mopping-system-full = { $used } заполнена! +mopping-system-empty = { $used } пуста! diff --git a/Resources/Locale/ru-RU/fluids/components/bucket-component.ftl b/Resources/Locale/ru-RU/fluids/components/bucket-component.ftl new file mode 100644 index 00000000000..54e16088f55 --- /dev/null +++ b/Resources/Locale/ru-RU/fluids/components/bucket-component.ftl @@ -0,0 +1,3 @@ +bucket-component-bucket-is-empty-message = Ведро пустое +bucket-component-mop-is-now-wet-message = Швабра теперь мокрая +bucket-component-mop-is-now-dry-message = Швабра теперь сухая diff --git a/Resources/Locale/ru-RU/fluids/components/drain-component.ftl b/Resources/Locale/ru-RU/fluids/components/drain-component.ftl new file mode 100644 index 00000000000..8866eb05cbc --- /dev/null +++ b/Resources/Locale/ru-RU/fluids/components/drain-component.ftl @@ -0,0 +1,8 @@ +drain-component-empty-verb-using-is-empty-message = В { $object } пусто! +drain-component-empty-verb-target-is-full-message = Устройство { $object } переполнилось! +drain-component-empty-verb-inhand = Вылить { $object } +drain-component-examine-hint-full = [color=cyan]Заполнено до краёв. Может, вантуз поможет?[/color] +drain-component-examine-volume = [color=cyan]Доступный объём - { $volume } ед.[/color] +drain-component-unclog-fail = Устройство { $object } всё ещё переполнено. +drain-component-unclog-success = Устройство { $object } было прочищено. +drain-component-unclog-notapplicable = Это не переполнено. diff --git a/Resources/Locale/ru-RU/fluids/components/puddle-component.ftl b/Resources/Locale/ru-RU/fluids/components/puddle-component.ftl new file mode 100644 index 00000000000..e9165d4c0d1 --- /dev/null +++ b/Resources/Locale/ru-RU/fluids/components/puddle-component.ftl @@ -0,0 +1,5 @@ +puddle-component-examine-is-slipper-text = Выглядит [color=#169C9C]скользко[/color]. +puddle-component-examine-evaporating = [color=#5E7C16]Испаряется[/color]. +puddle-component-examine-evaporating-partial = [color=#FED83D]Частично испаряется[/color]. +puddle-component-examine-evaporating-no = [color=#B02E26]Не испаряется[/color]. +puddle-component-slipped-touch-reaction = Вещества из { $puddle } попали на вашу кожу! diff --git a/Resources/Locale/ru-RU/fluids/components/spillable-component.ftl b/Resources/Locale/ru-RU/fluids/components/spillable-component.ftl new file mode 100644 index 00000000000..46a93cc9659 --- /dev/null +++ b/Resources/Locale/ru-RU/fluids/components/spillable-component.ftl @@ -0,0 +1,10 @@ +## SpillTargetVerb + +spill-target-verb-get-data-text = Выплеснуть +spill-target-verb-activate-cannot-drain-message = Вы не можете ничего выплеснуть из { $owner }! +spill-target-verb-activate-is-empty-message = В { $owner } пусто! +spill-melee-hit-attacker = Вы выплёскиваете { $amount } ед. содержимого { $spillable } на { $target }! +spill-melee-hit-others = { CAPITALIZE($attacker) } выплёскивает содержимое { $spillable } на { $target }! +spill-land-spilled-on-other = { CAPITALIZE($spillable) } выплёскивает своё содержимое на { $target }! +spill-examine-is-spillable = Этот контейнер можно выплеснуть. +spill-examine-spillable-weapon = Вы можете выплеснуть это на кого-то, атаковав в ближнем бою. diff --git a/Resources/Locale/ru-RU/fluids/components/spray-component.ftl b/Resources/Locale/ru-RU/fluids/components/spray-component.ftl new file mode 100644 index 00000000000..ef9d86068f8 --- /dev/null +++ b/Resources/Locale/ru-RU/fluids/components/spray-component.ftl @@ -0,0 +1 @@ +spray-component-is-empty-message = Пусто! diff --git a/Resources/Locale/ru-RU/foldable/components/foldable-component.ftl b/Resources/Locale/ru-RU/foldable/components/foldable-component.ftl new file mode 100644 index 00000000000..c26e35cf8f7 --- /dev/null +++ b/Resources/Locale/ru-RU/foldable/components/foldable-component.ftl @@ -0,0 +1,6 @@ +# Foldable + +foldable-deploy-fail = Вы не можете разложить { $object } здесь. +fold-verb = Сложить +unfold-verb = Разложить +fold-flip-verb = Перевернуть diff --git a/Resources/Locale/ru-RU/follower/follow-verb.ftl b/Resources/Locale/ru-RU/follower/follow-verb.ftl new file mode 100644 index 00000000000..1ff65ccc10c --- /dev/null +++ b/Resources/Locale/ru-RU/follower/follow-verb.ftl @@ -0,0 +1,2 @@ +verb-follow-text = Следовать +verb-follow-me-text = Заставить следовать diff --git a/Resources/Locale/ru-RU/forensics/fibers.ftl b/Resources/Locale/ru-RU/forensics/fibers.ftl new file mode 100644 index 00000000000..ea092602ab4 --- /dev/null +++ b/Resources/Locale/ru-RU/forensics/fibers.ftl @@ -0,0 +1,23 @@ +forensic-fibers = { LOC($material) } волокна +forensic-fibers-colored = { LOC($color) } { LOC($material) } волокна +fibers-insulative = изолирующие +fibers-synthetic = синтетические +fibers-leather = кожаные +fibers-durathread = дюратканевые +fibers-latex = латексные +fibers-nitrile = нитриловые +fibers-nanomachines = изолирующие наномашинные +fibers-chameleon = голографические хамелеонные +fibers-rubber = rubber +fibers-purple = фиолетовые +fibers-red = красные +fibers-black = чёрные +fibers-blue = синие +fibers-brown = коричневые +fibers-grey = серые +fibers-green = зелёные +fibers-orange = оранжевые +fibers-white = белые +fibers-yellow = жёлтые +fibers-regal-blue = королевские синие +fibers-olive = оливковые diff --git a/Resources/Locale/ru-RU/forensics/forensics.ftl b/Resources/Locale/ru-RU/forensics/forensics.ftl new file mode 100644 index 00000000000..635348b0eaf --- /dev/null +++ b/Resources/Locale/ru-RU/forensics/forensics.ftl @@ -0,0 +1,24 @@ +forensic-scanner-interface-title = Криминалистический сканер +forensic-scanner-interface-fingerprints = Отпечатки +forensic-scanner-interface-fibers = Волокна +forensic-scanner-interface-dnas = ДНК +forensic-scanner-interface-residues = Residues +forensic-scanner-interface-no-data = Нет данных для сканирования +forensic-scanner-interface-print = Распечатать +forensic-scanner-interface-clear = Очистить +forensic-scanner-report-title = Заключение криминалистической экспертизы: { $entity } +forensic-pad-unused = Она ещё не использовалась +forensic-pad-sample = Она содержит образец: { $sample } +forensic-pad-gloves = { CAPITALIZE($target) } носит перчатки. +forensic-pad-start-scan-target = { CAPITALIZE($user) } пытается снять отпечатки ваших пальцев. +forensic-pad-start-scan-user = Вы начинаете снимать отпечатки пальцев { CAPITALIZE($target) }. +forensic-pad-already-used = Эта пластинка уже использована. +forensic-scanner-match-fiber = Найдены совпадения по волокнам! +forensic-scanner-match-fingerprint = Найдены совпадения по отпечаткам пальцев! +forensic-scanner-match-none = Совпадений не найдено! +forensic-scanner-printer-not-ready = Принтер не готов. +forensic-scanner-verb-text = Сканировать +forensic-scanner-verb-message = Выполняется криминалистическое сканирование +forensic-pad-fingerprint-name = владелец отпечатков: { $entity } +forensic-pad-gloves-name = источник волокон: { $entity } +forensics-cleaning = Вы стираете отпечатки с { THE($target) }... diff --git a/Resources/Locale/ru-RU/forensics/residues.ftl b/Resources/Locale/ru-RU/forensics/residues.ftl new file mode 100644 index 00000000000..2c0baffc974 --- /dev/null +++ b/Resources/Locale/ru-RU/forensics/residues.ftl @@ -0,0 +1,9 @@ +forensic-residue = { LOC($adjective) } остаток +forensic-residue-colored = { LOC($adjective) } { LOC($color) } остаток +residue-unknown = неизвестно +residue-slippery = скользкий +residue-green = зеленый +residue-blue = синий +residue-red = красный +residue-grey = серый +residue-brown = коричневый diff --git a/Resources/Locale/ru-RU/game-ticking/forcemap-command.ftl b/Resources/Locale/ru-RU/game-ticking/forcemap-command.ftl new file mode 100644 index 00000000000..224d2bf1b72 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/forcemap-command.ftl @@ -0,0 +1,7 @@ +## Forcemap command loc. + +forcemap-command-description = Заставляет игру начать с заданной карты в следующем раунде. +forcemap-command-help = forcemap +forcemap-command-need-one-argument = forcemap принимает один аргумент — путь к файлу карты. +forcemap-command-success = В следующем раунде игра принудительно начнется с карты { $map }. +forcemap-command-arg-map = diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-allatonce.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-allatonce.ftl new file mode 100644 index 00000000000..b2e62f8ed06 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-allatonce.ftl @@ -0,0 +1,2 @@ +all-at-once-title = Всё и Сразу +all-at-once-description = Просто не твой день... diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-deathmatch.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-deathmatch.ftl new file mode 100644 index 00000000000..ca2f14282cd --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-deathmatch.ftl @@ -0,0 +1,77 @@ +death-match-title = Смертельная битва +death-match-description = Убейте всё, что движется! +death-match-name-player = [bold]{ $name }[/bold] ([italic]{ $username }[/italic]) +death-match-name-npc = [bold]{ $name }[/bold] +death-match-assist = { $primary }, с помощью { $secondary }, +death-match-kill-callout-0 = { CAPITALIZE($killer) } убил { $victim }! +death-match-kill-callout-1 = { CAPITALIZE($killer) } завалил { $victim }! +death-match-kill-callout-2 = { CAPITALIZE($killer) } фрагнул { $victim }! +death-match-kill-callout-3 = { CAPITALIZE($killer) } разнёс { $victim }! +death-match-kill-callout-4 = { CAPITALIZE($killer) } превратил { $victim } в фарш! +death-match-kill-callout-5 = { CAPITALIZE($killer) } вальнул { $victim }! +death-match-kill-callout-6 = { CAPITALIZE($killer) } перевернул и вытряхнул { $victim }! +death-match-kill-callout-7 = { CAPITALIZE($killer) } испоганил { $victim }! +death-match-kill-callout-8 = { CAPITALIZE($killer) } отправил { $victim } в ад! +death-match-kill-callout-9 = { CAPITALIZE($killer) } станцевал на могиле { $victim }! +death-match-kill-callout-10 = { CAPITALIZE($killer) } стёр с лица земли { $victim }! +death-match-kill-callout-11 = { CAPITALIZE($killer) } переробастил { $victim }! +death-match-kill-callout-12 = { CAPITALIZE($killer) } применил тулбокс на { $victim } и получил труп! +death-match-kill-callout-13 = { CAPITALIZE($killer) } заставил { $victim } глотать пыль! +death-match-kill-callout-14 = { CAPITALIZE($killer) } запостил компиляцию кринжа с { $victim }! +death-match-kill-callout-15 = { CAPITALIZE($killer) } увидел, как { $victim } постит в #предложения! +death-match-kill-callout-16 = { CAPITALIZE($killer) } Doom (1993)-нул { $victim }! +death-match-kill-callout-17 = { CAPITALIZE($killer) } унизил { $victim }! +death-match-kill-callout-18 = { CAPITALIZE($killer) } небезопасно извлёк флешку { $victim }! +death-match-kill-callout-19 = { CAPITALIZE($killer) } удалил папку System32 с ПК { $victim }! +death-match-kill-callout-20 = { CAPITALIZE($killer) } бвоинкнул { $victim }! +death-match-kill-callout-21 = { CAPITALIZE($killer) } воткикнул { $victim } с острова! +death-match-kill-callout-22 = { CAPITALIZE($killer) } воткикнул { $victim } потому что sus! +death-match-kill-callout-23 = { CAPITALIZE($killer) } заставил { $victim } кодить для SS14! +death-match-kill-callout-24 = { CAPITALIZE($killer) } заставил { $victim } кодить для OpenDream! +death-match-kill-callout-25 = { CAPITALIZE($killer) } заставил { $victim } кодить для BYOND! +death-match-kill-callout-26 = { CAPITALIZE($killer) } буквально 1984 { $victim }! +death-match-kill-callout-27 = { CAPITALIZE($killer) } устроил экспресс-доставку { $victim } к Богу! +death-match-kill-callout-28 = { CAPITALIZE($killer) } убил { $victim } насмешкой! +death-match-kill-callout-29 = { CAPITALIZE($killer) } похвалил причёску { $victim }! +death-match-kill-callout-30 = { CAPITALIZE($killer) } перевернул { $victim } в гробу! +death-match-kill-callout-31 = { CAPITALIZE($killer) } столкнул { $victim } с лестницы! +death-match-kill-callout-32 = { CAPITALIZE($killer) } устроил для { $victim } Укус '87! +death-match-kill-callout-33 = { CAPITALIZE($killer) } увидел пост { $victim } на реддите! +death-match-kill-callout-34 = { CAPITALIZE($killer) } зарепортил { $victim } админ-составу! +death-match-kill-callout-35 = { CAPITALIZE($killer) } weh'нул { $victim }! +death-match-kill-callout-36 = { CAPITALIZE($killer) } превратил { $victim } в ремейк SS13! +death-match-kill-callout-37 = { CAPITALIZE($killer) } заставил { $victim } играть в Xonotic! +death-match-kill-callout-38 = { CAPITALIZE($killer) } отправил { $victim } в Бразилию! +death-match-kill-callout-39 = { CAPITALIZE($killer) } эпично хакнул { $victim }! +death-match-kill-callout-40 = { CAPITALIZE($killer) } закрыл PR { $victim }! +death-match-kill-callout-41 = { CAPITALIZE($killer) } увидел, как { $victim } мержит кринж в master! +death-match-kill-callout-42 = { CAPITALIZE($killer) } наблюдал, как { $victim } постит сергалов на главной! +death-match-kill-callout-43 = { CAPITALIZE($killer) } не обошёлся нежно с { $victim }! +death-match-kill-callout-44 = { CAPITALIZE($killer) } шлёпнул { $victim }! +death-match-kill-callout-45 = { CAPITALIZE($killer) } кокнул { $victim }! +death-match-kill-callout-46 = { CAPITALIZE($killer) } встряхнул { $victim } перед тем, как пить! +death-match-kill-callout-47 = { CAPITALIZE($killer) } водил пьяным и сбил { $victim }! +death-match-kill-callout-48 = { CAPITALIZE($killer) } превратил { $victim } в продаваемую фигурку! +death-match-kill-callout-49 = { CAPITALIZE($killer) } напомнил { $victim }, что он смертен! +death-match-kill-callout-50 = { CAPITALIZE($killer) } ratio'd-нул { $victim }! +death-match-kill-callout-51 = { CAPITALIZE($killer) } ctrl-alt-delete-нул { $victim }! +death-match-kill-callout-52 = { CAPITALIZE($killer) } бонкнул { $victim }! +death-match-kill-callout-53 = { CAPITALIZE($killer) } зароллил крит по { $victim }! +death-match-kill-callout-54 = { CAPITALIZE($killer) } преподал { $victim } ценный урок! +death-match-kill-callout-55 = { CAPITALIZE($killer) } совершил хоум-ран по { $victim }! +death-match-kill-callout-56 = { CAPITALIZE($killer) } данк-нул { $victim }! +death-match-kill-callout-57 = { CAPITALIZE($killer) } уничтожил { $victim } на стиле! +death-match-kill-callout-58 = { CAPITALIZE($killer) } нагрубил { $victim }! +death-match-kill-callout-59 = { CAPITALIZE($killer) } послал голосовое сообщение { $victim }! +death-match-kill-callout-60 = { CAPITALIZE($killer) } столкнул { $victim } со ступенек! +death-match-kill-callout-env-0 = { CAPITALIZE($victim) } потерял суть! +death-match-kill-callout-env-1 = { CAPITALIZE($victim) } был унижен! +death-match-kill-callout-env-2 = { CAPITALIZE($victim) } просто выглядел как идиот! +death-match-kill-callout-env-3 = { CAPITALIZE($victim) } испытал skill issue! +death-match-kill-callout-env-4 = { CAPITALIZE($victim) } выглядел очень глупо! +death-match-kill-callout-env-5 = { CAPITALIZE($victim) } избавил себя от страданий! +death-match-kill-callout-env-6 = { CAPITALIZE($victim) } устал от жизни! +death-match-kill-callout-env-7 = { CAPITALIZE($victim) } недотрайхардил! +death-match-kill-callout-env-8 = { CAPITALIZE($victim) } вынес себя с мусором! +death-match-kill-callout-env-9 = { CAPITALIZE($victim) } накринжил! +death-match-kill-callout-env-10 = { CAPITALIZE($victim) } довыпендривался! diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-extended.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-extended.ftl new file mode 100644 index 00000000000..50527f2dc1f --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-extended.ftl @@ -0,0 +1,2 @@ +extended-title = Расширенный +extended-description = Спокойный игровой опыт. Потребуется вмешательство администраторов. diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-greenshift.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-greenshift.ftl new file mode 100644 index 00000000000..dc31958a81f --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-greenshift.ftl @@ -0,0 +1,2 @@ +greenshift-title = Чистый воздух +greenshift-description = Режим для проведения ивентов администрацией, без случайных событий. diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-nukeops.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-nukeops.ftl new file mode 100644 index 00000000000..584bde4c260 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-nukeops.ftl @@ -0,0 +1,29 @@ +nukeops-title = Ядерные оперативники +nukeops-description = Ядерные оперативники нацелились на станцию. Постарайтесь не дать им взвести и взорвать ядерную бомбу, защищая ядерный диск! +nukeops-welcome = + Вы - ядерный оперативник. Ваша задача - взорвать { $station } и убедиться, что от неё осталась лишь груда обломков. Ваше руководство, Синдикат, снабдило вас всем необходимым для выполнения этой задачи. + Смерть Nanotrasen! +nukeops-opsmajor = [color=crimson]Крупная победа Синдиката![/color] +nukeops-opsminor = [color=crimson]Малая победа Синдиката![/color] +nukeops-neutral = [color=yellow]Ничейный исход![/color] +nukeops-crewminor = [color=green]Малая победа экипажа![/color] +nukeops-crewmajor = [color=green]Разгромная победа экипажа![/color] +nukeops-cond-nukeexplodedoncorrectstation = Ядерным оперативникам удалось взорвать станцию. +nukeops-cond-nukeexplodedonnukieoutpost = Аванпост ядерных оперативников был уничтожен ядерным взрывом. +nukeops-cond-nukeexplodedonincorrectlocation = Ядерная бомба взорвалась вне станции. +nukeops-cond-nukeactiveinstation = Ядерная бомба была оставлена взведённой на станции. +nukeops-cond-nukeactiveatcentcom = Ядерная бомба была доставлена Центральному командованию! +nukeops-cond-nukediskoncentcom = Экипаж улетел с диском ядерной аутентификации. +nukeops-cond-nukedisknotoncentcom = Экипаж оставил диск ядерной аутентификации на станции. +nukeops-cond-nukiesabandoned = Ядерные оперативники были брошены. +nukeops-cond-allnukiesdead = Все ядерные оперативники погибли. +nukeops-cond-somenukiesalive = Несколько ядерных оперативников погибли. +nukeops-cond-allnukiesalive = Все ядерные оперативники выжили. +nukeops-list-start = Ядерными оперативниками были: +nukeops-list-name = - [color=White]{ $name }[/color] +nukeops-list-name-user = - [color=White]{ $name }[/color] ([color=gray]{ $user }[/color]) +nukeops-not-enough-ready-players = Недостаточно игроков готовы к игре! { $readyPlayersCount } игроков из необходимых { $minimumPlayers } готовы. Нельзя запустить пресет Ядерные оперативники. +nukeops-no-one-ready = Нет готовых игроков! Нельзя запустить пресет Ядерные оперативники. +nukeops-role-commander = Командир +nukeops-role-agent = Агент +nukeops-role-operator = Оператор diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-pirates.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-pirates.ftl new file mode 100644 index 00000000000..a9e39ec2936 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-pirates.ftl @@ -0,0 +1,24 @@ +pirates-title = Каперы +pirates-description = Группа каперов приближается к вашей скромной станции. Враждебны они или нет, их единственная цель - закончить раунд с максимальным количеством безделушек на своем корабле. +pirates-no-ship = При неизвестных обстоятельствах корабль каперов был окончательно и бесповоротно уничтожен. Ноль очков. +pirates-final-score = + Предприятие каперов принесло им { $score } { $score -> + [one] кредит + [few] кредита + *[other] кредитов + }, за воровство +pirates-final-score-2 = + безделушек, на общую сумму в { $finalPrice } { $finalPrice -> + [one] кредит + [few] кредита + *[other] кредитов + }. +pirates-list-start = Каперами были: +pirates-most-valuable = Самыми ценными украденными предметами были: +pirates-stolen-item-entry = + { $entity } ({ $credits } { $credits -> + [one] кредит + [few] кредита + *[other] кредитов + }) +pirates-stole-nothing = - Каперы не украли вообще ничего. Тычьте пальцем и насмехайтесь. 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 new file mode 100644 index 00000000000..65408aac9a4 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-revolutionary.ftl @@ -0,0 +1,62 @@ +## Rev Head + +roles-antag-rev-head-name = Глава революции +roles-antag-rev-head-objective = Ваша задача - захватить станцию, склонив членов экипажа на свою сторону, и уничтожив весь командный состав станции. +head-rev-role-greeting = + Вы - глава революции. + Вам поручено устранить весь командный состав станции путём убийства или изгнания за борт. + Синдикат проспонсировал вас особой вспышкой, которая конвертирует членов экипажа на вашу сторону. + Осторожно, она не сработает на сотрудниках службы безопасности, членах командного состава, и на тех, кто носит солнцезащитные очки. + Viva la revolución! +head-rev-briefing = + Используйте вспышки, чтобы конвертировать членов экипажа на свою сторону. + Убейте всех глав, чтобы захватить станцию. +head-rev-break-mindshield = Щит разума был уничтожен! + +## Rev + +roles-antag-rev-name = Революционер +roles-antag-rev-objective = Ваша задача - защищать и выполнять приказы глав революции, а также уничтожить весь командный состав станции. +rev-break-control = { $name } { $gender -> + [male] вспомнил, кому он верен + [female] вспомнила, кому она верна + [epicene] вспомнили, кому они верни + *[neuter] вспомнило, кому оно верно + } на самом деле! +rev-role-greeting = + Вы - Революционер. + Вам поручено захватить станцию и защищать глав революции. + Уничтожьте весь командный состав станции. + Viva la revolución! +rev-briefing = Помогите главам революции уничтожить командование станции, чтобы захватить её. + +## General + +rev-title = Революционеры +rev-description = Революционеры среди нас. +rev-not-enough-ready-players = Недостаточно игроков готовы к игре! { $readyPlayersCount } игроков из необходимых { $minimumPlayers } готовы. Нельзя запустить пресет Революционеры. +rev-no-one-ready = Нет готовых игроков! Нельзя запустить пресет Революционеры. +rev-no-heads = Нет кандидатов на роль главы революции. Нельзя запустить пресет Революционеры. +rev-all-heads-dead = Все главы мертвы, теперь разберитесь с оставшимися членами экипажа! +rev-won = Главы революции выжили и уничтожили весь командный состав станции. +rev-headrev-count = { $initialCount -> + [one] Глава революции был один: + *[other] Глав революции было { $initialCount }: + } +rev-lost = Члены командного состава станции выжили и уничтожили всех глав революции. +rev-stalemate = Главы революции и командный состав станции погибли. Это ничья. +rev-headrev-name-user = [color=#5e9cff]{ $name }[/color] ([color=gray]{ $username }[/color]) конвертировал { $count } { $count -> + [one] члена + *[other] членов + } экипажа +rev-headrev-name = [color=#5e9cff]{ $name }[/color] конвертировал { $count } { $count -> + [one] члена + *[other] членов + } экипажа +rev-reverse-stalemate = Главы революции и командный состав станции выжили. +rev-deconverted-title = Разконвертированы! +rev-deconverted-text = + Со смертью последнего главы революции, революция оканчивается. + + Вы больше не революционер, так что ведите себя хорошо. +rev-deconverted-confirm = Подтвердить diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-sandbox.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-sandbox.ftl new file mode 100644 index 00000000000..e2d94f84e2c --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-sandbox.ftl @@ -0,0 +1,2 @@ +sandbox-title = Песочница +sandbox-description = Никакого стресса, только ваш креатив! diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-secret.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-secret.ftl new file mode 100644 index 00000000000..ad11ccd875f --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-secret.ftl @@ -0,0 +1,2 @@ +secret-title = Секрет +secret-description = Это секрет для всех. Угрозы, с которыми вы сталкиваетесь, рандомизированы. diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-survival.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-survival.ftl new file mode 100644 index 00000000000..fd28baaf0c5 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-survival.ftl @@ -0,0 +1,2 @@ +survival-title = Выживание +survival-description = Внутренние угрозы отсутствуют, но как долго станция сможет продержаться в обстановке все более разрушительных и частых событий? diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-suspicion.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-suspicion.ftl new file mode 100644 index 00000000000..8aa9e2d3283 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-suspicion.ftl @@ -0,0 +1,2 @@ +suspicion-title = Подозрения +suspicion-description = Подозрения разгораются на станции. На борту есть предатели... Сможете ли вы убить их до того, как они убьют вас? diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-thief.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-thief.ftl new file mode 100644 index 00000000000..9c08fe5b26b --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-thief.ftl @@ -0,0 +1,16 @@ +thief-role-greeting-human = + Вы преступное отродье, клептоман + ранее арестованное за свои преступления. + Вам необходимо пополнить свою коллецию. + Вам насильно имплантировали имплант миролюбия после прошлого ареста, + но это не остановит вас от совершения преступлений. +thief-role-greeting-animal = + Вы животное клептоман. + Воруйте всё что понравится. +thief-role-greeting-equipment = + У вас есть воровской тулбокс + с разнообразным снаряжением. + Выбери своё стартовое снаряжение, + и делай свою работу скрытно. +objective-issuer-thief = [color=#746694]Криминал[/color] +thief-round-end-agent-name = Вор diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-traitor.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-traitor.ftl new file mode 100644 index 00000000000..97b07776032 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-traitor.ftl @@ -0,0 +1,40 @@ +## Traitor + +# Shown at the end of a round of Traitor +traitor-round-end-agent-name = предатель +objective-issuer-syndicate = [color=#87cefa]Синдикат[/color] +traitor-round-end-codewords = Кодовыми словами были: [color=White]{ $codewords }[/color]. +traitor-title = Предатели +traitor-description = Среди нас есть предатели... +traitor-not-enough-ready-players = Недостаточно игроков готовы к игре! Из { $minimumPlayers } необходимых игроков готовы { $readyPlayersCount }. Нельзя запустить пресет Предатели. +traitor-no-one-ready = Нет готовых игроков! Нельзя запустить пресет Предатели. + +## TraitorDeathMatch + +traitor-death-match-title = Бой насмерть предателей +traitor-death-match-description = Все — предатели. Все хотят смерти друг друга. +traitor-death-match-station-is-too-unsafe-announcement = На станции слишком опасно, чтобы продолжать. У вас есть одна минута. +traitor-death-match-end-round-description-first-line = КПК были восстановлены... +traitor-death-match-end-round-description-entry = КПК { $originalName }, с { $tcBalance } ТК + +## TraitorRole + +# TraitorRole +traitor-role-greeting = + Вы - агент Синдиката. + Ваши цели и кодовые слова перечислены в меню персонажа. + Воспользуйтесь аплинком, встроенным в ваш КПК, чтобы приобрести всё необходимое для выполнения работы. + Смерть Nanotrasen! +traitor-role-codewords = + Кодовые слова следующие: + { $codewords } + Кодовые слова можно использовать в обычном разговоре, чтобы незаметно идентифицировать себя для других агентов Синдиката. + Прислушивайтесь к ним и храните их в тайне. +traitor-role-uplink-code = + Установите рингтон Вашего КПК на { $code } чтобы заблокировать или разблокировать аплинк. + Не забудьте заблокировать его и сменить код, иначе кто угодно из экипажа станции сможет открыть аплинк! +# don't need all the flavour text for character menu +traitor-role-codewords-short = + Кодовые слова: + { $codewords }. +traitor-role-uplink-code-short = Ваш код аплинка: { $code }. diff --git a/Resources/Locale/ru-RU/game-ticking/game-presets/preset-zombies.ftl b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-zombies.ftl new file mode 100644 index 00000000000..51cdb2063b2 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-presets/preset-zombies.ftl @@ -0,0 +1,27 @@ +zombie-title = Зомби +zombie-description = На станции появились ожившие мертвецы! Работайте сообща с другими членами экипажа, чтобы пережить эпидемию и защитить станцию. +zombie-not-enough-ready-players = Недостаточно игроков готовы к игре! { $readyPlayersCount } игроков из необходимых { $minimumPlayers } готовы. Нельзя запустить пресет Зомби. +zombie-no-one-ready = Нет готовых игроков! Нельзя запустить пресет Зомби. +zombie-patientzero-role-greeting = Вы — нулевой пациент. Снарядитесь и подготовьтесь к своему превращению. Ваша цель - захватить станцию, заразив при этом как можно больше членов экипажа. +zombie-healing = Вы ощущаете шевеление в своей плоти +zombie-infection-warning = Вы чувствуете, как зомби-вирус берёт верх +zombie-infection-underway = Ваша кровь начинает сгущаться +zombie-alone = Вы чувствуете себя совершенно одиноким. +zombie-shuttle-call = Мы зафиксировали, что зомби захватили станцию. Аварийный шаттл был отправлен для эвакуации оставшегося персонала. +zombie-round-end-initial-count = + { $initialCount -> + [one] Единственным нулевым пациентом был: + *[other] Нулевых пациентов было { $initialCount }, ими были: + } +zombie-round-end-user-was-initial = - [color=plum]{ $name }[/color] ([color=gray]{ $username }[/color]) был одним из нулевых пациентов. +zombie-round-end-amount-none = [color=green]Все зомби были уничтожены![/color] +zombie-round-end-amount-low = [color=green]Почти все зомби были уничтожены.[/color] +zombie-round-end-amount-medium = [color=yellow]{ $percent }% экипажа были обращены в зомби.[/color] +zombie-round-end-amount-high = [color=crimson]{ $percent }% экипажа были обращены в зомби.[/color] +zombie-round-end-amount-all = [color=darkred]Весь экипаж обратился в зомби![/color] +zombie-round-end-survivor-count = + { $count -> + [one] Единственным выжившим стал: + *[other] Осталось всего { $count } выживших, это: + } +zombie-round-end-user-was-survivor = - [color=White]{ $name }[/color] ([color=gray]{ $username }[/color]) пережил заражение. diff --git a/Resources/Locale/ru-RU/game-ticking/game-rules/rule-death-match.ftl b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-death-match.ftl new file mode 100644 index 00000000000..3b0df62a381 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-death-match.ftl @@ -0,0 +1,3 @@ +rule-death-match-added-announcement = Теперь игра превратилась в бой насмерть. Убейте всех остальных, чтобы победить! +rule-death-match-check-winner-stalemate = Все мертвы, это патовая ситуация! +rule-death-match-check-winner = { $winner } побеждает в смертельном матче! diff --git a/Resources/Locale/ru-RU/game-ticking/game-rules/rule-suspicion.ftl b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-suspicion.ftl new file mode 100644 index 00000000000..8fb0e9be937 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-suspicion.ftl @@ -0,0 +1,8 @@ +rule-suspicion-added-announcement = На станции есть предатели! Найдите их и убейте! +rule-suspicion-traitor-time-has-run-out = Время для предателей истекло! +rule-suspicion-check-winner-stalemate = Все мертвы, это патовая ситуация! +rule-suspicion-check-winner-station-win = Предатели мертвы! Невиновные победили. +rule-suspicion-check-winner-traitor-win = Невиновные мертвы! Предатели победили. +rule-suspicion-end-round-innocents-victory = Невиновные победили! +rule-suspicion-end-round-traitors-victory = Предатели победили! +rule-suspicion-end-round-nobody-victory = Никто не победил! diff --git a/Resources/Locale/ru-RU/game-ticking/game-rules/rule-terminator.ftl b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-terminator.ftl new file mode 100644 index 00000000000..96d613547b0 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-terminator.ftl @@ -0,0 +1,10 @@ +terminator-round-end-agent-name = nt-800 +objective-issuer-susnet = [color=#d64119]Susnet[/color] +terminator-role-greeting = + Вы терминатор, бессердечный убийца, отправленный из будущего. + Вам необходимо устранить { $target }, { $job }. + Используй любые способы для достижения цели. + Смерть НТ. +terminator-role-briefing = Убить цель любой ценой. +terminator-endoskeleton-gib-popup = Плоть отпадает, обнажая блестящий эндоскелет! +terminator-endoskeleton-burn-popup = Плоть сгорает, обнажая блестящий эндоскелет! diff --git a/Resources/Locale/ru-RU/game-ticking/game-rules/rule-traitor.ftl b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-traitor.ftl new file mode 100644 index 00000000000..91d306ba68d --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-rules/rule-traitor.ftl @@ -0,0 +1 @@ +rule-traitor-added-announcement = Здравствуйте, экипаж! Хорошей смены! diff --git a/Resources/Locale/ru-RU/game-ticking/game-rules/rules.ftl b/Resources/Locale/ru-RU/game-ticking/game-rules/rules.ftl new file mode 100644 index 00000000000..d6a137af30c --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-rules/rules.ftl @@ -0,0 +1,15 @@ +# General +rule-restarting-in-seconds = + Перезапуск через { $seconds } { $seconds -> + [one] секунду + [few] секунды + *[other] секунд + }. +rule-time-has-run-out = Время вышло! +# Respawning +rule-respawn-in-seconds = + Возрождение через { $second } { $second -> + [one] секунду + [few] секунды + *[other] секунд + }... diff --git a/Resources/Locale/ru-RU/game-ticking/game-ticker.ftl b/Resources/Locale/ru-RU/game-ticking/game-ticker.ftl new file mode 100644 index 00000000000..37a533cd06c --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/game-ticker.ftl @@ -0,0 +1,44 @@ +game-ticker-restart-round = Перезапуск раунда... +game-ticker-start-round = Раунд начинается... +game-ticker-start-round-cannot-start-game-mode-fallback = Не удалось запустить режим { $failedGameMode }! Запускаем { $fallbackMode }... +game-ticker-start-round-cannot-start-game-mode-restart = Не удалось запустить режим { $failedGameMode }! Перезапуск раунда... +game-ticker-start-round-invalid-map = Выбранная карта { $map } не подходит для игрового режима { $mode }. Игровой режим может не функционировать как задумано... +game-ticker-unknown-role = Неизвестный +game-ticker-delay-start = Начало раунда было отложено на { $seconds } секунд. +game-ticker-pause-start = Начало раунда было приостановлено. +game-ticker-pause-start-resumed = Отсчет начала раунда возобновлен. +game-ticker-player-join-game-message = Добро пожаловать на Космическую Станцию 14! Если вы играете впервые, обязательно нажмите ESC на клавиатуре и прочитайте правила игры, а также не бойтесь просить помощи в "Админ помощь". +game-ticker-get-info-text = + Привет и добро пожаловать в [color=white]Space Station 14![/color] + Текущий раунд: [color=white]#{ $roundId }[/color] + Текущее количество игроков: [color=white]{ $playerCount }[/color] + Текущая карта: [color=white]{ $mapName }[/color] + Текущий режим игры: [color=white]{ $gmTitle }[/color] + >[color=yellow]{ $desc }[/color] +game-ticker-get-info-preround-text = + Привет и добро пожаловать в [color=white]Space Station 14![/color] + Текущий раунд: [color=white]#{ $roundId }[/color] + Текущее количество игроков: [color=white]{ $playerCount }[/color] ([color=white]{ $readyCount }[/color] { $readyCount -> + [one] готов + *[other] готовы + }) + Текущая карта: [color=white]{ $mapName }[/color] + Текущий режим игры: [color=white]{ $gmTitle }[/color] + >[color=yellow]{ $desc }[/color] +game-ticker-no-map-selected = [color=red]Карта ещё не выбрана![/color] +game-ticker-player-no-jobs-available-when-joining = При попытке присоединиться к игре ни одной роли не было доступно. +# Displayed in chat to admins when a player joins +player-join-message = Игрок { $name } зашёл! +player-first-join-message = Игрок { $name } зашёл на сервер впервые. +# Displayed in chat to admins when a player leaves +player-leave-message = Игрок { $name } вышел! +latejoin-arrival-announcement = + { $character } ({ $job }) { $gender -> + [male] прибыл + [female] прибыла + [epicene] прибыли + *[neuter] прибыл + } на станцию! +latejoin-arrival-sender = Станции +latejoin-arrivals-direction = Вскоре прибудет шаттл, который доставит вас на станцию. +latejoin-arrivals-direction-time = Шаттл, который доставит вас на станцию, прибудет через { $time }. diff --git a/Resources/Locale/ru-RU/game-ticking/set-game-preset-command.ftl b/Resources/Locale/ru-RU/game-ticking/set-game-preset-command.ftl new file mode 100644 index 00000000000..079f4f93df6 --- /dev/null +++ b/Resources/Locale/ru-RU/game-ticking/set-game-preset-command.ftl @@ -0,0 +1,4 @@ +set-game-preset-command-description = Установить игровой пресет для текущего раунда. +set-game-preset-command-help-text = setgamepreset +set-game-preset-preset-error = Не удается найти игровой пресет "{ $preset }" +set-game-preset-preset-set = Установить игровой пресет на "{ $preset }" diff --git a/Resources/Locale/ru-RU/gases/gases.ftl b/Resources/Locale/ru-RU/gases/gases.ftl new file mode 100644 index 00000000000..a3da9d3498a --- /dev/null +++ b/Resources/Locale/ru-RU/gases/gases.ftl @@ -0,0 +1,10 @@ +gases-oxygen = Кислород +gases-nitrogen = Азот +gases-co2 = Диоксид углерода +gases-plasma = Плазма +gases-tritium = Тритий +gases-water-vapor = Водяной пар +gases-ammonia = Аммиак +gases-miasma = Миазмы +gases-n2o = Оксид азота +gases-frezon = Фрезон diff --git a/Resources/Locale/ru-RU/gateway/gateway.ftl b/Resources/Locale/ru-RU/gateway/gateway.ftl new file mode 100644 index 00000000000..d1857e45894 --- /dev/null +++ b/Resources/Locale/ru-RU/gateway/gateway.ftl @@ -0,0 +1,12 @@ +gateway-window-title = Врата +gateway-window-ready = Готово! +gateway-window-ready-in = Готовы через: { $time }сек. +gateway-window-portal-cooldown = Cooldown +gateway-window-portal-unlock = Next unlock +gateway-window-locked = Locked +gateway-window-already-active = Уже открыт +gateway-window-open-portal = Открыть портал +gateway-window-no-destinations = Отсутствуют пункты назначения. +gateway-window-portal-closing = Портал закрывается +gateway-access-denied = Доступ запрещён! +gateway-close-portal = Закрыть портал diff --git a/Resources/Locale/ru-RU/generic.ftl b/Resources/Locale/ru-RU/generic.ftl new file mode 100644 index 00000000000..73be44187fd --- /dev/null +++ b/Resources/Locale/ru-RU/generic.ftl @@ -0,0 +1,9 @@ +generic-not-available-shorthand = Н/Д +generic-article-a = это +generic-article-an = это +generic-unknown = неизвестно +generic-unknown-title = Неизвестно +generic-error = ошибка +generic-invalid = недействительно +generic-hours = часов +generic-playtime-title = Игровое время diff --git a/Resources/Locale/ru-RU/ghost/components/ghost-component.ftl b/Resources/Locale/ru-RU/ghost/components/ghost-component.ftl new file mode 100644 index 00000000000..683dfa5402f --- /dev/null +++ b/Resources/Locale/ru-RU/ghost/components/ghost-component.ftl @@ -0,0 +1,3 @@ +ghost-component-on-examine-death-time-info-minutes = { $minutes } минут назад +ghost-component-on-examine-death-time-info-seconds = { $seconds } секунд назад +ghost-component-on-examine-message = Умер [color=yellow]{ $timeOfDeath }[/color]. diff --git a/Resources/Locale/ru-RU/ghost/ghost-gui.ftl b/Resources/Locale/ru-RU/ghost/ghost-gui.ftl new file mode 100644 index 00000000000..f4b4790a8dd --- /dev/null +++ b/Resources/Locale/ru-RU/ghost/ghost-gui.ftl @@ -0,0 +1,20 @@ +ghost-gui-return-to-body-button = Вернуться в тело +ghost-gui-ghost-warp-button = Телепорт призрака +ghost-gui-ghost-roles-button = Роли призраков ({ $count }) +ghost-gui-toggle-ghost-visibility-popup = Видимость других призраков изменена. +ghost-gui-toggle-lighting-manager-popup = Рендеринг света переключён. +ghost-gui-toggle-fov-popup = Поле зрения переключено. +ghost-gui-respawn = Возрождение +ghost-gui-uncryo = Проснуться +ghost-gui-toggle-hearing-popup-on = Теперь вы слышите все фразы. +ghost-gui-toggle-hearing-popup-off = Теперь вы слышите только радиосвязь и фразы поблизости. +ghost-target-window-title = Телепорт призрака +ghost-target-window-current-button = Телепорт в: { $name } +ghost-roles-window-title = Роли призраков +ghost-roles-window-request-role-button = Запросить +ghost-roles-window-request-role-button-timer = Запросить ({ $time }сек.) +ghost-roles-window-follow-role-button = Следовать +ghost-roles-window-no-roles-available-label = В настоящее время нет доступных ролей призраков. +ghost-roles-window-rules-footer = Кнопка станет доступна через { $time } секунд (эта задержка нужна, чтобы убедиться, что вы прочитали правила). +ghost-return-to-body-title = Вернуться в тело +ghost-return-to-body-text = Вас воскрешают! Вернуться в своё тело? diff --git a/Resources/Locale/ru-RU/ghost/observer-role.ftl b/Resources/Locale/ru-RU/ghost/observer-role.ftl new file mode 100644 index 00000000000..fe0d7d3a690 --- /dev/null +++ b/Resources/Locale/ru-RU/ghost/observer-role.ftl @@ -0,0 +1 @@ +observer-role-name = Наблюдатель diff --git a/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl b/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl new file mode 100644 index 00000000000..0d3cf177c7b --- /dev/null +++ b/Resources/Locale/ru-RU/ghost/roles/ghost-role-component.ftl @@ -0,0 +1,157 @@ +# also used in MakeGhostRuleWindow and MakeGhostRoleCommand +ghost-role-component-default-rules = + Вы не помните ничего из своей предыдущей жизни, если администратор не сказал вам обратное. + Вам разрешается помнить знания об игре в целом, например, как готовить, как использовать предметы и т.д. + Вам [color=red]НЕ[/color] разрешается помнить, имя, внешность и т.д. вашего предыдущего персонажа. +ghost-role-information-mouse-name = Мышь +ghost-role-information-mouse-description = Голодная и озорная мышь. +ghost-role-information-mothroach-name = Таракамоль +ghost-role-information-mothroach-description = Милая озорная таракамоль. +ghost-role-information-giant-spider-name = Гигантский паук +ghost-role-information-giant-spider-description = Устройте хаос обитателям станции! +ghost-role-information-cognizine-description = Приобрело сознание с помощью магии когнизина. +ghost-role-information-hamster-name = Хомяк +ghost-role-information-hamster-description = Маленький ворчливый пушистик. +ghost-role-information-hamlet-name = Хомяк Гамлет +ghost-role-information-hamlet-description = Живёт на капитанском мостике, немного вспыльчив и всегда голоден. +ghost-role-information-slimes-name = Слайм +ghost-role-information-slimes-description = Обычный слайм, без особых нужд и интересов. Он просто существует. +ghost-role-information-angry-slimes-name = Slime +ghost-role-information-angry-slimes-description = Всё вокруг раздражает ваши чувства, начинайте крушить! +ghost-role-information-smile-name = Слайм Смайл +ghost-role-information-smile-description = Самое милое создание в мире. Улыбайся, Смайл! +ghost-role-information-punpun-name = Пун Пун +ghost-role-information-punpun-description = Почётный член общины обезьян, ответственный за бар, и помогающий барменам во всём, чем может. +ghost-role-information-xeno-name = Ксено +ghost-role-information-xeno-description = Вы Ксено. Скооперируйтесь со своим ульем, чтобы истребить всех членов экипажа! +ghost-role-information-xeno-rules = Вы – антагонист. Кусайте, бейте, и крушите! +ghost-role-information-revenant-name = Ревенант +ghost-role-information-revenant-description = Вы Ревенант. Используйте свои силы, чтобы собирать души и наводить страх на команду. С помощью собранной эссенции открывайте новые способности. +ghost-role-information-revenant-rules = Вы – антагонист. Собирайте души, оскверняйте и сводите с ума экипаж. +ghost-role-information-kangaroo-name = Кенгуру +ghost-role-information-kangaroo-description = Вы кенгуру! Делайте всё, что делают кенгуру. +ghost-role-information-monkey-name = Обезьяна +ghost-role-information-monkey-description = У-у-у а-а-а! +ghost-role-information-kobold-name = Kobold +ghost-role-information-kobold-description = Be the little gremlin you are, yell at people and beg for meat! +ghost-role-information-rat-king-name = Крысиный король +ghost-role-information-rat-king-description = Вы Крысиный Король, собирайте еду, чтобы производить крыс-слуг, которые будут выполнять ваши приказы. +ghost-role-information-rat-king-rules = Вы – антагонист. Нападайте и грабьте, приумножайте свою орду! +ghost-role-information-rat-servant-name = Крысиный слуга +ghost-role-information-rat-servant-description = Вы Крысиный слуга. Выполняйте приказы своего короля. +ghost-role-information-rat-servant-rules = Вы – антагонист. Нападайте и грабьте, служите своему королю! +ghost-role-information-salvage-carp-name = Космический карп на обломке в космосе +ghost-role-information-salvage-carp-description = Защищайте сокровища космического обломка! +ghost-role-information-sentient-carp-name = Разумный карп +ghost-role-information-sentient-carp-description = Помогите дракону наводнить станцию карпами! +ghost-role-information-salvage-shark-name = Карпоакула на обломке в космосе +ghost-role-information-salvage-shark-description = Помогите младшим собратьям карпам защитить их сокровища. Почувствуйте запах крови! +ghost-role-information-willow-name = Кенгуру Уиллоу +ghost-role-information-willow-description = Вы кенгуру по имени Уиллоу! Уиллоу любит бокс. +ghost-role-information-space-tick-name = Космический клещ +ghost-role-information-space-tick-description = Устройте хаос на станции! +ghost-role-information-salvage-tick-name = Космический клещ на обломке в космосе +ghost-role-information-salvage-tick-description = Защищайте сокровища космического обломка! +ghost-role-information-honkbot-name = Хонкбот +ghost-role-information-honkbot-description = Искусственное воплощение чистого зла. +ghost-role-information-jonkbot-name = Кринжбот +ghost-role-information-jonkbot-description = Искусственное воплощение чистого зла. +ghost-role-information-mimebot-name = Мимбот +ghost-role-information-mimebot-description = Мимбот, ведёт себя как мим и не ведёт себя как грейтайдер. +ghost-role-information-space-bear-name = Космический медведь +ghost-role-information-space-bear-description = Вы медведь! Ведите себя соответствующе. +ghost-role-information-supplybot-name = Грузобот +ghost-role-information-supplybot-description = Развозите грузы по станции. +ghost-role-information-salvage-bear-name = Космический медведь на обломке в космосе +ghost-role-information-salvage-bear-description = Защищайте сокровища космического обломка! +ghost-role-information-space-kangaroo-name = Космический кенгуру +ghost-role-information-space-kangaroo-description = Вы кенгуру! Делайте всё, что делают кенгуру. +ghost-role-information-salvage-kangaroo-name = Космический кенгуру на обломке в космосе +ghost-role-information-salvage-kangaroo-description = Защищайте сокровища космического обломка! +ghost-role-information-space-spider-name = Космический паук +ghost-role-information-space-spider-description = Космические пауки так же агрессивны, как и обычные пауки. Питайтесь. +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-holoparasite-name = Голопаразит +ghost-role-information-holoparasite-description = Слушайте своего хозяина. Не танкуйте урон. Сильно стукайте врагов. +ghost-role-information-holoclown-name = Голоклоун +ghost-role-information-holoclown-description = Слушайте своего хозяина. Используйте свои карманы и руку, чтобы ему помочь. +ghost-role-information-ifrit-name = Ифрит +ghost-role-information-ifrit-description = Слушайте своего хозяина. Не танкуйте урон. Сильно стукайте врагов. +ghost-role-information-space-dragon-name = Космический дракон +ghost-role-information-space-dragon-description = Вызовите 3 карповых разлома и захватите этот квадрант! У вас есть лишь 5 минут между каждым разломом, прежде чем вы исчезнете. +ghost-role-information-space-dragon-dungeon-description = Защищайте подземелье экспедиции вместе со своими рыбьими товарищами! +ghost-role-information-cluwne-name = Клувень +ghost-role-information-cluwne-description = Станьте жалким клувнем. Ваша единственная цель в жизни - найти сладкое избавление от страданий (обычно через избиение до смерти). Клоун не является антагонистом, но может защищаться. Члены экипажа могут свободно убивать клувней (Или нет, в зависимости от правил сервера) +ghost-role-information-skeleton-pirate-name = Скелет-пират +ghost-role-information-skeleton-pirate-description = Устройте хаос и разграбьте станцию в поисках сокровищ. +ghost-role-information-skeleton-biker-name = Скелет-байкер +ghost-role-information-skeleton-biker-description = Колесите на своём прекрасном байке. +ghost-role-information-onestar-mecha-name = мех Onestar +ghost-role-information-onestar-mecha-description = Вы - экспериментальный мех, созданный неизвестно кем. Всё, что вы знаете, это что у вас есть оружие, а поблизости обнаружены движущиеся мясные мишени... +ghost-role-information-closet-skeleton-name = Скелет из шкафа +ghost-role-information-closet-skeleton-description = Устройте хаос! Вы - первозданная сила, не имеющая хозяина. Живите счастливо с экипажем или развяжите священную войну скелетов. +ghost-role-information-onestar-mecha-rules = Примените своё оружие, чтобы посеять хаос. Вы - антагонист. +ghost-role-information-remilia-name = Ремилия, фамильяр священника +ghost-role-information-remilia-description = Слушайте своего хозяина. Ешьте фрукты. +ghost-role-information-remilia-rules = Вы разумная летучая мышь-фруктоед. Следуйте за священником. Не создавайте никаких проблем, если только священник не скажет вам об этом. +ghost-role-information-cerberus-name = Цербер, злой фамильяр +ghost-role-information-cerberus-description = Слушайте своего хозяина. Сейте хаос. +ghost-role-information-cerberus-rules = Вы разумная, демоническая собака. Старайтесь помогать священнику и любому из верных ему прихожан. Как антагонист, в остальном вы вольны делать что угодно. +ghost-role-information-ert-leader-name = ОБР Лидер +ghost-role-information-ert-leader-description = Руководите командой специалистов для решения проблем станции. +ghost-role-information-ert-janitor-name = ОБР Уборщик +ghost-role-information-ert-janitor-description = Оказывайте содействие в попытках навести чистоту для решения проблем станции. +ghost-role-information-ert-engineer-name = ОБР Инженер +ghost-role-information-ert-engineer-description = Оказывайте содействие в инженерных работах для решения проблем станции. +ghost-role-information-ert-security-name = ОБР Офицер безопасности +ghost-role-information-ert-security-description = Оказывайте содействие в обеспечении безопасности для решения проблем станции. +ghost-role-information-ert-medical-name = ОБР Медик +ghost-role-information-ert-medical-description = Оказывайте содействие в медицинской помощи для решения проблем станции. +ghost-role-information-cburn-agent-name = РХБЗЗ Оперативник +ghost-role-information-cburn-agent-description = Высококвалифицированный агент Центком, способный справиться с любыми угрозами. +ghost-role-information-centcom-official-name = Представитель Центком +ghost-role-information-centcom-official-description = Инспектируйте станцию, пишите служебные характеристики на руководителей, орудуйте факсом. +ghost-role-information-behonker-name = Бехонкер +ghost-role-information-behonker-description = Вы - антагонист, несущий смерть и хонки всем, кто не следует за хонкоматерью. +ghost-role-information-nukeop-rules = Вы являетесь оперативником Синдиката, которому поручено уничтожить станцию. Как антагонист, вы можете делать всё необходимое для выполнения цели. +ghost-role-information-loneop-name = Одинокий оперативник +ghost-role-information-loneop-description = Вы - одинокий ядерный оперативник. Уничтожьте станцию. +ghost-role-information-loneop-rules = Вы являетесь оперативником Синдиката, которому поручено уничтожить станцию. Как антагонист, вы можете делать всё необходимое для выполнения цели. +ghost-role-information-taxibot-name = Таксибот +ghost-role-information-taxibot-description = Доставляйте членов экипажа в места назначения. +ghost-role-information-hellspawn-name = Адская гончая +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-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-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. diff --git a/Resources/Locale/ru-RU/ghost/roles/make-ghost-role-verb.ftl b/Resources/Locale/ru-RU/ghost/roles/make-ghost-role-verb.ftl new file mode 100644 index 00000000000..6aff0618e8b --- /dev/null +++ b/Resources/Locale/ru-RU/ghost/roles/make-ghost-role-verb.ftl @@ -0,0 +1 @@ +make-ghost-role-verb-get-data-text = Сделать ролью призрака diff --git a/Resources/Locale/ru-RU/glue/glue.ftl b/Resources/Locale/ru-RU/glue/glue.ftl new file mode 100644 index 00000000000..8cd6716a7fc --- /dev/null +++ b/Resources/Locale/ru-RU/glue/glue.ftl @@ -0,0 +1,3 @@ +glue-success = Вы покрыли { $target } клеем! +glued-name-prefix = липкий { $target } +glue-failure = Не удалось покрыть { $target } клеем. diff --git a/Resources/Locale/ru-RU/gravity/gravity-generator-component.ftl b/Resources/Locale/ru-RU/gravity/gravity-generator-component.ftl new file mode 100644 index 00000000000..22190b51ea1 --- /dev/null +++ b/Resources/Locale/ru-RU/gravity/gravity-generator-component.ftl @@ -0,0 +1,31 @@ +### Gravity Generator + + +## UI + +gravity-generator-window-title = Генератор гравитации + +## UI field names + +gravity-generator-window-status = Состояние: +gravity-generator-window-power = Питание: +gravity-generator-window-eta = Оставшееся время: +gravity-generator-window-charge = Заряд: + +## UI statuses + +gravity-generator-window-status-fully-charged = Полностью заряжен +gravity-generator-window-status-off = Выключен +gravity-generator-window-status-charging = Заряжается +gravity-generator-window-status-discharging = Разряжается + +## UI Power Buttons + +gravity-generator-window-power-on = Вкл +gravity-generator-window-power-off = Выкл +gravity-generator-window-power-label = { $draw } / { $max } Вт + +## UI ETA label + +gravity-generator-window-eta-none = Н/Д +gravity-generator-window-eta-value = { TOSTRING($left, "m\\:ss") } diff --git a/Resources/Locale/ru-RU/guardian/guardian.ftl b/Resources/Locale/ru-RU/guardian/guardian.ftl new file mode 100644 index 00000000000..8e387d8c90f --- /dev/null +++ b/Resources/Locale/ru-RU/guardian/guardian.ftl @@ -0,0 +1,22 @@ +## Guardian host specific + +guardian-created = Вы чувствуете... Одержимость. +guardian-already-present-invalid-creation = Вы НЕ переживёте заново ту одержимость! +guardian-no-actions-invalid-creation = У вас нет возможности содержать в себе стража! +guardian-activator-empty-invalid-creation = Инъектор израсходован. +guardian-activator-empty-examine = [color=#ba1919]Инъектор израсходован.[/color]. +guardian-activator-invalid-target = Только гуманоиды подходят для инъекции! +guardian-no-soul = У вашего стража нет души. +guardian-available = У вашего стража теперь есть душа. + +## Guardian entity specific + +guardian-entity-recall = Страж исчезает в воздухе! +guardian-entity-taking-damage = Ваш страж получает урон! + +## Health warnings + +guardian-host-critical-warn = ВАШ ХОЗЯИН РАНЕН! +guardian-host-death-warn = ВЫ ПЕРЕСТАЁТЕ СУЩЕСТВОВАТЬ +guardian-death-warn = ВАШЕ ТЕЛО ПРОНЗАЕТ СУБАТОМНАЯ БОЛЬ, КОГДА ОНО РАСПАДАЕТСЯ! +guardian-attack-host = Вы не можете атаковать своего хозяина. diff --git a/Resources/Locale/ru-RU/guidebook/chemistry/conditions.ftl b/Resources/Locale/ru-RU/guidebook/chemistry/conditions.ftl new file mode 100644 index 00000000000..e76cb9fb971 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/chemistry/conditions.ftl @@ -0,0 +1,47 @@ +reagent-effect-condition-guidebook-total-damage = + { $max -> + [2147483648] тело имеет по крайней мере { NATURALFIXED($min, 2) } общего урона + *[other] + { $min -> + [0] имеет не более { NATURALFIXED($max, 2) } общего урона + *[other] имеет между { NATURALFIXED($min, 2) } и { NATURALFIXED($max, 2) } общего урона + } + } +reagent-effect-condition-guidebook-reagent-threshold = + { $max -> + [2147483648] в кровеносной системе имеется по крайней мере { NATURALFIXED($min, 2) }ед. { $reagent } + *[other] + { $min -> + [0] имеется не более { NATURALFIXED($max, 2) }ед. { $reagent } + *[other] имеет между { NATURALFIXED($min, 2) }ед. и { NATURALFIXED($max, 2) }ед. { $reagent } + } + } +reagent-effect-condition-guidebook-mob-state-condition = пациент в { $state } +reagent-effect-condition-guidebook-solution-temperature = + температура раствора составляет { $max -> + [2147483648] не менее { NATURALFIXED($min, 2) }k + *[other] + { $min -> + [0] не более { NATURALFIXED($max, 2) }k + *[other] между { NATURALFIXED($min, 2) }k и { NATURALFIXED($max, 2) }k + } + } +reagent-effect-condition-guidebook-body-temperature = + температура тела составляет { $max -> + [2147483648] не менее { NATURALFIXED($min, 2) }k + *[other] + { $min -> + [0] не более { NATURALFIXED($max, 2) }k + *[other] между { NATURALFIXED($min, 2) }k и { NATURALFIXED($max, 2) }k + } + } +reagent-effect-condition-guidebook-organ-type = + метаболизирующий орган { $shouldhave -> + [true] это + *[false] это не + } { INDEFINITE($name) } { $name } орган +reagent-effect-condition-guidebook-has-tag = + цель { $invert -> + [true] не имеет + *[false] имеет + } метку { $tag } diff --git a/Resources/Locale/ru-RU/guidebook/chemistry/core.ftl b/Resources/Locale/ru-RU/guidebook/chemistry/core.ftl new file mode 100644 index 00000000000..972ebc08865 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/chemistry/core.ftl @@ -0,0 +1,32 @@ +guidebook-reagent-effect-description = + { $chance -> + [1] { $effect } + *[other] Имеет { NATURALPERCENT($chance, 2) } шанс { $effect } + }{ $conditionCount -> + [0] . + *[other] { " " }, пока { $conditions }. + } +guidebook-reagent-name = [bold][color={ $color }]{ CAPITALIZE($name) }[/color][/bold] +guidebook-reagent-recipes-header = Рецепт +guidebook-reagent-recipes-reagent-display = [bold]{ $reagent }[/bold] \[{ $ratio }\] +guidebook-reagent-sources-header = Sources +guidebook-reagent-sources-ent-wrapper = [bold]{ $name }[/bold] \[1\] +guidebook-reagent-sources-gas-wrapper = [bold]{ $name } (gas)[/bold] \[1\] +guidebook-reagent-recipes-mix = Смешайте +guidebook-reagent-recipes-mix-and-heat = Смешайте при температуре выше { $temperature }К +guidebook-reagent-effects-header = Эффекты +guidebook-reagent-recipes-mix-info = + { $minTemp -> + [0] + { $hasMax -> + [true] { CAPITALIZE($verb) } below { NATURALFIXED($maxTemp, 2) }K + *[false] { CAPITALIZE($verb) } + } + *[other] + { CAPITALIZE($verb) } { $hasMax -> + [true] between { NATURALFIXED($minTemp, 2) }K and { NATURALFIXED($maxTemp, 2) }K + *[false] above { NATURALFIXED($minTemp, 2) }K + } + } +guidebook-reagent-effects-metabolism-group-rate = [bold]{ $group }[/bold] [color=gray]({ $rate } единиц в секунду)[/color] +guidebook-reagent-physical-description = На вид вещество { $description }. diff --git a/Resources/Locale/ru-RU/guidebook/chemistry/effects.ftl b/Resources/Locale/ru-RU/guidebook/chemistry/effects.ftl new file mode 100644 index 00000000000..a34efd9c3d8 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/chemistry/effects.ftl @@ -0,0 +1,318 @@ +-create-3rd-person = + { $chance -> + [1] Создаёт + *[other] создают + } +-cause-3rd-person = + { $chance -> + [1] Вызывает + *[other] вызывают + } +-satiate-3rd-person = + { $chance -> + [1] Насыщает + *[other] насыщают + } +reagent-effect-guidebook-create-entity-reaction-effect = + { $chance -> + [1] Создаёт + *[other] создают + } { $amount -> + [1] { INDEFINITE($entname) } + *[other] { $amount } { $entname } + } +reagent-effect-guidebook-explosion-reaction-effect = + { $chance -> + [1] Вызывает + *[other] вызывают + } взрыв +reagent-effect-guidebook-emp-reaction-effect = + { $chance -> + [1] Вызывает + *[other] вызывают + } электромагнитный импульс +reagent-effect-guidebook-foam-area-reaction-effect = + { $chance -> + [1] Создаёт + *[other] создают + } большое количество пены +reagent-effect-guidebook-foam-area-reaction-effect = + { $chance -> + [1] Создаёт + *[other] создают + } большое количество дыма +reagent-effect-guidebook-satiate-thirst = + { $chance -> + [1] Утоляет + *[other] утоляют + } { $relative -> + [1] жажду средне + *[other] жажду на { NATURALFIXED($relative, 3) }x от обычного + } +reagent-effect-guidebook-satiate-hunger = + { $chance -> + [1] Насыщает + *[other] насыщают + } { $relative -> + [1] голод средне + *[other] голод на { NATURALFIXED($relative, 3) }x от обычного + } +reagent-effect-guidebook-health-change = + { $chance -> + [1] + { $healsordeals -> + [heals] Излечивает + [deals] Наносит + *[both] Изменяет здоровье на + } + *[other] + { $healsordeals -> + [heals] излечивать + [deals] наносить + *[both] изменяют здоровье на + } + } { $changes } +reagent-effect-guidebook-status-effect = + { $type -> + [add] + { $chance -> + [1] Вызывает + *[other] вызывают + } { LOC($key) } минимум на { NATURALFIXED($time, 3) }, эффект накапливается + *[set] + { $chance -> + [1] Вызывает + *[other] вызывают + } { LOC($key) } минимум на { NATURALFIXED($time, 3) }, эффект не накапливается + [remove] + { $chance -> + [1] Удаляет + *[other] удаляют + } { NATURALFIXED($time, 3) } от { LOC($key) } + } +reagent-effect-guidebook-activate-artifact = + { $chance -> + [1] Пытается + *[other] пытаются + } активировать артефакт +reagent-effect-guidebook-set-solution-temperature-effect = + { $chance -> + [1] Устанавливает + *[other] устанавливают + } температуру раствора точно { NATURALFIXED($temperature, 2) }k +reagent-effect-guidebook-adjust-solution-temperature-effect = + { $chance -> + [1] + { $deltasign -> + [1] Добавляет + *[-1] Удаляет + } + *[other] + { $deltasign -> + [1] добавляют + *[-1] удаляют + } + } тепло из раствора, пока температура не достигнет { $deltasign -> + [1] не более { NATURALFIXED($maxtemp, 2) }k + *[-1] не менее { NATURALFIXED($mintemp, 2) }k + } +reagent-effect-guidebook-adjust-reagent-reagent = + { $chance -> + [1] + { $deltasign -> + [1] Добавляют + *[-1] Удаляет + } + *[other] + { $deltasign -> + [1] добавляют + *[-1] удаляют + } + } { NATURALFIXED($amount, 2) }ед. от { $reagent } { $deltasign -> + [1] к + *[-1] из + } раствора +reagent-effect-guidebook-adjust-reagent-group = + { $chance -> + [1] + { $deltasign -> + [1] Добавляет + *[-1] Удаляет + } + *[other] + { $deltasign -> + [1] добавляют + *[-1] удаляют + } + } { NATURALFIXED($amount, 2) }ед реагентов в группе { $group } { $deltasign -> + [1] к + *[-1] из + } раствора +reagent-effect-guidebook-adjust-temperature = + { $chance -> + [1] + { $deltasign -> + [1] Добавляют + *[-1] Удаляют + } + *[other] + { $deltasign -> + [1] добавляют + *[-1] удаляют + } + } { POWERJOULES($amount) } тепла { $deltasign -> + [1] к телу + *[-1] из тела + }, в котором он метабилизируется +reagent-effect-guidebook-chem-cause-disease = + { $chance -> + [1] Вызывает + *[other] вызывают + } болезнь { $disease } +reagent-effect-guidebook-chem-cause-random-disease = + { $chance -> + [1] Вызывает + *[other] вызывают + } болезнь { $diseases } +reagent-effect-guidebook-jittering = + { $chance -> + [1] Вызывает + *[other] вызывают + } тряску +reagent-effect-guidebook-chem-clean-bloodstream = + { $chance -> + [1] Очищает + *[other] очищают + } кровеносную систему от других веществ +reagent-effect-guidebook-cure-disease = + { $chance -> + [1] Излечивает + *[other] излечивают + } болезнь +reagent-effect-guidebook-cure-eye-damage = + { $chance -> + [1] + { $deltasign -> + [1] Наносит + *[-1] Излечивает + } + *[other] + { $deltasign -> + [1] наносят + *[-1] излечивают + } + } повреждения глаз +reagent-effect-guidebook-chem-vomit = + { $chance -> + [1] Вызывает + *[other] вызывают + } рвоту +reagent-effect-guidebook-create-gas = + { $chance -> + [1] Создаёт + *[other] создают + } { $moles } { $moles -> + [1] моль + *[other] моль + } газа { $gas } +reagent-effect-guidebook-drunk = + { $chance -> + [1] Вызывает + *[other] вызывают + } опьянение +reagent-effect-guidebook-electrocute = + { $chance -> + [1] Бьёт током + *[other] бьют током + } употребившего в течении { NATURALFIXED($time, 3) } +reagent-effect-guidebook-extinguish-reaction = + { $chance -> + [1] Гасит + *[other] гасят + } огонь +reagent-effect-guidebook-flammable-reaction = + { $chance -> + [1] Повышает + *[other] повышают + } воспламеняемость +reagent-effect-guidebook-ignite = + { $chance -> + [1] Поджигает + *[other] поджигают + } употребившего +reagent-effect-guidebook-make-sentient = + { $chance -> + [1] Делает + *[other] делают + } употребившего разумным +reagent-effect-guidebook-make-polymorph = + { $chance -> + [1] Превращает + *[other] превращают + } употребившего в { $entityname } +reagent-effect-guidebook-modify-bleed-amount = + { $chance -> + [1] + { $deltasign -> + [1] Усиливает + *[-1] Ослабляет + } + *[other] + { $deltasign -> + [1] усиливают + *[-1] ослабляют + } + } кровотечение +reagent-effect-guidebook-modify-blood-level = + { $chance -> + [1] + { $deltasign -> + [1] Повышает + *[-1] Понижает + } + *[other] + { $deltasign -> + [1] повышают + *[-1] понижают + } + } уровень крови в организме +reagent-effect-guidebook-paralyze = + { $chance -> + [1] Парализует + *[other] парализуют + } употребившего минимум на { NATURALFIXED($time, 3) } +reagent-effect-guidebook-movespeed-modifier = + { $chance -> + [1] Делает + *[other] делают + } скорость передвижения { NATURALFIXED($walkspeed, 3) }x от стандартной минимум на { NATURALFIXED($time, 3) } +reagent-effect-guidebook-reset-narcolepsy = + { $chance -> + [1] Предотвращает + *[other] предотвращают + } приступы нарколепсии +reagent-effect-guidebook-wash-cream-pie-reaction = + { $chance -> + [1] Смывает + *[other] смывают + } кремовый пирог с лица +reagent-effect-guidebook-cure-zombie-infection = + { $chance -> + [1] Лечит + *[other] лечат + } зомби-вирус +reagent-effect-guidebook-cause-zombie-infection = + { $chance -> + [1] Заражает + *[other] заражают + } человека зомби-вирусом +reagent-effect-guidebook-innoculate-zombie-infection = + { $chance -> + [1] Лечит + *[other] лечат + } зомби-вирус и обеспечивает иммунитет к нему в будущем +reagent-effect-guidebook-missing = + { $chance -> + [1] Вызывает + *[other] вызывают + } неизвестный эффект, так как никто еще не написал об этом эффекте diff --git a/Resources/Locale/ru-RU/guidebook/chemistry/healthchange.ftl b/Resources/Locale/ru-RU/guidebook/chemistry/healthchange.ftl new file mode 100644 index 00000000000..6aa54b98134 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/chemistry/healthchange.ftl @@ -0,0 +1,5 @@ +health-change-display = + { $deltasign -> + [-1] [color=green]{ NATURALFIXED($amount, 2) }[/color] ед. { $kind } + *[1] [color=red]{ NATURALFIXED($amount, 2) }[/color] ед. { $kind } + } diff --git a/Resources/Locale/ru-RU/guidebook/chemistry/statuseffects.ftl b/Resources/Locale/ru-RU/guidebook/chemistry/statuseffects.ftl new file mode 100644 index 00000000000..133e924a4cf --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/chemistry/statuseffects.ftl @@ -0,0 +1,13 @@ +reagent-effect-status-effect-Stun = оглушение +reagent-effect-status-effect-KnockedDown = нокдаун +reagent-effect-status-effect-Jitter = дрожь +reagent-effect-status-effect-TemporaryBlindness = слепота +reagent-effect-status-effect-SeeingRainbows = галлюцинации +reagent-effect-status-effect-Muted = неспособность разговаривать +reagent-effect-status-effect-Stutter = заикание +reagent-effect-status-effect-ForcedSleep = потеря сознания +reagent-effect-status-effect-Drunk = опьянение +reagent-effect-status-effect-PressureImmunity = невосприимчивость к давлению +reagent-effect-status-effect-Pacified = принудительный пацифизм +reagent-effect-status-effect-RatvarianLanguage = паттерны ратварского языка +reagent-effect-status-effect-StaminaModifier = modified stamina diff --git a/Resources/Locale/ru-RU/guidebook/guidebook.ftl b/Resources/Locale/ru-RU/guidebook/guidebook.ftl new file mode 100644 index 00000000000..f9808e55170 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/guidebook.ftl @@ -0,0 +1,6 @@ +guidebook-window-title = Руководство +guidebook-placeholder-text = Выберите запись. +guidebook-placeholder-text-2 = Если вы новичок, то начните с самой верхней записи. +guidebook-filter-placeholder-text = Фильтр +guidebook-monkey-unspin = Отперевернуть обезьяну +guidebook-monkey-disco = Диско обезьяна diff --git a/Resources/Locale/ru-RU/guidebook/guides.ftl b/Resources/Locale/ru-RU/guidebook/guides.ftl new file mode 100644 index 00000000000..3dd579d5749 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/guides.ftl @@ -0,0 +1,62 @@ +guide-entry-engineering = Инженерное дело +guide-entry-construction = Строительство +guide-entry-airlock-security = Улучшение шлюзов +guide-entry-atmospherics = Атмосфера +guide-entry-botany = Ботаника +guide-entry-fires = Пожары и разгерметизации +guide-entry-shuttle-craft = Шаттлостроение +guide-entry-networking = Сетевые соединения +guide-entry-network-configurator = Конфигуратор сетей +guide-entry-access-configurator = Конфигуратор доступа +guide-entry-power = Электропитание +guide-entry-portable-generator = Портативные генераторы +guide-entry-ame = Двигатель антиматерии (ДАМ) +guide-entry-singularity = Сингулярный двигатель +guide-entry-teg = Термоэлектрический генератор (ТЭГ) +guide-entry-rtg = RTG +guide-entry-science = Научный отдел +guide-entry-radio = Радиосвязь +guide-entry-machine-upgrading = Улучшение оборудования +guide-entry-cargo = Отдел снабжения +guide-entry-cargo-bounties = Запросы отдела снабжения +guide-entry-salvage = Утилизация обломков +guide-entry-controls = Управление +guide-entry-chemicals = Химические вещества +guide-entry-jobs = Должности +guide-entry-janitorial = Уборка станции +guide-entry-bartender = Бармен +guide-entry-chef = Шеф-повар +guide-entry-foodrecipes = Рецепты еды +guide-entry-medical = Медицинский отдел +guide-entry-medicaldoctor = Врач +guide-entry-chemist = Химик +guide-entry-medicine = Медицина +guide-entry-brute = Advanced Brute Medication +guide-entry-botanicals = Ботаника +guide-entry-cloning = Клонирование +guide-entry-cryogenics = Криогеника +guide-entry-survival = Выживание +guide-entry-technologies = Технологии +guide-entry-anomalous-research = Исследование аномалий +guide-entry-scanners-and-vessels = Сканеры и сосуды +guide-entry-ape = М.А.К.А.К. +guide-entry-xenoarchaeology = Ксеноархеология +guide-entry-artifact-reports = Отчёты об артефактах +guide-entry-traversal-distorter = Поперечный искатель +guide-entry-ss14 = Космическая станция 14 +guide-entry-robotics = Робототехника +guide-entry-cyborgs = Cyborgs +guide-entry-security = Безопасность станции +guide-entry-forensics = Forensics +guide-entry-dna = ДНК +guide-entry-criminal-records = Criminal Records +guide-entry-defusal = Обезвреживание крупной бомбы +guide-entry-antagonists = Антагонисты +guide-entry-nuclear-operatives = Ядерные оперативники +guide-entry-traitors = Предатели +guide-entry-zombies = Зомби +guide-entry-revolutionaries = Революционеры +guide-entry-minor-antagonists = Малые антагонисты +guide-entry-space-ninja = Космический ниндзя +guide-entry-glossary = Glossary +guide-entry-writing = Разметка письма diff --git a/Resources/Locale/ru-RU/guidebook/verb.ftl b/Resources/Locale/ru-RU/guidebook/verb.ftl new file mode 100644 index 00000000000..bec1dc12e75 --- /dev/null +++ b/Resources/Locale/ru-RU/guidebook/verb.ftl @@ -0,0 +1 @@ +guide-help-verb = Помощь diff --git a/Resources/Locale/ru-RU/hand-labeler/hand-labeler.ftl b/Resources/Locale/ru-RU/hand-labeler/hand-labeler.ftl new file mode 100644 index 00000000000..2743a9e2df3 --- /dev/null +++ b/Resources/Locale/ru-RU/hand-labeler/hand-labeler.ftl @@ -0,0 +1,12 @@ +hand-labeler-ui-header = Ручной Этикеровщик +# The content of the label in the UI above the text entry input. +hand-labeler-current-text-label = Этикетка: +# When the hand labeler applies a label successfully +hand-labeler-successfully-applied = Этикетка успешно наклеена +# When the hand labeler removes a label successfully +hand-labeler-successfully-removed = Этикетка успешно удалена +# Appended to the description of an object with a label on input +hand-labeler-has-label = На объекте имеется этикетка "{ $label }" +# Verb text +hand-labeler-remove-label-text = Удалить этикетку +hand-labeler-add-label-text = Наклеить этикетку diff --git a/Resources/Locale/ru-RU/hands/hands-system.ftl b/Resources/Locale/ru-RU/hands/hands-system.ftl new file mode 100644 index 00000000000..b3d93d053cd --- /dev/null +++ b/Resources/Locale/ru-RU/hands/hands-system.ftl @@ -0,0 +1,9 @@ +## HandsSystem + +hands-system-missing-equipment-slot = У вас нет { $slotName }, из которого можно что-то взять! +hands-system-empty-equipment-slot = В вашем { $slotName } нет ничего, что можно было бы вынуть! +# Examine text after when they're holding something (in-hand) +comp-hands-examine = { CAPITALIZE(SUBJECT($user)) } держит { $items }. +comp-hands-examine-empty = { CAPITALIZE(SUBJECT($user)) } ничего не держит. +comp-hands-examine-wrapper = [color=paleturquoise]{ $item }[/color] +hands-system-blocked-by = Руки заняты diff --git a/Resources/Locale/ru-RU/headset/headset-component.ftl b/Resources/Locale/ru-RU/headset/headset-component.ftl new file mode 100644 index 00000000000..21d1da37fe3 --- /dev/null +++ b/Resources/Locale/ru-RU/headset/headset-component.ftl @@ -0,0 +1,18 @@ +# Chat window radio wrap (prefix and postfix) +chat-radio-message-wrap = [color={ $color }]{ $channel } [bold]{ $name }[/bold] { $verb }, [font={ $fontType } size={ $fontSize }]"{ $message }"[/font][/color] +chat-radio-message-wrap-bold = [color={ $color }]{ $channel } [bold]{ $name }[/bold] { $verb }, [font={ $fontType } size={ $fontSize }][bold]"{ $message }"[/bold][/font][/color] +examine-headset-default-channel = Отображается, что каналом по умолчанию этой гарнитуры является [color={ $color }]{ $channel }[/color]. +chat-radio-common = Общий +chat-radio-centcom = Центком +chat-radio-command = Командный +chat-radio-engineering = Инженерный +chat-radio-medical = Медицинский +chat-radio-science = Научный +chat-radio-security = Безопасность +chat-radio-service = Сервис +chat-radio-supply = Снабжение +chat-radio-syndicate = Синдикат +chat-radio-freelance = Фриланс +# not headset but whatever +chat-radio-handheld = Портативный +chat-radio-binary = Двоичный diff --git a/Resources/Locale/ru-RU/health-examinable/health-examinable-carbon.ftl b/Resources/Locale/ru-RU/health-examinable/health-examinable-carbon.ftl new file mode 100644 index 00000000000..e4a23173669 --- /dev/null +++ b/Resources/Locale/ru-RU/health-examinable/health-examinable-carbon.ftl @@ -0,0 +1,13 @@ +health-examinable-carbon-none = Видимые повреждения тела отсутствуют. +health-examinable-carbon-Blunt-25 = [color=red]{ CAPITALIZE($target) } имеет небольшие ушибы на теле.[/color] +health-examinable-carbon-Blunt-50 = [color=crimson]{ CAPITALIZE($target) } имеет серьёзные ушибы на теле![/color] +health-examinable-carbon-Blunt-75 = [color=crimson]{ CAPITALIZE($target) } имеет сильные ушибы по всему телу![/color] +health-examinable-carbon-Slash-10 = [color=red]{ CAPITALIZE($target) } имеет несколько лёгких порезов.[/color] +health-examinable-carbon-Slash-25 = [color=red]{ CAPITALIZE($target) } имеет серьёзные порезы на теле.[/color] +health-examinable-carbon-Slash-50 = [color=crimson]{ CAPITALIZE($target) } имеет множество сильных порезов![/color] +health-examinable-carbon-Slash-75 = [color=crimson]{ CAPITALIZE($target) } имеет множество глубоких порезов на теле![/color] +health-examinable-carbon-Piercing-50 = [color=crimson]{ CAPITALIZE($target) } имеет проникающие ранения на теле![/color] +health-examinable-carbon-Heat-25 = [color=orange]{ CAPITALIZE($target) } имеет лёгкие ожоги на теле.[/color] +health-examinable-carbon-Heat-50 = [color=orange]{ CAPITALIZE($target) } имеет сильные ожоги на теле.[/color] +health-examinable-carbon-Heat-75 = [color=orange]{ CAPITALIZE($target) } имеет ожоги третьей степени на теле![/color] +health-examinable-carbon-Shock-50 = [color=lightgoldenrodyellow]{ CAPITALIZE($target) } имеет следы поражения током по всему телу![/color] diff --git a/Resources/Locale/ru-RU/health-examinable/health-examinable-comp.ftl b/Resources/Locale/ru-RU/health-examinable/health-examinable-comp.ftl new file mode 100644 index 00000000000..e08d5cc3273 --- /dev/null +++ b/Resources/Locale/ru-RU/health-examinable/health-examinable-comp.ftl @@ -0,0 +1,2 @@ +health-examinable-verb-text = Здоровье +health-examinable-verb-disabled = Проведите базовое медицинское обследование на небольшом расстоянии. diff --git a/Resources/Locale/ru-RU/health-examinable/health-examinable-silicon.ftl b/Resources/Locale/ru-RU/health-examinable/health-examinable-silicon.ftl new file mode 100644 index 00000000000..9409daf2a6e --- /dev/null +++ b/Resources/Locale/ru-RU/health-examinable/health-examinable-silicon.ftl @@ -0,0 +1,13 @@ +health-examinable-silicon-none = Видимые повреждения корпуса отсутствуют. +health-examinable-silicon-Blunt-25 = [color=red]{ CAPITALIZE($target) } имеет небольшие вмятины на шасси.[/color] +health-examinable-silicon-Blunt-50 = [color=crimson]{ CAPITALIZE($target) } имеет серьёзные вмятины по всему шасси![/color] +health-examinable-silicon-Blunt-75 = [color=crimson]Шасси { CAPITALIZE($target) } почти разваливается![/color] +health-examinable-silicon-Slash-10 = [color=red]Шасси { CAPITALIZE($target) } имеет несколько царапин.[/color] +health-examinable-silicon-Slash-25 = [color=red]Шасси { CAPITALIZE($target) } имеет серьёзные царапины по всему шасси![/color] +health-examinable-silicon-Slash-50 = [color=crimson]Покрытие шасси { CAPITALIZE($target) } усыпано глубокими цапапинами![/color] +health-examinable-silicon-Slash-75 = [color=crimson]Шасси { CAPITALIZE($target) } полностю разодрано![/color] +health-examinable-silicon-Piercing-50 = [color=crimson]Шасси { CAPITALIZE($target) } усеяно глубокими отверстиями![/color] +health-examinable-silicon-Heat-25 = [color=orange]Шасси { CAPITALIZE($target) } слегка закоптилось.[/color] +health-examinable-silicon-Heat-50 = [color=orange]Шасси { CAPITALIZE($target) } немного оплавилось.[/color] +health-examinable-silicon-Heat-75 = [color=orange]Шасси { CAPITALIZE($target) } частично расплавилось![/color] +health-examinable-silicon-Shock-50 = [color=lightgoldenrodyellow]Микросхемы { CAPITALIZE($target) }, похоже, неплохо поджарились![/color] diff --git a/Resources/Locale/ru-RU/health-examinable/stethoscope.ftl b/Resources/Locale/ru-RU/health-examinable/stethoscope.ftl new file mode 100644 index 00000000000..c262b33d1db --- /dev/null +++ b/Resources/Locale/ru-RU/health-examinable/stethoscope.ftl @@ -0,0 +1,6 @@ +stethoscope-verb = Прослушать стетоскопом +stethoscope-dead = Вы не слышите ничего. +stethoscope-normal = Вы слышите нормальное дыхание. +stethoscope-hyper = Вы слышите гипервентиляцию. +stethoscope-irregular = Вы слышите гипервентиляцию с нарушениями ритма. +stethoscope-fucked = Вы слышите судорожное, затрудненное дыхание, чередующееся с короткими вздохами. diff --git a/Resources/Locale/ru-RU/holiday/gifts.ftl b/Resources/Locale/ru-RU/holiday/gifts.ftl new file mode 100644 index 00000000000..4396a2b8f43 --- /dev/null +++ b/Resources/Locale/ru-RU/holiday/gifts.ftl @@ -0,0 +1,3 @@ +gift-packin-contains = Похоже, в этом подарке лежит { $name }. +christmas-tree-got-gift = Немного порывшись, вы находите подарок с вашим именем! +christmas-tree-no-gift = Для вас под ёлкой подарка нет... diff --git a/Resources/Locale/ru-RU/holiday/greet/holiday-greet.ftl b/Resources/Locale/ru-RU/holiday/greet/holiday-greet.ftl new file mode 100644 index 00000000000..4f692de6673 --- /dev/null +++ b/Resources/Locale/ru-RU/holiday/greet/holiday-greet.ftl @@ -0,0 +1,84 @@ +## Generic Congrats + +holiday-greet = Счастливого { $holidayName }! + +## Holiday Names + +holiday-name-new-year = Нового года +holiday-name-mister-lizard = дня рождения Мистера Ящерки +holiday-name-chinese-new-year = Китайского Нового года +holiday-name-groundhog-day = Дня сурка +holiday-name-travis-scott-day = Дня Трэвиса Скотта +holiday-name-valentines-day = Дня святого Валентина +holiday-name-birthday13 = Дня рождения Space Station 13 +holiday-name-random-kindness = Дня спонтанного проявления доброты +holiday-name-leap-day = високосного дня +holiday-name-miku-day = Дня Мику Хацунэ +holiday-name-pi-day = Дня Пи +holiday-name-st-patricks-day = Дня святого Патрика +holiday-name-easter = дня католической Пасхи +holiday-name-april-fool-day = Дня дураков +holiday-name-autism-awareness-day = Дня распространения информации о проблеме аутизма +holiday-name-cosmonautics-day = Дня космонавтики +holiday-name-four-twenty = четыре-двадцать +holiday-name-tea-day = Национального дня чая в Великобритании +holiday-name-earth-day = Дня Земли +holiday-name-anzac-day = Дня АНЗАК +holiday-name-birthday14 = Дня рождения Space Station 14 +holiday-name-labor-day = Дня труда +holiday-name-firefighter-day = Международного дня пожарных +holiday-name-mothers-day = Международного дня матери +holiday-name-owl-and-pussycat-day = Дня Совёнка и Кошечки +holiday-name-towel-day = Дня полотенца +holiday-name-mommi-day = Дня MoMMI +holiday-name-garbage-day = Дня мусора +holiday-name-international-picnic-day = Международного дня пикника +holiday-name-fathers-day = Дня отца +holiday-name-summer-solstice = летнего солнцестояния +holiday-name-stonewall-riots-anniversary = дня годовщины Стоунволлских бунтов +holiday-name-doctor-day = Национального дня врача в США +holiday-name-ufo-day = Международного дня НЛО +holiday-name-us-independence-day = Дня независимости США +holiday-name-writers-day = Дня писателя +holiday-name-bastille-day = Дня взятия Бастилии +holiday-name-friendship-day = Дня дружбы +holiday-name-beer-day = Дня пива +holiday-name-talk-like-a-pirate-day = Дня «Говори как пират» +holiday-name-programmers-day = Дня программиста +holiday-name-bisexual-pride-day = Дня празднования бисексуальности +holiday-name-stupid-questions-day = Дня глупых вопросов +holiday-name-animals-day = Дня защиты животных +holiday-name-smiling-day = Дня улыбки +holiday-name-lesbian-day = Дня осведомленности о лесбиянках +holiday-name-canadian-thanksgiving = Дня благодарения в Канаде +holiday-name-spirit-day = Дня сильных духом +holiday-name-halloween = Хэллоуина +holiday-name-vegan-day = Веганского дня +holiday-name-armistice-day = Дня перемирия +holiday-name-kindness-day = Дня доброты +holiday-name-life-day = Дня жизни у вуки +holiday-name-flowers-day = Дня цветов +holiday-name-transgender-remembrance-day = Дня памяти трансгендерных людей +holiday-name-saying-hello-day = Дня приветствий +holiday-name-thanksgiving = Дня благодарения в США +holiday-name-sinterklaas = Синтерклааса +holiday-name-human-rights-day = Дня прав человека +holiday-name-monkey-day = Дня обезьян +holiday-name-mayan-doomsday = дня годовщины Конца света по календарю майя +holiday-name-christmas = католического Рождества +holiday-name-festive-season = наступающего Нового года +holiday-name-boxing-day = Дня подарков +holiday-name-friday-thirteenth = Дня неприятностей +holiday-name-national-coming-out-day = Национального дня каминг-аута + +## Custom congrats + +holiday-custom-cosmonautics-day = В этот день более 600 лет назад товарищ Юрий Гагарин первым полетел в космос! +holiday-custom-mothers-day = С Днем матери в большинстве стран Северной и Южной Америки, Азии и Океании! +holiday-custom-bastille-day = Вы слышите, как поет народ? +holiday-custom-friendship-day = Волшебного Дня дружбы! +holiday-custom-talk-like-a-pirate-day = Разрази тебя Дэви Джонс! Говори как пират, иначе прогуляешься по доске, сухопутная крыса! +holiday-custom-halloween = Ужасного Хэллоуина! +holiday-custom-kindness-day = Совершите несколько неожиданных добрых поступков для незнакомцев! +holiday-custom-christmas = Счастливого Рождества! +holiday-custom-festive-season = Весёлых праздников! diff --git a/Resources/Locale/ru-RU/hot-potato/hot-potato.ftl b/Resources/Locale/ru-RU/hot-potato/hot-potato.ftl new file mode 100644 index 00000000000..745a6ddb705 --- /dev/null +++ b/Resources/Locale/ru-RU/hot-potato/hot-potato.ftl @@ -0,0 +1,2 @@ +hot-potato-passed = { $from } передал горячую картошку { $to }! +hot-potato-failed = Невозможно передать горячую картошку { $to }! diff --git a/Resources/Locale/ru-RU/identity/identity-system.ftl b/Resources/Locale/ru-RU/identity/identity-system.ftl new file mode 100644 index 00000000000..2a867eaddd1 --- /dev/null +++ b/Resources/Locale/ru-RU/identity/identity-system.ftl @@ -0,0 +1,7 @@ +identity-unknown-name = ??? +identity-age-young = молодого возраста +identity-age-middle-aged = среднего возраста +identity-age-old = пожилого возраста +identity-gender-feminine = женщина +identity-gender-masculine = мужчина +identity-gender-person = персона diff --git a/Resources/Locale/ru-RU/immovable-rod/immovable-rod.ftl b/Resources/Locale/ru-RU/immovable-rod/immovable-rod.ftl new file mode 100644 index 00000000000..d5af20fedde --- /dev/null +++ b/Resources/Locale/ru-RU/immovable-rod/immovable-rod.ftl @@ -0,0 +1,9 @@ +immovable-rod-collided-rod-not-good = Ох чёрт, это не к добру. +immovable-rod-penetrated-mob = { CAPITALIZE($rod) } начисто разносит { $mob }! +immovable-rod-consumed-none = { CAPITALIZE($rod) } не поглотил ни одной души. +immovable-rod-consumed-souls = + { CAPITALIZE($rod) } поглотил { $amount } { $amount -> + [one] душу + [few] души + *[other] душ + }. diff --git a/Resources/Locale/ru-RU/implant/implant.ftl b/Resources/Locale/ru-RU/implant/implant.ftl new file mode 100644 index 00000000000..91b6e83e291 --- /dev/null +++ b/Resources/Locale/ru-RU/implant/implant.ftl @@ -0,0 +1,20 @@ +## Implanter Attempt Messages + +implanter-component-implanting-target = { $user } пытается что-то в вас имплантировать! +implanter-component-implant-failed = { $implant } нельзя имплантировать в { $target }! +implanter-draw-failed-permanent = { $implant } вросся в { $target } и не может быть удалён! +implanter-draw-failed = Вы пытаетесь удалить имплант, но ничего не находите. + +## UI + +implanter-draw-text = Извлечение +implanter-inject-text = Установка +implanter-empty-text = Пусто +implanter-label = Имплант: [color=green]{ $implantName }[/color] | [color=white]{ $modeString }[/color]{ $lineBreak }{ $implantDescription } +implanter-contained-implant-text = [color=green]{ $desc }[/color] + +## Implanter Actions + +scramble-implant-activated-popup = Вы превратились в { $identity } +deathrattle-implant-dead-message = Зафиксирована смерть { $user } по координатам { $position }. +deathrattle-implant-critical-message = Жизненные показатели { $user } критические, требуется немедленная помощь по координатам { $position }. diff --git a/Resources/Locale/ru-RU/info/ban.ftl b/Resources/Locale/ru-RU/info/ban.ftl new file mode 100644 index 00000000000..0f97d6b95e7 --- /dev/null +++ b/Resources/Locale/ru-RU/info/ban.ftl @@ -0,0 +1,76 @@ +# ban +cmd-ban-desc = Банит кого-либо +cmd-ban-help = Использование: ban [продолжительность в минутах, без указания или 0 для пермабана] +cmd-ban-player = Не удалось найти игрока с таким именем. +cmd-ban-invalid-minutes = ${ minutes } не является допустимым количеством минут! +cmd-ban-invalid-severity = ${ severity } не является допустимой тяжестью! +cmd-ban-invalid-arguments = Недопустимое число аргументов +cmd-ban-hint = +cmd-ban-hint-reason = +cmd-ban-hint-severity = [severity] +cmd-ban-hint-duration = [продолжительность] +cmd-ban-hint-duration-1 = Навсегда +cmd-ban-hint-duration-2 = 1 день +cmd-ban-hint-duration-3 = 3 дня +cmd-ban-hint-duration-4 = 1 неделя +cmd-ban-hint-duration-5 = 2 недели +# ban panel +cmd-banpanel-desc = Открыть панель банов +cmd-banpanel-help = Использование: banpanel [имя или guid игрока] +cmd-banpanel-server = Это не может быть использовано через консоль сервера +cmd-banpanel-player-err = Указанный игрок не может быть найден +cmd-ban-hint-duration-6 = 1 месяц +# listbans +cmd-banlist-desc = Список активных банов пользователя. +cmd-banlist-help = Использование: banlist +cmd-banlist-empty = Нет активных банов у пользователя { $user } +cmd-banlistF-hint = +cmd-ban_exemption_update-desc = Установить исключение на типы банов игрока. +cmd-ban_exemption_update-help = + Использование: ban_exemption_update [ [...]] + Укажите несколько флагов, чтобы дать игроку исключение из нескольких типов банов. + Чтобы удалить все исключения, выполните эту команду и укажите единственным флагом "None". +cmd-ban_exemption_update-nargs = Ожидалось хотя бы 2 аргумента +cmd-ban_exemption_update-locate = Не удалось найти игрока '{ $player }'. +cmd-ban_exemption_update-invalid-flag = Недопустимый флаг '{ $flag }'. +cmd-ban_exemption_update-success = Обновлены флаги исключений банов для '{ $player }' ({ $uid }). +cmd-ban_exemption_update-arg-player = +cmd-ban_exemption_update-arg-flag = +cmd-ban_exemption_get-desc = Показать исключения банов для определённого игрока. +cmd-ban_exemption_get-help = Использование: ban_exemption_get +cmd-ban_exemption_get-nargs = Ожидался ровно 1 аргумент +cmd-ban_exemption_get-none = Пользователь не имеет исключений от банов. +cmd-ban_exemption_get-show = Пользователь исключён из банов со следующими флагами: { $flags }. +# Ban panel +ban-panel-title = Панель банов +ban-panel-player = Игрок +ban-panel-ip = IP +ban-panel-hwid = HWID +ban-panel-reason = Причина +ban-panel-last-conn = Использовать IP и HWID с последнего подключения? +ban-panel-submit = Забанить +ban-panel-confirm = Уверены? +ban-panel-tabs-basic = Основная инфа +ban-panel-tabs-reason = Причина +ban-panel-tabs-players = Список игроков +ban-panel-tabs-role = Инфо о банах ролей +ban-panel-no-data = Укажите пользователя, IP или HWID чтобы забанить +ban-panel-invalid-ip = Не удаётся спарсить IP адрес. Попробуйте ещё раз +ban-panel-select = Выбрать тип +ban-panel-server = Серверный бан +ban-panel-role = Бан роли +ban-panel-minutes = Минут +ban-panel-hours = Часов +ban-panel-days = Дней +ban-panel-weeks = Недель +ban-panel-months = Месяцев +ban-panel-years = Лет +ban-panel-permanent = Постоянный +ban-panel-ip-hwid-tooltip = Оставьте пустым и установите флажок ниже, чтобы использовать данные последнего подключения +ban-panel-severity = Тяжесть: +# Ban string +server-ban-string = { $admin } created a { $severity } severity server ban that expires { $expires } for [{ $name }, { $ip }, { $hwid }], with reason: { $reason } +ban-panel-erase = Стереть сообщения в чате и игрока из раунда +server-ban-string-never = никогда +server-ban-string-no-pii = { $admin } установил серверный бан { $severity } тяжести, который истечёт { $expires } у { $name } с причиной: { $reason } +cmd-ban_exemption_get-arg-player = diff --git a/Resources/Locale/ru-RU/info/info-window.ftl b/Resources/Locale/ru-RU/info/info-window.ftl new file mode 100644 index 00000000000..4d45a42bde0 --- /dev/null +++ b/Resources/Locale/ru-RU/info/info-window.ftl @@ -0,0 +1,20 @@ +### Info Window + + +## General stuff + +ui-info-title = Информация +ui-info-tab-rules = Правила сервера +ui-info-tab-tutorial = Руководство + +## Tutorial tab + +ui-info-text-controls = Вы можете переопределять кнопки управления в +ui-info-header-intro = Введение +ui-info-header-controls = Управление +ui-info-header-gameplay = Геймплей +ui-info-header-sandbox = Спаун вещей в режиме Песочницы +ui-info-subheader-entityoptions = Опции панели спауна сущностей: +ui-info-subheader-gridoptions = Варианты выравнивания по сетке: +ui-info-header-feedback = Обратная связь +ui-info-button-controls = Меню настроек diff --git a/Resources/Locale/ru-RU/info/playtime-stats.ftl b/Resources/Locale/ru-RU/info/playtime-stats.ftl new file mode 100644 index 00000000000..9b32f34b66c --- /dev/null +++ b/Resources/Locale/ru-RU/info/playtime-stats.ftl @@ -0,0 +1,10 @@ +# Playtime Stats + +ui-playtime-stats-title = Игровое время пользователя +ui-playtime-overall-base = Общее игровое время: +ui-playtime-overall = Общее игровое время: { $time } +ui-playtime-first-time = Первый раз +ui-playtime-roles = Игровое время по должностям +ui-playtime-time-format = { $hours }Ч { $minutes }М +ui-playtime-header-role-type = Должность +ui-playtime-header-role-time = Время diff --git a/Resources/Locale/ru-RU/info/rules.ftl b/Resources/Locale/ru-RU/info/rules.ftl new file mode 100644 index 00000000000..58095928180 --- /dev/null +++ b/Resources/Locale/ru-RU/info/rules.ftl @@ -0,0 +1,6 @@ +# Rules + +ui-rules-header = Правила сервера +ui-rules-header-rp = Правила сервера +ui-rules-accept = Я ознакомился и согласен следовать правилам +ui-rules-wait = Кнопка принятия будет разблокирована через { $time } секунд. diff --git a/Resources/Locale/ru-RU/info/server-info.ftl b/Resources/Locale/ru-RU/info/server-info.ftl new file mode 100644 index 00000000000..423049a2f72 --- /dev/null +++ b/Resources/Locale/ru-RU/info/server-info.ftl @@ -0,0 +1,8 @@ +server-info-rules-button = Правила +server-info-guidebook-button = Руководство +server-info-discord-button = Discord +server-info-website-button = Сайт +server-info-wiki-button = Wiki +server-info-forum-button = Форум +server-info-report-button = Сообщить об ошибке +server-info-credits-button = Авторы diff --git a/Resources/Locale/ru-RU/instruments/instruments-component.ftl b/Resources/Locale/ru-RU/instruments/instruments-component.ftl new file mode 100644 index 00000000000..a3b8d555706 --- /dev/null +++ b/Resources/Locale/ru-RU/instruments/instruments-component.ftl @@ -0,0 +1,24 @@ +# InstrumentComponent +instrument-component-finger-cramps-light-message = Ваши пальцы начинает немного сводить судорогой! +instrument-component-finger-cramps-serious-message = Ваши пальцы свело судорогой! +instrument-component-finger-cramps-max-message = Ваши пальцы сводит судорогой от игры! +instruments-component-menu-no-midi-support = + Поддержка MIDI в настоящее время + не доступна в вашей системе. + Если вы на Linux, вам может потребоваться установить + FluidSynth или пакет разработки + для FluidSynth. +instruments-component-menu-input-button = MIDI-ввод +instruments-component-menu-band-button = Присоединиться к группе +instruments-component-menu-play-button = Воспроизвести MIDI-файл +instruments-component-menu-loop-button = Повтор +instruments-component-menu-channels-button = Каналы +instruments-component-menu-stop-button = Стоп +instruments-component-band-menu = Выбрать лидера группы +instrument-component-band-refresh = Обновить +instruments-component-channels-menu = Выбор MIDI-канала +instrument-component-channel-name = MIDI-канал { $number } +instruments-component-channels-all-button = Все +instruments-component-channels-clear-button = Очистить +# SwappableInstrumentComponent +swappable-instrument-component-style-set = Установить стиль "{ $style }" diff --git a/Resources/Locale/ru-RU/interaction/in-range-unoccluded-verb.ftl b/Resources/Locale/ru-RU/interaction/in-range-unoccluded-verb.ftl new file mode 100644 index 00000000000..e8b984d1857 --- /dev/null +++ b/Resources/Locale/ru-RU/interaction/in-range-unoccluded-verb.ftl @@ -0,0 +1,3 @@ +in-range-unoccluded-verb-get-data-text = Не в зоне окклюзии +in-range-unoccluded-verb-on-activate-not-occluded = Не в зоне окклюзии +in-range-unoccluded-verb-on-activate-occluded = В зоне окклюзии diff --git a/Resources/Locale/ru-RU/interaction/interaction-popup-component.ftl b/Resources/Locale/ru-RU/interaction/interaction-popup-component.ftl new file mode 100644 index 00000000000..9ce851ebaa2 --- /dev/null +++ b/Resources/Locale/ru-RU/interaction/interaction-popup-component.ftl @@ -0,0 +1,76 @@ +### Interaction Popup component + + +## Petting animals + +petting-success-generic = Вы гладите { $target } по голове. +petting-success-soft-floofy = Вы гладите { $target } по { POSS-ADJ($target) } мягкой пушистой голове. +petting-success-bingus = Вы гладите { $target } по { POSS-ADJ($target) } маленькой морщинистой голове. +petting-success-bird = Вы гладите { $target } по { POSS-ADJ($target) } милой пернатой голове. +petting-success-carp = Вы гладите { $target } по { POSS-ADJ($target) } маленькой рыбьей голове. +petting-success-cat = Вы гладите { $target } по { POSS-ADJ($target) } маленькой пушистой голове. +petting-success-corrupted-corgi = В порыве самонадеянности, вы гладите { $target } по { POSS-ADJ($target) } маленькой проклятой голове. +petting-success-crab = Вы гладите { $target } по { POSS-ADJ($target) } маленькой гладкой голове. +petting-success-dehydrated-carp = Вы гладите { $target } по { POSS-ADJ($target) } маленькой сухой голове. Похоже, вы теперь нравитесь { CAPITALIZE(OBJECT($target)) }! +petting-success-dog = Вы гладите { $target } по { POSS-ADJ($target) } мягкой пушистой голове. +petting-success-frog = Вы гладите { $target } по { POSS-ADJ($target) } маленькой скользкой голове. +petting-success-goat = Вы гладите { $target } по { POSS-ADJ($target) } рогатой пушистой голове. +petting-success-goose = Вопреки всему, вам удаётся погладить { $target } по { POSS-ADJ($target) } маленькой ужасающей голове. +petting-success-kangaroo = Вы гладите { $target } по { POSS-ADJ($target) } прыгучей голове. +petting-success-possum = Вы гладите { $target } по { POSS-ADJ($target) } маленькой ужасной голове. +petting-success-pig = Вы гладите { $target } по { POSS-ADJ($target) } волосатой голове. +petting-success-raccoon = Вы гладите { $target } по { POSS-ADJ($target) } питающейся мусором голове. +petting-success-reptile = Вы гладите { $target } по { POSS-ADJ($target) } маленькой чешуйчатой голове. +petting-success-sloth = Вы гладите { $target } по { POSS-ADJ($target) } медленной голове. +petting-success-space-cat = Вы гладите { $target } по { POSS-ADJ($target) } куполообразному стеклянному шлему. +petting-success-tarantula = Вы гладите { $target } по { POSS-ADJ($target) } маленькой волосатой голове. +petting-success-holo = Вы гладите { $target } по { POSS-ADJ($target) } металлической шипастой голове. +petting-success-dragon = Уворачиваясь от клыков, когтей, и пламени, вы гладите { $target } по { POSS-ADJ($target) } огромной чешуйчатой голове. +petting-success-hamster = Вы гладите { $target } по { POSS-ADJ($target) } маленькой пушистой голове. +petting-success-bear = Вы нерешительно гладите { $target } по { POSS-ADJ($target) } таинственной голове. +petting-success-slimes = Вы гладите { $target } по { POSS-ADJ($target) } студенистой поверхности. +petting-success-snake = You pet { THE($target) } on { POSS-ADJ($target) } scaly large head. +petting-success-monkey = You pet { THE($target) } on { POSS-ADJ($target) } mischevious little head. +petting-success-nymph = You pet { THE($target) } on { POSS-ADJ($target) } wooden little head. +petting-failure-generic = Вы тянетесь погладить { $target }, но { $target } настороженно уклоняется от вас. +petting-failure-bat = Вы тянетесь погладить { $target }, но { $target } очень трудно поймать! +petting-failure-carp = Вы тянетесь погладить { $target }, но { POSS-ADJ($target) } острые зубки заставляют вас передумать. +petting-failure-corrupted-corgi = Вы тянетесь погладить { $target }, но решаете, что лучше не надо. +petting-failure-crab = Вы тянетесь погладить { $target }, но { $target } щёлкает клешнями в вашу сторону! +petting-failure-dehydrated-carp = Вы гладите { $target } по { POSS-ADJ($target) } маленькой сухой голове. +petting-failure-goat = Вы тянетесь погладить { $target }, но { $target } упорно отказывается! +petting-failure-goose = Вы тянетесь погладить { $target }, но { $target } слишком ужасен! +petting-failure-possum = Вы тянетесь погладить { $target }, но на вас шипят и рычат. +petting-failure-sloth = Вы тянетесь погладить { $target }, но { $target } с невероятной скоростью уклоняется! +petting-failure-pig = Вы тянетесь погладить { $target }, но сталкиваетесь с раздражённым хрюканьем и визгом! +petting-failure-holo = Вы тянетесь погладить { $target }, но { $target } едва не пронзает шипами вашу руку! +petting-failure-raccoon = Вы тянетесь погладить { $target }, но { $target } енотится от вас. +petting-failure-dragon = Вы поднимаете руку, но { $target } издаёт рёв, и вы решаете, что не хотите стать кормом для карпов. +petting-failure-hamster = Вы тянетесь погладить { $target }, но { $target } пытается укусить вас за палец, и только ваши молниеносные рефлексы спасают вас от почти смертельной травмы. +petting-failure-bear = Вы думаете погладить { $target }, но { $target } рычит, заставляя вас подумать ещё раз. + +## Knocking on windows + +petting-failure-monkey = You reach out to pet { THE($target) }, but { SUBJECT($target) } almost bites your fingers! +petting-failure-nymph = You reach out to pet { THE($target) }, but { POSS-ADJ($target) } moves their branches away. +petting-failure-shadow = You're trying to pet { THE($target) }, but your hand passes through the cold darkness of his body. +petting-success-honkbot = Вы гладите { $target } по его скользкой металлической голове. +petting-success-mimebot = Вы гладите { $target } по { POSS-ADJ($target) } холодной металлической голове.. +petting-success-cleanbot = Вы гладите { $target } по его влажной металлической голове. +petting-success-medibot = Вы гладите { $target } по его стерильной металлической голове. +petting-failure-honkbot = Вы тянетесь погладить { $target }, но { $target } хонкает и уворачивается! +petting-success-recycler = You pet { THE($target) } on { POSS-ADJ($target) } mildly threatening steel exterior. +petting-failure-cleanbot = Вы тянетесь погладить { $target }, но { $target } занят уборкой! +petting-failure-mimebot = Вы тянетесь погладить { $target }, но { $target } занят мимированием! +petting-failure-medibot = Вы тянетесь погладить { $target }, но { $target } едва не пронзает вашу руку шприцом! +# Shown when knocking on a window +comp-window-knock = *тук-тук* +hugging-success-generic = Вы обнимаете { $target }. +hugging-success-generic-others = { CAPITALIZE($user) } обнимает { $target }. +fence-rattle-success = *бдзынь* +hugging-success-generic-target = { CAPITALIZE($user) } обнимает вас. +petting-success-tesla = Вы гладите { THE($target) }, нарушая законы природы и физики. +petting-failure-tesla = Вы тянетесь погладить { THE($target) }, но он ускользает от вашей руки. +pat-success-generic = Вы гладите { THE($target) } по пушистой голове. +pat-success-generic-others = { CAPITALIZE(THE($user)) } pets { THE($target) } soft fluffy head. +pat-success-generic-target = { CAPITALIZE(THE($user)) } pets your soft fluffy head. diff --git a/Resources/Locale/ru-RU/interaction/interaction-system.ftl b/Resources/Locale/ru-RU/interaction/interaction-system.ftl new file mode 100644 index 00000000000..c8254fc313a --- /dev/null +++ b/Resources/Locale/ru-RU/interaction/interaction-system.ftl @@ -0,0 +1,2 @@ +shared-interaction-system-in-range-unobstructed-cannot-reach = Вы не можете туда достать! +interaction-system-user-interaction-cannot-reach = Вы не можете туда достать! diff --git a/Resources/Locale/ru-RU/interaction/smart-equip-system.ftl b/Resources/Locale/ru-RU/interaction/smart-equip-system.ftl new file mode 100644 index 00000000000..889cf80a6f7 --- /dev/null +++ b/Resources/Locale/ru-RU/interaction/smart-equip-system.ftl @@ -0,0 +1,4 @@ +smart-equip-missing-equipment-slot = У вас нет { $slotName } для быстрого взаимодействия! +smart-equip-empty-equipment-slot = У вас нет ничего в { $slotName } чтобы достать! +smart-equip-no-valid-item-slot-insert = { THE($item) } не подходит для быстрого взаимодействия! +smart-equip-cant-drop = Вы не можете бросить это! diff --git a/Resources/Locale/ru-RU/inventory/components/human-inventory-controller-component.ftl b/Resources/Locale/ru-RU/inventory/components/human-inventory-controller-component.ftl new file mode 100644 index 00000000000..dd9bf2e71f4 --- /dev/null +++ b/Resources/Locale/ru-RU/inventory/components/human-inventory-controller-component.ftl @@ -0,0 +1 @@ +set-outfit-verb-get-data-text = Установить экипировку diff --git a/Resources/Locale/ru-RU/inventory/components/inventory-component.ftl b/Resources/Locale/ru-RU/inventory/components/inventory-component.ftl new file mode 100644 index 00000000000..c568744a279 --- /dev/null +++ b/Resources/Locale/ru-RU/inventory/components/inventory-component.ftl @@ -0,0 +1,3 @@ +inventory-component-can-equip-cannot = Вы не можете экипировать это! +inventory-component-can-equip-does-not-fit = Это не подходит! +inventory-component-can-unequip-cannot = Вы не можете снять это! diff --git a/Resources/Locale/ru-RU/inventory/human-inventory-interface-controller.ftl b/Resources/Locale/ru-RU/inventory/human-inventory-interface-controller.ftl new file mode 100644 index 00000000000..21cffc64b73 --- /dev/null +++ b/Resources/Locale/ru-RU/inventory/human-inventory-interface-controller.ftl @@ -0,0 +1 @@ +human-inventory-window-title = Ваш инвентарь diff --git a/Resources/Locale/ru-RU/items/components/item-component.ftl b/Resources/Locale/ru-RU/items/components/item-component.ftl new file mode 100644 index 00000000000..0c1251ef5d5 --- /dev/null +++ b/Resources/Locale/ru-RU/items/components/item-component.ftl @@ -0,0 +1,14 @@ +## PickUpVerb + +pick-up-verb-get-data-text = Подобрать + +# "pick up" doesn't make sense if the item is already in their inventory + +pick-up-verb-get-data-text-inventory = Взять в руку +item-component-on-examine-size = Размер: { $size } +item-component-size-Tiny = крошечный +item-component-size-Small = маленький +item-component-size-Normal = средний +item-component-size-Large = большой +item-component-size-Huge = огромный +item-component-size-Ginormous = гигантский diff --git a/Resources/Locale/ru-RU/items/components/multi-handed-item-component.ftl b/Resources/Locale/ru-RU/items/components/multi-handed-item-component.ftl new file mode 100644 index 00000000000..411753d5382 --- /dev/null +++ b/Resources/Locale/ru-RU/items/components/multi-handed-item-component.ftl @@ -0,0 +1,6 @@ +multi-handed-item-pick-up-fail = + { $number -> + [one] Вам нужна ещё одна свободная рука, чтобы поднять { $item }. + [few] Вам нужны ещё { $number } свободные руки, чтобы поднять { $item }. + *[other] Вам нужно ещё { $number } свободных рук, чтобы поднять { $item }. + } diff --git a/Resources/Locale/ru-RU/janitorial/janitorial-slot-component.ftl b/Resources/Locale/ru-RU/janitorial/janitorial-slot-component.ftl new file mode 100644 index 00000000000..f70c58a21dd --- /dev/null +++ b/Resources/Locale/ru-RU/janitorial/janitorial-slot-component.ftl @@ -0,0 +1,10 @@ +# mop bucket +mop-bucket-slot-component-slot-name-shark = Акула +# janitorial trolley +janitorial-trolley-slot-component-slot-name-plunger = Вантуз +janitorial-trolley-slot-component-slot-name-sign = Знак +janitorial-trolley-slot-component-slot-name-lightreplacer = Лампозаменитель +janitorial-trolley-slot-component-slot-name-spray = Распылитель +janitorial-trolley-slot-component-slot-name-bucket = Ведро +janitorial-trolley-slot-component-slot-name-trashbag = Мусорный мешок +janitorial-trolley-slot-component-slot-name-mop = Швабра diff --git a/Resources/Locale/ru-RU/job/department-desc.ftl b/Resources/Locale/ru-RU/job/department-desc.ftl new file mode 100644 index 00000000000..4d5dfd796f0 --- /dev/null +++ b/Resources/Locale/ru-RU/job/department-desc.ftl @@ -0,0 +1,8 @@ +department-Cargo-description = Покупайте и доставляйте экипажу полезные припасы. +department-Civilian-description = Выполняйте небольшие полезные задания для поддержания нормальной работы станции. +department-Command-description = Управляйте экипажем и обеспечивайте его эффективную работу. +department-Engineering-description = Поддерживайте станцию в рабочем состоянии. +department-Medical-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 new file mode 100644 index 00000000000..238822c978b --- /dev/null +++ b/Resources/Locale/ru-RU/job/department.ftl @@ -0,0 +1,8 @@ +department-Cargo = Отдел снабжения +department-Civilian = Сервисный отдел +department-Command = Командование +department-Engineering = Инженерный отдел +department-Medical = Медицинский отдел +department-Security = Служба безопасности +department-Science = Научный отдел +department-Specific = На определённых станциях diff --git a/Resources/Locale/ru-RU/job/job-description.ftl b/Resources/Locale/ru-RU/job/job-description.ftl new file mode 100644 index 00000000000..79a6f1a6365 --- /dev/null +++ b/Resources/Locale/ru-RU/job/job-description.ftl @@ -0,0 +1,50 @@ +job-description-technical-assistant = Изучите основы управления энергоустановками, а также научитесь чинить электропроводку и корпус станции. +job-description-atmostech = Оптимизируйте настройку атмосферу станции и синтезируйте редкие газы на продажу или для использования. +job-description-bartender = Заведуйте баром и поддерживайте его оживленным, разливайте коктейли по бокалам и слушайте истории экипажа. +job-description-botanist = Выращивайте фрукты и овощи для шеф-поваров, лекарственные травы для медотсека, и другие растения для личного пользования. +job-description-borg = Получеловек, полумашина. Придерживайтесь своих законов, служите экипажу и преследуйте учёных с просьбами апгрейда. +job-description-boxer = Пробейтесь на вершину! Бросьте вызов главе персонала и будьте арестованы когда выиграете. Эта должность доступна на станциях Core, Origin и Avrite. +job-description-brigmedic = Боритесь за жизни своих товарищей в тылу службы безопасности! Вы - первая и последняя надежда своего отряда. Да благословит вас Гиппократ. +job-description-cadet = Изучите основы задержания преступников и порядки организации брига. +job-description-captain = Управляйте станцией, распределяйте работу между другими главами персонала и изъявляйте свою волю. +job-description-cargotech = Обрабатывайте заказы и осуществляйте поставки в чрезвычайных ситуациях, управляйте грузовым шаттлом и работайте сообща с другими, чтобы зарабатывать смехотворные суммы денег. +job-description-ce = Руководите инженерным отделом, чтобы гарантировать идеальную работу систем энергоснабжения, чистоту атмосферы, и целостность корпуса станции. +job-description-centcomoff = Выступайте в роли посла на новейшей ультрасовременной космической станции в составе флота Nanotrasen. +job-description-chaplain = Несите экипажу слово божие и помогайте получить духовное исцеление. +job-description-chef = Кормите экипаж станции разными блюдами, разделывайте мертвых животных так, чтобы не просачивались миазмы, и помогайте поддерживать бар в оживленном состоянии. +job-description-chemist = Создавайте лекарства для врачей, исследуйте сомнительные с точки зрения этики редкие химикаты, и производите боевые отравляющие вещества когда на станцию летят враги. +job-description-clown = Развлекайте экипаж ужасными шутками и изощрённого карикатурного паясничества. +job-description-cmo = Руководите медицинским отделом, чтобы сохранить жизни и здоровье экипажа. +job-description-paramedic = Спасайте тяжелораненых пациентов по всей станции, а иногда и за ее пределами. Стабилизируйте их, отвозите в медотсек, и возвращайтесь в патруль! +job-description-detective = Изучайте места преступлений с помощью криминалистических инструментов, ищите виновных и курите. +job-description-doctor = Обследуйте и лечите членов экипажа с помощью лекарственных препаратов, вакцин, и боритесь с болезнями и клонируйте мертвых. +job-description-engineer = Поддерживайте работу основного генератора и солнечных панелей станции, оптимизируйте энергосеть и проводите аварийный ремонт, используя свой космический скафандр. +job-description-ertengineer = Убедитесь, что на станции имеется электропитание и чистый воздух. +job-description-ertjanitor = Убедитесь, что станция убрана должным образом - для поддержания морального духа. +job-description-ertleader = Возглавьте отряд быстрого реагирования для устранения угрозы активам компании Nanotrasen. +job-description-ertmedic = Убедитесь, что экипаж станции жив и здоров. +job-description-ertsecurity = Убедитесь, что все активные угрозы для станции устранены. +job-description-hop = Справедливо распределяйте доступы с помощью консоль ID карт, управляйте сервисным отделом и берегите Иана. +job-description-hos = Управляйте своими сотрудниками службы безопасности и следите за их эффективностью, подавляйте инакомыслие, и обеспечивайте безопасность других глав. +job-description-intern = Изучите основы применения лекарств, клонирования мертвых, и создания химических веществ. +job-description-janitor = Поддерживайте порядок на станции, убирайте мусор и разлитые скользкие жидкости, помогайте бороться с нашествием крыс. +job-description-lawyer = Добейтесь справедливого следствия и суда для каждого заключенного или преступника. +job-description-librarian = Заведуйте библиотекой, делитесь знаниями с всеми, кто их ищет, и сообщайте о событиях на борту станции. +job-description-mime = Развлекайте команду беззвучными методами, устройте лёгкое соперничество с клоуном. +job-description-musician = Развлекайте команду своими уникальными музыкальными талантами и обзаводитесь новыми инструментами. +job-description-passenger = Наслаждайтесь пребыванием на борту станции без обязательств! +job-description-psychologist = Оказывайте эмоциональную поддержку психологически травмированному экипажу. Эта должность доступна на станциях Box, Marathon, Origin, Avrite и Delta. +job-description-qm = Руководите отделом снабжения станции, контролируйте работу утилизаторов, следите за выполнением всех заказов и обеспечивайте поступление денег. +job-description-rd = Руководите научным отделом, открывайте новые технологии, получайте и исследуйте артефакты, и проводите эксперименты. +job-description-research-assistant = Изучите основные принципы исследования различных артефактов и аномалий. +job-description-reporter = Развлекайте и информируйте экипаж своей журналистской деятельностью посредством беспроводных камер и радио. Эта должность доступна на станциях Bagel, Core, Avrite и Delta. +job-description-salvagespec = Используйте магнит для притягивания обломков кораблей и астероидов на разграбление с целью обогащения станции, попутно отбиваясь от космической фауны. +job-description-scientist = Исследуйте инопланетные артефакты, открывайте новые технологии, улучшайте оборудование станции, и повышайте общую эффективность работы. +job-description-security = Ловите преступников и врагов станции, следите за соблюдением закона и за тем, чтобы станция не погрузилась в беспорядки. +job-description-serviceworker = Изучите основы барменского искусства, кулинарии, и выращивания растений. +job-description-warden = Патрулируйте отдел безопасности, следите за тем, чтобы никто не воровал из оружейной, и чтобы все заключенные были оформлены и выпущены по окончании срока. +job-description-zookeeper = Устройте веселое шоу с милыми животными и космическими карпами, чтобы все члены экипажа могли ими полюбоваться. Эта должность доступна на станциях Kettle и Avrite. +job-description-senior-engineer = Обучайте новых инженеров основам работы силовых установок, ремонту, атмосферике и энергоснабжению станции. +job-description-senior-researcher = Обучайте новых учёных основам печати предметов, исследования артефактов и аномальных объектов. +job-description-senior-physician = Обучайте новых врачей основам оказания помощи раненым, химии, диагностике больных и утилизации трупов. +job-description-senior-officer = Обучать новых офицеров основам обыска и задержания, срокам заключения и правильному обращению с огнестрельным оружием. diff --git a/Resources/Locale/ru-RU/job/job-names.ftl b/Resources/Locale/ru-RU/job/job-names.ftl new file mode 100644 index 00000000000..3827d4c3c5e --- /dev/null +++ b/Resources/Locale/ru-RU/job/job-names.ftl @@ -0,0 +1,103 @@ +job-name-warden = смотритель +job-name-security = офицер СБ +job-name-cadet = кадет СБ +job-name-hos = глава службы безопасности +job-name-detective = детектив +job-name-brigmedic = бригмедик +job-name-borg = киборг +job-name-scientist = учёный +job-name-research-assistant = научный ассистент +job-name-rd = научный руководитель +job-name-psychologist = психолог +job-name-intern = интерн +job-name-doctor = врач +job-name-paramedic = парамедик +job-name-cmo = главный врач +job-name-chemist = химик +job-name-technical-assistant = технический ассистент +job-name-engineer = инженер +job-name-atmostech = атмосферный техник +job-name-hop = глава персонала +job-name-captain = капитан +job-name-serviceworker = сервисный работник +job-name-centcomoff = представитель Центком +job-name-reporter = репортёр +job-name-musician = музыкант +job-name-librarian = библиотекарь +job-name-lawyer = адвокат +job-name-mime = мим +job-name-ce = старший инженер +job-name-janitor = уборщик +job-name-chaplain = священник +job-name-botanist = ботаник +job-name-bartender = бармен +job-name-passenger = пассажир +job-name-salvagespec = утилизатор +job-name-qm = квартирмейстер +job-name-cargotech = грузчик +job-name-chef = шеф-повар +job-name-clown = клоун +job-name-ertleader = лидер ОБР +job-name-ertengineer = инженер ОБР +job-name-ertsecurity = офицер безопасности ОБР +job-name-ertmedic = медик ОБР +job-name-ertjanitor = уборщик ОБР +job-name-boxer = боксёр +job-name-zookeeper = зоотехник +job-name-senior-engineer = ведущий инженер +job-name-senior-researcher = ведущий учёный +job-name-senior-physician = ведущий врач +job-name-senior-officer = инструктор СБ +job-name-visitor = посетитель +# Role timers - Make these alphabetical or I cut you +JobAtmosphericTechnician = атмосферный техник +JobBartender = бармен +JobBorg = киборг +JobBotanist = ботаник +JobCaptain = капитан +JobCargoTechnician = грузчик +JobCentralCommandOfficial = представитель Центком +JobChaplain = священник +JobChef = шеф-повар +JobChemist = химик +JobChiefEngineer = старший инженер +JobChiefMedicalOfficer = главный врач +JobClown = клоун +JobDetective = детектив +JobERTEngineer = инженер ОБР +JobBrigmedic = бригмедик +JobERTJanitor = уборщик ОБР +JobERTLeader = лидер ОБР +JobERTMedical = медик ОБР +JobERTSecurity = офицер ОБР +JobHeadOfPersonnel = глава персонала +JobHeadOfSecurity = ГСБ +JobJanitor = уборщик +JobLawyer = адвокат +JobLibrarian = библиотекарь +JobMedicalDoctor = врач +JobMedicalIntern = интерн +JobMime = мим +JobMusician = музыкант +JobPassenger = пассажир +JobParamedic = парамедик +JobPsychologist = психолог +JobQuartermaster = квартирмейстер +JobReporter = репортёр +JobResearchDirector = научный руководитель +JobResearchAssistant = научный ассистент +JobSalvageSpecialist = утилизатор +JobScientist = учёный +JobSecurityCadet = кадет СБ +JobSecurityOfficer = офицер СБ +JobServiceWorker = сервисный работник +JobSeniorEngineer = ведущий инженер +JobSeniorOfficer = инструктор СБ +JobSeniorPhysician = ведущий врач +JobSeniorResearcher = ведущий учёный +JobStationEngineer = инженер +JobTechnicalAssistant = технический ассистент +JobWarden = смотритель +JobVisitor = посетитель +JobBoxer = боксёр +JobZookeeper = зоотехник diff --git a/Resources/Locale/ru-RU/job/job-supervisors.ftl b/Resources/Locale/ru-RU/job/job-supervisors.ftl new file mode 100644 index 00000000000..3d10f421c1f --- /dev/null +++ b/Resources/Locale/ru-RU/job/job-supervisors.ftl @@ -0,0 +1,15 @@ +job-supervisors-centcom = представителю Центкома +job-supervisors-captain = капитану +job-supervisors-hop = главе персонала +job-supervisors-hos = главе службы безопасности +job-supervisors-ce = старшему инженеру +job-supervisors-cmo = главному врачу +job-supervisors-qm = квартирмейстеру +job-supervisors-rd = научному руководителю +job-supervisors-service = поварам, ботаникам, барменам, и главе персонала +job-supervisors-engineering = инженерам, атмосферным техникам, ведущему инженеру, и старшему инженеру +job-supervisors-medicine = врачам, химикам, ведущему врачу, и главному врачу +job-supervisors-security = офицерам, инструктору, смотрителю, и главе службы безопасности +job-supervisors-science = учёным, ведущему учёному, научному руководителю +job-supervisors-hire = своим нанимателям +job-supervisors-everyone = вообще всем diff --git a/Resources/Locale/ru-RU/job/job.ftl b/Resources/Locale/ru-RU/job/job.ftl new file mode 100644 index 00000000000..8ce6d7c7725 --- /dev/null +++ b/Resources/Locale/ru-RU/job/job.ftl @@ -0,0 +1,6 @@ +job-greet-station-name = Добро пожаловать на борт { $stationName }. +job-greet-introduce-job-name = Ваша должность: { $jobName }. +job-greet-important-disconnect-admin-notify = Вы играете важную роль для игрового прогресса. Если вы вынуждены отключиться, пожалуйста, сообщите об этом администраторам через "Админ помощь". +job-greet-supervisors-warning = Как { $jobName } вы непосредственно подчиняетесь { $supervisors }. Особые обстоятельства могут изменить это. +job-greet-crew-shortages = Поскольку команда этой станция изначально была недоукомплектована, вашей ID-карте был дан дополнительный доступ. +job-not-available-wait-in-lobby = Раунд начался, но вам не досталась ни одна из предпочтительных ролей (или вы не выбрали ни одну предпочтительную роль), и вы решили остаться в лобби. Вы можете изменить это поведение на экране персонализации. diff --git a/Resources/Locale/ru-RU/job/role-ban-command.ftl b/Resources/Locale/ru-RU/job/role-ban-command.ftl new file mode 100644 index 00000000000..6ed8c1d655e --- /dev/null +++ b/Resources/Locale/ru-RU/job/role-ban-command.ftl @@ -0,0 +1,49 @@ +### Localization for role ban command + +cmd-roleban-desc = Запрещает пользователю играть на роли +cmd-roleban-help = Использование: roleban [продолжительность в минутах, не указывать или 0 для навсегда] + +## Completion result hints + +cmd-roleban-hint-1 = +cmd-roleban-hint-2 = +cmd-roleban-hint-3 = +cmd-roleban-hint-4 = [продолжительность в минутах, не указывать или 0 для навсегда] +cmd-roleban-hint-5 = [severity] +cmd-roleban-hint-duration-1 = Навсегда +cmd-roleban-hint-duration-2 = 1 день +cmd-roleban-hint-duration-3 = 3 дня +cmd-roleban-hint-duration-4 = 1 неделя +cmd-roleban-hint-duration-5 = 2 недели +cmd-roleban-hint-duration-6 = 1 месяц + +### Localization for role unban command + +cmd-roleunban-desc = Возвращает пользователю возможность играть на роли +cmd-roleunban-help = Использование: roleunban + +## Completion result hints + +cmd-roleunban-hint-1 = + +### Localization for roleban list command + +cmd-rolebanlist-desc = Список запретов ролей игрока +cmd-rolebanlist-help = Использование: [include unbanned] + +## Completion result hints + +cmd-rolebanlist-hint-1 = +cmd-rolebanlist-hint-2 = [include unbanned] +cmd-roleban-minutes-parse = { $time } - недопустимое количество минут.\n{ $help } +cmd-roleban-severity-parse = ${ severity } is not a valid severity\n{ $help }. +cmd-roleban-arg-count = Недопустимое количество аргументов. +cmd-roleban-job-parse = Работа { $job } не существует. +cmd-roleban-name-parse = Невозможно найти игрока с таким именем. +cmd-roleban-existing = { $target } уже имеет запрет на роль { $role }. +cmd-roleban-success = { $target } запрещено играть на роли { $role } по причине { $reason } { $length }. +cmd-roleban-inf = навсегда +cmd-roleban-until = до { $expires } +# Department bans +cmd-departmentban-desc = Запрещает пользователю играть на ролях, входящих в отдел +cmd-departmentban-help = Использование: departmentban [продолжительность в минутах, не указывать или 0 для навсегда] diff --git a/Resources/Locale/ru-RU/job/role-timers.ftl b/Resources/Locale/ru-RU/job/role-timers.ftl new file mode 100644 index 00000000000..c7af0ce93ac --- /dev/null +++ b/Resources/Locale/ru-RU/job/role-timers.ftl @@ -0,0 +1,8 @@ +role-timer-department-insufficient = Требуется ещё [color=yellow]{ TOSTRING($time, "0") }[/color] минут игры за [color={ $departmentColor }]{ $department }[/color]. +role-timer-department-too-high = Требуется на [color=yellow]{ TOSTRING($time, "0") }[/color] меньше минут игры за [color={ $departmentColor }]{ $department }[/color]. (Вы пытаетесь играть за роль для новичков?) +role-timer-overall-insufficient = Требуется ещё [color=yellow]{ TOSTRING($time, "0") }[/color] минут общего игрового времени. +role-timer-overall-too-high = Требуется на [color=yellow]{ TOSTRING($time, "0") }[/color] меньше минут общего игрового времени. (Вы пытаетесь играть за роль для новичков?) +role-timer-role-insufficient = Требуется ещё [color=yellow]{ TOSTRING($time, "0") }[/color] минут игры в качестве [color={ $departmentColor }]{ $job }[/color] для этой роли. +role-timer-role-too-high = Требуется на [color=yellow]{ TOSTRING($time, "0") }[/color] меньше минут игры в качестве [color={ $departmentColor }]{ $job }[/color] для этой роли. (Вы пытаетесь играть за роль для новичков?) +role-timer-locked = Закрыто (наведите курсор для подробностей) +role-ban = Эта должность для вас заблокирована. diff --git a/Resources/Locale/ru-RU/kitchen/components/butcherable-component.ftl b/Resources/Locale/ru-RU/kitchen/components/butcherable-component.ftl new file mode 100644 index 00000000000..af9fe83743b --- /dev/null +++ b/Resources/Locale/ru-RU/kitchen/components/butcherable-component.ftl @@ -0,0 +1,6 @@ +butcherable-different-tool = Вам понадобится другой инструмент, чтобы разделать { $target }. +butcherable-knife-butchered-success = Вы разделываете { $target } с помощью { $knife }. +butcherable-need-knife = Используйте острый предмет чтобы разделать { $target }. +butcherable-not-in-container = Сперва достаньте { $target } из контейнера. +butcherable-mob-isnt-dead = Цель должна быть мертва. +butcherable-verb-name = Разделать diff --git a/Resources/Locale/ru-RU/kitchen/components/foodcart-component.ftl b/Resources/Locale/ru-RU/kitchen/components/foodcart-component.ftl new file mode 100644 index 00000000000..439257c6ec4 --- /dev/null +++ b/Resources/Locale/ru-RU/kitchen/components/foodcart-component.ftl @@ -0,0 +1,4 @@ +foodcart-slot-component-slot-name-coldsauce = Холодный соус +foodcart-slot-component-slot-name-hotsauce = Горячий соус +foodcart-slot-component-slot-name-bbqsauce = BBQ соус +foodcart-slot-component-slot-name-ketchup = Кетчуп diff --git a/Resources/Locale/ru-RU/kitchen/components/kitchen-spike-component.ftl b/Resources/Locale/ru-RU/kitchen/components/kitchen-spike-component.ftl new file mode 100644 index 00000000000..341779cffd8 --- /dev/null +++ b/Resources/Locale/ru-RU/kitchen/components/kitchen-spike-component.ftl @@ -0,0 +1,13 @@ +comp-kitchen-spike-deny-collect = На { CAPITALIZE($this) } уже что-то есть, закончите сначала собирать мясо! +comp-kitchen-spike-deny-butcher = { CAPITALIZE($victim) } не может быть разделан на { $this }. +comp-kitchen-spike-deny-butcher-knife = { CAPITALIZE($victim) } не может быть разделан на { $this }, вам нужно разделать это, используя нож. +comp-kitchen-spike-deny-not-dead = { CAPITALIZE($victim) } не может быть разделан. { CAPITALIZE(SUBJECT($victim)) } { $victim } не умер! +comp-kitchen-spike-begin-hook-victim = { $user } начинает насаживать вас на { $this }! +comp-kitchen-spike-begin-hook-self = Вы начинаете насаживать себя на { $this }! +comp-kitchen-spike-kill = { CAPITALIZE($user) } насаживает { $victim } на мясной крюк, тем самым убивая его! +comp-kitchen-spike-suicide-other = { CAPITALIZE($victim) } бросился на мясной крюк! +comp-kitchen-spike-suicide-self = Вы бросаетесь на мясной крюк! +comp-kitchen-spike-knife-needed = Вам нужен нож для этого. +comp-kitchen-spike-remove-meat = Вы срезаете немного мяса с { $victim }. +comp-kitchen-spike-remove-meat-last = Вы срезаете последний кусок мяса с { $victim }! +comp-kitchen-spike-meat-name = мясо { $victim } diff --git a/Resources/Locale/ru-RU/kitchen/components/microwave-component.ftl b/Resources/Locale/ru-RU/kitchen/components/microwave-component.ftl new file mode 100644 index 00000000000..3cd0cbda04f --- /dev/null +++ b/Resources/Locale/ru-RU/kitchen/components/microwave-component.ftl @@ -0,0 +1,29 @@ +## Entity + +microwave-component-interact-using-no-power = У неё нет электричества! +microwave-component-interact-using-broken = Она сломана! +microwave-component-interact-using-container-full = Контейнер заполнен +microwave-component-interact-using-transfer-success = Перенесено { $amount } ю +microwave-component-interact-using-transfer-fail = Это не сработает! +microwave-component-suicide-multi-head-others-message = { $victim } пытается зажарить свои головы! +microwave-component-suicide-others-message = { $victim } пытается зажарить свою голову! +microwave-component-suicide-multi-head-message = Вы зажариваете свои головы! +microwave-component-suicide-message = Вы зажариваете свою голову! +microwave-component-upgrade-cook-time = время готовки +microwave-component-interact-full = It's full. +microwave-component-interact-item-too-big = { CAPITALIZE(THE($item)) } is too big to fit in the microwave! + +## Bound UI + +microwave-bound-user-interface-instant-button = МГНОВЕННО +microwave-bound-user-interface-cook-time-label = ВРЕМЯ: { $time } + +## UI + +microwave-menu-title = Микроволновая печь +microwave-menu-start-button = Старт +microwave-menu-eject-all-text = Извлечь всё +microwave-menu-eject-all-tooltip = Это испарит все жидкости, но вернёт всё твёрдое. +microwave-menu-instant-button = МГНОВЕННО +microwave-menu-footer-flavor-left = Не вставлять электронику, металлические или живые объекты. +microwave-menu-footer-flavor-right = v1.5 diff --git a/Resources/Locale/ru-RU/kitchen/components/reagent-grinder-component.ftl b/Resources/Locale/ru-RU/kitchen/components/reagent-grinder-component.ftl new file mode 100644 index 00000000000..1833d8f89f1 --- /dev/null +++ b/Resources/Locale/ru-RU/kitchen/components/reagent-grinder-component.ftl @@ -0,0 +1,15 @@ +## UI + +reagent-grinder-bound-user-interface-instant-button = МГНОВЕННО +reagent-grinder-bound-user-interface-cook-time-label = ВРЕМЯ: +reagent-grinder-component-cannot-put-entity-message = Вы не можете поместить это в измельчитель реагентов! +reagent-grinder-component-upgrade-work-time = время работы +reagent-grinder-component-upgrade-storage = вместимость +grinder-menu-title = Универсальный Измельчитель 3000 +grinder-menu-grind-button = Измельчить +grinder-menu-juice-button = Выжать +grinder-menu-chamber-content-box-label = Камера +grinder-menu-chamber-content-box-button = Извлечь содержимое +grinder-menu-beaker-content-box-label = Стакан +grinder-menu-beaker-content-box-button = Извлечь контейнер +grinder-menu-beaker-content-box-is-empty = Пусто diff --git a/Resources/Locale/ru-RU/label/paper-label-component.ftl b/Resources/Locale/ru-RU/label/paper-label-component.ftl new file mode 100644 index 00000000000..db63e8af1cc --- /dev/null +++ b/Resources/Locale/ru-RU/label/paper-label-component.ftl @@ -0,0 +1,3 @@ +comp-paper-label-has-label = Прикреплена этикетка с надписью: +comp-paper-label-has-label-blank = Прикреплена этикетка, но она пустая. +comp-paper-label-has-label-cant-read = Прикреплена этикетка, но вы не можете её прочитать с такого расстояния. diff --git a/Resources/Locale/ru-RU/land-mines/land-mines.ftl b/Resources/Locale/ru-RU/land-mines/land-mines.ftl new file mode 100644 index 00000000000..5ea51589f3d --- /dev/null +++ b/Resources/Locale/ru-RU/land-mines/land-mines.ftl @@ -0,0 +1 @@ +land-mine-triggered = Вы наступили на { $mine }! diff --git a/Resources/Locale/ru-RU/late-join/late-join-gui.ftl b/Resources/Locale/ru-RU/late-join/late-join-gui.ftl new file mode 100644 index 00000000000..2c4a5d92729 --- /dev/null +++ b/Resources/Locale/ru-RU/late-join/late-join-gui.ftl @@ -0,0 +1,11 @@ +late-join-gui-title = Позднее присоединение +late-join-gui-jobs-amount-in-department-tooltip = { $departmentName } +late-join-gui-department-jobs-label = { $departmentName } +late-join-gui-job-slot-capped = + { $jobName } ({ $amount } { $amount -> + [zero] не доступна + [one] доступна + [few] доступны + *[other] доступно + }) +late-join-gui-job-slot-uncapped = { $jobName } (Без ограничений) diff --git a/Resources/Locale/ru-RU/lathe/components/lathe-component.ftl b/Resources/Locale/ru-RU/lathe/components/lathe-component.ftl new file mode 100644 index 00000000000..b1ac018495f --- /dev/null +++ b/Resources/Locale/ru-RU/lathe/components/lathe-component.ftl @@ -0,0 +1,2 @@ +lathe-component-upgrade-speed = скорость печати +lathe-component-upgrade-material-use = потребление материалов diff --git a/Resources/Locale/ru-RU/lathe/lathe-categories.ftl b/Resources/Locale/ru-RU/lathe/lathe-categories.ftl new file mode 100644 index 00000000000..6b1917d8351 --- /dev/null +++ b/Resources/Locale/ru-RU/lathe/lathe-categories.ftl @@ -0,0 +1,9 @@ +lathe-category-ammo = Ammo +lathe-category-circuitry = Circuitry +lathe-category-lights = Lights +lathe-category-mechs = Mechs +lathe-category-parts = Parts +lathe-category-robotics = Robotics +lathe-category-tools = Tools +lathe-category-weapons = Weapons +lathe-category-evasuits = EVA diff --git a/Resources/Locale/ru-RU/lathe/lathesystem.ftl b/Resources/Locale/ru-RU/lathe/lathesystem.ftl new file mode 100644 index 00000000000..423c3a7a2f7 --- /dev/null +++ b/Resources/Locale/ru-RU/lathe/lathesystem.ftl @@ -0,0 +1 @@ +lathe-popup-material-not-used = Этот материал не используется в данном аппарате. diff --git a/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl b/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl new file mode 100644 index 00000000000..eb425289666 --- /dev/null +++ b/Resources/Locale/ru-RU/lathe/ui/lathe-menu.ftl @@ -0,0 +1,20 @@ +lathe-menu-title = Меню станка +lathe-menu-queue = Очередь +lathe-menu-server-list = Список серверов +lathe-menu-sync = Синхр. +lathe-menu-search-designs = Поиск проектов +lathe-menu-category-all = All +lathe-menu-search-filter = Фильтр +lathe-menu-amount = Кол-во: +lathe-menu-material-display = { $material } { $amount } +lathe-menu-tooltip-display = { $amount } { $material } +lathe-menu-description-display = [italic]{ $description }[/italic] +lathe-menu-material-amount = + { $amount -> + [1] { NATURALFIXED($amount, 2) } ({ $unit }) + *[other] { NATURALFIXED($amount, 2) } ({ $unit }) + } +lathe-menu-no-materials-message = Материалы не загружены +lathe-menu-fabricating-message = Производится... +lathe-menu-materials-title = Материалы +lathe-menu-queue-title = Очередь производства diff --git a/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl b/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl new file mode 100644 index 00000000000..332fa13be53 --- /dev/null +++ b/Resources/Locale/ru-RU/launcher/launcher-connecting.ftl @@ -0,0 +1,21 @@ +### Connecting dialog when you start up the game + +connecting-title = Space Station 14 +connecting-exit = Выйти +connecting-retry = Повторить +connecting-reconnect = Переподключиться +connecting-redial = Перезапустить +connecting-redial-wait = Пожалуйста подождите: { TOSTRING($time, "G3") } +connecting-in-progress = Подключение к серверу... +connecting-disconnected = Отключен от сервера: +connecting-tip = Не умирай! +connecting-window-tip = Tip { $numberTip } +connecting-version = версия 0.1 +connecting-fail-reason = + Не удалось подключиться к серверу: + { $reason } +connecting-state-NotConnecting = Не подключен +connecting-state-ResolvingHost = Определение хоста +connecting-state-EstablishingConnection = Установка соединения +connecting-state-Handshake = Handshake +connecting-state-Connected = Подключен diff --git a/Resources/Locale/ru-RU/light/components/emergency-light-component.ftl b/Resources/Locale/ru-RU/light/components/emergency-light-component.ftl new file mode 100644 index 00000000000..88e20080991 --- /dev/null +++ b/Resources/Locale/ru-RU/light/components/emergency-light-component.ftl @@ -0,0 +1,6 @@ +emergency-light-component-on-examine = Индикатор батареи показывает: { $batteryStateText }. +emergency-light-component-on-examine-alert = Текущий уровень угрозы станции: [color={ $color }]{ $level }[/color]. +emergency-light-component-light-state-full = [color=darkgreen]Полная[/color] +emergency-light-component-light-state-empty = [color=darkgreen]Пустая[/color] +emergency-light-component-light-state-charging = [color=darkgreen]Заряжается[/color] +emergency-light-component-light-state-on = [color=darkgreen]Включена[/color] diff --git a/Resources/Locale/ru-RU/light/components/expendable-light-component.ftl b/Resources/Locale/ru-RU/light/components/expendable-light-component.ftl new file mode 100644 index 00000000000..58cf0d5aafd --- /dev/null +++ b/Resources/Locale/ru-RU/light/components/expendable-light-component.ftl @@ -0,0 +1,11 @@ +expendable-light-start-verb = Зажечь +expendable-light-spent-flare-name = сгоревший фальшфейер +expendable-light-spent-flare-desc = Похоже, этот фальшфейер догорел. Какой облом. +expendable-light-burnt-torch-name = сгоревший факел +expendable-light-burnt-torch-desc = Похоже, этот факел догорел. Какой облом. +expendable-light-spent-green-glowstick-name = погасший зелёный химсвет +expendable-light-spent-red-glowstick-name = погасший красный химсвет +expendable-light-spent-purple-glowstick-name = погасший фиолетовый химсвет +expendable-light-spent-yellow-glowstick-name = погасший жёлтый химсвет +expendable-light-spent-blue-glowstick-name = погасший синий химсвет +expendable-light-spent-glowstick-desc = Похоже, этот химсвет погас. Как трагично. diff --git a/Resources/Locale/ru-RU/light/components/handheld-light-component.ftl b/Resources/Locale/ru-RU/light/components/handheld-light-component.ftl new file mode 100644 index 00000000000..2139843a9ee --- /dev/null +++ b/Resources/Locale/ru-RU/light/components/handheld-light-component.ftl @@ -0,0 +1,4 @@ +handheld-light-component-on-examine-is-on-message = Сейчас свет [color=darkgreen]включен[/color]. +handheld-light-component-on-examine-is-off-message = Сейчас свет [color=darkred]выключен[/color]. +handheld-light-component-cell-missing-message = Батарея отсутствует... +handheld-light-component-cell-dead-message = Батарея разряжена... diff --git a/Resources/Locale/ru-RU/light/components/light-replacer-component.ftl b/Resources/Locale/ru-RU/light/components/light-replacer-component.ftl new file mode 100644 index 00000000000..a4b8bbe1e8f --- /dev/null +++ b/Resources/Locale/ru-RU/light/components/light-replacer-component.ftl @@ -0,0 +1,13 @@ +### Interaction Messages + +# Shown when player tries to replace light, but there is no lighs left +comp-light-replacer-missing-light = В { $light-replacer } не осталось лампочек. +# Shown when player inserts light bulb inside light replacer +comp-light-replacer-insert-light = Вы вставили { $bulb } в { $light-replacer }. +# Shown when player tries to insert in light replacer brolen light bulb +comp-light-replacer-insert-broken-light = Вы не можете вставлять разбитые лампочки! +# Shown when player refill light from light box +comp-light-replacer-refill-from-storage = Вы пополнили { $light-replacer }. +comp-light-replacer-no-lights = Здесь пусто. +comp-light-replacer-has-lights = Здесь находится следующее: +comp-light-replacer-light-listing = [color=yellow]{ $amount }[/color] ед. [color=gray]{ $name }[/color] diff --git a/Resources/Locale/ru-RU/light/components/powered-ligth-component.ftl b/Resources/Locale/ru-RU/light/components/powered-ligth-component.ftl new file mode 100644 index 00000000000..3baf09ab4f8 --- /dev/null +++ b/Resources/Locale/ru-RU/light/components/powered-ligth-component.ftl @@ -0,0 +1 @@ +powered-light-component-burn-hand = Вы обжигаете руку! diff --git a/Resources/Locale/ru-RU/light/components/unpowered-flashlight-component.ftl b/Resources/Locale/ru-RU/light/components/unpowered-flashlight-component.ftl new file mode 100644 index 00000000000..46d1c563005 --- /dev/null +++ b/Resources/Locale/ru-RU/light/components/unpowered-flashlight-component.ftl @@ -0,0 +1,2 @@ +# ToggleFlashlightVerb +toggle-flashlight-verb-get-data-text = Переключить фонарик diff --git a/Resources/Locale/ru-RU/limited-charges/limited-charges.ftl b/Resources/Locale/ru-RU/limited-charges/limited-charges.ftl new file mode 100644 index 00000000000..e5fb2b70078 --- /dev/null +++ b/Resources/Locale/ru-RU/limited-charges/limited-charges.ftl @@ -0,0 +1,13 @@ +limited-charges-charges-remaining = + Имеется { $charges } { $charges -> + [one] заряд + [few] заряда + *[other] зарядов + } +limited-charges-max-charges = Имеет [color=green]максимум[/color] зарядов. +limited-charges-recharging = + { $seconds -> + [one] До нового заряда осталась [color=yellow]{ $seconds }[/color] секунда. + [few] До нового заряда осталось [color=yellow]{ $seconds }[/color] секунды. + *[other] До нового заряда осталось [color=yellow]{ $seconds }[/color] секунд. + } diff --git a/Resources/Locale/ru-RU/lobby/lobby-gui.ftl b/Resources/Locale/ru-RU/lobby/lobby-gui.ftl new file mode 100644 index 00000000000..299e0faa91e --- /dev/null +++ b/Resources/Locale/ru-RU/lobby/lobby-gui.ftl @@ -0,0 +1,8 @@ +ui-lobby-title = Лобби +ui-lobby-ahelp-button = AHelp +ui-lobby-options-button = Настройки +ui-lobby-leave-button = Выйти +ui-lobby-observe-button = Наблюдать +ui-lobby-ready-up-button = Готовность +ui-lobby-online-players-block = Текущие игроки +ui-lobby-server-info-block = Серверная информация diff --git a/Resources/Locale/ru-RU/lobby/lobby-state.ftl b/Resources/Locale/ru-RU/lobby/lobby-state.ftl new file mode 100644 index 00000000000..f415732dbd4 --- /dev/null +++ b/Resources/Locale/ru-RU/lobby/lobby-state.ftl @@ -0,0 +1,25 @@ +lobby-state-paused = Пауза +lobby-state-soon = Раунд скоро начнётся +lobby-state-right-now-question = Прямо сейчас? +lobby-state-right-now-confirmation = Прямо сейчас +lobby-state-round-start-countdown-text = Раунд начнётся через: { $timeLeft } +lobby-state-ready-button-join-state = Присоединиться +lobby-state-ready-button-ready-up-state = Готов +lobby-state-player-status-not-ready = Не готов +lobby-state-player-status-ready = Готов +lobby-state-player-status-observer = Наблюдатель +lobby-state-player-status-round-not-started = Раунд ещё не начался +lobby-state-player-status-round-time = + Время раунда: { $hours } { $hours -> + [one] час + [few] часа + *[other] часов + } и { $minutes } { $minutes -> + [one] минута + [few] минуты + *[other] минут + } +lobby-state-song-text = Играет: [color=white]{ $songTitle }[/color], исполнитель [color=white]{ $songArtist }[/color] +lobby-state-song-no-song-text = В лобби не играет песня. +lobby-state-song-unknown-title = [color=dimgray]Неизвестное название[/color] +lobby-state-song-unknown-artist = [color=dimgray]Неизвестный исполнитель[/color] diff --git a/Resources/Locale/ru-RU/lobby/ui/lobby-character-preview-panel.ftl b/Resources/Locale/ru-RU/lobby/ui/lobby-character-preview-panel.ftl new file mode 100644 index 00000000000..a1cb3d421e5 --- /dev/null +++ b/Resources/Locale/ru-RU/lobby/ui/lobby-character-preview-panel.ftl @@ -0,0 +1,3 @@ +lobby-character-preview-panel-header = Ваш персонаж +lobby-character-preview-panel-character-setup-button = Персонализация +lobby-character-preview-panel-unloaded-preferences-label = Ваши настройки персонажа еще не загружены, пожалуйста, подождите. diff --git a/Resources/Locale/ru-RU/lobby/ui/observe-warning-window.ftl b/Resources/Locale/ru-RU/lobby/ui/observe-warning-window.ftl new file mode 100644 index 00000000000..064e363f3c5 --- /dev/null +++ b/Resources/Locale/ru-RU/lobby/ui/observe-warning-window.ftl @@ -0,0 +1,5 @@ +observe-nevermind = Нет, спасибо +observe-confirm = Наблюдать +observe-warning-1 = Вы уверены, что хотите наблюдать? +observe-warning-2 = Вы не сможете больше участвовать в этом раунде. +observe-warning-window-title = Предупреждение diff --git a/Resources/Locale/ru-RU/lock/lock-component.ftl b/Resources/Locale/ru-RU/lock/lock-component.ftl new file mode 100644 index 00000000000..b75220b0153 --- /dev/null +++ b/Resources/Locale/ru-RU/lock/lock-component.ftl @@ -0,0 +1,10 @@ +lock-comp-on-examined-is-locked = Похоже, { $entityName } заблокирован. +lock-comp-on-examined-is-unlocked = Похоже, { $entityName } разблокирован. +lock-comp-do-lock-success = Вы заблокировали { $entityName }. +lock-comp-do-unlock-success = Вы разблокировали { $entityName }. +lock-comp-has-user-access-fail = Доступ запрещён + +## ToggleLockVerb + +toggle-lock-verb-unlock = Разблокировать +toggle-lock-verb-lock = Заблокировать diff --git a/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl b/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl new file mode 100644 index 00000000000..39c5e5caaaa --- /dev/null +++ b/Resources/Locale/ru-RU/logic-gates/logic-gates.ftl @@ -0,0 +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. +power-sensor-switch = + Switched to checking the network's { $output -> + [true] output + *[false] input + } battery. +power-sensor-voltage-switch = Switched network to { $voltage }! diff --git a/Resources/Locale/ru-RU/lube/lube.ftl b/Resources/Locale/ru-RU/lube/lube.ftl new file mode 100644 index 00000000000..ffc312abbfe --- /dev/null +++ b/Resources/Locale/ru-RU/lube/lube.ftl @@ -0,0 +1,4 @@ +lube-success = Вы покрыли { $target } смазкой! +lubed-name-prefix = смазанный { $target } +lube-failure = Не удалось покрыть { $target } смазкой! +lube-slip = { $target } выскальзывает из ваших рук! diff --git a/Resources/Locale/ru-RU/machine-linking/components/signal-linker-component.ftl b/Resources/Locale/ru-RU/machine-linking/components/signal-linker-component.ftl new file mode 100644 index 00000000000..f87f5842ae1 --- /dev/null +++ b/Resources/Locale/ru-RU/machine-linking/components/signal-linker-component.ftl @@ -0,0 +1,14 @@ +signal-linker-component-saved = Успешно связано с устройством { $machine }! +signal-linker-component-linked-port = Успешно связан { $machine1 }:{ $port1 } c { $machine2 }:{ $port2 }! +signal-linker-component-unlinked-port = Успешно отвязан { $machine1 }:{ $port1 } от { $machine2 }:{ $port2 }! +signal-linker-component-connection-refused = { $machine } отказывается связываться! +signal-linker-component-max-connections-receiver = Достигнут максимум соединений для приёмника! +signal-linker-component-max-connections-transmitter = Достигнут максимум соединений для передатчика! +signal-linker-component-type-mismatch = Тип порта не совпадает с типом сохранённого порта! +signal-linker-component-out-of-range = Превышена дальность соединения! +# Verbs +signal-linking-verb-text-link-default = Связать стандартные порты +signal-linking-verb-success = Успешно подключены все стандартные соединения { $machine }. +signal-linking-verb-fail = Не удалось подключить все стандартные соединения { $machine }. +signal-linking-verb-disabled-no-transmitter = Сначала вам необходимо взаимодействовать с передатчиком, затем соедините со стандартным портом. +signal-linking-verb-disabled-no-receiver = Сначала вам необходимо взаимодействовать с приёмником, затем соедините со стандартным портом. diff --git a/Resources/Locale/ru-RU/machine-linking/components/signal-timer-component.ftl b/Resources/Locale/ru-RU/machine-linking/components/signal-timer-component.ftl new file mode 100644 index 00000000000..aef6e6341bb --- /dev/null +++ b/Resources/Locale/ru-RU/machine-linking/components/signal-timer-component.ftl @@ -0,0 +1,4 @@ +signal-timer-menu-title = Таймер +signal-timer-menu-label = Метка: +signal-timer-menu-delay = Задержка: +signal-timer-menu-start = Старт diff --git a/Resources/Locale/ru-RU/machine-linking/port-selector.ftl b/Resources/Locale/ru-RU/machine-linking/port-selector.ftl new file mode 100644 index 00000000000..ab529c3230a --- /dev/null +++ b/Resources/Locale/ru-RU/machine-linking/port-selector.ftl @@ -0,0 +1,5 @@ +signal-port-selector-menu-title = Выбор портов +signal-port-selector-menu-clear = Очистить +signal-port-selector-menu-link-defaults = Соединить по-умолчанию +signal-port-selector-help = Выберите порты, которые вы хотите соединить +signal-port-selector-menu-done = Готово diff --git a/Resources/Locale/ru-RU/machine-linking/receiver_ports.ftl b/Resources/Locale/ru-RU/machine-linking/receiver_ports.ftl new file mode 100644 index 00000000000..5ed59343059 --- /dev/null +++ b/Resources/Locale/ru-RU/machine-linking/receiver_ports.ftl @@ -0,0 +1,54 @@ +signal-port-name-autoclose = Автозакрытие +signal-port-description-autoclose = Переключает, должно ли устройство автоматически закрываться. +signal-port-name-toggle = Переключить +signal-port-description-toggle = Переключает состояние устройства. +signal-port-name-on-receiver = Вкл +signal-port-description-on-receiver = Включает устройство. +signal-port-name-off-receiver = Выкл +signal-port-description-off-receiver = Выключает устройство. +signal-port-name-forward = Вперёд +signal-port-description-forward = Заставляет устройство (например, конвейер) работать в нормальном направлении. +signal-port-name-reverse = Обратно +signal-port-description-reverse = Заставляет устройство (например, конвейер) работать в обратном направлении. +signal-port-name-open = Открыть +signal-port-description-open = Открывает устройство. +signal-port-name-close = Закрыть +signal-port-description-close = Закрывает устройство. +signal-port-name-doorbolt = Болты шлюза +signal-port-description-doorbolt = Меняет статус болтирования, если поступил высокий уровень сигнала. +signal-port-name-trigger = Триггер +signal-port-description-trigger = Запускает определенный механизм на устройстве. +signal-port-name-order-sender = Отправитель заказа +signal-port-description-order-sender = Отправляет заказ на консоль заказа грузов +signal-port-name-order-receiver = Получатель заказа +signal-port-description-order-receiver = Получает заказ на консоль заказа грузов +signal-port-name-pressurize = Нагнетатель давления +signal-port-description-pressurize = Заставляет устройство закачивать воздух, пока не будет достигнуто заданное давление. +signal-port-name-depressurize = Сбрасыватель давления +signal-port-description-depressurize = Заставляет устройство откачивать воздух, пока не будет достигнуто заданное давление. +signal-port-name-pod-sender = Капсула клонирования +signal-port-description-pod-sender = Передатчик сигнала капсулы клонирования +signal-port-name-pod-receiver = Капсула клонирования +signal-port-description-pod-receiver = Приёмник сигнала капсулы клонирования +signal-port-name-med-scanner-sender = Медицинский сканер +signal-port-description-med-scanner-sender = Передатчик сигнала медицинского сканера +signal-port-name-med-scanner-receiver = Медицинский сканер +signal-port-description-med-scanner-receiver = Приёмник сигнала медицинского сканера +signal-port-name-hold-open = Удерживать +signal-port-description-hold-open = Выключает автоматическое закрытие. +signal-port-name-artifact-analyzer-sender = Консоль +signal-port-description-artifact-analyzer-sender = Передатчик сигнала аналитической консоли +signal-port-name-artifact-analyzer-receiver = Платформа +signal-port-description-artifact-analyzer-receiver = Приёмник сигнала анализатора артефактов +signal-port-name-set-particle-delta = Выбрать тип частиц: дельта +signal-port-description-set-particle-delta = Устанавливает тип частиц, излучаемых этим устройством, на дельта. +signal-port-name-set-particle-epsilon = Выбрать тип частиц: эпсилон +signal-port-description-set-particle-epsilon = Устанавливает тип частиц, излучаемых этим устройством, на эпсилон. +signal-port-name-set-particle-zeta = Выбрать тип частиц: зета +signal-port-description-set-particle-zeta = Устанавливает тип частиц, излучаемых этим устройством, на зета. +signal-port-name-logic-input-a = Порт А +signal-port-description-logic-input-a = Первый порт логического элемента. +signal-port-name-logic-input-b = Порт В +signal-port-description-logic-input-b = Второй порт логического элемента. +signal-port-name-logic-input = Вход +signal-port-description-logic-input = Входной порт, который принимает только уровни сигнала, высокий или низкий. diff --git a/Resources/Locale/ru-RU/machine-linking/transmitter_ports.ftl b/Resources/Locale/ru-RU/machine-linking/transmitter_ports.ftl new file mode 100644 index 00000000000..bcebb52f6c5 --- /dev/null +++ b/Resources/Locale/ru-RU/machine-linking/transmitter_ports.ftl @@ -0,0 +1,46 @@ +signal-port-name-pressed = Нажато +signal-port-description-pressed = Этот порт задействуется всякий раз, когда передатчик активируется. +signal-port-name-on-transmitter = Вкл +signal-port-description-on-transmitter = Этот порт задействуется всякий раз, когда передатчик включён. +signal-port-name-off-transmitter = Выкл +signal-port-description-off-transmitter = Этот порт задействуется всякий раз, когда передатчик выключен. +signal-port-name-status-transmitter = Статус +signal-port-description-status-transmitter = Этот порт задействуется с высоким или низким уровнем, в зависимости от состояния передатчика. +signal-port-name-left = Налево +signal-port-description-left = Этот порт задействуется всякий раз, когда рычаг перемещается в крайнее левое положение. +signal-port-name-right = Направо +signal-port-description-right = Этот порт задействуется всякий раз, когда рычаг перемещается в крайнее правое положение. +signal-port-name-doorstatus = Статус шлюза +signal-port-description-doorstatus = Этот порт задействуется с высоким уровенем, когда с устройством взаимодействуют, и низким уровнем в закрытом состоянии. +signal-port-name-middle = Середина +signal-port-description-middle = Этот порт задействуется всякий раз, когда рычаг перемещается в нейтральное положение. +signal-port-name-timer-trigger = Таймер-триггер +signal-port-description-timer-trigger = Этот порт задействуется всякий раз, когда срабатывает таймер. +signal-port-name-timer-start = Таймер-старт +signal-port-description-timer-start = Этот порт задействуется всякий раз, когда запускается таймер. +signal-port-name-logic-output = Выход +signal-port-description-logic-output = Этот порт задействуется с высоким или низким уровнем, в зависимости от режима. +signal-port-name-logic-output-high = Высокий уровень +signal-port-description-logic-output-high = Этот порт задействуется всякий раз, когда входной уровень высокий. +signal-port-name-logic-output-low = Низкий уровень +signal-port-description-logic-output-low = Этот порт задействуется всякий раз, когда входной уровень низкий. +signal-port-name-air-danger = Danger +signal-port-description-air-danger = Этот порт задействуется с высоким уровенем сигнала, когда статус Danger, если статус другой, то с низким уровнем. +signal-port-name-air-warning = Warning +signal-port-description-air-warning = Этот порт задействуется с высоким уровенем сигнала, когда статус Warning, если статус другой, то с низким уровнем. +signal-port-name-air-normal = Normal +signal-port-description-air-normal = Этот порт задействуется с высоким уровенем сигнала, когда статус Normal, если статус другой, то с низким уровнем. +signal-port-name-decaying = Распад +signal-port-description-decaying = Этот порт задействуется когда привязанная аномалия переходит в состояние распада. +signal-port-name-stabilize = Стабилизация +signal-port-description-stabilize = Этот порт задействуется когда привязанная аномалия переходит в стабильное состояние. +signal-port-name-growing = Рост +signal-port-description-growing = Этот порт задействуется когда привязанная аномалия переходит в состояние роста. +signal-port-name-pulse = Импульс +signal-port-description-pulse = Этот порт задействуется когда привязанная аномалия создаёт импульс. +signal-port-name-supercrit = Суперкрит +signal-port-description-supercrit = Этот порт задействуется когда привязанная аномалия взрывается после перехода в суперкритическое состояние. +signal-port-name-power-charging = Charging +signal-port-description-power-charging = This port is invoked with HIGH when the battery is gaining charge and LOW when not. +signal-port-name-power-discharging = Discharging +signal-port-description-power-discharging = This port is invoked with HIGH when the battery is losing charge and LOW when not. diff --git a/Resources/Locale/ru-RU/machine/machine.ftl b/Resources/Locale/ru-RU/machine/machine.ftl new file mode 100644 index 00000000000..a514b9d0958 --- /dev/null +++ b/Resources/Locale/ru-RU/machine/machine.ftl @@ -0,0 +1,21 @@ +machine-insert-item = { $user } помещает { $item } в { $machine }. +machine-upgrade-examinable-verb-text = Улучшения +machine-upgrade-examinable-verb-message = Узнайте, какие параметры устройства были улучшены. +machine-upgrade-increased-by-percentage = Параметр [color=yellow]{ $upgraded }[/color] увеличен на { $percent }%. +machine-upgrade-decreased-by-percentage = Параметр [color=yellow]{ $upgraded }[/color] уменьшен на { $percent }%. +machine-upgrade-increased-by-amount = Параметр [color=yellow]{ $upgraded }[/color] увеличен на { $difference }. +machine-upgrade-decreased-by-amount = Параметр [color=yellow]{ $upgraded }[/color] уменьшен на { $difference }. +machine-upgrade-not-upgraded = Параметр [color=yellow]{ $upgraded }[/color] не улучшался. +machine-part-name-capacitor = Конденсатор +machine-part-name-manipulator = Манипулятор +machine-part-name-matter-bin = Ёмкость материи +machine-part-name-power-cell = Батарея +upgrade-power-draw = потребление энергии +upgrade-max-charge = максимальный запас энергии +upgrade-power-supply = производство энергии +upgrade-power-supply-ramping = постепенное изменение мощности +two-way-lever-left = сдвинуть рычаг влево +two-way-lever-right = сдвинуть рычаг вправо +two-way-lever-cant = Рычаг не может быть сдвинут в эту сторону! +recycler-count-items = Переработано объектов: { $items }. +machine-already-in-use = { CAPITALIZE(THE($machine)) } уже используется. diff --git a/Resources/Locale/ru-RU/magic/spells-actions.ftl b/Resources/Locale/ru-RU/magic/spells-actions.ftl new file mode 100644 index 00000000000..9e64fd97d3d --- /dev/null +++ b/Resources/Locale/ru-RU/magic/spells-actions.ftl @@ -0,0 +1,5 @@ +action-speech-spell-forcewall = TARCOL MINTI ZHERI +action-speech-spell-knock = AULIE OXIN FIERA +action-speech-spell-smite = EI NATH! +action-speech-spell-summon-magicarp = AIE KHUSE EU +action-speech-spell-fireball = ONI'SOMA! diff --git a/Resources/Locale/ru-RU/main-menu/main-menu.ftl b/Resources/Locale/ru-RU/main-menu/main-menu.ftl new file mode 100644 index 00000000000..8494aaa4860 --- /dev/null +++ b/Resources/Locale/ru-RU/main-menu/main-menu.ftl @@ -0,0 +1,15 @@ +main-menu-invalid-username-with-reason = + Неверное имя пользователя: + { $invalidReason } +main-menu-invalid-username = Неверное имя пользователя +main-menu-failed-to-connect = + Не удалось подключиться: + { $reason } +main-menu-username-label = Имя пользователя: +main-menu-username-text = Имя пользователя +main-menu-address-label = Server Address: +main-menu-join-public-server-button = Публичный сервер +main-menu-join-public-server-button-tooltip = Нельзя подключаться к публичным серверам с отладочной сборкой. +main-menu-direct-connect-button = Прямое подключение +main-menu-options-button = Настройки +main-menu-quit-button = Выйти diff --git a/Resources/Locale/ru-RU/mapping/mapping-command.ftl b/Resources/Locale/ru-RU/mapping/mapping-command.ftl new file mode 100644 index 00000000000..ba3892998ad --- /dev/null +++ b/Resources/Locale/ru-RU/mapping/mapping-command.ftl @@ -0,0 +1,16 @@ +cmd-mapping-desc = Создаёт или загружает карту и телепортирует вас на неё. +cmd-mapping-help = Использование: mapping [MapID] [Path] +cmd-mapping-server = Только игроки могут использовать эту команду. +cmd-mapping-error = При создании новой карты произошла ошибка. +cmd-mapping-success-load = Создаёт неинициализированную карту из файла { $path } с id { $mapId }. +cmd-mapping-success = Создаёт неинициализированную карту с id { $mapId }. +cmd-mapping-warning = ПРЕДУПРЕЖДЕНИЕ: На сервере используется отладочная дебаг сборка. Вы рискуете потерять свои изменения. +# duplicate text from engine load/save map commands. +# I CBF making this PR depend on that one. +cmd-mapping-failure-integer = { $arg } это не допустимый integer. +cmd-mapping-failure-float = { $arg } это не допустимый float. +cmd-mapping-failure-bool = { $arg } это не допустимый bool. +cmd-mapping-nullspace = Вы не можете загрузиться на карту 0. +cmd-hint-mapping-id = [MapID] +cmd-hint-mapping-path = [Path] +cmd-mapping-exists = Карта { $mapId } уже существует. diff --git a/Resources/Locale/ru-RU/maps/gamemap.ftl b/Resources/Locale/ru-RU/maps/gamemap.ftl new file mode 100644 index 00000000000..e551a80b9ee --- /dev/null +++ b/Resources/Locale/ru-RU/maps/gamemap.ftl @@ -0,0 +1 @@ +gamemap-could-not-use-map-error = Не удалось загрузить карту { $oldMap }, так как она больше не подходит! Вместо неё выбрана { $newMap }. diff --git a/Resources/Locale/ru-RU/maps/planet.ftl b/Resources/Locale/ru-RU/maps/planet.ftl new file mode 100644 index 00000000000..220bf81825b --- /dev/null +++ b/Resources/Locale/ru-RU/maps/planet.ftl @@ -0,0 +1,5 @@ +cmd-planet-desc = Конвертирует указанную карту в планету с определённым биомом. +cmd-planet-help = { $command } . +cmd-planet-args = Требуется только 2 аргумента. +cmd-planet-map = Не удалось спарсить { $map } как существующую карту. +cmd-planet-success = Карта { $mapId } сделана Планетой. ВНИМАНИЕ! Для работы атмосферы необходимо загрузить карту (либо на новую карту, либо перезапустив игру). diff --git a/Resources/Locale/ru-RU/markings/arachnid.ftl b/Resources/Locale/ru-RU/markings/arachnid.ftl new file mode 100644 index 00000000000..f89dbba7a92 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/arachnid.ftl @@ -0,0 +1,66 @@ +marking-ArachnidCheliceraeDownwards = Хелицеры (Вниз) +marking-ArachnidCheliceraeDownwards-downwards = Хелицеры +marking-ArachnidCheliceraeInwards = Хелицеры (Внутрь) +marking-ArachnidCheliceraeInwards-inwards = Хелицеры +marking-ArachnidAppendagesDefault = Придатки (Длинные) +marking-ArachnidAppendagesDefault-long_primary = Придаток +marking-ArachnidAppendagesDefault-long_secondary = Полосы +marking-ArachnidAppendagesSharp = Придатки (Острые) +marking-ArachnidAppendagesSharp-sharp_primary = Придаток +marking-ArachnidAppendagesSharp-sharp_secondary = Полосы +marking-ArachnidAppendagesZigZag = Придатки (ЗигЗаг) +marking-ArachnidAppendagesZigZag-zigzag_primary = Придаток +marking-ArachnidAppendagesZigZag-zigzag_secondary = Полосы +marking-ArachnidAppendagesCurled = Придатки (Завитки) +marking-ArachnidAppendagesCurled-curled_primary = Придаток +marking-ArachnidAppendagesCurled-curled_secondary = Полосы +marking-ArachnidAppendagesStingers = Придатки (Жала) +marking-ArachnidAppendagesStingers-stingers_primary = Придаток +marking-ArachnidAppendagesStingers-stingers_secondary = Полосы +marking-ArachnidAppendagesChipped = Придатки (Сколотые) +marking-ArachnidAppendagesChipped-chipped_primary = Придаток +marking-ArachnidAppendagesChipped-chipped_secondary = Полосы +marking-ArachnidAppendagesHarvest = Придатки (Урожай) +marking-ArachnidAppendagesHarvest-harvest_primary = Придаток +marking-ArachnidAppendagesHarvest-harvest_secondary = Полосы +marking-ArachnidAppendagesShort = Придатки (Короткие) +marking-ArachnidAppendagesShort-short_primary = Придаток +marking-ArachnidAppendagesShort-short_secondary = Полосы +marking-ArachnidAppendagesFreaky = Придатки (Причудливо длинные) +marking-ArachnidAppendagesFreaky-freaky_primary = Придаток +marking-ArachnidAppendagesFreaky-freaky_secondary = Полосы +marking-ArachnidTorsoStripes = Полосы +marking-ArachnidTorsoStripes-stripes = Дизайн +marking-ArachnidTorsoSlashes = Косые срезы +marking-ArachnidTorsoSlashes-slashes = Дизайн +marking-ArachnidTorsoCross = Крест +marking-ArachnidTorsoCross-cross = Дизайн +marking-ArachnidTorsoX = X +marking-ArachnidTorsoX-x = Дизайн +marking-ArachnidTorsoHeart = Сердце +marking-ArachnidTorsoHeart-heart = Дизайн +marking-ArachnidTorsoHourglass = Песочные часы +marking-ArachnidTorsoHourglass-hourglass = Дизайн +marking-ArachnidTorsoNailAndHammer = Гвоздь и молот +marking-ArachnidTorsoNailAndHammer-nail-and-hammer = Дизайн +marking-ArachnidTorsoStar = Звезда +marking-ArachnidTorsoStar-star = Дизайн +marking-ArachnidTorsoArrows = Стрелы +marking-ArachnidTorsoArrows-arrows = Дизайн +marking-ArachnidTorsoCore = Ядро +marking-ArachnidTorsoCore-core = Дизайн +marking-ArachnidTorsoFiddleback = Полосатый клён +marking-ArachnidTorsoFiddleback-fiddleback = Дизайн +marking-ArachnidTorsoSkull = Череп +marking-ArachnidTorsoSkull-skull = Дизайн +marking-ArachnidTorsoTarget = Мишень +marking-ArachnidTorsoTarget-target = Дизайн +marking-ArachnidRArmStripes = Арахнид Полосы (Справа) +marking-ArachnidRArmStripes-stripes_right = Полосы +marking-ArachnidLArmStripes = Арахнид Полосы (Слева) +marking-ArachnidLArmStripes-stripes_left = Полосы +marking-ArachnidRLegStripes = Арахнид Полосы (Справа) +marking-ArachnidRLegStripes-stripes_right = Полосы +marking-ArachnidLLegStripes = Арахнид Полосы (Слева) +marking-ArachnidLLegStripes-stripes_left = Полосы +marking-ArachnidOverlayFuzzy = Пушистые diff --git a/Resources/Locale/ru-RU/markings/cat.ftl b/Resources/Locale/ru-RU/markings/cat.ftl new file mode 100644 index 00000000000..01f25983387 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/cat.ftl @@ -0,0 +1,2 @@ +marking-CatEars = Кошачьи уши +marking-CatTail = Кошачий хвост diff --git a/Resources/Locale/ru-RU/markings/diona.ftl b/Resources/Locale/ru-RU/markings/diona.ftl new file mode 100644 index 00000000000..a0d3b3fa3b5 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/diona.ftl @@ -0,0 +1,58 @@ +marking-DionaThornsHead-thorns_head = Диона, голова (Колючки) +marking-DionaThornsHead = Диона, голова (Колючки) +marking-DionaThornsBody-thorns_body = Диона, грудь (Колючки) +marking-DionaThornsBody = Диона, грудь (Колючки) +marking-DionaFlowersHead-flowers_head = Диона, голова (Цветы) +marking-DionaFlowersHead = Диона, голова (Цветы) +marking-DionaFlowersBody-flowers_body = Диона, грудь (Цветы) +marking-DionaFlowersBody = Диона, грудь (Цветы) +marking-DionaLeafCover-leaf_cover = Диона, грудь (Лист) +marking-DionaLeafCover = Диона, грудь (Лист) +marking-DionaBloomHead-bloom = Диона, Вечноцвет (Цветы) +marking-DionaBloomHead = Диона, Вечноцвет (Цветы) +marking-DionaBracketHead-bracket = Диона, Трутовик (Грибы) +marking-DionaBracketHead = Диона, Трутовик (Грибы) +marking-DionaBrushHead-brush = Диона, Кисти (Лианы) +marking-DionaBrushHead = Диона, Кисти (Лианы) +marking-DionaCornflowerHead-cornflower = Диона, Василёк (Цветы) +marking-DionaCornflowerHead = Диона, Василёк (Цветы) +marking-DionaFicusHead-ficus = Диона, Фикус (Листья) +marking-DionaFicusHead = Диона, Фикус (Листья) +marking-DionaGarlandHead-garland = Диона, Гирлянда (Цветы) +marking-DionaGarlandHead = Диона, Гирлянда (Цветы) +marking-DionaKingHead-king = Диона, Флауэркинг (Цветы) +marking-DionaKingHead = Диона, Флауэркинг (Цветы) +marking-DionaLaurelHead-laurel = Диона, Кальмия (Листья) +marking-DionaLaurelHead = Диона, Кальмия (Листья) +marking-DionaLeafyHeadTop-leafy = Диона, Листья (Листья) +marking-DionaLeafyHeadTop = Диона, Листья (Листья) +marking-DionaLotusHead-lotus = Диона, Лотус (Цветы) +marking-DionaLotusHead = Диона, Лотус (Цветы) +marking-DionaMeadowHeadTop-meadow = Диона, Луг +marking-DionaMeadowHeadTop = Диона, Луг +marking-DionaOakHead-oak = Диона, Дуб (Дерево) +marking-DionaOakHead = Диона, Дуб (Дерево) +marking-DionaPalmHead-palm = Диона, Пальма (Листья) +marking-DionaPalmHead = Диона, Пальма (Листья) +marking-DionaRootHead-root = Диона, Корень (Корни) +marking-DionaRootHead = Диона, Корень (Корни) +marking-DionaRoseHead-rose = Диона, Роза (Цветы) +marking-DionaRoseHead = Диона, Роза (Цветы) +marking-DionaRoseyHead-rosey = Диона, Розы (Цветы) +marking-DionaRoseyHead = Диона, Розы (Цветы) +marking-DionaShrubHeadTop-shrub = Диона, Кустарник (Колючки) +marking-DionaShrubHeadTop = Диона, Кустарник (Колючки) +marking-DionaSpinnerHeadSide-spinner = Диона, Спиннер +marking-DionaSpinnerHeadSide = Диона, Спиннер +marking-DionaSproutHeadSide-sprout = Диона, Росток +marking-DionaSproutHeadSide = Диона, Росток +marking-DionaVineHeadTop-vine = Диона, Лоза (Лоза) +marking-DionaVineHeadTop = Диона, Лоза (Лоза) +marking-DionaVinelHead-vinel = Диона, Лоза длинная (Лоза) +marking-DionaVinelHead = Диона, Лоза длинная (Лоза) +marking-DionaVinesHead-vines = Диона, Лоза короткая (Лоза) +marking-DionaVinesHead = Диона, Лоза короткая (Лоза) +marking-DionaWildflowerHead-wildflower = Диона, Полевые цветы (Цветы) +marking-DionaWildflowerHead = Диона, Полевые цветы (Цветы) +marking-DionaVineOverlay-overlay = Диона, Лоза тела +marking-DionaVineOverlay = Диона, Лоза тела diff --git a/Resources/Locale/ru-RU/markings/felinid.ftl b/Resources/Locale/ru-RU/markings/felinid.ftl new file mode 100644 index 00000000000..d756edfe116 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/felinid.ftl @@ -0,0 +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 diff --git a/Resources/Locale/ru-RU/markings/gauze.ftl b/Resources/Locale/ru-RU/markings/gauze.ftl new file mode 100644 index 00000000000..f32e6b3199d --- /dev/null +++ b/Resources/Locale/ru-RU/markings/gauze.ftl @@ -0,0 +1,42 @@ +marking-GauzeLefteyePatch-gauze_lefteye_2 = Gauze eyepatch (Left) +marking-GauzeLefteyePatch = Gauze eyepatch (Left) +marking-GauzeLefteyeTape-gauze_lefteye_1 = Gauze eyepad (Left) +marking-GauzeLefteyeTape = Gauze eyepad (Left) +marking-GauzeRighteyePatch-gauze_righteye_2 = Gauze eyepatch (Right) +marking-GauzeRighteyePatch = Gauze eyepatch (Right) +marking-GauzeRighteyeTape-gauze_righteye_1 = Gauze eyepad (Right) +marking-GauzeRighteyeTape = Gauze eyepad (Right) +marking-GauzeShoulder-gauze_shoulder = Gauze Shoulder +marking-GauzeShoulder = Gauze Shoulder +marking-GauzeStomach-gauze_abdomen = Gauze Stomach Wrap +marking-GauzeStomach = Gauze Stomach Wrap +marking-GauzeUpperArmRight-gauze_upperarm_r = Gauze Forearm Wrap (Right) +marking-GauzeUpperArmRight = Gauze Forearm Wrap (Right) +marking-GauzeLowerArmRight-gauze_lowerarm_r = Gauze Wrist Wrap (Right) +marking-GauzeLowerArmRight = Gauze Wrist Wrap (Right) +marking-GauzeLeftArm-gauze_leftarm = Gauze Arm Wrap (Left) +marking-GauzeLeftArm = Gauze Arm Wrap (Left) +marking-GauzeLowerLegLeft-gauze_lowerleg_l = Gauze Ankle Wrap (Left) +marking-GauzeLowerLegLeft = Gauze Ankle Wrap (Left) +marking-GauzeBoxerWrapLeft-gauze_boxerwrap_l = Gauze Handwrap (Left) +marking-GauzeBoxerWrapLeft = Gauze Handwrap (Left) +marking-GauzeBoxerWrapRight-gauze_boxerwrap_r = Gauze Handwrap (Right) +marking-GauzeBoxerWrapRight = Gauze Handwrap (Right) +marking-GauzeUpperLegLeft-gauze_upperleg_l = Gauze Thigh Wrap (Left) +marking-GauzeUpperLegLeft = Gauze Thigh Wrap (Left) +marking-GauzeLowerLegRight-gauze_lowerleg_r = Gauze Ankle Wrap (Right) +marking-GauzeLowerLegRight = Gauze Ankle Wrap (Right) +marking-GauzeUpperLegRight-gauze_upperleg_r = Gauze Thigh Wrap (Right) +marking-GauzeUpperLegRight = Gauze Thigh Wrap (Right) +marking-GauzeBlindfold-gauze_blindfold = Gauze Blindfold +marking-GauzeBlindfold = Gauze Blindfold +marking-GauzeLizardBlindfold-gauze_lizardblindfold = Gauze Blindfold +marking-GauzeLizardBlindfold = Gauze Blindfold +marking-GauzeLizardFootRight-gauze_lizardfoot_r = Gauze Foot Wrap (Right) +marking-GauzeLizardFootRight = Gauze Foot Wrap (Right) +marking-GauzeLizardFootLeft-gauze_lizardfoot_l = Gauze Foot Wrap (Left) +marking-GauzeLizardFootLeft = Gauze Foot Wrap (Left) +marking-GauzeLizardLefteyePatch-gauze_lizardlefteye = Adjusted Gauze eyepatch (Left) +marking-GauzeLizardLefteyePatch = Adjusted Gauze eyepatch (Left) +marking-GauzeLizardRighteyePatch-gauze_lizardrighteye = Adjusted Gauze eyepatch (Right) +marking-GauzeLizardRighteyePatch = Adjusted Gauze Eyepatch (Right) diff --git a/Resources/Locale/ru-RU/markings/moth.ftl b/Resources/Locale/ru-RU/markings/moth.ftl new file mode 100644 index 00000000000..63ca884c7f0 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/moth.ftl @@ -0,0 +1,248 @@ +marking-MothAntennasDefault-default = Antennae +marking-MothAntennasDefault = Антенны (Обычные) +marking-MothAntennasCharred-charred = Antennae +marking-MothAntennasCharred = Антенны (Обугленные) +marking-MothAntennasDbushy-dbushy = Antennae +marking-MothAntennasDbushy = Антенны (Кустистые) +marking-MothAntennasDcurvy-dcurvy = Antennae +marking-MothAntennasDcurvy = Антенны (Закрученные) +marking-MothAntennasDfan-dfan = Antennae +marking-MothAntennasDfan = Антенны (Вентилятор) +marking-MothAntennasDpointy-dpointy = Antennae +marking-MothAntennasDpointy = Антенны (Заостренные) +marking-MothAntennasFeathery-feathery = Antennae +marking-MothAntennasFeathery = Антенны (Перистые) +marking-MothAntennasFirewatch-firewatch = Antennae +marking-MothAntennasFirewatch = Антенны (Файрвотч) +marking-MothAntennasGray-gray = Antennae +marking-MothAntennasGray = Антенны (Серые) +marking-MothAntennasJungle-jungle = Antennae +marking-MothAntennasJungle = Антенны (Джунгли) +marking-MothAntennasMaple-maple = Antennae +marking-MothAntennasMaple = Антенны (Клён) +marking-MothAntennasMoffra-moffra = Antennae +marking-MothAntennasMoffra = Антенны (Мотра) +marking-MothAntennasOakworm-oakworm = Antennae +marking-MothAntennasOakworm = Антенны (Дубовый червь) +marking-MothAntennasPlasmafire-plasmafire = Antennae +marking-MothAntennasPlasmafire = Антенны (Пожар плазмы) +marking-MothAntennasRoyal-royal = Antennae +marking-MothAntennasRoyal = Антенны (Королевские) +marking-MothAntennasStriped-striped = Antennae +marking-MothAntennasStriped = Антенны (Полосатые) +marking-MothAntennasWhitefly-whitefly = Antennae +marking-MothAntennasWhitefly = Антенны (Белая муха) +marking-MothAntennasWitchwing-witchwing = Antennae +marking-MothAntennasWitchwing = Антенны (Ведьмино крыло) +marking-MothAntennasUnderwing-underwing_primary = Primary +marking-MothAntennasUnderwing-underwing_secondary = Secondary +marking-MothAntennasUnderwing = Antennae (Underwing) +marking-MothWingsDefault-default = Wing +marking-MothWingsDefault = Крылья (Обычные) +marking-MothWingsCharred-charred = Wing +marking-MothWingsCharred = Крылья (Обугленные) +marking-MothWingsDbushy-dbushy_primary = Primary +marking-MothWingsDbushy-dbushy_secondary = Secondary +marking-MothWingsDbushy = Крылья (Тёмные и Кустистые) +marking-MothWingsDeathhead-deathhead_primary = Primary +marking-MothWingsDeathhead-deathhead_secondary = Secondary +marking-MothWingsDeathhead = Крылья (Рука Смерти) +marking-MothWingsFan-fan = Wing +marking-MothWingsFan = Крылья (Вентилятор) +marking-MothWingsDfan-dfan = Wing +marking-MothWingsDfan = Крылья (Тёмные и Вентилятор) +marking-MothWingsFeathery-feathery = Wing +marking-MothWingsFeathery = Крылья (Перистые) +marking-MothWingsFirewatch-firewatch_primary = Primary +marking-MothWingsFirewatch-firewatch_secondary = Secondary +marking-MothWingsFirewatch = Крылья (Файрвотч) +marking-MothWingsGothic-gothic = Wing +marking-MothWingsGothic = Крылья (Готика) +marking-MothWingsJungle-jungle = Wing +marking-MothWingsJungle = Крылья (Джунгли) +marking-MothWingsLadybug-ladybug = Wing +marking-MothWingsLadybug = Крылья (Божья коровка) +marking-MothWingsMaple-maple = Wing +marking-MothWingsMaple = Крылья (Клён) +marking-MothWingsMoffra-moffra_primary = Primary +marking-MothWingsMoffra-moffra_secondary = Secondary +marking-MothWingsMoffra = Крылья (Мотра) +marking-MothWingsOakworm-oakworm = Wing +marking-MothWingsOakworm = Крылья (Дубовый червь) +marking-MothWingsPlasmafire-plasmafire_primary = Primary +marking-MothWingsPlasmafire-plasmafire_secondary = Secondary +marking-MothWingsPlasmafire = Крылья (Пожар плазмы) +marking-MothWingsPointy-pointy = Wing +marking-MothWingsPointy = Крылья (Заостренные) +marking-MothWingsRoyal-royal_primary = Primary +marking-MothWingsRoyal-royal_secondary = Secondary +marking-MothWingsRoyal = Крылья (Королевские) +marking-MothWingsStellar-stellar = Wing +marking-MothWingsStellar = Крылья (Звёздные) +marking-MothWingsStriped-striped = Wing +marking-MothWingsStriped = Крылья (Полосатые) +marking-MothWingsSwirly-swirly = Wing +marking-MothWingsSwirly = Крылья (Завихрение) +marking-MothWingsWhitefly-whitefly = Wing +marking-MothWingsWhitefly = Крылья (Белая муха) +marking-MothWingsWitchwing-witchwing = Wing +marking-MothWingsWitchwing = Крылья (Ведьмино крыло) +marking-MothWingsUnderwing-underwing_primary = Primary +marking-MothWingsUnderwing-underwing_secondary = Secondary +marking-MothWingsUnderwing = Wings (Underwing) +marking-MothChestCharred-charred_chest = Chest +marking-MothChestCharred = Ниан, Грудь (Обугленные) +marking-MothHeadCharred-charred_head = Head +marking-MothHeadCharred = Ниан, Голова (Обугленные) +marking-MothLLegCharred-charred_l_leg = Left Leg +marking-MothLLegCharred = Ниан, Левая нога (Обугленные) +marking-MothRLegCharred-charred_r_leg = Right Leg +marking-MothRLegCharred = Ниан, Правая нога (Обугленные) +marking-MothLArmCharred-charred_l_arm = Left Arm +marking-MothLArmCharred = Ниан, Левая рука (Обугленные) +marking-MothRArmCharred-charred_r_arm = Right Arm +marking-MothRArmCharred = Ниан, Правая рука (Обугленные) +marking-MothChestDeathhead-deathhead_chest = Chest +marking-MothChestDeathhead = Ниан, Грудь (Рука Смерти) +marking-MothHeadDeathhead-deathhead_head = Head +marking-MothHeadDeathhead = Ниан, Голова (Рука Смерти) +marking-MothLLegDeathhead-deathhead_l_leg = Left Leg +marking-MothLLegDeathhead = Ниан, Левая нога (Рука Смерти) +marking-MothRLegDeathhead-deathhead_r_leg = Right Leg +marking-MothRLegDeathhead = Ниан, Правая нога (Рука Смерти) +marking-MothLArmDeathhead-deathhead_l_arm = Left Arm +marking-MothLArmDeathhead = Ниан, Левая рука (Рука Смерти) +marking-MothRArmDeathhead-deathhead_r_arm = Right Arm +marking-MothRArmDeathhead = Ниан, Правая рука (Рука Смерти) +marking-MothChestFan-fan_chest = Chest +marking-MothChestFan = Ниан, Грудь (Вентилятор) +marking-MothHeadFan-fan_head = Head +marking-MothHeadFan = Ниан, Голова (Вентилятор) +marking-MothLLegFan-fan_l_leg = Left Leg +marking-MothLLegFan = Ниан, Левая нога (Вентилятор) +marking-MothRLegFan-fan_r_leg = Right Leg +marking-MothRLegFan = Ниан, Правая нога (Вентилятор) +marking-MothLArmFan-fan_l_arm = Left Arm +marking-MothLArmFan = Ниан, Левая рука (Вентилятор) +marking-MothRArmFan-fan_r_arm = Right Arm +marking-MothRArmFan = Ниан, Правая рука (Вентилятор) +marking-MothChestFirewatch-firewatch_chest = Chest +marking-MothChestFirewatch = Ниан, Грудь (Файрвотч) +marking-MothHeadFirewatch-firewatch_head = Head +marking-MothHeadFirewatch = Ниан, Голова (Файрвотч) +marking-MothLLegFirewatch-firewatch_l_leg = Left Leg +marking-MothLLegFirewatch = Ниан, Левая нога (Файрвотч) +marking-MothRLegFirewatch-firewatch_r_leg = Right Leg +marking-MothRLegFirewatch = Ниан, Правая нога (Файрвотч) +marking-MothLArmFirewatch-firewatch_l_arm = Left Arm +marking-MothLArmFirewatch = Ниан, Левая рука (Файрвотч) +marking-MothRArmFirewatch-firewatch_r_arm = Right Arm +marking-MothRArmFirewatch = Ниан, Правая рука (Файрвотч) +marking-MothChestGothic-gothic_chest = Chest +marking-MothChestGothic = Ниан, Грудь (Готика) +marking-MothHeadGothic-gothic_head = Head +marking-MothHeadGothic = Ниан, Голова (Готика) +marking-MothLLegGothic-gothic_l_leg = Left Leg +marking-MothLLegGothic = Ниан, Левая нога (Готика) +marking-MothRLegGothic-gothic_r_leg = Right Leg +marking-MothRLegGothic = Ниан, Правая нога (Готика) +marking-MothLArmGothic-gothic_l_arm = Left Arm +marking-MothLArmGothic = Ниан, Левая рука (Готика) +marking-MothRArmGothic-gothic_r_arm = Right Arm +marking-MothRArmGothic = Ниан, Правая рука (Готика) +marking-MothChestJungle-jungle_chest = Chest +marking-MothChestJungle = Ниан, Грудь (Джунгли) +marking-MothHeadJungle-jungle_head = Head +marking-MothHeadJungle = Ниан, Голова (Джунгли) +marking-MothLLegJungle-jungle_l_leg = Left Leg +marking-MothLLegJungle = Ниан, Левая нога (Джунгли) +marking-MothRLegJungle-jungle_r_leg = Right Leg +marking-MothRLegJungle = Ниан, Правая нога (Джунгли) +marking-MothLArmJungle-jungle_l_arm = Left Arm +marking-MothLArmJungle = Ниан, Левая рука (Джунгли) +marking-MothRArmJungle-jungle_r_arm = Right Arm +marking-MothRArmJungle = Ниан, Правая рука (Джунгли) +marking-MothChestMoonfly-moonfly_chest = Chest +marking-MothChestMoonfly = Ниан, Грудь (Мунфлай) +marking-MothHeadMoonfly-moonfly_head = Head +marking-MothHeadMoonfly = Ниан, Голова (Мунфлай) +marking-MothLLegMoonfly-moonfly_l_leg = Left Leg +marking-MothLLegMoonfly = Ниан, Левая нога (Мунфлай) +marking-MothRLegMoonfly-moonfly_r_leg = Right Leg +marking-MothRLegMoonfly = Ниан, Правая нога (Мунфлай) +marking-MothLArmMoonfly-moonfly_l_arm = Left Arm +marking-MothLArmMoonfly = Ниан, Левая рука (Мунфлай) +marking-MothRArmMoonfly-moonfly_r_arm = Right Arm +marking-MothRArmMoonfly = Ниан, Правая рука (Мунфлай) +marking-MothChestOakworm-oakworm_chest = Chest +marking-MothChestOakworm = Ниан, Грудь (Дубовый червь) +marking-MothHeadOakworm-oakworm_head = Head +marking-MothHeadOakworm = Ниан, Голова (Дубовый червь) +marking-MothLLegOakworm-oakworm_l_leg = Left Leg +marking-MothLLegOakworm = Ниан, Левая нога (Дубовый червь) +marking-MothRLegOakworm-oakworm_r_leg = Right Leg +marking-MothRLegOakworm = Ниан, Правая нога (Дубовый червь) +marking-MothLArmOakworm-oakworm_l_arm = Left Arm +marking-MothLArmOakworm = Ниан, Левая рука (Дубовый червь) +marking-MothRArmOakworm-oakworm_r_arm = Right Arm +marking-MothRArmOakworm = Ниан, Правая рука (Дубовый червь) +marking-MothChestPointy-pointy_chest = Chest +marking-MothChestPointy = Ниан, Грудь (Заостренные) +marking-MothHeadPointy-pointy_head = Head +marking-MothHeadPointy = Ниан, Голова (Заостренные) +marking-MothLLegPointy-pointy_l_leg = Left Leg +marking-MothLLegPointy = Ниан, Левая нога (Заостренные) +marking-MothRLegPointy-pointy_r_leg = Right Leg +marking-MothRLegPointy = Ниан, Правая нога (Заостренные) +marking-MothLArmPointy-pointy_l_arm = Left Arm +marking-MothLArmPointy = Ниан, Левая рука (Заостренные) +marking-MothRArmPointy-pointy_r_arm = Right Arm +marking-MothRArmPointy = Ниан, Правая рука (Заостренные) +marking-MothChestRagged-ragged_chest = Chest +marking-MothChestRagged = Ниан, Грудь (Потрёпанные) +marking-MothHeadRagged-ragged_head = Head +marking-MothHeadRagged = Ниан, Голова (Потрёпанные) +marking-MothLLegRagged-ragged_l_leg = Left Leg +marking-MothLLegRagged = Ниан, Левая нога (Потрёпанные) +marking-MothRLegRagged-ragged_r_leg = Right Leg +marking-MothRLegRagged = Ниан, Правая нога (Потрёпанные) +marking-MothLArmRagged-ragged_l_arm = Left Arm +marking-MothLArmRagged = Ниан, Левая рука (Потрёпанные) +marking-MothRArmRagged-ragged_r_arm = Right Arm +marking-MothRArmRagged = Ниан, Правая рука (Потрёпанные) +marking-MothChestRoyal-royal_chest = Chest +marking-MothChestRoyal = Ниан, Грудь (Королевские) +marking-MothHeadRoyal-royal_head = Head +marking-MothHeadRoyal = Ниан, Голова (Королевские) +marking-MothLLegRoyal-royal_l_leg = Left Leg +marking-MothLLegRoyal = Ниан, Левая нога (Королевские) +marking-MothRLegRoyal-royal_r_leg = Right Leg +marking-MothRLegRoyal = Ниан, Правая нога (Королевские) +marking-MothLArmRoyal-royal_l_arm = Left Arm +marking-MothLArmRoyal = Ниан, Левая рука (Королевские) +marking-MothRArmRoyal-royal_r_arm = Right Arm +marking-MothRArmRoyal = Ниан, Правая рука (Королевские) +marking-MothChestWhitefly-whitefly_chest = Chest +marking-MothChestWhitefly = Ниан, Грудь (Белая муха) +marking-MothHeadWhitefly-whitefly_head = Head +marking-MothHeadWhitefly = Ниан, Голова (Белая муха) +marking-MothLLegWhitefly-whitefly_l_leg = Left Leg +marking-MothLLegWhitefly = Ниан, Левая нога (Белая муха) +marking-MothRLegWhitefly-whitefly_r_leg = Right Leg +marking-MothRLegWhitefly = Ниан, Правая нога (Белая муха) +marking-MothLArmWhitefly-whitefly_l_arm = Left Arm +marking-MothLArmWhitefly = Ниан, Левая рука (Белая муха) +marking-MothRArmWhitefly-whitefly_r_arm = Right Arm +marking-MothRArmWhitefly = Ниан, Правая рука (Белая муха) +marking-MothChestWitchwing-witchwing_chest = Chest +marking-MothChestWitchwing = Ниан, Грудь (Ведьмино крыло) +marking-MothHeadWitchwing-witchwing_head = Head +marking-MothHeadWitchwing = Ниан, Голова (Ведьмино крыло) +marking-MothLLegWitchwing-witchwing_l_leg = Left Leg +marking-MothLLegWitchwing = Ниан, Левая нога (Ведьмино крыло) +marking-MothRLegWitchwing-witchwing_r_leg = Right Leg +marking-MothRLegWitchwing = Ниан, Правая нога (Ведьмино крыло) +marking-MothLArmWitchwing-witchwing_l_arm = Left Arm +marking-MothLArmWitchwing = Ниан, Левая рука (Ведьмино крыло) +marking-MothRArmWitchwing-witchwing_r_arm = Right Arm +marking-MothRArmWitchwing = Ниан, Правая рука (Ведьмино крыло) diff --git a/Resources/Locale/ru-RU/markings/reptilian.ftl b/Resources/Locale/ru-RU/markings/reptilian.ftl new file mode 100644 index 00000000000..cef4d96a0d0 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/reptilian.ftl @@ -0,0 +1,71 @@ +marking-LizardFrillsShort-frills_short = Унатх, воротник (Короткий) +marking-LizardFrillsShort = Унатх, воротник (Короткий) +marking-LizardFrillsSimple-frills_simple = Унатх, воротник (Простой) +marking-LizardFrillsSimple = Унатх, воротник (Простой) +marking-LizardFrillsAquatic-frills_aquatic = Унатх, воротник (Водный) +marking-LizardFrillsAquatic = Унатх, воротник (Водный) +marking-LizardHornsAngler-horns_angler = Унатх, рожки (Рыболов) +marking-LizardHornsAngler = Унатх, рожки (Рыболов) +marking-LizardHornsCurled-horns_curled = Унатх, рожки (Завитые) +marking-LizardHornsCurled = Унатх, рожки (Завитые) +marking-LizardHornsRam-horns_ram = Унатх, рожки (Бараньи) +marking-LizardHornsRam = Унатх, рожки (Бараньи) +marking-LizardHornsShort-horns_short = Унатх, рожки (Короткие) +marking-LizardHornsShort = Унатх, рожки (Короткие) +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-LizardTailSpikes-tail_spikes = Унатх, хвост (Шипастый) +marking-LizardTailSpikes = Унатх, хвост (Шипастый) +marking-LizardTailLTiger-tail_ltiger = Унатх, хвост (Светлые тигриные полоски) +marking-LizardTailLTiger = Унатх, хвост (Светлые тигриные полоски) +marking-LizardTailDTiger-tail_dtiger = Унатх, хвост (Тёмные тигриные полоски) +marking-LizardTailDTiger = Унатх, хвост (Тёмные тигриные полоски) +marking-LizardSnoutRound-snout_round = Унатх, морда (Круглая) +marking-LizardSnoutRound = Унатх, морда (Круглая) +marking-LizardSnoutSharp-snout_sharp = Унатх, морда (Заострёная) +marking-LizardSnoutSharp = Унатх, морда (Заострёная) +marking-LizardChestTiger-body_tiger = Lizard Chest (Tiger) +marking-LizardChestTiger-chest_tiger = Унатх, грудь (Тигр) +marking-LizardChestTiger = Унатх, грудь (Тигр) +marking-LizardHeadTiger-head_tiger = Унатх, голова (Тигр) +marking-LizardHeadTiger = Унатх, голова (Тигр) +marking-LizardLArmTiger-l_arm_tiger = Унатх, левая рука (Тигр) +marking-LizardLArmTiger = Унатх, левая рука (Тигр) +marking-LizardLLegTiger-l_leg_tiger = Унатх, левая нога (Тигр) +marking-LizardLLegTiger = Унатх, левая нога (Тигр) +marking-LizardRArmTiger-r_arm_tiger = Унатх, правая рука (Тигр) +marking-LizardRArmTiger = Унатх, правая рука (Тигр) +marking-LizardRLegTiger-r_leg_tiger = Унатх, правая нога (Тигр) +marking-LizardRLegTiger = Унатх, правая нога (Тигр) +marking-LizardFrillsDivinity-frills_divinity = Унатх, воротник (Божественный) +marking-LizardFrillsDivinity = Унатх, воротник (Божественный) +marking-LizardFrillsBig-frills_big = Унатх, воротник (Большой) +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-LizardFrillsAxolotl = Унатх, воротник (Аксолотль) +marking-LizardFrillsHood-frills_hood = Унатх, воротник (Капюшон) +marking-LizardFrillsHood = Унатх, воротник (Капюшон) +marking-LizardHornsArgali-horns_argali = Унатх, рожки (Аргали) +marking-LizardHornsArgali = Унатх, рожки (Аргали) +marking-LizardHornsAyrshire-horns_ayrshire = Унатх, рожки (Айршир) +marking-LizardHornsAyrshire = Унатх, рожки (Айршир) +marking-LizardHornsMyrsore-horns_myrsore = Унатх, рожки (Мирзора) +marking-LizardHornsMyrsore = Унатх, рожки (Мирзора) +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-LizardHornsFloppyKoboldEars-horns_floppy_kobold_ears = Унатх, уши (Вислоухий кобольд) +marking-LizardHornsFloppyKoboldEars = Унатх, уши (Вислоухий кобольд) diff --git a/Resources/Locale/ru-RU/markings/scars.ftl b/Resources/Locale/ru-RU/markings/scars.ftl new file mode 100644 index 00000000000..b8f7be7c267 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/scars.ftl @@ -0,0 +1,10 @@ +marking-ScarEyeRight-scar_eye_right = Right Eye Scar +marking-ScarEyeRight = Eye Scar (Right) +marking-ScarEyeLeft-scar_eye_left = Left Eye Scar +marking-ScarEyeLeft = Eye Scar (Left) +marking-ScarTopSurgeryShort-scar_top_surgery_short = Top Surgery Scar +marking-ScarTopSurgeryShort = Top Surgery Scar (Short) +marking-ScarTopSurgeryLong-scar_top_surgery_long = Top Surgery Scar +marking-ScarTopSurgeryLong = Top Surgery Scar (Long) +marking-ScarChest-scar_chest = Chest Scar +marking-ScarChest = Chest Scar diff --git a/Resources/Locale/ru-RU/markings/slimeperson.ftl b/Resources/Locale/ru-RU/markings/slimeperson.ftl new file mode 100644 index 00000000000..b092684f7cc --- /dev/null +++ b/Resources/Locale/ru-RU/markings/slimeperson.ftl @@ -0,0 +1,22 @@ +marking-SlimeGradientLeftArm-gradient_l_arm = Slime Left Arm (Gradient) +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-SlimeGradientRightFoot-gradient_r_foot = Slime Right Foot (Gradient) +marking-SlimeGradientRightFoot = Slime Right Foot (Gradient) +marking-SlimeGradientLeftLeg-gradient_l_leg = Slime Left Leg (Gradient) +marking-SlimeGradientRightArm-gradient_right_arm = Слаймолюд, правая рука (Градиент) +marking-SlimeGradientRightLeg-gradient_r_leg = Slime Right Leg (Gradient) +marking-SlimeGradientRightArm = Слаймолюд, правая рука (Градиент) +marking-SlimeGradientLeftHand-gradient_l_hand = Slime Left Hand (Gradient) +marking-SlimeGradientLeftLeg-gradient_left_leg = Слаймолюд, левая нога (Градиент) +marking-SlimeGradientRightHand-gradient_r_hand = Slime Right Hand (Gradient) +marking-SlimeGradientLeftLeg = Слаймолюд, левая нога (Градиент) +marking-SlimeGradientRightLeg-gradient_right_leg = Слаймолюд, правая нога (Градиент) +marking-SlimeGradientRightLeg = Слаймолюд, правая нога (Градиент) +marking-SlimeGradientLeftHand-gradient_left_hand = Слаймолюд, кисть левой руки (Градиент) +marking-SlimeGradientLeftHand = Слаймолюд, кисть левой руки (Градиент) +marking-SlimeGradientRightHand-gradient_Right_hand = Слаймолюд, кисть правой руки (Градиент) +marking-SlimeGradientRightHand = Слаймолюд, кисть правой руки (Градиент) diff --git a/Resources/Locale/ru-RU/markings/tattoos.ftl b/Resources/Locale/ru-RU/markings/tattoos.ftl new file mode 100644 index 00000000000..b01932edd26 --- /dev/null +++ b/Resources/Locale/ru-RU/markings/tattoos.ftl @@ -0,0 +1,30 @@ +marking-TattooHiveChest-tattoo_hive_chest = Back Tattoo (Hive) +marking-TattooHiveChest-hivechest = Татуировка, спина (Улей) +marking-TattooNightlingChest-tattoo_nightling = Chest Tattoo (nightling) +marking-TattooHiveChest = Татуировка, спина (Улей) +marking-TattooSilverburghLeftLeg-tattoo_silverburgh_l_leg = Left Leg Tattoo (Silverburg) +marking-TattooNightlingChest-nightlingchest = Татуировка, грудь (Найтлинг) +marking-TattooSilverburghRightLeg-tattoo_silverburgh_r_leg = Right Leg Tattoo (Silverburg) +marking-TattooNightlingChest = Татуировка, грудь (Найтлинг) +marking-TattooCampbellLeftArm-tattoo_campbell_l_arm = Left Arm Tattoo (Campbelle) +marking-TattooSilverburghLeftLeg-silverburghleftleg = Татуировка, левая нога (Силвербург) +marking-TattooCampbellRightArm-tattoo_campbell_r_arm = Right Arm Tattoo (Campbelle) +marking-TattooSilverburghLeftLeg = Татуировка, левая нога (Силвербург) +marking-TattooCampbellLeftLeg-tattoo_campbell_l_leg = Left Leg Tattoo (Campbelle) +marking-TattooSilverburghRightLeg-silverburghRightleg = Татуировка, правая нога (Силвербург) +marking-TattooCampbellRightLeg-tattoo_campbell_r_leg = Right Leg Tattoo (Campbelle) +marking-TattooSilverburghRightLeg = Татуировка, правая нога (Силвербург) +marking-TattooEyeRight-tattoo_eye_r = Right Eye +marking-TattooCampbellLeftArm-campbelleleftArm = Татуировка, левая рука (Кэмпбелль) +marking-TattooEyeLeft-tattoo_eye_l = Left Eye +marking-TattooCampbellLeftArm = Татуировка, левая рука (Кэмпбелль) +marking-TattooCampbellRightArm-campbellrightarm = Татуировка, правая рука (Кэмпбелль) +marking-TattooCampbellRightArm = Татуировка, правая рука (Кэмпбелль) +marking-TattooCampbellLeftLeg-campbellleftleg = Татуировка, левая нога (Кэмпбелль) +marking-TattooCampbellLeftLeg = Татуировка, левая нога (Кэмпбелль) +marking-TattooCampbellRightLeg-campbellrightleg = Татуировка, правая нога (Кэмпбелль) +marking-TattooCampbellRightLeg = Татуировка, правая нога (Кэмпбелль) +marking-TattooEyeRight-eyeright = Правый глаз +marking-TattooEyeRight = Правый глаз +marking-TattooEyeLeft-eyeleft = Левый глаз +marking-TattooEyeLeft = Левый глаз diff --git a/Resources/Locale/ru-RU/markings/vulpkanin.ftl b/Resources/Locale/ru-RU/markings/vulpkanin.ftl new file mode 100644 index 00000000000..6e1db30451a --- /dev/null +++ b/Resources/Locale/ru-RU/markings/vulpkanin.ftl @@ -0,0 +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 diff --git a/Resources/Locale/ru-RU/mass-media/news-ui.ftl b/Resources/Locale/ru-RU/mass-media/news-ui.ftl new file mode 100644 index 00000000000..64bce298625 --- /dev/null +++ b/Resources/Locale/ru-RU/mass-media/news-ui.ftl @@ -0,0 +1,16 @@ +news-read-ui-next-text = След. +news-read-ui-past-text = Пред. +news-read-ui-default-title = Новости станции +news-read-ui-notification-off = ̶♫̶ +news-read-ui-notification-on = ♫ +news-read-ui-not-found-text = Статей не найдено +news-read-ui-author-prefix = Автор: +news-read-ui-time-prefix-text = Время публикации: +news-read-ui-no-author = Аноним +news-write-ui-default-title = Управление СМИ +news-write-ui-articles-label = Статьи: +news-write-ui-delete-text = Удалить +news-write-ui-share-text = Опубликовать +news-write-ui-article-name-label = Заголовок: +news-write-ui-article-content-label = Содержание: +news-write-no-access-popup = Нет доступа diff --git a/Resources/Locale/ru-RU/materials/materials.ftl b/Resources/Locale/ru-RU/materials/materials.ftl new file mode 100644 index 00000000000..d4e3033355f --- /dev/null +++ b/Resources/Locale/ru-RU/materials/materials.ftl @@ -0,0 +1,35 @@ +# Glass +materials-glass = стекло +materials-reinforced-glass = бронестекло +materials-plasma-glass = плазменное стекло +materials-reinforced-plasma-glass = плазменное бронестекло +# Metals +materials-steel = сталь +materials-gold = золото +materials-silver = серебро +materials-plasteel = пласталь +# Other +materials-biomass = биомасса +materials-cardboard = картон +materials-cloth = ткань +materials-durathread = дюраткань +materials-plasma = плазма +materials-plastic = пластик +materials-wood = дерево +materials-paper = бумага +materials-uranium = уран +materials-bananium = бананиум +materials-meat = мясо +materials-web = шёлк +materials-bones = кости +materials-coal = уголь +# Ores +materials-raw-iron = необработанное железо +materials-raw-quartz = необработанный кварц +materials-raw-gold = необработанное золото +materials-raw-silver = необработанное серебро +materials-raw-plasma = необработанная плазма +materials-raw-uranium = необработанный уран +materials-raw-bananium = необработанный бананиум +# Material Reclaimer +material-reclaimer-upgrade-process-rate = скорость переработки diff --git a/Resources/Locale/ru-RU/materials/units.ftl b/Resources/Locale/ru-RU/materials/units.ftl new file mode 100644 index 00000000000..718a3db2556 --- /dev/null +++ b/Resources/Locale/ru-RU/materials/units.ftl @@ -0,0 +1,21 @@ +# sheets of steel +materials-unit-sheet = листы +# bars of gold +materials-unit-bar = слитки +# planks of wood +materials-unit-plank = доски +# rolls of cloth +materials-unit-roll = рулоны +# pieces of biomass +materials-unit-piece = единицы +# bunches of bananium +materials-unit-bunch = единицы +# slabs of meat +materials-unit-slab = куски +# webs of silk +materials-unit-web = пряди +# chunks of ore +materials-unit-chunk = кусок +# bills of spesos... not very good but they are not (yet?) used for crafting anything +# also the lathe/atm would need bigger denominations to output... +materials-unit-bill = банкноты diff --git a/Resources/Locale/ru-RU/mech/mech.ftl b/Resources/Locale/ru-RU/mech/mech.ftl new file mode 100644 index 00000000000..0f8611bd2ed --- /dev/null +++ b/Resources/Locale/ru-RU/mech/mech.ftl @@ -0,0 +1,12 @@ +mech-verb-enter = Войти +mech-verb-exit = Извлечь пилота +mech-equipment-begin-install = { CAPITALIZE($item) } устанавливается... +mech-equipment-finish-install = Установка { $item } завершена +mech-equipment-select-popup = Выбрано следующее: { $item } +mech-equipment-select-none-popup = Ничего не выбрано +mech-ui-open-verb = Открыть панель управления +mech-menu-title = Панель управления меха +mech-integrity-display = Целостность: { $amount }% +mech-energy-display = Энергия: { $amount }% +mech-slot-display = Доступно слотов: { $amount } +mech-no-enter = Вы не можете пилотировать это. diff --git a/Resources/Locale/ru-RU/mech/soundboard.ftl b/Resources/Locale/ru-RU/mech/soundboard.ftl new file mode 100644 index 00000000000..240ee7fe499 --- /dev/null +++ b/Resources/Locale/ru-RU/mech/soundboard.ftl @@ -0,0 +1,6 @@ +mech-soundboard-BikeHorn = Хонк! +mech-soundboard-CluwneHorn = !кноХ +mech-soundboard-TrollAnimals = звуки животных +mech-soundboard-TrollEsword = энергомеч +mech-soundboard-TrollBeeping = Бип бип бип +mech-soundboard-TrollMeeting = красный сас!!!!! diff --git a/Resources/Locale/ru-RU/medical/components/biomass-reclaimer-component.ftl b/Resources/Locale/ru-RU/medical/components/biomass-reclaimer-component.ftl new file mode 100644 index 00000000000..72b331a7b05 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/biomass-reclaimer-component.ftl @@ -0,0 +1,3 @@ +biomass-reclaimer-suicide-others = { CAPITALIZE($victim) } запрыгивает в переработчик биомассы! +biomass-reclaimer-component-upgrade-speed = скорость переработки +biomass-reclaimer-component-upgrade-biomass-yield = выработка биомассы diff --git a/Resources/Locale/ru-RU/medical/components/cloning-console-component.ftl b/Resources/Locale/ru-RU/medical/components/cloning-console-component.ftl new file mode 100644 index 00000000000..854d8677d74 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/cloning-console-component.ftl @@ -0,0 +1,30 @@ +## UI + +cloning-console-window-title = Консоль клонирования +cloning-console-window-clone-button-text = Клонировать +cloning-console-window-scanner-id = ID: [color=white]{ $scannerOccupantName }[/color] +cloning-console-window-pod-id = ID: [color=white]{ $podOccupantName }[/color] +cloning-console-window-no-patient-data-text = Нет данных о пациенте. +cloning-console-window-id-blank = ID: +cloning-console-window-scanner-details-label = Статус генетического сканера +cloning-console-window-pod-details-label = Статус капсулы клонирования +cloning-console-window-no-scanner-detected-label = Соедините с генетическим сканером при помощи мультитула. +cloning-console-window-no-clone-pod-detected-label = Соедините с капсулой клонирования при помощи мультитула. +cloning-console-window-scanner-far-label = Генетический сканер слишком далеко +cloning-console-window-clone-pod-far-label = Капсула клонирования слишком далеко +cloning-console-eject-body-button = Извлечь тело +cloning-console-neural-interface-label = Нейроинтерфейс: +cloning-console-no-mind-activity-text = Нейроинтерфейс: [color=red]Активность отсутствует[/color] +cloning-console-mind-present-text = Нейроинтерфейс: [color=green]Сознание обнаружено[/color] +cloning-console-component-msg-ready = Готов к клонированию +cloning-console-component-msg-empty = Тело отсутствует +cloning-console-component-msg-scanner-occupant-alive = Не готово: Тело в сканере живо +cloning-console-component-msg-already-alive = Не готово: Метафизический конфликт +cloning-console-component-msg-occupied = Не готово: В капсуле уже присутствует клон +cloning-console-component-msg-already-cloning = Не готово: Конфликт сети капсул +cloning-console-component-msg-incomplete = Не готово: Клонирование в процессе +cloning-console-component-msg-no-cloner = Не готово: Клонер не обнаружен +cloning-console-component-msg-no-mind = Не готово: Душа неактивна +cloning-console-chat-error = ОШИБКА: НЕХВАТКА БИОМАССЫ. КЛОНИРОВАНИЕ ЭТОГО ТЕЛА ТРЕБУЕТ { $units } ЕДИНИЦ БИОМАССЫ. +cloning-console-uncloneable-trait-error = ОШИБКА: ДУША ОТСУТСТВУЕТ, КЛОНИРОВАНИЕ НЕВОЗМОЖНО. +cloning-console-cellular-warning = ВНИМАНИЕ: ОЦЕНКА ДОСТОВЕРНОСТИ ЦЕЛОСТНОСТИ ГЕНОВ СОСТАВЛЯЕТ { $percent }%. КЛОНИРОВАНИЕ МОЖЕТ ПРИВЕСТИ К НЕОЖИДАННЫМ РЕЗУЛЬТАТАМ. diff --git a/Resources/Locale/ru-RU/medical/components/cloning-pod-component.ftl b/Resources/Locale/ru-RU/medical/components/cloning-pod-component.ftl new file mode 100644 index 00000000000..6cdfcd395e2 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/cloning-pod-component.ftl @@ -0,0 +1,4 @@ +cloning-pod-biomass = Содержит [color=red]{ $number }[/color] единиц биомассы. +cloning-pod-component-upgrade-speed = скорость клонирования +cloning-pod-component-upgrade-biomass-requirement = потребление биомассы +cloning-pod-component-upgrade-emag-requirement = Карточка замыкает что-то внутри капсулы клонирования. diff --git a/Resources/Locale/ru-RU/medical/components/crew-monitoring-component.ftl b/Resources/Locale/ru-RU/medical/components/crew-monitoring-component.ftl new file mode 100644 index 00000000000..2f9e68e6f70 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/crew-monitoring-component.ftl @@ -0,0 +1,14 @@ +## UI + +crew-monitoring-user-interface-title = Мониторинг экипажа +crew-monitoring-user-interface-name = Имя +crew-monitoring-user-interface-job = Должность +crew-monitoring-user-interface-status = Статус +crew-monitoring-user-interface-location = Позиция +crew-monitoring-user-interface-alive = Жив +crew-monitoring-user-interface-dead = Мёртв +crew-monitoring-user-interface-no-info = Н/Д +crew-monitoring-user-interface-no-server = Сервер не найден +crew-monitoring-user-interface-no-department = Неизвестно +crew-monitoring-user-interface-flavor-left = При экстренной ситуации зовите представителей медицинского отдела +crew-monitoring-user-interface-flavor-right = v1.7 diff --git a/Resources/Locale/ru-RU/medical/components/cryo-pod-component.ftl b/Resources/Locale/ru-RU/medical/components/cryo-pod-component.ftl new file mode 100644 index 00000000000..d5f7cf77d71 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/cryo-pod-component.ftl @@ -0,0 +1,7 @@ +# Ejection verb label. +cryo-pod-verb-noun-occupant = Пациент +# Examine text showing whether there's a beaker in the pod and if it is empty. +cryo-pod-examine = Здесь находится { INDEFINITE($beaker) } { $beaker }. +cryo-pod-empty-beaker = Тут пусто! +# Shown when a normal ejection through the eject verb is attempted on a locked pod. +cryo-pod-locked = Механизм извлечения не реагирует! diff --git a/Resources/Locale/ru-RU/medical/components/defibrillator.ftl b/Resources/Locale/ru-RU/medical/components/defibrillator.ftl new file mode 100644 index 00000000000..7b7c48ef03e --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/defibrillator.ftl @@ -0,0 +1,4 @@ +defibrillator-not-on = Дефибриллятор не включён. +defibrillator-no-mind = Не удалось обнаружить паттерны мозговой активности пациента. Дальнейшие попытки бесполезны... +defibrillator-rotten = Обнаружено разложение тела: реанимация невозможна. +defibrillator-unrevivable = Реанимация невозможна в связи с индивидуальной особенностью огранизма. diff --git a/Resources/Locale/ru-RU/medical/components/healing-component.ftl b/Resources/Locale/ru-RU/medical/components/healing-component.ftl new file mode 100644 index 00000000000..6602887aa84 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/healing-component.ftl @@ -0,0 +1,3 @@ +medical-item-finished-using = Вы закончили лечить при помощи { $item } +medical-item-cant-use = Нет повреждений, которые можно вылечить при помощи { $item } +medical-item-stop-bleeding = Кровотечение было остановлено. diff --git a/Resources/Locale/ru-RU/medical/components/health-analyzer-component.ftl b/Resources/Locale/ru-RU/medical/components/health-analyzer-component.ftl new file mode 100644 index 00000000000..f2104ee00b4 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/health-analyzer-component.ftl @@ -0,0 +1,30 @@ +health-analyzer-window-no-patient-data-text = Нет данных о пациенте. +health-analyzer-window-entity-unknown-text = неизвестно +health-analyzer-window-entity-health-text = Состояние { $entityName }: +health-analyzer-window-entity-temperature-text = Температура: { $temperature } +health-analyzer-window-entity-blood-level-text = Уровень крови: { $bloodLevel } +health-analyzer-window-entity-damage-total-text = Общие повреждения: { $amount } +health-analyzer-window-damage-group-text = { $damageGroup }: { $amount } +health-analyzer-window-damage-type-text = { $damageType }: { $amount } +health-analyzer-window-damage-type-duplicate-text = { $damageType }: { $amount } (повтор) +health-analyzer-window-scan-mode-text = Режим Сканирования: +health-analyzer-window-scan-mode-active = АКТИВН. +health-analyzer-window-scan-mode-inactive = НЕ АКТИВН. +health-analyzer-window-damage-group-Brute = Механические +health-analyzer-window-damage-type-Blunt = Удары +health-analyzer-window-damage-type-Slash = Разрезы +health-analyzer-window-damage-type-Piercing = Уколы +health-analyzer-window-damage-group-Burn = Физические +health-analyzer-window-damage-type-Heat = Термические +health-analyzer-window-damage-type-Shock = Электрические +health-analyzer-window-damage-type-Cold = Обморожение +health-analyzer-window-damage-type-Caustic = Кислотные +health-analyzer-window-damage-group-Airloss = Нехватка воздуха +health-analyzer-window-damage-type-Asphyxiation = Удушение +health-analyzer-window-damage-type-Bloodloss = Кровопотеря +health-analyzer-window-damage-group-Toxin = Токсины +health-analyzer-window-damage-type-Poison = Яды +health-analyzer-window-damage-type-Radiation = Радиация +health-analyzer-window-damage-group-Genetic = Генетические +health-analyzer-window-damage-type-Cellular = Клеточные +health-analyzer-window-malnutrition = Сильное истощение diff --git a/Resources/Locale/ru-RU/medical/components/medical-scanner-component.ftl b/Resources/Locale/ru-RU/medical/components/medical-scanner-component.ftl new file mode 100644 index 00000000000..c4768564537 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/medical-scanner-component.ftl @@ -0,0 +1,5 @@ +## EnterVerb + +medical-scanner-verb-enter = Залезть +medical-scanner-verb-noun-occupant = пациента +medical-scanner-upgrade-cloning = вероятность неудачи клонирования diff --git a/Resources/Locale/ru-RU/medical/components/stasis-bed-component.ftl b/Resources/Locale/ru-RU/medical/components/stasis-bed-component.ftl new file mode 100644 index 00000000000..4d8b3f55278 --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/stasis-bed-component.ftl @@ -0,0 +1 @@ +stasis-bed-component-upgrade-stasis = эффект стазиса diff --git a/Resources/Locale/ru-RU/medical/components/suit-sensor-component.ftl b/Resources/Locale/ru-RU/medical/components/suit-sensor-component.ftl new file mode 100644 index 00000000000..26ba3e801cc --- /dev/null +++ b/Resources/Locale/ru-RU/medical/components/suit-sensor-component.ftl @@ -0,0 +1,22 @@ +## Modes + +suit-sensor-mode-off = Выкл. +suit-sensor-mode-binary = Бинарные +suit-sensor-mode-vitals = Здоровье +suit-sensor-mode-cords = Координаты + +## Popups + +suit-sensor-mode-state = Датчики костюма: { $mode } + +## Components + +suit-sensor-component-unknown-name = Н/Д +suit-sensor-component-unknown-job = Н/Д + +## Examine + +suit-sensor-examine-off = Похоже, все датчики [color=darkred]отключены[/color]. +suit-sensor-examine-binary = Похоже, датчики включены в бинарном режиме. +suit-sensor-examine-vitals = Похоже, датчики включены в режиме отслеживания здоровья. +suit-sensor-examine-cords = Похоже, датчики включены в режиме отслеживания координат и здоровья. diff --git a/Resources/Locale/ru-RU/metabolism/metabolism-component.ftl b/Resources/Locale/ru-RU/metabolism/metabolism-component.ftl new file mode 100644 index 00000000000..afa6ba59e21 --- /dev/null +++ b/Resources/Locale/ru-RU/metabolism/metabolism-component.ftl @@ -0,0 +1,3 @@ +metabolism-component-is-comfortable = Вы чувствуете себя комфортно +metabolism-component-is-sweating = Вы потеете +metabolism-component-is-shivering = Вы дрожите diff --git a/Resources/Locale/ru-RU/mind/components/mind-component.ftl b/Resources/Locale/ru-RU/mind/components/mind-component.ftl new file mode 100644 index 00000000000..e5a0a3ae0ef --- /dev/null +++ b/Resources/Locale/ru-RU/mind/components/mind-component.ftl @@ -0,0 +1,17 @@ +# MindComponent localization + +comp-mind-ghosting-prevented = Вы не можете стать призраком в данный момент. + +## Messages displayed when a body is examined and in a certain state + +comp-mind-examined-catatonic = { CAPITALIZE(SUBJECT($ent)) } в кататоническом ступоре. Стрессы жизни в глубоком космосе, должно быть, оказались слишком тяжелы для { OBJECT($ent) }. Восстановление маловероятно. +comp-mind-examined-dead = + { CAPITALIZE(SUBJECT($ent)) } { GENDER($ent) -> + [male] мёртв + [female] мертва + [epicene] мертво + *[neuter] мертвы + } +comp-mind-examined-ssd = { CAPITALIZE(SUBJECT($ent)) } рассеяно смотрит в пустоту и ни на что не реагирует. { CAPITALIZE(SUBJECT($ent)) } может скоро придти в себя. +comp-mind-examined-dead-and-ssd = { CAPITALIZE(POSS-ADJ($ent)) } душа бездействует и может скоро вернуться. +comp-mind-examined-dead-and-irrecoverable = { CAPITALIZE(POSS-ADJ($ent)) } душа покинула тело и пропала. Восстановление маловероятно. diff --git a/Resources/Locale/ru-RU/mind/verbs/control-mob-verb.ftl b/Resources/Locale/ru-RU/mind/verbs/control-mob-verb.ftl new file mode 100644 index 00000000000..080d02e8700 --- /dev/null +++ b/Resources/Locale/ru-RU/mind/verbs/control-mob-verb.ftl @@ -0,0 +1 @@ +control-mob-verb-get-data-text = Контролировать существо diff --git a/Resources/Locale/ru-RU/mind/verbs/make-sentient-verb.ftl b/Resources/Locale/ru-RU/mind/verbs/make-sentient-verb.ftl new file mode 100644 index 00000000000..00f85b0e1df --- /dev/null +++ b/Resources/Locale/ru-RU/mind/verbs/make-sentient-verb.ftl @@ -0,0 +1 @@ +make-sentient-verb-get-data-text = Сделать разумным diff --git a/Resources/Locale/ru-RU/misc-computers.ftl b/Resources/Locale/ru-RU/misc-computers.ftl new file mode 100644 index 00000000000..ef16e480612 --- /dev/null +++ b/Resources/Locale/ru-RU/misc-computers.ftl @@ -0,0 +1,2 @@ +radar-console-window-title = Консоль сканера массы +shuttle-console-window-title = Консоль шаттла diff --git a/Resources/Locale/ru-RU/morgue/components/crematorium-entity-storage-component.ftl b/Resources/Locale/ru-RU/morgue/components/crematorium-entity-storage-component.ftl new file mode 100644 index 00000000000..360c3fc4578 --- /dev/null +++ b/Resources/Locale/ru-RU/morgue/components/crematorium-entity-storage-component.ftl @@ -0,0 +1,7 @@ +crematorium-entity-storage-component-on-examine-details-is-burning = { $owner } [color=red]активен[/color]! +crematorium-entity-storage-component-on-examine-details-has-contents = Индикатор содержимого [color=green]включён[/color], внутри что-то есть. +crematorium-entity-storage-component-on-examine-details-empty = Индикатор содержимого не горит, внутри ничего нет. +crematorium-entity-storage-component-is-cooking-safety-message = Безопасность превыше всего, даже когда аппарат отключен! +crematorium-entity-storage-component-suicide-message = Вы кремируете себя! +crematorium-entity-storage-component-suicide-message-others = { $victim } кремирует { $victim }! +cremate-verb-get-data-text = Кремировать diff --git a/Resources/Locale/ru-RU/morgue/components/morgue-entity-storage-component.ftl b/Resources/Locale/ru-RU/morgue/components/morgue-entity-storage-component.ftl new file mode 100644 index 00000000000..f3dc55945f1 --- /dev/null +++ b/Resources/Locale/ru-RU/morgue/components/morgue-entity-storage-component.ftl @@ -0,0 +1,4 @@ +morgue-entity-storage-component-on-examine-details-body-has-soul = Индикатор содержимого [color=green]зелёный[/color], это тело ещё может быть спасено! +morgue-entity-storage-component-on-examine-details-body-has-no-soul = Индикатор содержимого [color=red]красный[/color], внутри труп! Ой, погоди... +morgue-entity-storage-component-on-examine-details-has-contents = Индикатор содержимого [color=yellow]жёлтый[/color], внутри что-то есть. +morgue-entity-storage-component-on-examine-details-empty = Индикатор содержимого не горит, внутри ничего нет. diff --git a/Resources/Locale/ru-RU/motd/motd.ftl b/Resources/Locale/ru-RU/motd/motd.ftl new file mode 100644 index 00000000000..82627dad64f --- /dev/null +++ b/Resources/Locale/ru-RU/motd/motd.ftl @@ -0,0 +1,11 @@ +cmd-motd-desc = Позывает или устанавливает Сообщение дня. +cmd-motd-help = motd [ message... ] +cmd-get-motd-desc = Показывает Сообщение дня. +cmd-get-motd-help = get-motd +cmd-set-motd-desc = Устанавливает или очищает Сообщение дня. +cmd-set-motd-help = set-motd [ message... ] +cmd-set-motd-hint-head = [ message... ] +cmd-set-motd-hint-cont = [ ...message... ] +cmd-set-motd-cleared-motd-message = Сообщение дня очищено. +cmd-set-motd-set-motd-message = Установлено следующее Сообщение дня: "{ $motd }". +motd-wrap-message = Сообщение дня: { $motd } diff --git a/Resources/Locale/ru-RU/mousetraps/mousetraps.ftl b/Resources/Locale/ru-RU/mousetraps/mousetraps.ftl new file mode 100644 index 00000000000..acac2fc41a5 --- /dev/null +++ b/Resources/Locale/ru-RU/mousetraps/mousetraps.ftl @@ -0,0 +1,2 @@ +mousetrap-on-activate = Мышеловка была активирована. +mousetrap-on-deactivate = Мышеловка была деактивирована. diff --git a/Resources/Locale/ru-RU/movement/eye.ftl b/Resources/Locale/ru-RU/movement/eye.ftl new file mode 100644 index 00000000000..e69b5000fc1 --- /dev/null +++ b/Resources/Locale/ru-RU/movement/eye.ftl @@ -0,0 +1,7 @@ +parse-bool-fail = Невозможно спарсить { $arg } как bool +parse-float-fail = Невозможно спарсить { $arg } как float +lockeyes-command-description = Предотвращает дальнейший поворот зрения +lockeyes-command-help = lockeyes +rotateeyes-command-description = Поворачивает зрение всех игроков на указанный градус. +rotateeyes-command-help = rotateeyes +rotateeyes-command-count = Установить { $count } поворот зрения diff --git a/Resources/Locale/ru-RU/movement/jetpacks.ftl b/Resources/Locale/ru-RU/movement/jetpacks.ftl new file mode 100644 index 00000000000..7acbe815d94 --- /dev/null +++ b/Resources/Locale/ru-RU/movement/jetpacks.ftl @@ -0,0 +1,2 @@ +jetpack-no-station = Невозможно использовать джетпак под действием гравитации +jetpack-to-grid = Джетпак отключился diff --git a/Resources/Locale/ru-RU/narsie/narsie.ftl b/Resources/Locale/ru-RU/narsie/narsie.ftl new file mode 100644 index 00000000000..40238cf1b2e --- /dev/null +++ b/Resources/Locale/ru-RU/narsie/narsie.ftl @@ -0,0 +1,2 @@ +narsie-has-risen = НАР'СИ ВЕРНЁТСЯ +narsie-has-risen-sender = ??? diff --git a/Resources/Locale/ru-RU/navmap-beacons/station-beacons.ftl b/Resources/Locale/ru-RU/navmap-beacons/station-beacons.ftl new file mode 100644 index 00000000000..9e559325149 --- /dev/null +++ b/Resources/Locale/ru-RU/navmap-beacons/station-beacons.ftl @@ -0,0 +1,65 @@ +station-beacon-general = Основной +station-beacon-command = Командный +station-beacon-bridge = Мостик +station-beacon-vault = Хранилище +station-beacon-captain = Капитан +station-beacon-hop = Глава Персонала +station-beacon-security = Служба Безопасности +station-beacon-brig = Брин +station-beacon-warden = Смотритель +station-beacon-hos = ГСБ +station-beacon-armory = Оружейная +station-beacon-perma-brig = Перма +station-beacon-detective = Детектив +station-beacon-courtroom = Зал суда +station-beacon-law = Кабинет АВД +station-beacon-security-checkpoint = КПП +station-beacon-medical = Медицинский +station-beacon-medbay = Медицинский +station-beacon-chemistry = Химия +station-beacon-cryonics = Капсулы Криосна +station-beacon-cmo = Главный Врач +station-beacon-morgue = Морг +station-beacon-surgery = Хирургия +station-beacon-science = Научный Отдел +station-beacon-research-and-development = НИО +station-beacon-research-server = Серверная +station-beacon-research-director = Научный Руководитель +station-beacon-robotics = Робототехника +station-beacon-artifact-lab = Ксенолаборатория +station-beacon-anomaly-gen = Генератор Аномалий +station-beacon-supply = Снабжение +station-beacon-cargo = Карго +station-beacon-cargo-bay = Отдел Снабжения +station-beacon-qm = Квартирмейстер +station-beacon-salvage = Утилизаторы +station-beacon-engineering = Инженерная +station-beacon-ce = Старший Инженер +station-beacon-ame = ДАМ +station-beacon-solars = Солнечные Панели +station-beacon-gravgen = Генератор Гравитации +station-beacon-pa = Панель +station-beacon-smes = СМЭС +station-beacon-telecoms = Телекомы +station-beacon-atmos = Атмосферный отдел +station-beacon-teg = ТЭГ +station-beacon-tech-vault = Хранилище плат +station-beacon-service = Сервис +station-beacon-kitchen = Кухня +station-beacon-bar = Бар +station-beacon-botany = Ботаника +station-beacon-janitor = Комната Уборщика +station-beacon-ai = ИИ +station-beacon-ai-sat = Спутник ИИ +station-beacon-ai-core = Ядро ИИ +station-beacon-arrivals = Прибытие +station-beacon-evac = Эвакуация +station-beacon-eva-storage = Хранилище EVA +station-beacon-chapel = Церковь +station-beacon-library = Библиотека +station-beacon-dorms = Дорматорий +station-beacon-theater = Театр +station-beacon-tools = Хранилище инструментов +station-beacon-disposals = Свалка +station-beacon-cryosleep = Криосон +station-beacon-escape-pod = Эвакуационный под diff --git a/Resources/Locale/ru-RU/navmap-beacons/station_map.ftl b/Resources/Locale/ru-RU/navmap-beacons/station_map.ftl new file mode 100644 index 00000000000..0d716bae441 --- /dev/null +++ b/Resources/Locale/ru-RU/navmap-beacons/station_map.ftl @@ -0,0 +1,13 @@ +station-map-window-title = Карта Станции +station-map-user-interface-flavor-left = Не паникуйте +station-map-user-interface-flavor-right = v1.42 +nav-beacon-window-title = Стационарный Маяк +nav-beacon-toggle-visible = Видимый +nav-beacon-toggle-invisible = Невидимый +nav-beacon-text-label = Отметка: +nav-beacon-button-apply = Применить +nav-beacon-examine-text = + It is [color={ $enabled -> + [true] forestgreen]on + *[false] crimson]off + }[/color] and the display reads [color={ $color }]"{ $label }"[/color] diff --git a/Resources/Locale/ru-RU/ninja/gloves.ftl b/Resources/Locale/ru-RU/ninja/gloves.ftl new file mode 100644 index 00000000000..c116bb9884e --- /dev/null +++ b/Resources/Locale/ru-RU/ninja/gloves.ftl @@ -0,0 +1,6 @@ +ninja-gloves-on = Перчатки наполняются энергией! +ninja-gloves-off = Перчатки отключаются... +ninja-gloves-not-wearing-suit = На вас нет костюма ниндзя +ninja-gloves-examine-on = Все способности включены. +ninja-gloves-examine-off = Старые скучные перчатки... +ninja-doorjack-success = Перчатки замыкают что-то в { $target }. diff --git a/Resources/Locale/ru-RU/ninja/katana.ftl b/Resources/Locale/ru-RU/ninja/katana.ftl new file mode 100644 index 00000000000..cebd24f6926 --- /dev/null +++ b/Resources/Locale/ru-RU/ninja/katana.ftl @@ -0,0 +1,5 @@ +ninja-katana-recalled = Ваша энергокатана телепортируется вам в руку! +ninja-hands-full = Ваши руки заняты! +dash-ability-not-held = Вы не держите свою катану! +dash-ability-no-charges = Зарядов не осталось! +dash-ability-cant-see = Вы не видите это место! diff --git a/Resources/Locale/ru-RU/ninja/ninja-actions.ftl b/Resources/Locale/ru-RU/ninja/ninja-actions.ftl new file mode 100644 index 00000000000..0cd8386ea37 --- /dev/null +++ b/Resources/Locale/ru-RU/ninja/ninja-actions.ftl @@ -0,0 +1,10 @@ +ninja-no-power = Недостаточно заряда в батарее костюма! +ninja-revealed = Вы были раскрыты! +ninja-suit-cooldown = Костюму необходимо дополнительное время. +ninja-research-steal-fail = Никакие новые технологии украдены не были... +ninja-research-steal-success = + Вы украли { $count } { $count -> + [one] новую технологию + [few] новые технологии + *[other] новых технологий + } из { $server }. diff --git a/Resources/Locale/ru-RU/ninja/role.ftl b/Resources/Locale/ru-RU/ninja/role.ftl new file mode 100644 index 00000000000..8132d52dc75 --- /dev/null +++ b/Resources/Locale/ru-RU/ninja/role.ftl @@ -0,0 +1,6 @@ +ninja-round-end-agent-name = Ниндзя +objective-issuer-spiderclan = [color=#33cc00]Клан Паука[/color] +ninja-role-greeting = + Я — элитный наёмник могущественного Клана Паука! + Внезапность — моё оружие. Тени — моя броня. Без них я ничто. + Используйте свой пинпоинтер, чтобы найти станцию. Удачи! diff --git a/Resources/Locale/ru-RU/ninja/spider-charge.ftl b/Resources/Locale/ru-RU/ninja/spider-charge.ftl new file mode 100644 index 00000000000..f3c39bd5bc6 --- /dev/null +++ b/Resources/Locale/ru-RU/ninja/spider-charge.ftl @@ -0,0 +1,2 @@ +spider-charge-not-ninja = Хотя внешне всё выглядит нормально, вы не можете взорвать заряд. +spider-charge-too-far = Это не то место, где вы должны его использовать! diff --git a/Resources/Locale/ru-RU/node-container/node-container-component.ftl b/Resources/Locale/ru-RU/node-container/node-container-component.ftl new file mode 100644 index 00000000000..6ede6ef9570 --- /dev/null +++ b/Resources/Locale/ru-RU/node-container/node-container-component.ftl @@ -0,0 +1,3 @@ +node-container-component-on-examine-details-hvpower = Оснащён разъёмом для [color=orange]ВВ кабеля[/color]. +node-container-component-on-examine-details-mvpower = Оснащён разъёмом для [color=yellow]СВ кабеля[/color]. +node-container-component-on-examine-details-apc = Оснащён разъёмом для [color=green]НВ кабеля[/color]. diff --git a/Resources/Locale/ru-RU/npc/medibot.ftl b/Resources/Locale/ru-RU/npc/medibot.ftl new file mode 100644 index 00000000000..aa014d7f0a5 --- /dev/null +++ b/Resources/Locale/ru-RU/npc/medibot.ftl @@ -0,0 +1,2 @@ +medibot-start-inject = Пожалуйста, не двигайтесь. +medibot-finish-inject = Готово. diff --git a/Resources/Locale/ru-RU/nuke/nuke-command.ftl b/Resources/Locale/ru-RU/nuke/nuke-command.ftl new file mode 100644 index 00000000000..acc611e551a --- /dev/null +++ b/Resources/Locale/ru-RU/nuke/nuke-command.ftl @@ -0,0 +1,5 @@ +cmd-nukearm-desc = Переключение таймера ядерной боеголовки. Вы можете самостоятельно установить таймер. Uid является необязательным. +cmd-nukearm-help = nukearm +cmd-nukearm-not-found = Не удалось найти сущность, имеющую NukeComponent. +cmd-nukearm-1-help = Время (в секундах) +cmd-nukearm-2-help = Боеголовка diff --git a/Resources/Locale/ru-RU/nuke/nuke-component.ftl b/Resources/Locale/ru-RU/nuke/nuke-component.ftl new file mode 100644 index 00000000000..841398962f5 --- /dev/null +++ b/Resources/Locale/ru-RU/nuke/nuke-component.ftl @@ -0,0 +1,42 @@ +nuke-component-cant-anchor-floor = Крепёжным болтам не удаётся закрепиться в полу! +nuke-component-announcement-sender = Ядерная боеголовка +nuke-component-announcement-armed = Внимание! Механизм самоуничтожения станции был активирован по координатам { $position }. До детонации { $time } секунд. +nuke-component-announcement-unarmed = Механизм самоуничтожение станции деактивирован! Хорошего дня! +nuke-component-announcement-send-codes = Внимание! Запрошенные коды самоуничтожения были отправлены на факс капитана. +nuke-component-doafter-warning = Вы начинаете перебирать провода и кнопки, в попытке обезвредить ядерную бомбу. Это может занять некоторое время. +nuke-user-interface-title = Ядерная боеголовка +nuke-user-interface-arm-button = ВЗВЕСТИ +nuke-user-interface-disarm-button = ОБЕЗВРЕДИТЬ +nuke-user-interface-anchor-button = ЗАКРЕПИТЬ +nuke-user-interface-eject-button = ИЗВЛЕЧЬ + +## Upper status + +nuke-user-interface-first-status-device-locked = УСТРОЙСТВО ЗАБЛОКИРОВАНО +nuke-user-interface-first-status-input-code = ВВЕДИТЕ КОД +nuke-user-interface-first-status-input-time = ВВЕДИТЕ ВРЕМЯ +nuke-user-interface-first-status-device-ready = УСТРОЙСТВО ГОТОВО +nuke-user-interface-first-status-device-armed = УСТРОЙСТВО ВЗВЕДЕНО +nuke-user-interface-first-status-device-cooldown = ДЕАКТИВИРОВАНО +nuke-user-interface-status-error = ОШИБКА + +## Lower status + +nuke-user-interface-second-status-await-disk = ОЖИДАНИЕ ДИСКА +nuke-user-interface-second-status-time = ВРЕМЯ: { $time } +nuke-user-interface-second-status-current-code = КОД: { $code } +nuke-user-interface-second-status-cooldown-time = ОЖИДАНИЕ: { $time } +nuke-label-nanotrasen = NT-{ $serial } +# do you even need this one? It's more funnier to say that +# the Syndicate stole a NT nuke +nuke-label-syndicate = SYN-{ $serial } + +# Codes + +nuke-codes-message = [color=red]СОВЕРШЕННО СЕКРЕТНО![/color] +nuke-codes-list = Код { $name }: { $code } +nuke-codes-fax-paper-name = коды ядерной аутентификации +# Nuke disk slot +nuke-slot-component-slot-name-disk = Диск +nuke-examine-armed = Хм, почему эти [color=red]красные лампочки[/color] моргают? +nuke-examine-exploding = Мда... Мне кажется, уже слишком поздно. diff --git a/Resources/Locale/ru-RU/nukeops/nuke-ops.ftl b/Resources/Locale/ru-RU/nukeops/nuke-ops.ftl new file mode 100644 index 00000000000..ec047e7bcb7 --- /dev/null +++ b/Resources/Locale/ru-RU/nukeops/nuke-ops.ftl @@ -0,0 +1,2 @@ +nuke-ops-no-more-threat-announcement-shuttle-call = Согласно данным наших сенсоров дальнего действия, ядерная угроза была устранена. Мы вызовем аварийный шаттл, который прибудет в ближайшее время. Расчётное время прибытия: { $time } { $units }. Вы можете отозвать шаттл чтобы продлить смену. +nuke-ops-no-more-threat-announcement = Согласно данным наших сенсоров дальнего действия, ядерная угроза была устранена. Шаттл уже вызван. diff --git a/Resources/Locale/ru-RU/nukeops/war-declarator.ftl b/Resources/Locale/ru-RU/nukeops/war-declarator.ftl new file mode 100644 index 00000000000..dcddb305997 --- /dev/null +++ b/Resources/Locale/ru-RU/nukeops/war-declarator.ftl @@ -0,0 +1,16 @@ +war-declarator-not-nukeops = Устройство пищит, но ничего не происходит... +war-declarator-ui-header = Объявление войны +war-declarator-ui-war-button = ОБЪЯВИТЬ ВОЙНУ! +war-declarator-conditions-small-crew = Менее { $min } оперативников +war-declarator-conditions-left-outpost = Шаттл покинул аванпост Синдиката +war-declarator-conditions-time-out = Время на объявление войны прошло +war-declarator-conditions-delay = Отправление шаттла временно недоступно +war-declarator-conditions-ready = Шаттл может покинуть аванпост! +war-declarator-conditions-unknown = Неизвестно +war-declarator-boost-possible = Возможно объявить войну +war-declarator-boost-impossible = Невозможно объявить войну +war-declarator-boost-declared = Война объявлена! +war-declarator-boost-declared-delay = Объявлена война! Отправление шаттла временно недоступно +war-declarator-boost-timer = Оставшееся время: { $minutes } мин. и { $seconds } сек. +war-declarator-default-message = Пограничный отряд Синдиката объявляет о своем намерении уничтожить станцию при помощи ядерного устройства и призывает экипаж предпринять ничтожную попытку остановить их. +war-declarator-message-placeholder = Введите текст объявления... diff --git a/Resources/Locale/ru-RU/nukeops/war-ops.ftl b/Resources/Locale/ru-RU/nukeops/war-ops.ftl new file mode 100644 index 00000000000..b5d7b43dcb6 --- /dev/null +++ b/Resources/Locale/ru-RU/nukeops/war-ops.ftl @@ -0,0 +1,2 @@ +war-ops-infiltrator-unavailable = ОШИБКА: Выполняется перерасчёт БСС-перемещений. Расчётное время: { $minutes } мин. и { $seconds } сек. +war-ops-shuttle-call-unavailable = Эвакуационный шаттл в настоящее время недоступен. Пожалуйста, подождите diff --git a/Resources/Locale/ru-RU/nutrition/components/animal-husbandry.ftl b/Resources/Locale/ru-RU/nutrition/components/animal-husbandry.ftl new file mode 100644 index 00000000000..10bc16aed72 --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/animal-husbandry.ftl @@ -0,0 +1,3 @@ +infant-name-prefix = детёныш { $name } +reproductive-birth-popup = { CAPITALIZE($parent) } родила! +reproductive-laid-egg-popup = { CAPITALIZE($parent) } отложила яйцо! diff --git a/Resources/Locale/ru-RU/nutrition/components/cream-pied-component.ftl b/Resources/Locale/ru-RU/nutrition/components/cream-pied-component.ftl new file mode 100644 index 00000000000..ed9674861d2 --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/cream-pied-component.ftl @@ -0,0 +1,2 @@ +cream-pied-component-on-hit-by-message = { $thrower } КРЕМировал вас! +cream-pied-component-on-hit-by-message-others = { $owner } был КРЕМирован { $thrower }! diff --git a/Resources/Locale/ru-RU/nutrition/components/drink-component.ftl b/Resources/Locale/ru-RU/nutrition/components/drink-component.ftl new file mode 100644 index 00000000000..fbb0917599e --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/drink-component.ftl @@ -0,0 +1,23 @@ +drink-component-on-use-is-empty = { $owner } пуст! +drink-component-on-examine-is-empty = [color=gray]Пусто[/color] +drink-component-on-examine-is-opened = [color=yellow]Открыто[/color] +drink-component-on-examine-is-sealed = The seal is intact. +drink-component-on-examine-is-unsealed = The seal is broken. +drink-component-on-examine-is-full = Полон +drink-component-on-examine-is-mostly-full = Почти полон +drink-component-on-examine-is-half-full = Наполовину полон +drink-component-on-examine-is-half-empty = Наполовину пуст +drink-component-on-examine-is-mostly-empty = Почти пуст +drink-component-on-examine-exact-volume = Полон на { $amount }ед. +drink-component-try-use-drink-not-open = Сначала откройте { $owner }! +drink-component-try-use-drink-is-empty = { $entity } пуст! +drink-component-try-use-drink-cannot-drink = Вы не можете ничего пить! +drink-component-try-use-drink-had-enough = Вы не можете выпить больше! +drink-component-try-use-drink-cannot-drink-other = Они не могут ничего пить! +drink-component-try-use-drink-had-enough-other = Они не могут выпить больше! +drink-component-try-use-drink-success-slurp = Сёрб +drink-component-try-use-drink-success-slurp-taste = Сёрб. { $flavors } +drink-component-force-feed = { CAPITALIZE($user) } пытается вас чем-то напоить! +drink-component-force-feed-success = { CAPITALIZE($user) } вас чем-то напоил! { $flavors } +drink-component-force-feed-success-user = Вы успешно напоили { $target } +drink-system-verb-drink = Пить diff --git a/Resources/Locale/ru-RU/nutrition/components/fat-extractor.ftl b/Resources/Locale/ru-RU/nutrition/components/fat-extractor.ftl new file mode 100644 index 00000000000..bf281931b05 --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/fat-extractor.ftl @@ -0,0 +1,7 @@ +fat-extractor-component-rate = скорость извлечения +fat-extractor-fact-1 = Жиры - это триглицериды, состоящие из комбинации различных структурных элементов: глицерина и жирных кислот. +fat-extractor-fact-2 = Взрослым рекомендуется получать 20-35% потребляемой энергии из жиров. +fat-extractor-fact-3 = Избыточный вес или ожирение повышают риск развития хронических заболеваний, таких как сердечно-сосудистые патологии, метаболический синдром, диабет 2 типа и некоторые виды рака. +fat-extractor-fact-4 = Не все жиры вредны. Определенное количество жиров является неотъемлемой частью здорового сбалансированного питания. +fat-extractor-fact-5 = Насыщенные жиры должны составлять не более 11% ваших ежедневных калорий. +fat-extractor-fact-6 = Ненасыщенные жиры, а именно мононенасыщенные жиры, полиненасыщенные жиры и омега-3 жирные кислоты, содержатся в растениях и рыбе. diff --git a/Resources/Locale/ru-RU/nutrition/components/food-component.ftl b/Resources/Locale/ru-RU/nutrition/components/food-component.ftl new file mode 100644 index 00000000000..0497bd0641d --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/food-component.ftl @@ -0,0 +1,23 @@ +### Interaction Messages + +food-you-need-to-hold-utensil = Вы должны держать { $utensil }, чтобы съесть это! +food-nom = Ням. { $flavors } +food-swallow = Вы проглатываете { $food }. { $flavors } +food-has-used-storage = Вы не можете съесть { $food } пока внутри что-то есть. +food-system-remove-mask = Сначала вам нужно снять { $entity }. + +## System + +food-system-you-cannot-eat-any-more = В вас больше не лезет! +food-system-you-cannot-eat-any-more-other = В них больше не лезет! +food-system-try-use-food-is-empty = В { $entity } пусто! +food-system-wrong-utensil = Вы не можете есть { $food } с помощью { $utensil }. +food-system-cant-digest = Вы не можете переварить { $entity }! +food-system-cant-digest-other = Они не могут переварить { $entity }! +food-system-verb-eat = Съесть + +## Force feeding + +food-system-force-feed = { CAPITALIZE($user) } пытается вам что-то скормить! +food-system-force-feed-success = { CAPITALIZE($user) } вам что-то скормил! { $flavors } +food-system-force-feed-success-user = Вы успешно накормили { $target } diff --git a/Resources/Locale/ru-RU/nutrition/components/openable-component.ftl b/Resources/Locale/ru-RU/nutrition/components/openable-component.ftl new file mode 100644 index 00000000000..efcd6566375 --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/openable-component.ftl @@ -0,0 +1,2 @@ +openable-component-verb-open = Открыть +openable-component-verb-close = Закрыть diff --git a/Resources/Locale/ru-RU/nutrition/components/sliceable-food-component.ftl b/Resources/Locale/ru-RU/nutrition/components/sliceable-food-component.ftl new file mode 100644 index 00000000000..905872f0129 --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/sliceable-food-component.ftl @@ -0,0 +1,9 @@ +sliceable-food-component-on-examine-remaining-slices-text = + { $remainingCount -> + [one] Остался + *[other] Осталось + } { $remainingCount } { $remainingCount -> + [one] кусочек + [few] кусочка + *[other] кусочков + }. diff --git a/Resources/Locale/ru-RU/nutrition/components/vape-component.ftl b/Resources/Locale/ru-RU/nutrition/components/vape-component.ftl new file mode 100644 index 00000000000..067d53743b0 --- /dev/null +++ b/Resources/Locale/ru-RU/nutrition/components/vape-component.ftl @@ -0,0 +1,7 @@ +vape-component-vape-success = Вы затянулись вейпом. +vape-component-vape-success-forced = { CAPITALIZE($user) } заставил вас затянуться вейпом. +vape-component-vape-success-user-forced = Вы успешно заставили { $target } затянуться вейпом. +vape-component-try-use-vape-forced = { CAPITALIZE($user) } пытается заставить вас затянуться вейпом. +vape-component-try-use-vape-forced-user = Вы заставляете { $target } затянуться вейпом. +vape-component-try-use-vape = Вы пытаетесь затянуться вейпом. +vape-component-vape-empty = Вейп пуст! diff --git a/Resources/Locale/ru-RU/nyanotrasen/abilities/felinid.ftl b/Resources/Locale/ru-RU/nyanotrasen/abilities/felinid.ftl new file mode 100644 index 00000000000..779d143ffd0 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/abilities/felinid.ftl @@ -0,0 +1,6 @@ +action-name-hairball = Выкашлять комок шерсти +action-description-hairball = Очистите свой желудок и получите классный комок шерсти, которым можно швырять в людей. +hairball-mask = Сначала снимите { $mask }. +hairball-cough = { CAPITALIZE(THE($name)) } отхаркивает комок шерсти! +action-name-eat-mouse = Съесть Мышь +action-description-eat-mouse = Съешьте мышь, которую держите в руке, получая питательные вещества и заряд комка шерсти. diff --git a/Resources/Locale/ru-RU/nyanotrasen/abilities/oni.ftl b/Resources/Locale/ru-RU/nyanotrasen/abilities/oni.ftl new file mode 100644 index 00000000000..406391b1216 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/abilities/oni.ftl @@ -0,0 +1,2 @@ +oni-gun-fire = Вы не можете стрелять из оружия! +namepreset-x-no-y = { $last }-не-{ $first } diff --git a/Resources/Locale/ru-RU/nyanotrasen/carrying/carry.ftl b/Resources/Locale/ru-RU/nyanotrasen/carrying/carry.ftl new file mode 100644 index 00000000000..c705ed309f1 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/carrying/carry.ftl @@ -0,0 +1,3 @@ +carry-verb = Нести +carry-too-heavy = Вы недостаточно сильны. +carry-started = { THE($carrier) } пытается вас поднять! diff --git a/Resources/Locale/ru-RU/nyanotrasen/interaction/interaction-popup-component.ftl b/Resources/Locale/ru-RU/nyanotrasen/interaction/interaction-popup-component.ftl new file mode 100644 index 00000000000..897a128c145 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/interaction/interaction-popup-component.ftl @@ -0,0 +1,4 @@ +## Petting animals + +#petting-failure-pibble = Вы тянетесь к {THE($target)}, и {SUBJECT($target)} кусает вас! +petting-failure-pibble = Вы тянетесь к { THE($target) }, но передумываете на пол пути. diff --git a/Resources/Locale/ru-RU/nyanotrasen/kitchen/deep-fryer-component.ftl b/Resources/Locale/ru-RU/nyanotrasen/kitchen/deep-fryer-component.ftl new file mode 100644 index 00000000000..e18a66d19bb --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/kitchen/deep-fryer-component.ftl @@ -0,0 +1,40 @@ +## Фритюрница + +deep-fryer-blacklist-item-failed = { CAPITALIZE(THE($item)) } не покрывается маслов. +deep-fryer-oil-purity-low = { CAPITALIZE(THE($deepFryer)) } безрезультативно шипит. +deep-fryer-oil-volume-low = { CAPITALIZE(THE($deepFryer)) } горит и дымится! +deep-fryer-oil-no-slag = Нет осадка для удаления. +deep-fryer-storage-full = Все корзины переполнены.. +deep-fryer-storage-no-fit = { CAPITALIZE(THE($item)) } не помещается в одну из корзин. +deep-fryer-interact-using-not-item = Похоже, это не предмет. +deep-fryer-need-liquid-container-in-hand = Нужно держать в активной руке емкость для жидкости, например, бутылку или стакан. +deep-fryer-thrown-missed = Мимо! +deep-fryer-thrown-hit-oil = Шлёп! +deep-fryer-thrown-hit-oil-low = Плюх! +deep-fryer-entity-escape = { CAPITALIZE(THE($victim)) } выскакивает из { THE($deepFryer) }! + +## DeepFryer UI + +deep-fryer-window-title = Фритюрница +deep-fryer-label-baskets = Корзины +deep-fryer-label-oil-level = Уровень масла +deep-fryer-label-oil-purity = Чистота масла +deep-fryer-button-insert-item = Вставить предмет +deep-fryer-button-insert-item-tooltip = Вставить предмет из рук в одну из корзин фритюрницы. +deep-fryer-button-scoop-vat = Зачерпнуть +deep-fryer-button-scoop-vat-tooltip = Зачерпнуть немного жидкости из емкости для масла. Вам необходимо держать емкость для жидкости. +deep-fryer-button-clear-slag = Удалить осадок +deep-fryer-button-clear-slag-tooltip = Удалить отходы из ёмкости с маслом. Вам необходимо держать емкость для жидкости. +deep-fryer-button-remove-all-items = Удалить все предметы +deep-fryer-button-remove-all-items-tooltip = Удалите все предметы из корзин фритюрницы одновременно. + +## DeepFriedComponent + +deep-fried-crispy-item = хрустящий { $entity } +deep-fried-crispy-item-examine = Покрыт хрустящей корочкой. +deep-fried-fried-item = глубокой прожарки { $entity } +deep-fried-fried-item-examine = Покрыт толстым хрустящим слоем. +deep-fried-burned-item = подгоревший { $entity } +deep-fried-burned-item-examine = Почернел от гари. +reagent-name-oil-ghee = топлоёное масло +reagent-desc-oil-ghee = густое и мутное. diff --git a/Resources/Locale/ru-RU/nyanotrasen/mail.ftl b/Resources/Locale/ru-RU/nyanotrasen/mail.ftl new file mode 100644 index 00000000000..b52b1dc6614 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/mail.ftl @@ -0,0 +1,29 @@ +mail-recipient-mismatch = Имя или должность получателя не совпадают. +mail-recipient-mismatch-name = Имя получателя не совпадает. +mail-invalid-access = Имя и должность получателя совпадают, но доступ не соответствует ожидаемому.. +mail-locked = Противоугонный замок не снят. Используйте удостоверение личности получателя. +mail-desc-far = Посылка. +mail-desc-close = Посылка адресована { CAPITALIZE($name) }, { $job }. Последнее известное местоположение: { $station }. +mail-desc-fragile = На ней красный ярлык[color=red]"ХРУПКОЕ"[/color]. +mail-desc-priority = Активирована [color=yellow]желтая лента противоугонного замка для приоритетных направлений[/color]. +mail-desc-priority-inactive = [color=#886600]Желтая лента противоугонного замка для приоритетных направлений[/color] не активна. +mail-unlocked = Противоугонная система разблокирована. +mail-unlocked-by-emag = Противоугонная система *БЗЗТ*. +mail-unlocked-reward = Противоугонная система разблокирована. +mail-penalty-lock = ПРОТИВОУГОННЫЙ ЗАМОК ВЗЛОМАН. СТАНЦИЯ БУДЕТ ОШТРАФОВАНА НА { $credits } СПЕСОСОВ. +mail-penalty-fragile = ЦЕЛОСТНОСТЬ НАРУШЕНА. СТАНЦИЯ БУДЕТ ОШТРАФОВАНА НА { $credits } СПЕСОСОВ. +mail-penalty-expired = СРОК ДОСТАВКИ ИСТЕК. СТАНЦИЯ БУДЕТ ОШТРАФОВАНА НА { $credits } СПЕСОСОВ. +mail-item-name-unaddressed = посылка +mail-item-name-addressed = посылка ({ $recipient }) +command-mailto-description = Добавить в очередь посылку для доставки сущности. Пример использования: mailto 1234 5678 false false. Содержимое целевого контейнера будет перенесено в почтовую посылку. +command-mailto-help = Использование: { $command } <идентификатор сущности-получателя> <идентификатор сущности-контейнера> [хрупкость: true или false] [приоритетность: true или false] +command-mailto-no-mailreceiver = Целевая сущность-получатель не имеет { $requiredComponent }. +command-mailto-no-blankmail = Прототип { $blankMail } не существует. Что-то пошло не так. Обратитесь к программисту. +command-mailto-bogus-mail = { $blankMail } не имеет { $requiredMailComponent }. Что-то пошло не так. Обратитесь к программисту. +command-mailto-invalid-container = Целевая сущность-контейнер не имеет необходимого контейнера { $requiredContainer }. +command-mailto-unable-to-receive = Не удалось подготовить целевую сущность-получателя к получению почты. Возможно, отсутствует идентификационный номер. +command-mailto-no-teleporter-found = Не удалось сопоставить целевую сущность-получателя ни с одним почтовым телепортом станции. Получатель может находиться вне станции. +command-mailto-success = Успех! Посылка добавлена в очередь для следующей телепортации через { $timeToTeleport } секунд. +command-mailnow = Принудительно заставить все почтовые телепорты доставить следующий почтовые отправления как можно скорее. Это не обойдет лимит недоставленной почты. +command-mailnow-help = Использование: { $command } +command-mailnow-success = Успех! Все почтовые телепорты скоро доставят еще одни отправления! diff --git a/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl b/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl new file mode 100644 index 00000000000..0e64e9f0edf --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/nyano-jobs.ftl @@ -0,0 +1,14 @@ +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 = Дайте хлеба и зрелищ команде. Сражайтесь за честь и отвагу. +job-description-fugitive = Сбегите со станции живым. +job-description-prisoner = Сидите в тюрьме. Играйте в азартные игры со своими сокамерниками. Поговорите с судебным приступом. Напишите мемуары. +job-description-valet = Заботьтесь о многочисленных гостях станции. +job-description-guard = Следите за заключенными и обеспечивайте их базовыми потребностями. +job-description-martialartist = Будьте благородным и дисциплинированным, проводите спарринги в додзё, вызывайте охрану на поединки. diff --git a/Resources/Locale/ru-RU/nyanotrasen/pseudoitem-component.ftl b/Resources/Locale/ru-RU/nyanotrasen/pseudoitem-component.ftl new file mode 100644 index 00000000000..8ec42551092 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/pseudoitem-component.ftl @@ -0,0 +1,2 @@ +action-name-insert-self = Вставить себя +action-name-insert-other = Вставить { THE($target) } diff --git a/Resources/Locale/ru-RU/nyanotrasen/reagents/meta/consumable/drink/alcohol.ftl b/Resources/Locale/ru-RU/nyanotrasen/reagents/meta/consumable/drink/alcohol.ftl new file mode 100644 index 00000000000..d6afdf28bb3 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/reagents/meta/consumable/drink/alcohol.ftl @@ -0,0 +1,16 @@ +reagent-name-soju = соджу +reagent-desc-soju = Алкогольный напиток, получаемый дистилляцией полированного риса. +reagent-name-orange-creamcicle = апельсиново-сливочный ликёр +reagent-desc-orange-creamcicle = Апельсиновое сливочное блаженство. +reagent-name-silverjack = серебрянный Джек +reagent-desc-silverjack = Напоминает о семье. +reagent-name-brainbomb = мозговыносяшка +reagent-desc-brainbomb = Токсично для всего живого, особенно для вашей печени. +reagent-name-clownblood = кровь клоуна +reagent-desc-clownblood = Любимые напиток офицеров Службы Безопасности после насыщенного дня. +reagent-name-circusjuice = цирковный сок +reagent-desc-circusjuice = Хонкоматерь будет довольна. +reagent-name-sapopicante = пиканточка +reagent-desc-sapopicante = Не имеет ничего общего со вскусом жабы. +reagent-name-graveyard = кладбищенец +reagent-desc-graveyard = Для тех смен, которые кажутся бесконечными. diff --git a/Resources/Locale/ru-RU/nyanotrasen/reagents/meta/consumable/drink/drink.ftl b/Resources/Locale/ru-RU/nyanotrasen/reagents/meta/consumable/drink/drink.ftl new file mode 100644 index 00000000000..102d15f50db --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/reagents/meta/consumable/drink/drink.ftl @@ -0,0 +1,12 @@ +reagent-name-atomicpunch = атомный дар +reagent-desc-atomicpunch = НЕ сделает вас неуязвимым к пулям; включает изотопы! +reagent-name-pinkdrink = розовый напиток +reagent-desc-pinkdrink = Целый цивилизации были уничтожены в попытках выяснить, действительно ли этот напиток имеет розовый вкус... +reagent-name-bubbletea = баблти +reagent-desc-bubbletea = Трубочка не включена в комплект. +reagent-name-the-martinez = М значит Мартинес +reagent-desc-the-martinez = Легенда эджраннеров. Запомнен напитком, забыт пьяницей. +reagent-name-holywater = святые угодники +reagent-desc-holywater = Вода, освященная какими-то иными силами. +reagent-name-lean = лин +reagent-desc-lean = Отвратительная смесь газировки, алкоголя и сиропа от кашля. diff --git a/Resources/Locale/ru-RU/nyanotrasen/respirator/cpr.ftl b/Resources/Locale/ru-RU/nyanotrasen/respirator/cpr.ftl new file mode 100644 index 00000000000..6ce2aa48746 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/respirator/cpr.ftl @@ -0,0 +1,5 @@ +cpr-start-second-person = Вы начинаете делать искуственное дыхание { THE($target) }. +cpr-start-second-person-patient = { CAPITALIZE(THE($user)) } начинает делать вам искуственное дыхание. +cpr-must-remove = Вы должны снять { THE($clothing) }. +cpr-end-pvs = { CAPITALIZE(THE($user)) } делает искуственное дыхание { THE($target) }. +cpr-end-pvs-crack = { CAPITALIZE(THE($user)) } случайно ломает { THE($target) } грудную клетку. diff --git a/Resources/Locale/ru-RU/nyanotrasen/seeds/seeds.ftl b/Resources/Locale/ru-RU/nyanotrasen/seeds/seeds.ftl new file mode 100644 index 00000000000..3b802c325da --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/seeds/seeds.ftl @@ -0,0 +1,2 @@ +seeds-killertomato-name = томат убийца +seeds-killertomato-display-name = убийственные томаты diff --git a/Resources/Locale/ru-RU/nyanotrasen/species/namepreset.ftl b/Resources/Locale/ru-RU/nyanotrasen/species/namepreset.ftl new file mode 100644 index 00000000000..d00f5d12422 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/species/namepreset.ftl @@ -0,0 +1,4 @@ +namepreset-firstlast = { $first } { $last } +namepreset-firstdashfirst = { $first1 }-{ $first2 } +namepreset-thefirstoflast = { $first } из { $last } +namepreset-x-no-y = { $last }-не-{ $first } diff --git a/Resources/Locale/ru-RU/nyanotrasen/species/slime.ftl b/Resources/Locale/ru-RU/nyanotrasen/species/slime.ftl new file mode 100644 index 00000000000..f9fd21d7179 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/species/slime.ftl @@ -0,0 +1 @@ +slime-hurt-by-water-popup = Вода плавит вам "кожу"! diff --git a/Resources/Locale/ru-RU/nyanotrasen/species/species.ftl b/Resources/Locale/ru-RU/nyanotrasen/species/species.ftl new file mode 100644 index 00000000000..86652cf16cc --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/species/species.ftl @@ -0,0 +1,4 @@ +## Species Names + +species-name-felinid = Фелинид +species-name-oni = Они diff --git a/Resources/Locale/ru-RU/nyanotrasen/store/uplink-catalog.ftl b/Resources/Locale/ru-RU/nyanotrasen/store/uplink-catalog.ftl new file mode 100644 index 00000000000..20d65a8f49d --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/store/uplink-catalog.ftl @@ -0,0 +1,6 @@ +uplink-kanabou-name = Канабо +uplink-kanabou-desc = Оружие для тех, кому чужды тонкости. Отлично подходит для Они. +uplink-rickenbacker4001-name = Костокрошитель 4001 +uplink-rickenbacker4001-desc = Мало кто сможет увернуться от биты, когда дело дойдёт до насилия. +uplink-samurai-bundle-name = Самурайский синди-комплект +uplink-samurai-bundle-desc = Набор, содержащий современную реплику полного комплекта Тосей-Гусоку. diff --git a/Resources/Locale/ru-RU/nyanotrasen/tools/tool-qualities.ftl b/Resources/Locale/ru-RU/nyanotrasen/tools/tool-qualities.ftl new file mode 100644 index 00000000000..b555bc75873 --- /dev/null +++ b/Resources/Locale/ru-RU/nyanotrasen/tools/tool-qualities.ftl @@ -0,0 +1,2 @@ +tool-quality-digging-name = Копать +tool-quality-digging-tool-name = Лопата diff --git a/Resources/Locale/ru-RU/objectives/commands/lsobjectives.ftl b/Resources/Locale/ru-RU/objectives/commands/lsobjectives.ftl new file mode 100644 index 00000000000..55de168dda9 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/commands/lsobjectives.ftl @@ -0,0 +1,3 @@ +# lsobjectives +cmd-lsobjectives-desc = Выводит список всех целей сознания игрока. +cmd-lsobjectives-help = Использование: lsobjectives diff --git a/Resources/Locale/ru-RU/objectives/conditions/carp-rifts.ftl b/Resources/Locale/ru-RU/objectives/conditions/carp-rifts.ftl new file mode 100644 index 00000000000..8d1e86064fa --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/carp-rifts.ftl @@ -0,0 +1,12 @@ +objective-carp-rifts-title = + Открыть { $count } { $count -> + [one] карповый разлом + [few] карповых разлома + *[other] карповых разломов + } +objective-carp-rifts-description = + Используйте действие «Создать карповый разлом» чтобы открыть { $count } { $count -> + [one] карповый разлом + [few] карповых разлома + *[other] карповых разломов + } и не допустить их разрушения. Если вы не откроете разлом через 5 минут, вас убьют. diff --git a/Resources/Locale/ru-RU/objectives/conditions/doorjack.ftl b/Resources/Locale/ru-RU/objectives/conditions/doorjack.ftl new file mode 100644 index 00000000000..fcd77cb4d78 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/doorjack.ftl @@ -0,0 +1,12 @@ +objective-condition-doorjack-title = + Взломайте { $count } { $count -> + [one] дверь + [few] двери + *[other] дверей + } на станции. +objective-condition-doorjack-description = + Ваши перчатки могут взламывать шлюзы. Сделайте это с { $count } { $count -> + [one] дверью + [few] дверьми + *[other] дверьми + }. diff --git a/Resources/Locale/ru-RU/objectives/conditions/kill-head.ftl b/Resources/Locale/ru-RU/objectives/conditions/kill-head.ftl new file mode 100644 index 00000000000..87dd0dd836e --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/kill-head.ftl @@ -0,0 +1 @@ +objective-condition-kill-head-title = Убить { $targetName }, должность: { CAPITALIZE($job) }. diff --git a/Resources/Locale/ru-RU/objectives/conditions/kill-person.ftl b/Resources/Locale/ru-RU/objectives/conditions/kill-person.ftl new file mode 100644 index 00000000000..a59cea4c406 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/kill-person.ftl @@ -0,0 +1 @@ +objective-condition-kill-person-title = Убить или не дать покинуть станцию { $targetName }, должность: { CAPITALIZE($job) }. diff --git a/Resources/Locale/ru-RU/objectives/conditions/other-traitor-alive.ftl b/Resources/Locale/ru-RU/objectives/conditions/other-traitor-alive.ftl new file mode 100644 index 00000000000..5b6bf67d6a6 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/other-traitor-alive.ftl @@ -0,0 +1 @@ +objective-condition-other-traitor-alive-title = Убедиться, что коллега-предатель { $targetName }, должность: { CAPITALIZE($job) }, останется жив. diff --git a/Resources/Locale/ru-RU/objectives/conditions/other-traitor-progress.ftl b/Resources/Locale/ru-RU/objectives/conditions/other-traitor-progress.ftl new file mode 100644 index 00000000000..1f4531521e1 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/other-traitor-progress.ftl @@ -0,0 +1 @@ +objective-condition-other-traitor-progress-title = Убедиться, что коллега-предатель { $targetName }, должность: { CAPITALIZE($job) }, выполнит хотя бы половину своих целей. diff --git a/Resources/Locale/ru-RU/objectives/conditions/spider-charge.ftl b/Resources/Locale/ru-RU/objectives/conditions/spider-charge.ftl new file mode 100644 index 00000000000..64a463dbe07 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/spider-charge.ftl @@ -0,0 +1,2 @@ +objective-condition-spider-charge-title-no-target = Взорвать бомбу клана Паука (нет цели) +objective-condition-spider-charge-title = Взорвать бомбу клана Паука в { $location }. diff --git a/Resources/Locale/ru-RU/objectives/conditions/steal-research.ftl b/Resources/Locale/ru-RU/objectives/conditions/steal-research.ftl new file mode 100644 index 00000000000..a2b4efd0ded --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/steal-research.ftl @@ -0,0 +1,6 @@ +objective-condition-steal-research-title = + Украсть { $count } { $count -> + [one] технологию + [few] технологии + *[other] технологий + }. diff --git a/Resources/Locale/ru-RU/objectives/conditions/steal.ftl b/Resources/Locale/ru-RU/objectives/conditions/steal.ftl new file mode 100644 index 00000000000..9bb1fb55b68 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/steal.ftl @@ -0,0 +1,9 @@ +objective-condition-steal-title-no-owner = Украсть { $itemName }. +objective-condition-steal-title-alive-no-owner = Steal { $itemName }. +objective-condition-steal-title = Украсть { $itemName }, владелец: { $owner }. +objective-condition-steal-description = Нам нужно, чтобы вы украли { $itemName }. Не попадитесь. +objective-condition-steal-station = станция +objective-condition-steal-Ian = корги главы персонала +objective-condition-thief-description = { $itemName } было бы отличным дополнением к моей коллекции! +objective-condition-thief-animal-description = { $itemName } был бы отличным дополнением к моей коллекции! Желательно, живым. +objective-condition-thief-multiply-description = Мне надо взять { $count } { MAKEPLURAL($itemName) } и забрать их с собой. diff --git a/Resources/Locale/ru-RU/objectives/conditions/terminate.ftl b/Resources/Locale/ru-RU/objectives/conditions/terminate.ftl new file mode 100644 index 00000000000..71362363b13 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/conditions/terminate.ftl @@ -0,0 +1 @@ +objective-terminate-title = Уничтожить { $targetName }, { CAPITALIZE($job) } diff --git a/Resources/Locale/ru-RU/objectives/round-end.ftl b/Resources/Locale/ru-RU/objectives/round-end.ftl new file mode 100644 index 00000000000..70b27ce2593 --- /dev/null +++ b/Resources/Locale/ru-RU/objectives/round-end.ftl @@ -0,0 +1,15 @@ +objectives-round-end-result = + { $count -> + [one] Был один { $agent }. + [few] Было { $count } { $agent }. + *[other] Было { $count } { $agent }. + } +objectives-round-end-result-in-custody = { $custody } из { $count } { $agent } были арестованы. +objectives-player-user-named = [color=White]{ $name }[/color] ([color=gray]{ $user }[/color]) +objectives-player-user = [color=gray]{ $user }[/color] +objectives-player-named = [color=White]{ $name }[/color] +objectives-no-objectives = [bold][color=red]{ $custody }[/color]{ $title } – { $agent }. +objectives-with-objectives = [bold][color=red]{ $custody }[/color]{ $title } – { $agent } со следующими целями: +objectives-objective-success = { $objective } | [color={ $markupColor }]Успех![/color] +objectives-objective-fail = { $objective } | [color={ $markupColor }]Провал![/color] ({ $progress }%) +objectives-in-custody = | ПОД АРЕСТОМ | diff --git a/Resources/Locale/ru-RU/pacified/pacified.ftl b/Resources/Locale/ru-RU/pacified/pacified.ftl new file mode 100644 index 00000000000..c45fd3e3f0b --- /dev/null +++ b/Resources/Locale/ru-RU/pacified/pacified.ftl @@ -0,0 +1,13 @@ +## Messages shown to Pacified players when they try to do violence: + +# With projectiles: +pacified-cannot-throw = Я не могу бросить { THE($projectile) }, это может кого-нибудь ранить! +# With embedding projectiles: +pacified-cannot-throw-embed = Я ни за что не брошу { THE($projectile) }, это ведь может поранить человека! +# With liquid-spilling projectiles: +pacified-cannot-throw-spill = Я не могу бросить { THE($projectile) }, вдруг на кого-то попадет эта гадость! +# With bolas and snares: +pacified-cannot-throw-snare = Я не могу бросить { THE($projectile) }, вдруг кто-то споткнётся?! +pacified-cannot-harm-directly = Я не могу заставить себя ранить { THE($entity) }! +pacified-cannot-harm-indirect = Я не могу повредить { THE($entity) }, ведь это ранит его! +pacified-cannot-fire-gun = Я не могу стрелять { THE($entity) }, ведь могу попасть в кого-то! diff --git a/Resources/Locale/ru-RU/pai/pai-system.ftl b/Resources/Locale/ru-RU/pai/pai-system.ftl new file mode 100644 index 00000000000..1b9225e5bac --- /dev/null +++ b/Resources/Locale/ru-RU/pai/pai-system.ftl @@ -0,0 +1,22 @@ +pai-system-pai-installed = пИИ установлен. +pai-system-off = пИИ не установлен. +pai-system-still-searching = Всё ещё ищем пИИ. +pai-system-searching = Ищем пИИ... +pai-system-role-name = персональный ИИ +pai-system-role-description = + Станьте чьим-то персональным Искуственным Интеллектом! + (Воспоминания *не* прилагаются.) +pai-system-role-name-syndicate = персональный ИИ Синдиката +pai-system-role-description-syndicate = + Станьте чьим-нибудь приятелем из Синдиката! + (Воспоминания *не* прилагаются.) +pai-system-role-name-potato = картофельный искусственный интеллект +pai-system-role-description-potato = Это детская игрушка. И теперь вы в ней живёте. +pai-system-wipe-device-verb-text = Удалить пИИ +pai-system-wiped-device = пИИ был стерт с устройства. +pai-system-stop-searching-verb-text = Прекратить поиск +pai-system-stopped-searching = Устройство прекратило поиск пИИ. +pai-system-pai-name = пИИ { CAPITALIZE($owner) } +pai-system-pai-name-raw = пИИ { $name } +pai-system-brick-popup = Микросхемы пИИ громко хлопают и перегорают! +pai-system-scramble-popup = Микросхемы пИИ перенапряжены электричеством! diff --git a/Resources/Locale/ru-RU/paper/attributions.yml b/Resources/Locale/ru-RU/paper/attributions.yml new file mode 100644 index 00000000000..c3c06eb787b --- /dev/null +++ b/Resources/Locale/ru-RU/paper/attributions.yml @@ -0,0 +1,4 @@ +- files: ["book-authorbooks.ftl"] + license: "CC-BY-SA-3.0" + copyright: "Created by luckyshotpictures (github) for space-station-14." + source: "https://github.com/space-wizards/space-station-14/pull/15585" diff --git a/Resources/Locale/ru-RU/paper/book-atmos.ftl b/Resources/Locale/ru-RU/paper/book-atmos.ftl new file mode 100644 index 00000000000..f8718de8995 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/book-atmos.ftl @@ -0,0 +1,54 @@ +book-text-atmos-distro = + Сеть распределения, или же "дистра", жизненно важная для станции. Она отвечает за транспортировку воздуха с атмос-отдела по всей станции. + + Соответствующие трубы зачастую покрашены Выскакивающе-Приглушённым Синим, но безошибочный вариант определить их это использование т-лучевого сканера, чтобы отследить трубы подключённые к активным вентиляциям станции. + + Стандартная газовая смесь для сети распределения это 20 градусов по цельсию, 78% азота, 22% кислорода. Вы можете проверить это, используя газоанализатор на трубе дистры, или любой вентиляции подключённой к ней. Особые обстоятельства могут потребовать специальных смесей. + + Когда нужно думать над давлением дистры, есть несколько вещей которые нужно знать. Активные вентиляции регулируют давление на станции, так что пока всё работает стабильно, нет нужды в слишком высоком давлении дистры. + + Высокое давление дистры может сделать сеть "буфером" между газодобытчиками и вентиляциями, обеспечивая значительно количество воздуха, которое может использоваться для стабилизации давления на станции после разгерметизации. + + Низкое давление дистры уменьшит количество потерянного газа в случае разгерметизации сети, быстрый способ справится с загрязнением дистры. Так же это поможет уменьшить или предотвратить высокое давление на станции, в случае неполадок с вентиляциями. + + Обычное давление дистры в диапазоне 300-375 кПа, но другие давления могут быть использованы со знанием пользы и риска. + + Давление сети определяется последним насосом, который в неё закачивает. Для предотвращения заторов, все другие насосы между газодобытчиками и последним насосом должны стоять на максимальном значении, и все ненужные устройства должны быть убраны. + + Вы можете проверить давление дистры газоанализатором, но имейте в виду, что несмотря на заданное давление в трубах, разгерметизации могут вызвать недостаток давления в трубах на некоторое время. Так что если вы видите падение давления, не паникуйте - это может быть временно. +book-text-atmos-waste = + Сеть отходов это основная система отвечающая за сохранения воздуха свободным от загрязнений. + + Вы можете распознать эти трубы по их Приятно-Тусклому Красному цвету или используя т-лучевой сканер, чтобы отследить какие трубы подсоединены к скрубберам на станции. + + Сеть отходов используется для транспортировки ненужных газов либо для фильтрации, либо для выброса в космос. Это идеально для поддержания давления на 0 кПа, но временами может быть низкое, не нулевое давление во время использования. + + Атмос техники могут выбрать фильтровать или выбрасывать газы в космос. Выбрасывание быстрее, но фильтрация позволяет повторно использовать или продавать газы. + + Сеть отходов может помочь диагностировать атмосферные проблемы на станции. Высокое количество отходов может указывать на большую утечку, в то время как присутствие не отходов может указывать на ошибку в конфигурации скруббера либо проблему с физическим подсоединением. Если у газов высокая температура, это может означать пожар. +book-text-atmos-alarms = + Воздушные сигнализации расположены по всей станции для доступа к настройке и наблюдении за локальной атмосферой. + + Интерфейс воздушной сигнализации предоставляет атмос техникам список подключённых сенсоров, их показатели и возможность настроить пороги. Пороги используются для определения аварийного состояния воздушной тревоги. Атмос техники так же могут использовать интерфейс для установки целевого давления вентиляций, настройки рабочей скорости и целевых газов для скрубберов. + + Интерфейс позволяет не только точно настраивать все подключённые устройства, также доступно несколько режимов для быстрой настройки сигнализации. Эти режимы автоматически переключаются при изменении состояния тревоги: + - Фильтрация: Обычный режим + - Фильтрация (широкая): Режим фильтрации при котором скрубберы будут захватывать область побольше + - Заполнение: Отключает скрубберы и ставит вентиляции на максимальное давление + - Паника: Отключает вентиляции и ставит скрубберы на всасывание всего + + Мультитулом можно подключать устройства к воздушным сигнализациям. +book-text-atmos-vents = + Ниже приведён краткое руководство по нескольким атмосферным устройствам. + + Пассивные вентиляции: + Эти вентиляции не требуют питания, они позволяют газам свободно проходить как в трубопроводную сеть, к которой они присоединены, так и из неё. + + Активные вентиляции: + Это самые распространённые вентиляции на станции. Они имеют встроенный насос и требуют электричества. По умолчанию они будут выкачивать газ из труб до 101 кПа. Однако они могут быть перенастроены, используя воздушные сигнализации. Так же они будут блокироваться, когда в комнате ниже 1 кПа для предотвращения выкачивания газов в космос. + + Скрубберы: + Эти устройства позволяют убирать газы с окружающей среды в подсоединённую сеть труб. Они так же могут быть настроены для всасывания определённых газов, когда подключены к воздушной сигнализации. + + Инжекторы: + Инжекторы подобны к активным вентиляциям, но они не имеют встроенного насоса и не требуют электричества. Их нельзя настроить, но они могут продолжать качать газы до очень высокого давления. diff --git a/Resources/Locale/ru-RU/paper/book-authorbooks.ftl b/Resources/Locale/ru-RU/paper/book-authorbooks.ftl new file mode 100644 index 00000000000..b117b79101e --- /dev/null +++ b/Resources/Locale/ru-RU/paper/book-authorbooks.ftl @@ -0,0 +1,256 @@ +book-text-narsielegend = + В начале мир был молод и полон хаоса. Люди этого мира боролись за выживание против суровых стихий и диких зверей, которые бродили по земле. Они взывали к спасителю, который избавил бы их от страданий. + И тогда из глубин земли появилась Нар'Си - богиня-убийца, рожденная из коллективного сознания всех живых существ. Её тело было сделано из расплавленного камня, а глаза пылали огнем, способным расплавить сталь. + Нар'Си осмотрела мир и увидела боль и страдания своего народа. Она сжалилась над ними и предложила им способ вырваться из круговорота жизни и смерти. Все, кто присоединялся к улью, становились вечными, их сознание сливалось с сознанием Нар'Си, образуя единое целое. + Сначала многие скептически отнеслись к предложению Нар'Си, опасаясь, что они потеряют свою индивидуальность и станут бездумными трутнями. Но по мере того, как все больше и больше людей присоединялись к улью, они осознавали, что обрели новое чувство цели и принадлежности. + Последователи Нар'Си бродили по земле, распространяя весть об улье и вербуя новых членов. Они строили великие храмы и проводили сложные ритуалы в честь своего бога, и их число росло, пока они не стали могущественной силой, с которой приходилось считаться. + Но время шло, и некоторые начали сомневаться в истинной природе своего существования. Они задавались вопросом, действительно ли вечная жизнь является благословением или проклятием, и не принесли ли они слишком много себя в жертву удельному разуму. + И вот последователей Нар'Си расколол великий раскол. Одни остались верны своей богине, воспринимая свое вечное существование как дар. Но другие восстали, стремясь вернуть свою индивидуальность и освободиться от власти улья. + Война между двумя фракциями была долгой и кровопролитной, но в конце концов повстанцы вышли победителями. Нар'Си, ослабленная потерей стольких своих последователей, отступила обратно в землю, чтобы больше никогда не появиться. + Так и живет легенда о Нар'Си, предостерегающая об опасности жертвовать своей индивидуальностью ради обещания вечной жизни. +book-text-truth = + Определение истины было центральной проблемой философов на протяжении веков, и существует множество различных философских взглядов на то, как мы можем понимать это понятие. + Одним из традиционных подходов является теория соответствия истины, которая предполагает, что высказывание является истинным, если оно соответствует или точно описывает то, как устроен мир. Другими словами, истина - это точное отображение реальности. Эта точка зрения предполагает, что существует объективная реальность, которую мы можем понять, и что наши убеждения и утверждения могут быть оценены как истинные или ложные в зависимости от того, насколько они соответствуют этой реальности. + Другой подход - это теория истинности, которая предполагает, что утверждение истинно, если оно согласуется с другими убеждениями или утверждениями, которых мы придерживаемся. Другими словами, истина - это последовательность и логическая связность в системе убеждений или идей. Этот подход предполагает, что истина - это то, что устанавливается в определенном контексте или рамках мышления, и то, что истинно в одной системе мышления, может быть не истинным в другой. + Третий подход - это прагматическая теория истины, которая предполагает, что утверждение истинно, если оно полезно или хорошо работает на практике. Другими словами, истина - это практические последствия наших убеждений или утверждений. Эта точка зрения предполагает, что истина - это нечто, возникающее в процессе человеческих действий и взаимодействия, и что истина может меняться в зависимости от ситуации или контекста, в котором она используется. + В конечном счете, то, как мы определяем истину, зависит от наших философских и эпистемологических предположений, а также от наших практических потребностей и проблем. Различные философские взгляды могут подчеркивать различные аспекты истины, и, возможно, не существует единого, общепризнанного определения, которое отражало бы все нюансы этого сложного понятия. + Неверно и несправедливо делать огульное утверждение, что все люди - ужасные лжецы. Хотя верно, что некоторые люди могут испытывать трудности с честностью, важно помнить, что люди сложны и могут проявлять различные формы поведения и склонности. Некоторые люди могут быть приверженцами честности и порядочности, в то время как другие могут бояться лгать из-за различных факторов, таких как страх, неуверенность в себе или прошлый опыт. + Кроме того, стоит отметить, что не вся ложь одинакова. Хотя намеренный обман может быть вредным и неэтичным, существуют также ситуации, когда ложь может считаться социальной смазкой или способом сохранить конфиденциальность или избежать вреда. В этих случаях целесообразнее задуматься о контексте и мотивах конкретной лжи, а не просто отнести всех людей к категории "ужасных лжецов". + В целом, важно подходить к теме лжи с нюансами и пониманием сложных факторов, которые могут влиять на поведение человека. +book-text-world = + Состояние мира - это постоянно меняющееся отражение состояния человека, сформированное взаимодействием природных сил, социальных структур и индивидуального выбора. + 1. "Состояние мира - это постоянно меняющееся отражение...". + Эта часть высказывания предполагает, что мир - не статичная или неизменная сущность, а скорее динамичная система, находящаяся в постоянном движении. Слово "отражение" подразумевает, что состояние мира является продуктом различных сил и факторов, которые отражаются на нас через наблюдаемые явления. Это поднимает важные вопросы о природе причинности и о том, насколько мы можем понять сложное взаимодействие сил, формирующих мир. + 2. "...человеческого состояния...". + Эта часть утверждения предполагает, что состояние мира тесно связано с человеческим опытом, и что оно является отражением наших коллективных убеждений, ценностей и поведения. Она признает фундаментальную роль, которую люди играют в формировании мира, и предполагает, что состояние мира является отражением наших успехов и неудач как вида. + 3. "...формируется под воздействием взаимодействия природных сил, социальных структур и индивидуального выбора". + Эта часть утверждения определяет три ключевых фактора, которые формируют состояние мира: природные силы, социальные структуры и индивидуальный выбор. Фраза "взаимодействие" предполагает, что эти факторы находятся в постоянном взаимодействии друг с другом, и что они могут усиливать или конфликтовать друг с другом в зависимости от контекста. Включение природных сил предполагает, что мир является не только продуктом человеческих действий, но и подвержен влиянию окружающей среды и законов физики. Ссылка на социальные структуры подчеркивает роль институтов, культуры и социальных норм в формировании мира и предполагает, что действия человека не являются чисто индивидуальными, но также формируются под влиянием более широкого социального контекста. Наконец, ссылка на индивидуальный выбор подчеркивает важность самостоятельности и личной ответственности в формировании мира и предполагает, что выбор, который мы делаем как личности, имеет реальные последствия. + Взятое вместе, это заявление предлагает богатый и тонкий философский анализ состояния мира, подчеркивая сложное взаимодействие природных, социальных и индивидуальных факторов, которые формируют наш коллективный опыт. Оно приглашает задуматься об этических последствиях нашего выбора и действий и призывает нас глубоко задуматься о том, как мы можем работать над созданием более справедливого, устойчивого и процветающего мира для всех существ. +book-text-ian-antarctica = + Иан, корги, и Роберт Ньютон, техник по атмосфере, отправились в приключение, чтобы исследовать отдаленный континент Антарктиду. Проходя по ледяным тундрам, Роберт начал проявлять все более эгоистичное поведение, уверенный, что он бог среди людей. Иан считал это забавным, но знал, что лучше не перечить своему человеческому спутнику. + Однажды, когда они шли по снегу, они наткнулись на колонию пингвинов. Иана увлекли эти ковыляющие создания, и Роберта они тоже заинтриговали. Они наблюдали, как пингвины собирались вместе для согревания, их черно-белые перья сливались с снежным пейзажем. + Иан, будучи говорящим корги, начал разговор с пингвинами, вызвав недоверие Роберта. Пингвины отвечали на своем языке, и Иан переводил их слова для Роберта. Они были поражены тем, что узнали о жизни пингвинов и их борьбе за выживание в такой суровой среде. + Роберт, будучи эгоистичным человеком, решил изучить пингвинов и узнать о них больше. Он верил, что, таким образом, сможет раскрыть тайны вселенной и стать еще более богоподобным. Иан, с другой стороны, просто хотел наблюдать за пингвинами и учиться у них в более скромном виде. + Проводя все больше времени с пингвинами, Иан и Роберт начали замечать тонкие изменения в поведении пингвинов. Они видели, как они сотрудничали, чтобы защитить своих малышей, как они общались друг с другом и как они адаптировались к окружающей среде. Роберт был поражен их выносливостью и интеллектом, но все равно не мог избавиться от своего богоподобия. + Однажды, когда они наблюдали за пингвинами, на них обрушился сильный снежный буран, угрожая засыпать их всех снегом. Роберт, в момент ясности, понял, что он не бог, а просто человек, зависимый от природных стихий. Он обратился к Иану и попросил его помочь укрыть пингвинов от бури. + Вместе они использовали свои навыки и знания, чтобы построить временные укрытия для пингвинов, используя свои тела, чтобы защитить их от ледяного ветра. Пока бушевала буря, Иан и Роберт с гордостью взглянули на колонию. Они сделали многое для пингвинов и в процессе стали лучше, улучшив самих себя. + Продолжая свое путешествие по Антарктиде, Иан и Роберт часто вспоминали о времени, проведенном с пингвинами, с теплотой в сердце. Они знали, что они свидетельствовали о чем-то особенном, о чем-то, что останется с ними на всю жизнь. +book-text-sloth-clown-sss = + Жили-были в далекой-далекой космической станции клоун по имени Чаклз и ленивец по имени Снагглз. Чаклз был самым забавным клоуном в галактике, но он немного чувствовал себя одиноким на космической станции. Снагглз, с другой стороны, был самым ленивым ленивцем в галактике и любил спать целыми днями. + Однажды Чаклз был особенно грустным и решил прогуляться по космической станции, чтобы поднять себе настроение. Проходя мимо, он наткнулся на Снагглза, спящего в углу. Чаклз подумал про себя: "Интересно, смогу ли я заставить этого ленивого ленивца посмеяться". + И так Чаклз начал выполнять свои самые забавные клоунские трюки для Снагглза. Он танцевал смешные танцы, делал забавные гримасы и даже пытался жонглировать космическими шарами. Но Снагглз даже не шелохнулся. Чаклз подумал, что его шутки просто недостаточно забавные для ленивца. + Но Чаклз был настроен сделать Снагглза смеяться, поэтому он придумал новый план. Он решил нарядиться в костюм банана, надеясь вызвать реакцию у ленивца. Когда Снагглз открыл глаза и увидел Чаклза в костюме банана, он не смог сдержаться и расхохотался. Чаклз был в восторге! Он наконец-то смог сделать Снагглза смеяться. + С того дня Чаклз и Снагглз стали лучшими друзьями. Чаклз часто наряжался в смешные костюмы, чтобы заставить Снагглза смеяться, а Снагглз предоставлял уютное место для отдыха Чаклзу и рассказывал ему истории о своих приключениях в космосе. Они проводили дни, исследуя космическую станцию вместе и заставляя друг друга смеяться. + Таким образом, клоун и ленивец стали самым счастливым дуэтом в галактике, разнося радость и смех везде, где они появлялись. +book-text-sloth-clown-pz = + Чаклз выступал на новой космической станции и был взволнован тем, что может принести свою радость и смех новой аудитории. Но на этот раз он был не один. Вместе с ним в этом приключении был его верный друг - ленивец Снагглз. + Сразу по прибытии Чаклз и Снагглз отправились исследовать космическую станцию. Они наткнулись на группу детей Диона, которые были грустными и расстроенными. Чаклз спросил, что случилось, и они рассказали ему, что потеряли свою любимую игрушку - маленькую плюшевую игрушку по имени Твинкл. + Чаклз знал, что должен помочь. Он и Снагглз обшарили всю космическую станцию, искали повсюду Твинкл. Они даже попросили помощи у других видов. Ящеры были слишком заняты загоранием, Люди были слишком заняты работой, но Слизни были рады помочь. + Вместе они искали по космической станции, пока наконец не нашли Твинкл. Дети Диона были вне себя от радости и поблагодарили Чаклза и Снагглза за их помощь. + В качестве благодарности дети Диона попросили Чаклза устроить для них особое выступление. Чаклз и Снагглз работали вместе, чтобы создать шоу, полное веселья и смеха, с жонглированием, воздушными шариками и забавными трюками. + Дети Диона любили это шоу, они смеялись и аплодировали все время. А когда выступление закончилось, они обняли Чаклза и Снагглза, благодаря их за то, что вернули им радость. + Чаклз и Снагглз покинули космическую станцию, чувствуя себя счастливыми и исполненными. Они знали, что их приключения будут продолжаться и что они продолжат приносить радость и смех всем видам, с которыми встречаются. + Когда Чаклз вспоминал свои приключения, он осознал, что не смог бы справиться без своих друзей. Будь то ленивец Снагглз, Зорги, которые сыграли с ним розыгрыши, или дети Диона, которым была нужна его помощь, Чаклз знал, что сила смеха способна объединить виды, несмотря на их различия. +book-text-sloth-clown-mmd = + Чаклз путешествовал по космосу со своим другом Снагглзом, ленивцем, искали следующее приключение. Они наткнулись на планету, населенную Ящерицами, которые были известны своей любовью к играм и испытаниям. Чаклз и Снагглз решили исследовать планету и посмотреть, какие игры они могут найти. + Пройдя через город Ящериц, они увидели толпу Ящериц, собравшихся вокруг большой игровой доски. Чаклз и Снагглз подошли, чтобы рассмотреть и они увидели, что Ящерицы играют в игру под названием "Лабиринт Тайны". + Правила игры были простыми: игрок должен был пройти через лабиринт препятствий и ловушек, с целью достигнуть конца перед оппонентом. Запутывало то, что лабиринт менялся каждый раз, когда играли, поэтому игрок должен был быть быстрым на ногах и думать на ходу. + Чаклз и Снагглз были заинтригованы и решили присоединиться к увлечению. Их парой были Ящеричьи братья и сестры, Лиззи и Ленни. Лиззи была своенравной, а Ленни был более спокойным и беззаботным. + Игра была напряженной, лабиринт менялся каждые несколько секунд. Чаклзу и Снагглзу было трудно успевать, но они вскоре поняли, что ключ к победе - работа в команде. Чаклз использовал свои навыки жонглирования, чтобы отвлечь оппонентов, в то время как Снагглз использовал свой медленный и уверенный шаг, чтобы осторожно пройти через лабиринт. + Дойдя до конца лабиринта, их ожидало сюрприз. Лабиринт привел их в скрытую комнату, где ждали их Слизни. Слизни объяснили, что они наблюдали за игрой и были впечатлены командной работой Чаклза и Снагглза. + В знак благодарности, Слизни провели для них экскурсию по своему секретному саду из слизи. Сад был полон ярких и экзотических растений, и Слизни объяснили, что они используют эти растения для создания особых зелий и лекарств. Чаклз и Снагглз были очарованы и спросили, могут ли они взять некоторые растения с собой в качестве сувенира. + Слизни согласились, и Чаклз и Снагглз покинули планету, чувствуя себя счастливыми и исполненными. Они знали, что завязали новые дружеские отношения и усвоили ценный урок о совместной работе. У них также появился новый сувенир для своей коллекции, который они будут беречь на протяжении многих лет. +book-text-struck = + Удар молнии - это интенсивное и преобразующее событие, не поддающееся описанию. Это физическое ощущение, не похожее ни на какое другое, толчок электричества, проходящий через тело с неистовой энергией, которая одновременно пугает и возбуждает. В этот момент все наши чувства перегружены, и нам остается только сырое, элементарное ощущение того, что мы живы. + Помимо физических ощущений, удар молнии - это глубокий философский и духовный опыт. Это напоминание об огромной силе природы и стихийных силах, которые определяют нашу жизнь. Он напоминает нам, что все мы уязвимы перед капризами Вселенной, что какими бы продвинутыми или развитыми мы ни стали, мы все равно подчиняемся тем же законам природы, которые управляли жизнью на этой планете миллионы лет. + В этом смысле удар молнии - это смиряющий опыт, напоминание о хрупкости нашего человеческого существования и шаткости нашего места в мире. Это напоминает нам, что мы - лишь маленькая часть гораздо более крупной и сложной системы, подверженной тем же капризам и силам, что и все остальные живые существа на этой планете. + Но в то же время удар молнии - это трансцендентный опыт, взгляд на нечто большее, чем мы сами. Это напоминание о том, что во Вселенной действуют силы, которые мы только начинаем постигать, что в мире есть необъятность и сила, которые находятся за пределами нашего понимания. Это возможность выйти за пределы себя и испытать нечто поистине благоговейное, ощутить прикосновение божественной руки и почувствовать всю тяжесть вселенной, обрушивающуюся на нас. + В этом смысле удар молнии - это одновременно смиряющий и преобразующий опыт, который напоминает нам о нашем месте в мире и о нашей связи с большими силами, определяющими нашу жизнь. Это напоминание о том, что как бы мы ни старались контролировать наш мир и нашу судьбу, всегда будут силы, находящиеся вне нашего понимания и контроля, которые будут формировать нашу жизнь так, как мы не можем предсказать или постичь. +book-text-sun = + Я протягиваю свои листья к небу, жажду тепла солнца. Это постоянное желание, первоначальный инстинкт, который меня направляет. Я чувствую лучи солнца, ласкающие мою кожу, побуждающие меня расти выше, стремиться выше. + Каждый день я усердно тянусь к свету. Я чувствую землю под собой, которая удерживает меня на месте, но мое сердце направлено на солнце. Это магнитное притяжение, зов, который я не могу проигнорировать. + Иногда кажется, что солнце издевается надо мной, играет в игру "прятки". Облака надвигаются, загораживая его лучи, и я остаюсь в тени. Я чувствую холод воздуха, отсутствие тепла солнца, и немного увядая внутри. + Но потом облака раздвигаются, и солнце прорывается вперед, заливая меня светом и жизнью. Я впитываю его, наслаждаюсь его сиянием и чувствую себя живым. Это напоминание о том, зачем я здесь, о чем я стремлюсь. + Растущий, я сталкиваюсь с препятствиями на своем пути. Иногда это другие растения, загромождающие мой путь к солнцу. Иногда это ветер, сбивающий меня с курса, угрожающий опрокинуть меня. Но я упорствую, приспосабливаюсь к вызовам, всегда стремясь к свету. + Это бесконечное путешествие, поиски чего-то большего, чем я сам. И все же это напоминание о красоте и чуде жизни. Я являюсь частью этой земли, частью этой сложной сети существования, и солнце - мой проводник. +book-text-possum = + Давным-давно в глухом лесу Аппалачских гор жил опоссум по имени Морти. Морти был амбициозным опоссумом, который всегда стремился подняться все выше и выше по социальной лестнице леса. У Морти был острый ум, и он постоянно думал о том, как повысить свой статус. + Однажды Морти наткнулся на заговор в лесу. Группа животных, среди которых было несколько высокопоставленных чиновников лесного совета, планировала свергнуть нынешнее руководство и захватить лес. Морти заинтриговала возможность получить власть, и он решил присоединиться к заговору. + Морти упорно трудился, чтобы доказать свою преданность заговорщикам. Он собирал информацию и передавал ее группе, а также помогал планировать нападение. Когда настал день переворота, Морти был в самом центре событий, готовый занять свое место на вершине лесной иерархии. + Однако переворот был быстро подавлен лесным советом. Морти и другие заговорщики были схвачены и предстали перед судом. Морти был обвинен в государственной измене за участие в заговоре с целью свержения правительства. + На суде Морти не раскаялся в своих действиях. Он утверждал, что просто пытался улучшить свое положение в лесу, а нынешнее руководство было коррумпированным и неэффективным. Но совет не поколебали доводы Морти. Они признали его виновным в измене и приговорили к изгнанию из леса. + Морти был опустошен приговором. Он мечтал подняться на вершину лесной иерархии, но теперь он стал изгоем, вынужденным жить на задворках леса. Он слишком поздно понял, что стремление к власти ослепило его, и он перестал понимать важность верности и долга перед лесным сообществом. + С того дня Морти жил в одиночестве, бродя по лесу и сожалея о выборе, который привел его к государственной измене. +book-text-cafe = + С каждым днем Лили все больше и больше времени проводила в кафе. Она наслаждалась пикантным ароматом кофейных зерен и веселой болтовней других посетителей. Она даже начала узнавать некоторых завсегдатаев, например, мужчину с кустистой бородой, который всегда заказывал латте с дополнительной пенкой и посыпкой из корицы. + Однажды, когда Лили сидела за своим обычным столиком у окна, она заметила что-то краем глаза. Сначала она подумала, что это просто птица, но потом поняла, что это крошечный опоссум, выглядывающий из-за мусорного бака на улице. В глазах маленького существа было игривое, почти озорное выражение, и казалось, что оно с интересом наблюдает за Лили. + Шли дни, и Лили стала видеть опоссума все чаще и чаще. Он приходил в кафе, заглядывал в окна, бегал по крышам, изредка издавая возбужденный треск. Лили все больше и больше интриговал опоссум, и она начала оставлять для него маленькие угощения, например, кусочки круассана или крошки от кондитерских изделий. + Однажды, когда Лили выходила из кафе после смены, она услышала шум, доносившийся из соседнего переулка. Она осторожно заглянула за угол и увидела группу мужчин в темных костюмах, которые тихо переговаривались. Сначала она подумала, что это просто группа бизнесменов, но потом заметила маленького опоссума, который сидел на мусорном баке неподалеку и с интересом наблюдал за мужчинами. + Вдруг один из мужчин заметил опоссума и бросился к нему, грубо схватив его за хвост. Опоссум издал громкий крик ужаса, и Лили почувствовала, что ее сердце заколотилось. Не раздумывая, она подбежала к мужчинам и потребовала, чтобы они отпустили опоссума. + Мужчины посмеялись над ней и сказали, чтобы она не лезла не в свое дело, но Лили не отступила. Ей удалось вырвать опоссума из рук мужчины и осторожно взять его на руки. Глядя в яркие, радостные глаза опоссума, она поняла, что должна защитить его любой ценой. + В конце концов Лили удалось спасти опоссума от мужчин, которые оказались членами печально известной контрабандной группировки. Она взяла маленькое существо к себе домой и назвала его Зест, в честь радостной и пикантной энергии, которую он привнес в ее жизнь. С того дня Лили и Зест были неразлучны, и они провели много счастливых лет, исследуя город и распространяя радость повсюду. +book-text-feather = + Шли дни, и странствующая птица встретила еще много заколдованных мест, каждое из которых было волшебнее предыдущего. Но по мере того как путешествие продолжалось, перья птицы начали терять свой блеск, а ее некогда яркие глаза становились все тусклее. + Однажды птица наткнулась на поляну в лесу, где группа животных собралась вокруг небольшого пруда. В центре пруда лежало мерцающее перо, которое светилось лучистым светом. + Птицу сразу же привлекло это перо, и она полетела вниз, чтобы рассмотреть его поближе. Когда она приблизилась, другие животные расступились, чтобы освободить место, и птица поняла, что это не обычное перо. Это было волшебное перо, пропитанное силой заколдованного леса. + Прикоснувшись к перу, птица почувствовала прилив энергии, и ее перья засияли с новой яркостью. Другие животные собрались вокруг, удивляясь преображению. + С этого дня блуждающая птица больше не была потерянной или одинокой. Она нашла свое место в заколдованном лесу, и ее бесцельное блуждание сменилось чувством цели и принадлежности. + Сменялись времена года, птица старела, но ее перья оставались такими же яркими и живыми. И когда она наконец покинула этот мир, ее наследие продолжало жить в зачарованном лесу, где ее память праздновали все животные, которые знали и любили ее. + Волшебное перо, в которое превратилась странствующая птица, стало символом надежды и обновления, напоминанием о том, что даже в самые темные времена всегда есть возможность найти свое истинное место в мире. +book-text-ian-wolfpup = + Давным-давно в дремучем лесу жили дружелюбный корги по имени Иан и умная лиса по имени Алиса. Они были закадычными друзьями, но об их совместных приключениях ходили легенды. + Однажды ярким солнечным днем, когда они играли в мяч, они услышали далекий вой, который, казалось, доносился из глубины темного леса. Будучи любопытными существами, они решили выяснить источник шума. + По мере того как они углублялись в лес, они сталкивались с различными препятствиями и трудностями. Но благодаря своей смекалке и решительности они все преодолели. + Они столкнулись с крутым и скользким склоном, но Иан с помощью своих коротких, но крепких ног помог им подняться. Они наткнулись на бурную реку, но Алиса с помощью своего быстрого мышления нашла способ перебраться через нее. + Наконец, они добрались до источника воя. Это был одинокий и напуганный волчонок, заблудившийся в лесу. Иан и Алиса быстро поняли, что должны помочь маленькому волчонку найти дорогу к своей семье. + Они использовали свои навыки и командную работу, чтобы проложить обратный путь через лес, при этом не давая волчонку замерзнуть и согреться. Когда они наконец воссоединили маленького волчонка с его семьей, они были вознаграждены теплыми улыбками и благодарным воем. + С того дня дружба Иана и Алисы стала еще крепче. У них было еще много приключений в лесу, каждое из которых было интереснее предыдущего. И они никогда не забывали о том, что такое помогать другим, нуждающимся в помощи. +book-text-ian-ranch = + После захватывающего приключения в лесу Иан и Алиса решили исследовать близлежащее ранчо. Это было огромное пространство земли, полное всевозможных животных и существ. + Когда они бродили по ранчо, они встретили много новых и интересных животных. Они встретили дружелюбных лошадей, любопытных коров и даже озорного енота. + Но тут они услышали громкое, тревожное "муу", доносящееся из одного из коровников. Они быстро бросились туда и обнаружили маленького теленка, который застрял в заборе. + Иан и Алиса поняли, что должны действовать быстро, чтобы спасти бедного теленка. Иан с помощью своих крепких зубов осторожно расшатал забор, а Алиса с помощью своих быстрых лап вытащила теленка из путаницы. + Вместе они благополучно освободили теленка и воссоединили его с матерью. Корова-мать была вне себя от счастья и в знак благодарности прижалась к теленку. + Продолжая исследовать ранчо, Иан и Алиса наткнулись на группу кур, которые попали в беду. Их курятник был опрокинут ветром, и все они были разбросаны и напуганы. + Иан и Алиса быстро принялись за работу, собрали цыплят и восстановили курятник. Это была тяжелая работа, но благодаря сильным ногам Иана и умным мыслям Алисы они справились с ней в кратчайшие сроки. + Благодарные куры отблагодарили Иана и Алису хором кудахтанья и клевания. + Когда солнце начало садиться, Иан и Алиса вернулись домой, усталые, но счастливые. В тот день они помогли многим животным и по пути обрели новых друзей. + С тех пор Иан и Алиса продолжали исследовать ранчо, всегда готовые к новым приключениям и всегда готовые протянуть лапу или морду любому нуждающемуся животному. +book-text-ian-ocean = + Иан и Алиса были очень рады впервые побывать на пляже. Они слышали много прекрасного о песчаных берегах и бескрайнем голубом океане. + Как только они приехали, они побежали к песчаным дюнам, жаждая исследовать их. Они носились вверх и вниз по холмам, нюхая и копаясь в песке. Они находили всевозможные сокровища, такие как разноцветные ракушки и интересные камни. + Затем они направились к океану. Иан любил плавать, а Алиса предпочитала грести на мелководье. Они плескались и играли, наслаждаясь соленой водой на своей шерсти. + Вдруг они услышали тревожный крик, доносящийся из воды. Они быстро поплыли на поиски и обнаружили выброшенную на мель морскую черепаху. Она запуталась в рыболовных сетях и не могла освободиться. + Иан и Алиса поняли, что должны действовать быстро, чтобы спасти бедную черепаху. Иан с помощью своих крепких зубов аккуратно разрезал сеть, а Алиса с помощью своих быстрых лап помогла черепахе вернуться в воду. + Благодарная черепаха поблагодарила Иана и Алису легким взмахом ласты, а затем уплыла в синие глубины. + Когда день подошел к концу, Иан и Алиса сидели на пляже и любовались закатом. Они чувствовали себя счастливыми и довольными после захватывающего дня на пляже. + Возвращаясь домой, они пообещали себе вернуться на пляж и исследовать его еще больше. Они знали, что там еще много существ и чудес, и им не терпелось испытать все это вместе. +book-text-ian-mountain = + Иан и Алиса были рады исследовать горы. Хрустящий горный воздух и величественные пейзажи должны были стать незабываемым приключением. + Они начали свой поход у подножия горы, пробираясь через густые леса и скалистую местность. Когда они поднялись выше, деревья поредели и открылись захватывающие виды на окружающие вершины и долины. + Они наткнулись на стремительную реку, где Иан не удержался и прыгнул в воду, чтобы искупаться. Алиса осталась на берегу, не сводя глаз со своего мохнатого друга. + Продолжая подниматься выше, они встретили группу горных козлов, расположившихся на скалистом выступе. Козлы с любопытством смотрели на них, а потом бросились наутек. + Когда солнце начало садиться, они разбили лагерь на ночь. Они развели костер и пожарили зефир, наслаждаясь мирной тишиной горной ночи. + На следующее утро они проснулись рано, чтобы продолжить свой поход. Они поднимались все выше и выше, проходя через густые облака, пока не достигли вершины. + На вершине перед ними открылся захватывающий вид на окружающие горы и долины. Они сели и стали любоваться видом, наслаждаясь тишиной и покоем вершины. + Спустившись с горы, они поняли, что преодолели большое испытание и создали воспоминания, которые останутся на всю жизнь. Они с воодушевлением обсуждали свои следующие приключения, зная, что великая природа таит в себе еще много чудес. +book-text-ian-city = + Иан и Алиса привыкли исследовать природу, но они никогда не сталкивались с городской суетой. Им не терпелось узнать, какие приключения ждут их среди возвышающихся небоскребов и шумных улиц. + Когда они вошли в город, они были ошеломлены видами, звуками и запахами. Гудки машин, разговоры людей по телефону, запах хот-догов и кренделей наполнили воздух. + Они начали исследовать улицы, удивляясь возвышающимся небоскребам, которые окружали их. Им даже удалось пробраться в одно из зданий и подняться на лифте на самый верхний этаж. + Сверху открывался удивительный вид на город с его высокими зданиями и оживленными улицами внизу. Они посмотрели вниз и увидели множество людей и животных, от голубей до собак и кошек, которые занимались своими повседневными делами. + Спустившись вниз, они исследовали оживленные улицы, уворачиваясь от толпы людей и проходя через оживленные перекрестки. Они даже подружились с группой белок, которые искали еду в соседнем парке. + В какой-то момент они наткнулись на потерявшегося котенка, который забрел слишком далеко от своего дома. Иан и Алиса знали, что делать, ведь в прошлом они спасали выбросившихся на берег морских животных и помогали заблудившимся туристам. Используя свой острый нюх, они разыскали хозяина котенка и вернули его обеспокоенной семье. + Когда день перешел в ночь, они были измотаны, но счастливы от своего приключения в городе. Они возвращались домой, возбужденно обсуждая все новые впечатления, которые только что получили. + Иан и Алиса знали, что их ждет еще много приключений, и им не терпелось узнать, куда приведет их следующее путешествие. +book-text-ian-arctic = + Иан и Алиса не чужды приключений, они исследовали все - от гор до городов. Но их последнее путешествие в Арктику обещало стать самым захватывающим. + Когда они приземлились в замерзшей тундре, их встретил ледяной пейзаж и пронизывающий холод. Они закутались в свои самые теплые куртки и отправились исследовать местность. + Они быстро встретили всевозможных животных, живущих в холодную погоду, - от белых медведей до пингвинов и песцов. Они с изумлением наблюдали, как животные приспосабливаются к ледяной среде: у них густой мех и крепкие лапы, чтобы передвигаться по снегу и льду. + Им даже удалось попробовать себя в катании на собачьих упряжках: Иан возглавил стаю, а Алиса проворно мчалась за упряжкой. Они мчались по снегу, наслаждаясь потрясающими пейзажами и свежим арктическим воздухом. + Однажды они наткнулись на ледяную пещеру и решили исследовать ее. Пробираясь по извилистым туннелям, они любовались мерцающими ледяными образованиями и тем, как свет играет на стенах. + Вдруг они услышали громкий рев из глубины пещеры. Они осторожно двинулись вперед, но столкнулись лицом к лицу с огромным белым медведем. Медведь с любопытством посмотрел на них, и Иан и Алиса замерли от страха. + Но потом они вспомнили все приключения, в которых им приходилось бывать раньше, и то, как они всегда помогали тем, кто в этом нуждался. Они смело подошли к медведю, издавая успокаивающие звуки и предлагая ему рыбу, которую они принесли с собой. + К их облегчению, медведь успокоился и даже позволил им погладить свою густую шерсть. Они провели некоторое время с дружелюбным медведем, после чего попрощались с ним и продолжили свое арктическое приключение. + В какой-то момент они наткнулись на потерявшегося котенка, который забрел слишком далеко от своего дома. Иан и Алиса знали, что делать, ведь в прошлом они спасали выбросившихся на берег морских животных и помогали заблудившимся туристам. Используя свой острый нюх, они разыскали хозяина котенка и вернули его обеспокоенной семье. + Когда день перешел в ночь, они были измотаны, но счастливы от своего приключения в городе. Они возвращались домой, оживленно обсуждая все новые впечатления. + Когда их путешествие подошло к концу, им было грустно покидать замерзшую страну чудес. Но они знали, что снова приобрели невероятные воспоминания и доказали, что для храброго корги и хитрой лисы никакие приключения не страшны. +book-text-ian-desert = + Иан и Алиса всегда были готовы к новым приключениям, поэтому, когда они услышали о таинственной и прекрасной пустыне, они поняли, что должны отправиться исследовать ее. Они собрали вещи и отправились в путь, чтобы испытать все, что может предложить пустыня. + Когда они шли по бескрайним песчаным просторам, они почувствовали, как их обдало солнечным жаром. Они быстро поняли, что эта среда не похожа ни на одну из тех, в которых они бывали раньше. Но им было интересно узнать, как животные и растения приспособились к этому суровому климату. + Первой их встречей была гремучая змея. Иан и Алиса уже слышали о змеях и были осторожны, чтобы не подойти слишком близко. Но гремучая змея просто хотела поздороваться и показать им, как она охотится на свою добычу. Они с изумлением наблюдали, как змея использовала свой яд, чтобы парализовать мышь, а затем проглотила ее целиком. + Затем Иан и Алиса отправились исследовать песчаные дюны, карабкаясь вверх и вниз и скатываясь по крутым склонам. Они нашли оазис, где отдохнули и насладились прохладной тенью и водой. + Они также обнаружили скалистый каньон и исследовали его закоулки и извилины, найдя скорпионов, тарантулов и даже семью койотов. Они наблюдали, как койоты охотились за своим ужином и играли со своими детенышами. + Когда наступила ночь, они увидели самый красивый закат, который им когда-либо доводилось видеть: небо окрасилось в красные, оранжевые и пурпурные тона. Они восхищались тем, как цвета смешивались друг с другом и отражались от песка. + Наконец, они устроились на ночлег, глядя на звездное небо. Они узнали о созвездиях и истории, связанные с ними. Они крепко спали, видя сны о всех невероятных существах и достопримечательностях, которые они видели в тот день. + Покидая пустыню, Ян и Рено чувствовали благодарность за приключение, которое им довелось пережить. Они знали, что узнали так много нового, что их храбрость и любопытство отправили их в еще одно незабываемое путешествие. +book-text-names = + С философской точки зрения, имена играют важную роль в понимании и восприятии мира человеком. Использование имен и языка само по себе является краеугольным камнем человеческого сознания, поскольку позволяет нам создавать концепции и идеи, которыми можно делиться и общаться. + Во многих философских традициях, например, в работах Платона и Аристотеля, имена рассматривались не просто как обозначения предметов или людей, а как отражение глубинной природы реальности. Согласно Платону, имена, которые мы даем вещам, не произвольны, а отражают скрытую реальность или сущность этой вещи. Другими словами, имя - это не просто ярлык, а отражение сущностной природы вещи. + Кроме того, имена могут отражать динамику власти в обществе. Некоторые философы утверждают, что имена и язык используются для создания иерархии и установления властных отношений между людьми и группами. Например, в некоторых культурах акт именования предназначен для тех, кто занимает властные позиции, например, родители называют своих детей или лидеры называют места или учреждения. Таким образом, имена можно рассматривать как форму социального контроля, поскольку те, кто имеет право давать имена, обладают властью формировать и определять мир вокруг себя. + Наконец, имена могут также играть важную роль в нашем понимании собственной идентичности и смертности. Как утверждал философ Мартин Хайдеггер, имена можно рассматривать как форму "брошенности", отражающую наше существование как конечных существ в мире, который нам неподвластен. В этом смысле наши имена - это не просто ярлыки, а отражение нашего существования, времени и места, в котором мы находимся. + В заключение хочу сказать, что с философской точки зрения имена играют важную роль в понимании и восприятии мира человеком, отражая как нашу сущностную природу, так и динамику власти в обществе. Это не просто ярлыки, а отражение нашего существования и нашего места в мире. +book-text-earth = + Сидя здесь, в своей крошечной каюте на космической станции, я не могу не вспоминать свою юность на Земле. Кажется, что это было целую жизнь назад, и во многом так оно и было. Я родился и вырос рядом с океаном, и он всегда был частью моей жизни. Шум волн, разбивающихся о берег, соленый запах в воздухе, ощущение песка между пальцами ног - все это воспоминания, которые мне дороги. + Когда мне было 20 лет, я принял решение покинуть Землю и присоединиться к космической программе. Это была захватывающая возможность, и мне не терпелось исследовать последний рубеж. В течение многих лет я был доволен своей жизнью на космической станции. Я наслаждался товариществом моих коллег-астронавтов, трепетом открытий и чувством цели, которое сопутствовало нашей миссии. + Но с возрастом я стал тосковать по тому, что оставил на Земле. В частности, я очень скучаю по океану. Я помню, как солнце отражалось от воды, создавая ослепительную картину света и цвета. Я помню ощущение прохладной воды на своей коже и волнение от погружения под воду. Я помню вкус свежих морепродуктов, выловленных местными рыбаками и подаваемых в причудливых прибрежных ресторанчиках. + Но я скучаю не только по океану. Я скучаю по ощущению травы под ногами, по запаху цветов весной, по вкусу сочного персика, сорванного прямо с дерева. Я скучаю по смеху детей, играющих в парке, по парам, идущим рука об руку по дорожке, усаженной деревьями. Я скучаю по чувству общности, которое возникает при жизни в маленьком городе, где все друг друга знают и заботятся друг о друге. + Иногда я думаю, правильный ли выбор я сделал, покинув Землю. Но потом я вспоминаю невероятные вещи, которые я видел и делал в космосе - захватывающие дух виды далеких планет, благоговейную мощь сверхновой звезды, товарищество моих коллег-астронавтов, когда мы вместе работали над достижением наших целей. Эти впечатления были поистине удивительными, и я бы ни на что их не променял. + Тем не менее, бывают моменты, когда я чувствую глубокую боль в сердце по миру, который я оставил позади. Интересно, смогу ли я когда-нибудь снова испытать эти простые удовольствия? Интересно, смогу ли я когда-нибудь почувствовать песок между пальцами ног, ощутить вкус соли в воздухе или услышать шум волн, разбивающихся о берег. Но пока все, что я могу сделать, - это закрыть глаза и представить, что я снова на Земле, в окружении вещей, по которым я скучаю больше всего. +book-text-aurora = + Дорогой дневник, + + Сегодня знаменательный день для экипажа звездолета "Аврора". После нескольких месяцев плавания по просторам космоса они наконец-то приземляются на Землю. + Экипаж выполнил свою миссию, собрав данные о недавно открытой планете в соседней солнечной системе. Это было невероятное путешествие, полное трудностей, триумфов и моментов, вызывающих благоговейный трепет. + Когда корабль спускается в атмосфере, тепло при входе в атмосферу вызывает огненно-красное свечение корпуса, и корабль ударяется об атмосферу. Это тяжелая поездка, но экипаж находится в надежных руках. + Наконец, они приземляются на твердую землю, и экипаж разражается радостными возгласами и объятиями. Это приветствие героев, и кажется, что они отсутствовали целую жизнь. + Пока они идут в комнату для переговоров, они не перестают говорить о своем невероятном путешествии. Они увидели такие достопримечательности, о которых большинство людей могут только мечтать, исследовали планету, которую никто никогда не видел, и вышли с другой стороны более сильными и сплоченными, чем когда-либо прежде. + Оглядываясь на свое путешествие, члены экипажа понимают, что они достигли чего-то поистине выдающегося. Они расширили границы человеческих исследований и показали, что все возможно, если упорно трудиться, проявлять решимость и немного везения. + Теперь, возвращаясь к жизни на Земле, они знают, что воспоминания об этом путешествии останутся с ними навсегда. Для них было честью быть частью этого экипажа, и они благодарны за каждое мгновение, проведенное вместе. + + До следующего раза, + Анонимный член экипажа звездолета "Аврора". +book-text-temple = + Мои дорогие братья и сестры, сегодня я стою перед вами, чтобы поговорить о том, почему существует более одного бога. Как священник, я посвятил свою жизнь изучению божественного, и я твердо убежден, что существует несколько богов в силу самой природы существования. + Подумайте о просторах нашей Вселенной с ее бесчисленными галактиками, звездами и планетами. Каждая из них уникальна, со своим набором физических законов и свойств. Если мы признаем, что Вселенная была создана единым, всемогущим божеством, то как мы можем объяснить такое разнообразие? + Ответ кроется в осознании того, что существование - это не простое, прямолинейное понятие. Она сложна, многослойна и многогранна, имеет множество различных измерений и аспектов. Как во Вселенной существует бесчисленное множество различных форм материи и энергии, так и во Вселенной существует множество различных сил и сущностей, составляющих божественное. + Каждый бог представляет различные аспекты бытия, будь то любовь, мудрость, сила или справедливость. Как разные люди обладают разными талантами и способностями, так и разные боги обладают уникальной силой и ролью в великой схеме вещей. + Но почему, спросите вы, это имеет для нас значение? Почему нас должна волновать природа божественного? Ответ заключается в том, что понимание божественного необходимо для нашего собственного духовного роста и развития. Признавая сложность и многообразие божественного, мы глубже понимаем хитросплетения окружающего нас мира и начинаем видеть свое собственное место в нем. + Так давайте же примем множество богов, составляющих божественное, и будем стремиться учиться у каждого из них. Пусть мы будем благословлены мудростью, силой и любовью божественного, и пусть мы продолжаем расти и развиваться в нашем собственном духовном путешествии. +book-text-watched = + Я не знаю, кто "они", но я чувствую их взгляд на себе. Это похоже на колючее ощущение на шее, и оно не проходит. Неважно, куда я иду и что делаю, я чувствую, что они наблюдают за мной. + И это не только мое воображение. В уголках моего зрения мелькают теневые фигуры, скрывающиеся от глаз. Я слышал шаги, отдающиеся эхом по коридорам, когда я знал, что я один. Бывало и так, что я чувствовал руку на своем плече, но, обернувшись, никого не обнаруживал. + Я пытался игнорировать это, пытался сказать себе, что это просто паранойя. Но это ощущение слишком сильное, слишком реальное. Я не могу избавиться от ощущения, что что-то очень плохо. + Я начал записывать все странные происшествия, но это только усиливает мою тревогу. Записи накапливаются день за днем, документируя каждый случай ощущения, что за мной наблюдают. Это похоже на бесконечный кошмар, от которого я не могу проснуться. + Хуже всего то, что я не знаю, кто за всем этим стоит. Это может быть кто угодно на этой космической станции, а может быть и что-то более зловещее. Я пытался поговорить об этом с Джо Мендесом, начальником службы безопасности, но он просто отмахнулся от меня. Он говорит, что беспокоиться не о чем, что это просто мое воображение разыгралось. + Но я знаю, что это неправда. Ощущение, что за мной наблюдают, слишком сильное, слишком настойчивое. Я начинаю бояться за свою безопасность. Что, если "они" что-то планируют? Что, если я в опасности? + Я не знаю, что делать, но я не могу продолжать жить так. Постоянная слежка доводит меня до безумия. Мне нужно выяснить, кто за всем этим стоит, и положить этому конец, пока не стало слишком поздно. +book-text-medical-officer = + Доктор Джон Смит был опытным медицинским работником на борту исследовательской станции "Горизонт". Он видел все: от вирусных вспышек до механических неисправностей и все, что было между ними. Но ничто не могло подготовить его к тому, что должно было произойти. + Это был обычный день, когда раздался сигнал тревоги, возвещающий о готовящейся атаке Синдиката. Смит быстро собрал медицинские принадлежности и направился в комнату для экстренных совещаний. К нему присоединились несколько членов экипажа, включая капитана, главного инженера и начальника службы безопасности. + Пока они обсуждали план действий, перед ними внезапно появился волшебник, утверждавший, что пришел из будущего с предупреждением. Волшебник предупредил их, что их судьба предрешена и что единственный способ выжить - это работать вместе и доверять друг другу. Смит был настроен скептически, но решил прислушаться к совету волшебника. + Группа быстро разработала план: капитан возглавит оборону от нуки, главный инженер займется устранением повреждений, а Смит будет лечить всех раненых членов экипажа. В процессе работы они обнаружили, что среди них есть предатели, которые сотрудничают с нуки, чтобы уничтожить станцию. + Навыки Смита подверглись испытанию: он ухаживал за ранеными и одновременно следил за любой подозрительной активностью. Это был хрупкий баланс, но ему удавалось сохранять хладнокровие, подпитываясь лишь кофе и злобой. + Сражение было ожесточенным, но им удалось сдержать нуки и захватить станцию. После этого они раскрыли предателей, и справедливость восторжествовала. Волшебник появился снова, поздравил их с выживанием и так же быстро исчез. + Смит понял, что волшебник был прав: их выживание зависело от их доверия и сотрудничества. Он поклялся себе никогда не забывать этот урок и всегда держать себя в руках, независимо от ситуации. +book-text-morgue = + Опоссум Морти и енот Мортиша были призраками старого морга. Морг был заброшен уже много лет, но эти два зверька сделали его своим домом. Им нравилось исследовать пустые коридоры и играть в прятки в холодильных камерах. + Однажды группа городских исследователей наткнулась на морг. Они были потрясены, обнаружив, что он все еще используется, несмотря на свое ветхое состояние. Они осторожно пробирались по пустым залам, пока не услышали странный шум, доносящийся из холодильной камеры. + Морти и Мортиша играли в свою любимую игру "кто дальше всех прыгнет", когда услышали, что туда вошли незнакомцы. Они быстро спрятались за металлическими полками и стали наблюдать, как люди исследуют помещение. + Один из исследователей открыл дверь в одну из холодильных камер, но обнаружил, что она пуста. Он повернулся, чтобы уйти, но Мортиша, сидевшая на самом верху, случайно опрокинула банку с формальдегидом и вылила ее содержимое на него. + Мужчина закричал и выбежал из комнаты, убежденный, что на него напали призраки морга. Остальные исследователи последовали его примеру, оставив морг снова заброшенным. + Морти и Мортиша хихикали про себя, наблюдая за бегством людей. Они были счастливы, что спугнули незваных гостей и могут продолжать жить в своем любимом морге, никем не потревоженные. +book-text-rufus = + Давным-давно в одной причудливой стране жил неуловимый кролик по имени Руфус. Руфус был известен как плут и всегда устраивал пакости, где бы он ни находился. Однажды он неспешно катался на велосипеде и наткнулся на морковную грядку. + Руфус любил морковь больше всего на свете, поэтому он решил остановиться и взять несколько штук себе. Когда он ел вкусную морковку, он почувствовал, как легкий ветерок потрепал его шерсть. Вдруг он услышал позади себя голос: "Извините, но эта морковка принадлежит мне". + Руфус быстро обернулся и увидел маленькую фею, парящую в воздухе позади него. У нее был озорной блеск в глазах и игривая улыбка на лице. Руфус был ошеломлен, так как никогда раньше не видел фею. + Фея представилась Блоссом и объяснила, что она - защитница морковной грядки. Она наблюдала за Руфусом издалека и знала, что он озорной кролик. Однако в тот день она была настроена игриво и решила дать ему несколько морковок. + Руфус был в восторге и поблагодарил Блоссом за ее щедрость. Затем она предложила ему прокатиться по лесу на ее спине, и Руфус с радостью согласился. Когда они парили среди деревьев, ветерок дул Руфусу в лицо, а вид причудливого леса вокруг заставлял его чувствовать себя как во сне. + После прогулки Блоссом попрощалась с Руфусом и исчезла в лесу. Руфус сел обратно на велосипед, чувствуя благодарность за полученный опыт и вкусную морковь, которой он наслаждался. С этого дня он всегда спрашивал разрешения, прежде чем взять что-то, что ему не принадлежит, зная, что за ним может присматривать капризная фея. +book-text-map = + Как только в нос ударил пряный аромат кумина и паприки, Макс понял, что его ждет приключение. Его всегда привлекала экзотика и неизвестность, и этот ресторан обещал именно это. + Макс что-то искал, хотя и не был уверен, что именно. Возможно, это было чувство цели, а может быть, просто отдых от однообразия повседневной рутины. Что бы это ни было, он чувствовал, что этот ужин станет первым шагом на пути, который уведет его далеко от обычной жизни. + Сидя за столом и наблюдая, как мерцающие огни ресторана пляшут по стенам, Макс почувствовал, как в кармане зажужжал телефон. На мгновение он замешкался, раздумывая, стоит ли отвечать, но в конце концов решил, что приехал сюда, чтобы убежать от привычного, и проигнорировал звонок. + Покончив с едой, Макс оплатил счет и вышел на улицу в прохладный ночной воздух. Идя по улице, он заметил лежащий на тротуаре таинственный чемодан и не смог устоять перед искушением исследовать его. + С чувством волнения и трепета Макс осторожно открыл чемодан, и тут же был поражен видом замысловатой карты, покрытой таинственными символами и пометками. Тогда он понял, что его приключение действительно началось. + Макс не мог поверить в свою удачу. Он всегда мечтал отправиться в настоящее приключение, и вот оно практически упало ему на колени. Он внимательно изучил карту, пытаясь расшифровать ее секреты. + Изучая карту, он понял, что на ней изображены далекие джунгли в Южной Америке. Он слышал истории о древних руинах и потерянных цивилизациях, спрятанных в густой листве. Говорили, что там находятся сокровища, о которых невозможно даже мечтать. + Макс знал, что должен отправиться в Южную Америку и сам исследовать эти джунгли. Он быстро заказал билет на самолет и не успел оглянуться, как оказался в самолете, летящем в неизвестность. + По мере того как он углублялся в джунгли, Макса охватывало чувство благоговения и удивления. Пышная зелень не была похожа ни на что, что он когда-либо видел раньше, а звуки экзотических животных эхом разносились среди деревьев. + Прошло совсем немного времени, и Макс наткнулся на руины, которые искал. Они были спрятаны глубоко в джунглях, и ему показалось, что он открыл давно забытый секрет. + Исследуя руины, Макс понял, что он не один. Там были и другие искатели приключений, все они искали те же сокровища, что и он. + Конкуренция была жестокой, но Макс был полон решимости выйти победителем. Он использовал свою смекалку и находчивость, чтобы перехитрить других искателей сокровищ, и наконец нашел то, что искал: сверкающий сундук, наполненный драгоценными камнями и древними артефактами. + Макс не мог поверить в свою удачу. Он отправился в приключение всей своей жизни, и теперь у него было богатство, о котором он даже не мечтал. Но когда он сидел и смотрел на лежащие перед ним сокровища, он понял, что на самом деле он обрел новое чувство цели и приключений. Он знал, что никогда больше не будет довольствоваться обыденной жизнью, и что в мире за его пределами его ждут еще бесчисленные приключения. +book-text-journ-mount = + Лену всегда привлекала завораживающая красота гор. То, как вершины возвышаются на фоне неба, хрустящий воздух и чувство свободы, которое они внушали. Ей нравился вызов - смелость подниматься все выше и выше, пока она не достигала вершины и не смотрела на мир внизу. + Но Лена была не только альпинисткой - она также была искусной гитаристкой. Каждый вечер, сидя у костра, играя на своем инструменте и распевая песни, которые эхом разносились по долинам, она чувствовала себя по-настоящему живой. + Однажды, когда Лена преодолевала особенно сложный участок горы, она услышала смех, который эхом разносился по воздуху. Она остановилась на мгновение, пытаясь определить источник звука, и вскоре заметила впереди группу альпинистов. Они были явно опытными, смеялись и шутили, с легкостью преодолевая сложный рельеф. + Почувствовав чувство товарищества, Лена подошла к группе и завязала разговор. Они были впечатлены ее смелостью и вскоре пригласили ее присоединиться к ним в восхождении. Вместе они поднялись на гору, доводя себя до предела и подбадривая друг друга по пути. + Когда они достигли вершины, Лена достала гитару и начала играть. Музыка была завораживающей, и группа замолчала, захваченная красотой момента. Когда она закончила последние ноты песни, они разразились аплодисментами, их смех эхом отражался от склона горы. + В этот момент Лена поняла, что нашла свое истинное призвание. Она должна была стать музыкантом, альпинистом и источником вдохновения для всех окружающих. И когда она смотрела на мир с вершины горы, она знала, что все возможно, если осмелиться мечтать. +book-text-inspiration = + Будучи писателем-фрилансером, Сара всегда находилась в поисках вдохновения. Она побывала во многих местах и встречалась со многими людьми, но сегодня она обнаружила себя бредущей по незнакомой тропинке в лесу. Яркие краски осенних листьев завораживали, и она ощущала сюрреалистическое чувство покоя по мере того, как углублялась в лес. + Вдруг она наткнулась на небольшую поляну и задохнулась от открывшегося перед ней вида. Безмятежный водопад каскадом стекал с горы, окруженный разноцветными полевыми цветами и бабочками. Сара не могла поверить в свою удачу, обнаружив эту скрытую жемчужину. + Не раздумывая ни секунды, Сара достала ручку и блокнот и начала писать. Она писала о красоте этой сцены, о спокойствии, которое она чувствовала, и о сюрреалистичности момента. Она хотела запечатлеть это чувство и поделиться им с другими через свои слова. + Когда она закончила писать, Сара услышала треск ветки и, подняв голову, увидела приближающегося к ней мужчину с фотоаппаратом. Он представился фотографом и спросил, видела ли она водопад. Они завязали разговор, и вскоре оба уже смеялись и делились историями о своих приключениях. + Когда солнце начало садиться, они собрали свое снаряжение и попрощались. Сара была благодарна за эту неожиданную встречу и за вдохновение, которое она ей принесла. Она знала, что этот момент останется с ней навсегда, и чувствовала спокойствие, зная, что в мире еще так много красоты, которая ждет своего часа. diff --git a/Resources/Locale/ru-RU/paper/book-dnd.ftl b/Resources/Locale/ru-RU/paper/book-dnd.ftl new file mode 100644 index 00000000000..44d78105136 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/book-dnd.ftl @@ -0,0 +1,157 @@ +book-cnc-sheet = + Лист персонажа КиК 5 редакции + -------------------------------------------------------------------------------------- + РАЗДЕЛ 1: ОСНОВЫ + -------------------------------------------------------------------------------------- + Имя персонажа : + Раса / Класс : + Уровень / Опыт : + Предыстория : + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 2: ХАРАКТЕРИСТИКИ + -------------------------------------------------------------------------------------- + Сила = 10 (+0) 10 Базовые + Ловкость = 10 (+0) 10 Базовые + Телосложение = 10 (+0) 10 Базовые + Интеллект = 10 (+0) 10 Базовые + Мудрость = 10 (+0) 10 Базовые + Харизма = 10 (+0) 10 Базовые + + Бонус мастерства = + Восприятие (пассивная мудрость) = + + Расовые (Раса) + + Классовые (Класс) + + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 3: СПАСБРОСКИ + -------------------------------------------------------------------------------------- + + ( )Сила = +0 + ( )Ловкость = +0 + ( )Телосложение = +0 + ( )Интеллект = +0 + ( )Мудрость = +0 + ( )Харизма = +0 + + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 4: НАВЫКИ + -------------------------------------------------------------------------------------- + + ( ) Атлетика (Сил) +0 ( ) Восприятие (Мдр) +0 + ( ) Акробатика (Лвк) +0 ( ) Выживание (Мдр) +0 + ( ) Ловкость рук (Лвк) +0 ( ) Медицина (Мдр) +0 + ( ) Скрытность (Лвк) +0 ( ) Проницательность (Мдр) +0 + ( ) История (Инт) +0 ( ) Уход за животными (Мдр) +0 + ( ) Магия (Инт) +0 ( ) Выступление (Хар) +0 + ( ) Природа (Инт) +0 ( ) Запугивание (Хар) +0 + ( ) Расследование (Инт) +0 ( ) Обман (Хар) +0 + ( ) Религия (Инт) +0 ( ) Убеждение (Хар) +0 + + + + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 5: БОЙ И ЗДОРОВЬЕ + -------------------------------------------------------------------------------------- + + + Класс Доспеха (КД) : + Инициатива (пассивная) : + Скорость : + + Кость хитов : + Максимум хитов : + Текущие хиты : + Временные хиты : + + АТАКИ + Тип оружия (Ближнее или дальнее) / Бонус / Урон (Тип) + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 6: ЛИЧНОСТЬ + -------------------------------------------------------------------------------------- + + Возраст / Гендер : + Рост / Вес : + Глаза / Кожа / Волосы : + Описание : + + Предыстория : + Владение навыками : + Владение инструментами : + Языки : + + Особенности : + Причуда по выбору : + Черты характера : + Идеалы : + Привязанности : + Слабости : + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 7: ЭКСТРА + -------------------------------------------------------------------------------------- + Список снаряжения + Описание Стоимость Вес + + + фунты + + Монеты + Платиновые : + Элериевые : + Золотые : + Серебряные : + Медные : + + Самоцветы : + Ювелирные украшения : + Прочее : + Волшебные предметы : + + + -------------------------------------------------------------------------------------- + РАЗДЕЛ 8: ЗАКЛИНАНИЯ + -------------------------------------------------------------------------------------- + + Уровень заклинания : + Сложность спасброска : + Бонус атаки заклинанием : + Ячейки заклинаний: + 1: (МАКС.) (ПОТРАЧЕНО) + 2: (МАКС.) (ПОТРАЧЕНО) + 3: (МАКС.) (ПОТРАЧЕНО) + 4: (МАКС.) (ПОТРАЧЕНО) + 5: (МАКС.) (ПОТРАЧЕНО) + 6: (МАКС.) (ПОТРАЧЕНО) + 7: (МАКС.) (ПОТРАЧЕНО) + 8: (МАКС.) (ПОТРАЧЕНО) + 9: (МАКС.) (ПОТРАЧЕНО) + + Заговоры + Название Время накладывания Дистанция Длительность Компоненты + + 1: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 2: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 3: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 4: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 5: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 6: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 7: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 8: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + + 9: Название Время накладывания Дистанция Длительность Компоненты Ритуал? + -------------------------------------------------------------------------------------- + Карпы и крипты 5 ред. diff --git a/Resources/Locale/ru-RU/paper/book-escalation.ftl b/Resources/Locale/ru-RU/paper/book-escalation.ftl new file mode 100644 index 00000000000..b00fd0720b0 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/book-escalation.ftl @@ -0,0 +1,28 @@ +book-text-escalation = + Когда дело доходит до того, чтобы быть робастнутым, всё дело в стратегии. Делай это правильно и тебе будет завидовать вся станция. Делай это неправильно и сами боги могут отвернуться от тебя. Лично я всегда стремлюсь к лучшему... + + Перво-наперво: позволь оскорблениям лететь. Это твой шанс по настоящему показать твоему противнику, что ты думаешь о его нелепо большой обуви и надоедливом клаксоне. + + Ни один конфликт не обходится без капли насилия. Хорошенько толкни своего противника раз или два, и если тебе повезёт, то он спотыкнётся и упадёт, давая значительно больше поводов для оскорблений. + + Но будь осторожен, потому что сейчас твой противник наверняка попытается убить тебя. Так что попробуй немного успокоится. Так ты будешь выглядеть лучше, во время неизбежного расследования убийства. + + Если деэскалация не сработала, время брать оружие в руки. Но будь умным - выбирай что-то, что не будет выглядеть смертельным, например - эта книга. + + И если вы оба всё ещё на ногах, время доставать большие пушки. Найди острейшую вещь какую сможете и покончите с этим, ведь все уже устали от этого. + + Теперь проведи своего побеждённого противника через коридоры к медбею, чтобы все знали какой ты робастер. + + Помни, всё дело в экономии энергии. Пусть твой противник сделает часть эскалации за тебя - это беспроигрышный вариант. +book-text-escalation-security = + Сделай это правильно и вся станция будет называть тебя щиткьюрити. Сделай это неправильно и ты будешь наказан богами. Лично я всегда стремлюсь к лучшему... + + Они говорят что ручка могущественней меча, но у тебя нет меча, у тебя есть дубинка-шокер, и как только ты начнёшь писать, любой подозреваемый захочет убежать. + + Так что попробуй начать конфронтацию со слов. Это вероятно не сделает с тебя щиткьюрити, но так же будет не очень эффективно против кого-то со злым намерением. + + Твоим следующим шагом будет использование не летальных или более-менее летальных устройств, такие как дубинки-шокеры, станнеры, флешки и светошумовые. Просто убедись что ты прошёл обучение, прежде чем использовать их. Предлагать их подозреваемому взамен на его сотрудничество не лучшее использование этих инструментов. + + Если тебе повезло встретиться с подозреваемым который несёт смертельную угрозу, время доставать все лакомства, которые ты накопил в оружейной. + + Для дополнительного устрашения, отведи своих побитых подозреваемых в медбей для лечения, вместо брига. По пути весь экипаж сможет увидеть какой ты робастер. diff --git a/Resources/Locale/ru-RU/paper/book-gaming.ftl b/Resources/Locale/ru-RU/paper/book-gaming.ftl new file mode 100644 index 00000000000..e684a010afb --- /dev/null +++ b/Resources/Locale/ru-RU/paper/book-gaming.ftl @@ -0,0 +1,32 @@ +book-text-gaming1 = + Не могу остаться на игру. + Инженеры попросили меня приглядывать за СМЭСами сингулярности. + Оставляю это здесь, чтобы ты знал, что к чему. + Прости. + - Александр +book-text-gaming2 = + Джони Клув + Класс: Друид + Мировоззрение: Нейтральный Добрый + СИЛ: 1,294,139 + ЛОВ: 4,102,103 + ВЫН: 9,522,913 + ИНТ: 528,491 + МУД: 1 + ХАР: 1 + Где возраст? + Почему твои характеристики такие абсурдные? + Чего ты вообще добиваешься, Лия? - Твой дружелюбный ДМ +book-text-gaming3 = + ГИГАНТСКАЯ КОСМИЧЕСКАЯ МУХА ИЗ КОСМОСА + Сессия 1: Им нужно будет узнать, что происходит в мире и что вообще за Гигантская Космическая Муха. + Сессия 2: Им нужно будет узнать о сейсмических искажениях в Совете Волшебников. + Сессия 3: На пути в подземное логово. + Сессия 4: Встреча с Архитектором Мух. + О Господи Боже, они тупо начали убивать всех подряд. +book-text-gaming4 = + Не смогу прийти на встречу, химик снова подорвал медотсек. + Пятый раз за эту смену. + Это невероятно. + Но не в хорошем смысле. + Здоровья погибшим, - Ариэль diff --git a/Resources/Locale/ru-RU/paper/book-salvage.ftl b/Resources/Locale/ru-RU/paper/book-salvage.ftl new file mode 100644 index 00000000000..224053ce3f7 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/book-salvage.ftl @@ -0,0 +1,83 @@ +book-text-demonomicon1 = Как Вызвать Демона + - автор Дж.Дж. Визджеральд + + 1. закончить написание руководства по вызову демона +book-text-demonomicon2 = Как Вызвать Димона + - автор Дж.Дж. Визджеральд + + 1. закончить написание руководства по вызову димона + 2. СТоп. Опечатка. Чёрт. Простите чуваки +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/clipboard-component.ftl b/Resources/Locale/ru-RU/paper/clipboard-component.ftl new file mode 100644 index 00000000000..0c555977ee6 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/clipboard-component.ftl @@ -0,0 +1 @@ +clipboard-slot-component-slot-name-pen = Ручка diff --git a/Resources/Locale/ru-RU/paper/paper-component.ftl b/Resources/Locale/ru-RU/paper/paper-component.ftl new file mode 100644 index 00000000000..e28817ce9a0 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/paper-component.ftl @@ -0,0 +1,10 @@ +### UI + +paper-ui-blank-page-message = Данная страница оставлена пустой специально +# Shown when paper with words examined details +paper-component-examine-detail-has-words = На листе что-то написано. +# Shown when paper with stamps examined +paper-component-examine-detail-stamped-by = На { CAPITALIZE($paper) } имеются следующие печати: { $stamps }. +paper-component-action-stamp-paper-other = { CAPITALIZE($user) } ставит печать на { $target } с помощью { $stamp }. +paper-component-action-stamp-paper-self = Вы ставите печать на { $target } с помощью { $stamp }. +paper-ui-save-button = Сохранить ({ $keybind }) diff --git a/Resources/Locale/ru-RU/paper/paper-misc.ftl b/Resources/Locale/ru-RU/paper/paper-misc.ftl new file mode 100644 index 00000000000..221d8c6921f --- /dev/null +++ b/Resources/Locale/ru-RU/paper/paper-misc.ftl @@ -0,0 +1,29 @@ +book-text-plasma-trap = + Ихихихихи, ТЕПЕРЬ они ни за что на свете не доберутся до нашего тайника, ясно? + В комнате, где лежат наши вещи, я установил температуру в тысячу К. + Вы знаете что делать, когда вещи нам понадобятся. + - Джей. +book-text-holoparasite-info = + Спасибо, что выбрали наш набор голопаразита! + Мы в компании Cybersun гордимся нашими передовыми военными и промышленными технологиями и очень ценим ваш вклад в наше развитие! + Стражи - это разумные и услужливые существа, которые вселяются в ваше тело, и абсолютно невосприимчивы к таким распространенным опасностям, как давление, температура и даже пули! + Вы приобрели набор голопаразита, который содержит активатор голопаразита в виде инъектора, брошюру с инструкцией, и нашу фирменную бейсболку! + Инструкция по применению: + 1. Активируйте инъектор голопаразита (желательно в укромном месте). + 2. Дождитесь покалывания и/или болезненных метафизических ощущений. + 3. Проверьте своего голопаразита на способность к общению и сотрудничеству, а также на способность понимать ваши приказы. + 4. Используйте свою способность призыва/отзыва, чтобы призвать или отозвать голопаразита обратно в ваше тело. + 5. Не позволяйте голопаразиту удаляться от вас на большое расстояние, иначе он будет принудительно отозван! + ВНИМАНИЕ: Стражи - существа метафизические, но для своего существования они черпают вашу ЖИЗНЕННУЮ ЭНЕРГИЮ. Прямой урон, наносимый хранителям, будет частично переноситься на вас! + Cybersun Inc. не несет ответственности за тотальную аннигиляцию вызванную неправильным использованием технологии Голопаразита. +book-text-ame-scribbles = + Я не знаю, прошли ли вы уже обучение, поэтому надеюсь, что это поможет. + Контроллеру ДАМ требуется высоковольтный кабель для передачи сгенерированной энергии. Если вы не уверены в наличии кабеля - сковырните пол ломом. + Рядом с местом, где вы нашли мою записку, должна быть пустая комната. Эта комната предназначена для ДАМ. ДАМ, а не дам. + Но вообще ДАМ можно разместить где угодно, были бы кабеля. + Расположите детали ДАМ сеткой 3x3, распакуйте их с применением мультитула. И постарайтесь не "запереть" никого внутри. + Контроллер должен соприкасаться ДАМ по горизонтали или вертикали (но не по диагонали). + Имея 1 ядро (которое и формируется вышеупомянутой сеткой 3x3), не устанавливайте впрыск выше 2. + Золотое правило - 2 впрыска на 1 ядро. В целях экономии топлива можно поставить меньше. + Поставите больше - и это привёдет к перегреву ДАМ, что в конечном итоге вызовет взрыв. Давайте без этого. + Не забывайте заправлять ДАМ, так как топливо имеет тенденцию заканчиваться в самый неподходящий момент. diff --git a/Resources/Locale/ru-RU/paper/stamp-component.ftl b/Resources/Locale/ru-RU/paper/stamp-component.ftl new file mode 100644 index 00000000000..bf167d6f280 --- /dev/null +++ b/Resources/Locale/ru-RU/paper/stamp-component.ftl @@ -0,0 +1,17 @@ +stamp-component-stamped-name-default = Очень важная персона +stamp-component-stamped-name-mime = Мим +stamp-component-stamped-name-captain = Капитан +stamp-component-stamped-name-centcom = Центком +stamp-component-stamped-name-chaplain = Священник +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-qm = Квартирмейстер +stamp-component-stamped-name-rd = Научный руководитель +stamp-component-stamped-name-warden = Смотритель +stamp-component-stamped-name-trader = Торговец +stamp-component-stamped-name-syndicate = Синдикат +stamp-component-stamped-name-ce = Старший инженер diff --git a/Resources/Locale/ru-RU/particle-accelerator/components/particle-accelerator-control-box-component.ftl b/Resources/Locale/ru-RU/particle-accelerator/components/particle-accelerator-control-box-component.ftl new file mode 100644 index 00000000000..bcb13c43949 --- /dev/null +++ b/Resources/Locale/ru-RU/particle-accelerator/components/particle-accelerator-control-box-component.ftl @@ -0,0 +1 @@ +particle-accelerator-control-box-component-wires-update-limiter-on-pulse = Блок управления издает жужжащий звук. diff --git a/Resources/Locale/ru-RU/particle-accelerator/components/ui/particle-accelerator-control-menu.ftl b/Resources/Locale/ru-RU/particle-accelerator/components/ui/particle-accelerator-control-menu.ftl new file mode 100644 index 00000000000..142f5c29a5d --- /dev/null +++ b/Resources/Locale/ru-RU/particle-accelerator/components/ui/particle-accelerator-control-menu.ftl @@ -0,0 +1,17 @@ +particle-accelerator-control-menu-on-button = ВКЛ +particle-accelerator-control-menu-off-button = ВЫКЛ +particle-accelerator-control-menu-service-manual-reference = См. стр. 132 руководства по обслуживанию +particle-accelerator-control-menu-device-version-label = Ускоритель частиц Mark 2 +particle-accelerator-control-menu-power-label = Питание: +particle-accelerator-control-menu-strength-label = Сила: +particle-accelerator-control-menu-alarm-control = + МОЩНОСТЬ ЧАСТИЦ + СБОЙ ОГРАНИЧИТЕЛЯ +particle-accelerator-control-menu-scan-parts-button = Сканировать части +particle-accelerator-control-menu-check-containment-field-warning = Убедитесь, что сдерживающее поле активно! +particle-accelerator-control-menu-foo-bar-baz = FOO-BAR-BAZ +particle-accelerator-control-menu-status-label = Статус: { $status } +particle-accelerator-control-menu-status-operational = Работает +particle-accelerator-control-menu-status-incomplete = Не завершено +particle-accelerator-control-menu-draw-not-available = Мощность: Н/Д +particle-accelerator-control-menu-draw = Мощность: { $watts }/{ $lastReceive } diff --git a/Resources/Locale/ru-RU/particle-accelerator/particle-accelerator-admin.ftl b/Resources/Locale/ru-RU/particle-accelerator/particle-accelerator-admin.ftl new file mode 100644 index 00000000000..e9110bca769 --- /dev/null +++ b/Resources/Locale/ru-RU/particle-accelerator/particle-accelerator-admin.ftl @@ -0,0 +1 @@ +particle-accelerator-admin-power-strength-warning = изменена мощность УЧ в устройстве { $machine } на уровень { $powerState } по координатам { $coordinates } diff --git a/Resources/Locale/ru-RU/payload/payload-case.ftl b/Resources/Locale/ru-RU/payload/payload-case.ftl new file mode 100644 index 00000000000..3cbe0dce0d7 --- /dev/null +++ b/Resources/Locale/ru-RU/payload/payload-case.ftl @@ -0,0 +1,3 @@ +payload-case-not-close-enough = Вам нужно подойти ближе, чтобы определить, содержит ли { $ent } заряд. +payload-case-has-payload = В { CAPITALIZE($ent) } установлен заряд! +payload-case-does-not-have-payload = { CAPITALIZE($ent) } не содержит заряд. diff --git a/Resources/Locale/ru-RU/pda/Ringer/ringer-component.ftl b/Resources/Locale/ru-RU/pda/Ringer/ringer-component.ftl new file mode 100644 index 00000000000..fb86e7211ae --- /dev/null +++ b/Resources/Locale/ru-RU/pda/Ringer/ringer-component.ftl @@ -0,0 +1,10 @@ +### UI + + +# For the PDA Ringer screen + +comp-ringer-vibration-popup = КПК вибрирует +comp-ringer-ui-menu-title = Рингтон +comp-ringer-ui-test-ringtone-button = Тест +comp-ringer-ui-set-ringtone-button = Установить +comp-ringer-ui = [color=yellow]♪{ $RingtoneOne }-{ $RingtoneTwo }-{ $RingtoneThree }-{ $RingtoneFour }[/color] diff --git a/Resources/Locale/ru-RU/pda/pda-component.ftl b/Resources/Locale/ru-RU/pda/pda-component.ftl new file mode 100644 index 00000000000..612b61cda3a --- /dev/null +++ b/Resources/Locale/ru-RU/pda/pda-component.ftl @@ -0,0 +1,29 @@ +### UI + +# For the PDA screen +comp-pda-ui = ID: [color=white]{ $owner }[/color], [color=yellow]{ CAPITALIZE($jobTitle) }[/color] +comp-pda-ui-blank = ID: +comp-pda-ui-owner = Владелец: [color=white]{ $actualOwnerName }[/color] +comp-pda-io-program-list-button = Программы +comp-pda-io-settings-button = Настройки +comp-pda-io-program-fallback-title = Программа +comp-pda-io-no-programs-available = Нет доступных программ +pda-bound-user-interface-show-uplink-title = Открыть аплинк +pda-bound-user-interface-show-uplink-description = Получите доступ к своему аплинку +pda-bound-user-interface-lock-uplink-title = Закрыть аплинк +pda-bound-user-interface-lock-uplink-description = Предотвратите доступ к вашему аплинку персон без кода +comp-pda-ui-menu-title = КПК +comp-pda-ui-footer = Персональный Искуственный Интеллект +comp-pda-ui-station = Станция: [color=white]{ $station }[/color] +comp-pda-ui-station-alert-level = Уровень угрозы: [color={ $color }]{ $level }[/color] +comp-pda-ui-station-alert-level-instructions = Инструкции: [color=white]{ $instructions }[/color] +comp-pda-ui-station-time = Длительность смены: [color=white]{ $time }[/color] +comp-pda-ui-eject-id-button = Извлечь ID +comp-pda-ui-eject-pen-button = Извлечь ручку +comp-pda-ui-ringtone-button-description = Измените рингтон вашего КПК +comp-pda-ui-ringtone-button = Рингтон +comp-pda-ui-toggle-flashlight-button = Переключить фонарик +pda-bound-user-interface-music-button-description = Слушайте музыку на своём КПК +pda-bound-user-interface-music-button = Музыкальный инструмент +comp-pda-ui-unknown = Неизвестно +comp-pda-ui-unassigned = Не назначено diff --git a/Resources/Locale/ru-RU/persistence/command.ftl b/Resources/Locale/ru-RU/persistence/command.ftl new file mode 100644 index 00000000000..ed7644141ce --- /dev/null +++ b/Resources/Locale/ru-RU/persistence/command.ftl @@ -0,0 +1 @@ +cmd-persistencesave-no-path = filePath was not specified and CCVar { $cvar } is not set. Manually set the filePath param in order to save the map. diff --git a/Resources/Locale/ru-RU/pinpointer/pinpointer.ftl b/Resources/Locale/ru-RU/pinpointer/pinpointer.ftl new file mode 100644 index 00000000000..fa0353c3bac --- /dev/null +++ b/Resources/Locale/ru-RU/pinpointer/pinpointer.ftl @@ -0,0 +1 @@ +examine-pinpointer-linked = Он отслеживает: { $target } diff --git a/Resources/Locale/ru-RU/pinpointer/station_map.ftl b/Resources/Locale/ru-RU/pinpointer/station_map.ftl new file mode 100644 index 00000000000..d0b232e33c7 --- /dev/null +++ b/Resources/Locale/ru-RU/pinpointer/station_map.ftl @@ -0,0 +1 @@ +station-map-window-title = Карта станции diff --git a/Resources/Locale/ru-RU/plants/component/potted-plant-hide-component.ftl b/Resources/Locale/ru-RU/plants/component/potted-plant-hide-component.ftl new file mode 100644 index 00000000000..96bd65b11f2 --- /dev/null +++ b/Resources/Locale/ru-RU/plants/component/potted-plant-hide-component.ftl @@ -0,0 +1 @@ +potted-plant-hide-component-interact-hand-got-no-item-message = Вы роетесь среди корней. diff --git a/Resources/Locale/ru-RU/players/play-time/play-time-commands.ftl b/Resources/Locale/ru-RU/players/play-time/play-time-commands.ftl new file mode 100644 index 00000000000..427d2702c63 --- /dev/null +++ b/Resources/Locale/ru-RU/players/play-time/play-time-commands.ftl @@ -0,0 +1,52 @@ +parse-minutes-fail = Не удалось спарсить '{ $minutes }' как минуты +parse-session-fail = Не найдена сессия для '{ $username }' + +## Role Timer Commands + +# - playtime_addoverall +cmd-playtime_addoverall-desc = Добавляет указанное число минут к общему игровому времени игрока +cmd-playtime_addoverall-help = Использование: { $command } +cmd-playtime_addoverall-succeed = Общее игровое время { $username } увеличено на { TOSTRING($time, "dddd\\:hh\\:mm") }. +cmd-playtime_addoverall-arg-user = +cmd-playtime_addoverall-arg-minutes = +cmd-playtime_addoverall-error-args = Ожидается ровно два аргумента +# - playtime_addrole +cmd-playtime_addrole-desc = Добавляет указанное число минут к времени игрока на определённой роли +cmd-playtime_addrole-help = Использование: { $command } +cmd-playtime_addrole-succeed = Игровое время для { $username } / \'{ $role }\' увеличено на { TOSTRING($time, "dddd\\:hh\\:mm") }. +cmd-playtime_addrole-arg-user = +cmd-playtime_addrole-arg-role = +cmd-playtime_addrole-arg-minutes = +cmd-playtime_addrole-error-args = Ожидается ровно три аргумента +# - playtime_getoverall +cmd-playtime_getoverall-desc = Получить общее игровое время игрока в минутах +cmd-playtime_getoverall-help = Использование: { $command } +cmd-playtime_getoverall-success = Общее игровое время { $username } составляет { TOSTRING($time, "dddd\\:hh\\:mm") }. +cmd-playtime_getoverall-arg-user = +cmd-playtime_getoverall-error-args = Ожидается ровно один аргумент +# - GetRoleTimer +cmd-playtime_getrole-desc = Получает все или один таймер роли от игрока +cmd-playtime_getrole-help = Использование: { $command } [role] +cmd-playtime_getrole-no = Таймеров ролей не найдено +cmd-playtime_getrole-role = Роль: { $role }, игровое время: { $time } +cmd-playtime_getrole-overall = Общее игровое время { $time } +cmd-playtime_getrole-succeed = Игровое время { $username } составляет: { TOSTRING($time, "dddd\\:hh\\:mm") }. +cmd-playtime_getrole-arg-user = +cmd-playtime_getrole-arg-role = +cmd-playtime_getrole-error-args = Ожидается ровно один или два аргумента +# - playtime_save +cmd-playtime_save-desc = Сохранение игрового времени игрока в БД +cmd-playtime_save-help = Использование: { $command } +cmd-playtime_save-succeed = Игровое время { $username } сохранено +cmd-playtime_save-arg-user = +cmd-playtime_save-error-args = Ожидается ровно один аргумент + +## 'playtime_flush' command' + +cmd-playtime_flush-desc = Записывает активные трекеры в хранение отслеживании игрового времени. +cmd-playtime_flush-help = + Использование: { $command } [user name] + Это вызывает запись только во внутреннее хранилище, при это не записывая немедленно в БД. + Если пользователь передан, то только этот пользователь будет обработан. +cmd-playtime_flush-error-args = Ожидается ноль или один аргумент +cmd-playtime_flush-arg-user = [user name] diff --git a/Resources/Locale/ru-RU/players/play-time/whitelist.ftl b/Resources/Locale/ru-RU/players/play-time/whitelist.ftl new file mode 100644 index 00000000000..7f1ac7088ba --- /dev/null +++ b/Resources/Locale/ru-RU/players/play-time/whitelist.ftl @@ -0,0 +1 @@ +playtime-deny-reason-not-whitelisted = Вам надо быть в белом списке. diff --git a/Resources/Locale/ru-RU/pneumatic-cannon/pneumatic-cannon-component.ftl b/Resources/Locale/ru-RU/pneumatic-cannon/pneumatic-cannon-component.ftl new file mode 100644 index 00000000000..bb7ae09dce6 --- /dev/null +++ b/Resources/Locale/ru-RU/pneumatic-cannon/pneumatic-cannon-component.ftl @@ -0,0 +1,20 @@ +### Loc for the pneumatic cannon. + +pneumatic-cannon-component-itemslot-name = Газовый баллон + +## Shown when trying to fire, but no gas + +pneumatic-cannon-component-fire-no-gas = { CAPITALIZE($cannon) } щёлкает, но газ не выходит. + +## Shown when changing power. + +pneumatic-cannon-component-change-power = + { $power -> + [High] Вы устанавливаете ограничитель на максимум. Как бы вышло не слишком сильно... + [Medium] Вы устанавливаете ограничитель посередине. + *[Low] Вы устанавливаете ограничитель на минимум. + } + +## Shown when being stunned by having the power too high. + +pneumatic-cannon-component-power-stun = { CAPITALIZE($cannon) } сбивает вас с ног! diff --git a/Resources/Locale/ru-RU/pointing/pointing-verb.ftl b/Resources/Locale/ru-RU/pointing/pointing-verb.ftl new file mode 100644 index 00000000000..00c2de00a75 --- /dev/null +++ b/Resources/Locale/ru-RU/pointing/pointing-verb.ftl @@ -0,0 +1 @@ +pointing-verb-get-data-text = Указать на diff --git a/Resources/Locale/ru-RU/points/points.ftl b/Resources/Locale/ru-RU/points/points.ftl new file mode 100644 index 00000000000..d1e6309c015 --- /dev/null +++ b/Resources/Locale/ru-RU/points/points.ftl @@ -0,0 +1,7 @@ +point-scoreboard-winner = Победитель — [color=lime]{ $player }![/color] +point-scoreboard-header = [bold]Таблица результатов[/bold] +point-scoreboard-list = + { $place }. [bold][color=cyan]{ $name }[/color][/bold] набирает [color=yellow]{ $points -> + [one] { $points } очко + *[other] { $points } очков + }.[/color] diff --git a/Resources/Locale/ru-RU/polymorph/polymorph.ftl b/Resources/Locale/ru-RU/polymorph/polymorph.ftl new file mode 100644 index 00000000000..6a25f4c8f07 --- /dev/null +++ b/Resources/Locale/ru-RU/polymorph/polymorph.ftl @@ -0,0 +1,4 @@ +polymorph-self-action-name = Полиморфировать ({ CAPITALIZE($target) }) +polymorph-self-action-description = Мгновенно полиморфируйте себя в { $target }. +polymorph-popup-generic = { CAPITALIZE($parent) } превратился в { $child }. +polymorph-revert-popup-generic = { CAPITALIZE($parent) } превратился обратно в { $child }. diff --git a/Resources/Locale/ru-RU/portal/portal.ftl b/Resources/Locale/ru-RU/portal/portal.ftl new file mode 100644 index 00000000000..f399ce9cbc6 --- /dev/null +++ b/Resources/Locale/ru-RU/portal/portal.ftl @@ -0,0 +1,6 @@ +### Portal verb text + +portal-component-ghost-traverse = Переместиться +portal-component-no-linked-entities = Невозможно переместиться призраком через портал, не имеющий ровно одного связанного портала. +portal-component-can-ghost-traverse = Телепортироваться к связанному порталу +portal-component-invalid-configuration-fizzle = Портал исчезает! diff --git a/Resources/Locale/ru-RU/portal/swap-teleporter.ftl b/Resources/Locale/ru-RU/portal/swap-teleporter.ftl new file mode 100644 index 00000000000..416a00cfae5 --- /dev/null +++ b/Resources/Locale/ru-RU/portal/swap-teleporter.ftl @@ -0,0 +1,15 @@ +swap-teleporter-popup-link-create = Квантовая связь установлена! +swap-teleporter-popup-link-fail-already = Ошибка установки квантовой связи! Связь уже установлена на этом устройстве. +swap-teleporter-popup-link-fail-already-other = Ошибка установки квантовой связи! Связь на другом устройстве уже установлена. +swap-teleporter-popup-link-destroyed = Квантовая связь разрушена! +swap-teleporter-popup-teleport-cancel-time = Все еще перезаряжается! +swap-teleporter-popup-teleport-cancel-link = Не связано с другим устройством! +swap-teleporter-popup-teleport-other = { CAPITALIZE(THE($entity)) } активируется, и вы оказываетесь в другом месте. +swap-teleporter-verb-destroy-link = Разрушить квантовую связь +swap-teleporter-examine-link-present = [color=forestgreen]Связано с другим устройством.[/color] Нажмите Alt-ЛКМ, чтобы разорвать квантовую связь. +swap-teleporter-examine-link-absent = [color=yellow]В настоящий момент не связано.[/color] Используйте на другом устройстве, чтобы установить квантовую связь. +swap-teleporter-examine-time-remaining = + Время до перезарядки: [color=purple]{ $second } секунд{ $second -> + [one] . + *[other] . + }[/color] diff --git a/Resources/Locale/ru-RU/power-cell/components/power-cell-component.ftl b/Resources/Locale/ru-RU/power-cell/components/power-cell-component.ftl new file mode 100644 index 00000000000..fd5799c09a5 --- /dev/null +++ b/Resources/Locale/ru-RU/power-cell/components/power-cell-component.ftl @@ -0,0 +1,4 @@ +power-cell-component-examine-details = Индикатор заряда показывает { $currentCharge } %. +power-cell-component-examine-details-no-battery = Батарея не вставлена. +power-cell-no-battery = Отсутствует батарея +power-cell-insufficient = Недостаточно энергии diff --git a/Resources/Locale/ru-RU/power-cell/components/power-cell-slot-component.ftl b/Resources/Locale/ru-RU/power-cell/components/power-cell-slot-component.ftl new file mode 100644 index 00000000000..b4dba7005de --- /dev/null +++ b/Resources/Locale/ru-RU/power-cell/components/power-cell-slot-component.ftl @@ -0,0 +1,2 @@ +# Verbs +power-cell-slot-component-slot-name-default = Батарея diff --git a/Resources/Locale/ru-RU/power/components/charger.ftl b/Resources/Locale/ru-RU/power/components/charger.ftl new file mode 100644 index 00000000000..eaff900edbc --- /dev/null +++ b/Resources/Locale/ru-RU/power/components/charger.ftl @@ -0,0 +1,2 @@ +charger-examine = Заряжает [color={ $color }]{ $chargeRate }Вт[/color] в секунду. +charger-component-charge-rate = скорость зарядки diff --git a/Resources/Locale/ru-RU/power/components/generator.ftl b/Resources/Locale/ru-RU/power/components/generator.ftl new file mode 100644 index 00000000000..e94ad6dcc0a --- /dev/null +++ b/Resources/Locale/ru-RU/power/components/generator.ftl @@ -0,0 +1,36 @@ +generator-clogged = { $generator } резко отключается! +portable-generator-verb-start = Запустить генератор +portable-generator-verb-start-msg-unreliable = Запуск генератора. Это может потребовать нескольких попыток. +portable-generator-verb-start-msg-reliable = Запустить генератор. +portable-generator-verb-start-msg-unanchored = Генератор должен быть закреплён! +portable-generator-verb-stop = Остановить генератор +portable-generator-start-fail = Вы дёргаете за трос, но он не заводится. +portable-generator-start-success = Вы дёргаете за трос, и он оживает. +portable-generator-ui-title = Портативный генератор +portable-generator-ui-status-stopped = Остановлен: +portable-generator-ui-status-starting = Запускается: +portable-generator-ui-status-running = Работает: +portable-generator-ui-start = Старт +portable-generator-ui-stop = Стоп +portable-generator-ui-target-power-label = Цел. мощн. (кВт): +portable-generator-ui-efficiency-label = Эффективность: +portable-generator-ui-fuel-use-label = Расход топлива: +portable-generator-ui-fuel-left-label = Остаток топлива: +portable-generator-ui-clogged = В топливном баке обнаружено загрязнение! +portable-generator-ui-eject = Извлечь +portable-generator-ui-eta = (~{ $minutes } минут) +portable-generator-ui-unanchored = Не закреплено +portable-generator-ui-current-output = Текущая мощность: { $voltage } +portable-generator-ui-network-stats = Сеть: +portable-generator-ui-network-stats-value = { POWERWATTS($supply) } / { POWERWATTS($load) } +portable-generator-ui-network-stats-not-connected = Не присоеденено +power-switchable-generator-examine = Выработанная энергия направлена на { $voltage }. +power-switchable-generator-switched = Выход переключен на { $voltage }! +power-switchable-voltage = + { $voltage -> + [HV] [color=orange]ВВ[/color] + [MV] [color=yellow]СВ[/color] + *[LV] [color=green]НВ[/color] + } +power-switchable-switch-voltage = Переключить на { $voltage } +fuel-generator-verb-disable-on = Сначала выключите генератор! diff --git a/Resources/Locale/ru-RU/power/components/power-receiver-component.ftl b/Resources/Locale/ru-RU/power/components/power-receiver-component.ftl new file mode 100644 index 00000000000..86c400ae85d --- /dev/null +++ b/Resources/Locale/ru-RU/power/components/power-receiver-component.ftl @@ -0,0 +1,3 @@ +power-receiver-component-on-examine-main = Похоже, питание { $stateText }. +power-receiver-component-on-examine-powered = [color=darkgreen]имеется[/color] +power-receiver-component-on-examine-unpowered = [color=darkred]отсутствует[/color] diff --git a/Resources/Locale/ru-RU/power/components/power-switch-component.ftl b/Resources/Locale/ru-RU/power/components/power-switch-component.ftl new file mode 100644 index 00000000000..b5a853735dd --- /dev/null +++ b/Resources/Locale/ru-RU/power/components/power-switch-component.ftl @@ -0,0 +1 @@ +power-switch-component-toggle-verb = Переключить питание diff --git a/Resources/Locale/ru-RU/power/components/radiation-collector.ftl b/Resources/Locale/ru-RU/power/components/radiation-collector.ftl new file mode 100644 index 00000000000..17aceba75af --- /dev/null +++ b/Resources/Locale/ru-RU/power/components/radiation-collector.ftl @@ -0,0 +1,2 @@ +power-radiation-collector-gas-tank-missing = [color=red]Газовый баллон не подключен.[/color] +power-radiation-collector-gas-tank-present = Газовый баллон [color=darkgreen]подключен[/color]. diff --git a/Resources/Locale/ru-RU/power/teg.ftl b/Resources/Locale/ru-RU/power/teg.ftl new file mode 100644 index 00000000000..1a6aa05ab51 --- /dev/null +++ b/Resources/Locale/ru-RU/power/teg.ftl @@ -0,0 +1,2 @@ +teg-generator-examine-power = Он генерирует [color=yellow]{ POWERWATTS($power) }[/color]. +teg-generator-examine-connection = Для функционирования [color=white]циркуляционные насосы[/color] должен быть подключены с обеих сторон. diff --git a/Resources/Locale/ru-RU/power/verb.ftl b/Resources/Locale/ru-RU/power/verb.ftl new file mode 100644 index 00000000000..f3f968e586c --- /dev/null +++ b/Resources/Locale/ru-RU/power/verb.ftl @@ -0,0 +1,2 @@ +# debug verb for allowing devices to work without requiring power. +verb-debug-toggle-need-power = Переключить питание diff --git a/Resources/Locale/ru-RU/powersink/powersink.ftl b/Resources/Locale/ru-RU/powersink/powersink.ftl new file mode 100644 index 00000000000..3a30a1ccdd6 --- /dev/null +++ b/Resources/Locale/ru-RU/powersink/powersink.ftl @@ -0,0 +1,2 @@ +powersink-examine-drain-amount = Поглотитель энергии вытягивает [color={ $markupDrainColor }]{ $amount } кВт[/color]. +powersink-immiment-explosion-announcement = Сканирование системы обнаружило нестабильную работу неавторизованного энергопотребляющего устройства. Персоналу рекомендуется немедленно найти и отключить это устройство, пока станция не получила повреждения. diff --git a/Resources/Locale/ru-RU/prayers/prayers.ftl b/Resources/Locale/ru-RU/prayers/prayers.ftl new file mode 100644 index 00000000000..30a16636340 --- /dev/null +++ b/Resources/Locale/ru-RU/prayers/prayers.ftl @@ -0,0 +1,13 @@ +prayer-verbs-subtle-message = Скрытое послание +prayer-verbs-pray = Помолиться +prayer-verbs-call = Позвонить +prayer-chat-notify-pray = МОЛИТВА +prayer-chat-notify-honkmother = ХОНКОМАТЕРЬ +prayer-chat-notify-centcom = ЦЕНТКОМ +prayer-chat-notify-syndicate = SYNDICATE +prayer-popup-notify-honkmother-sent = Вы оставили голосовое сообщение Хонкоматери... +prayer-popup-notify-centcom-sent = Вы оставили голосовое сообщение Центральному командованию... +prayer-popup-notify-pray-sent = Ваша молитва была направлена богам... +prayer-popup-notify-syndicate-sent = Вы оставили голосовое сообщение на прямой линии связи с Синдикатом... +prayer-popup-notify-pray-locked = Вы не чувствуете себя достойным... +prayer-popup-subtle-default = Вы слышите голос в своей голове... diff --git a/Resources/Locale/ru-RU/preferences/humanoid-character-profile.ftl b/Resources/Locale/ru-RU/preferences/humanoid-character-profile.ftl new file mode 100644 index 00000000000..57577e26184 --- /dev/null +++ b/Resources/Locale/ru-RU/preferences/humanoid-character-profile.ftl @@ -0,0 +1,14 @@ +### UI + +# Displayed in the Character prefs window +humanoid-character-profile-summary = + Это { $name }. { $gender -> + [male] Ему + [female] Ей + [epicene] Им + *[neuter] Ему + } { $age } { $age -> + [one] год + [few] года + *[other] лет + }. diff --git a/Resources/Locale/ru-RU/preferences/ui/character-setup-gui.ftl b/Resources/Locale/ru-RU/preferences/ui/character-setup-gui.ftl new file mode 100644 index 00000000000..9ba78b7c969 --- /dev/null +++ b/Resources/Locale/ru-RU/preferences/ui/character-setup-gui.ftl @@ -0,0 +1,9 @@ +character-setup-gui-character-setup-label = Настройки персонажа +character-setup-gui-character-setup-stats-button = Статистика +character-setup-gui-character-setup-rules-button = Правила +character-setup-gui-character-setup-save-button = Сохранить +character-setup-gui-character-setup-close-button = Закрыть +character-setup-gui-create-new-character-button = Создать нового персонажа... +character-setup-gui-create-new-character-button-tooltip = { $maxCharacters } - максимальное количество персонажей. +character-setup-gui-character-picker-button-delete-button = Удалить +character-setup-gui-character-picker-button-confirm-delete-button = Подтвердить diff --git a/Resources/Locale/ru-RU/preferences/ui/flavor-text.ftl b/Resources/Locale/ru-RU/preferences/ui/flavor-text.ftl new file mode 100644 index 00000000000..52774b42467 --- /dev/null +++ b/Resources/Locale/ru-RU/preferences/ui/flavor-text.ftl @@ -0,0 +1 @@ +flavor-text-placeholder = Внешнее описание вашего персонажа, которое другие могут узнать, осмотрев его... diff --git a/Resources/Locale/ru-RU/preferences/ui/humanoid-profile-editor.ftl b/Resources/Locale/ru-RU/preferences/ui/humanoid-profile-editor.ftl new file mode 100644 index 00000000000..fe44ce25318 --- /dev/null +++ b/Resources/Locale/ru-RU/preferences/ui/humanoid-profile-editor.ftl @@ -0,0 +1,50 @@ +humanoid-profile-editor-randomize-everything-button = Случайный персонаж +humanoid-profile-editor-name-label = Имя: +humanoid-profile-editor-name-random-button = Сгенерировать +humanoid-profile-editor-appearance-tab = Внешность +humanoid-profile-editor-clothing = Отображать одежду +humanoid-profile-editor-clothing-show = Переключить +humanoid-profile-editor-sex-label = Пол: +humanoid-profile-editor-sex-male-text = Мужской +humanoid-profile-editor-sex-female-text = Женский +humanoid-profile-editor-sex-unsexed-text = Отсутствует +humanoid-profile-editor-age-label = Возраст: +humanoid-profile-editor-skin-color-label = Цвет кожи: +humanoid-profile-editor-species-label = Раса: +humanoid-profile-editor-pronouns-label = Личное местоимение: +humanoid-profile-editor-pronouns-male-text = Он / Его +humanoid-profile-editor-pronouns-female-text = Она / Её +humanoid-profile-editor-pronouns-epicene-text = Они / Их +humanoid-profile-editor-pronouns-neuter-text = Оно / Его +humanoid-profile-editor-import-button = Импорт +humanoid-profile-editor-export-button = Экспорт +humanoid-profile-editor-save-button = Сохранить +humanoid-profile-editor-clothing-label = Одежда: +humanoid-profile-editor-backpack-label = Сумка: +humanoid-profile-editor-spawn-priority-label = Приоритет появления: +humanoid-profile-editor-eyes-label = Цвет глаз: +humanoid-profile-editor-jobs-tab = Должности +humanoid-profile-editor-preference-unavailable-stay-in-lobby-button = Остаться в лобби, если должность недоступна. +humanoid-profile-editor-preference-unavailable-spawn-as-overflow-button = Получить должность "{ $overflowJob }", если должность недоступна. +humanoid-profile-editor-preference-jumpsuit = Комбинезон +humanoid-profile-editor-preference-jumpskirt = Юбка-комбинезон +humanoid-profile-editor-preference-backpack = Рюкзак +humanoid-profile-editor-preference-satchel = Сумка +humanoid-profile-editor-preference-duffelbag = Вещмешок +# Spawn priority +humanoid-profile-editor-preference-spawn-priority-none = Нет +humanoid-profile-editor-preference-spawn-priority-arrivals = Прибытие +humanoid-profile-editor-preference-spawn-priority-cryosleep = Капсула криосна +humanoid-profile-editor-jobs-amount-in-department-tooltip = { $departmentName } +humanoid-profile-editor-department-jobs-label = { $departmentName } +humanoid-profile-editor-antags-tab = Антагонисты +humanoid-profile-editor-antag-preference-yes-button = Да +humanoid-profile-editor-antag-preference-no-button = Нет +humanoid-profile-editor-traits-tab = Черты персонажа +humanoid-profile-editor-job-priority-high-button = Высокий +humanoid-profile-editor-job-priority-medium-button = Средний +humanoid-profile-editor-job-priority-low-button = Низкий +humanoid-profile-editor-job-priority-never-button = Никогда +humanoid-profile-editor-naming-rules-warning = Внимание: Оскорбительные или странные имена и описания могут повлечь за собой беседу с администрацией. Прочитайте \[Правила\]. +humanoid-profile-editor-markings-tab = Черты внешности +humanoid-profile-editor-flavortext-tab = Описание diff --git a/Resources/Locale/ru-RU/preferences/ui/markings-picker.ftl b/Resources/Locale/ru-RU/preferences/ui/markings-picker.ftl new file mode 100644 index 00000000000..b8ebe440987 --- /dev/null +++ b/Resources/Locale/ru-RU/preferences/ui/markings-picker.ftl @@ -0,0 +1,26 @@ +markings-used = Используемые черты +markings-unused = Неиспользуемые черты +markings-add = Добавить черту +markings-remove = Убрать черту +markings-rank-up = Вверх +markings-rank-down = Вниз +markings-search = Поиск +marking-points-remaining = Черт осталось: { $points } +marking-used = { $marking-name } +marking-used-forced = { $marking-name } (Принудительно) +marking-slot-add = Добавить +marking-slot-remove = Удалить + +# Categories + +markings-category-Hair = Причёска +markings-category-FacialHair = Лицевая растительность +markings-category-Head = Голова +markings-category-HeadTop = Голова (верх) +markings-category-HeadSide = Голова (бок) +markings-category-Snout = Морда +markings-category-Chest = Грудь +markings-category-Arms = Руки +markings-category-Legs = Ноги +markings-category-Tail = Хвост +markings-category-Overlay = Наложение diff --git a/Resources/Locale/ru-RU/procedural/biome.ftl b/Resources/Locale/ru-RU/procedural/biome.ftl new file mode 100644 index 00000000000..8410ac762bf --- /dev/null +++ b/Resources/Locale/ru-RU/procedural/biome.ftl @@ -0,0 +1,6 @@ +cmd-biome_clear-desc = Полностью очищает биом +cmd-biome_clear-help = biome_clear +cmd-biome_addlayer-desc = Добавляет еще один слой биома +cmd-biome_addlayer-help = biome_addlayer [смещение сида] +cmd-biome_addmarkerlayer-desc = Добавляет еще один слой маркеров биомов +cmd-biome_addmarkerlayer-help = biome_addmarkerlayer diff --git a/Resources/Locale/ru-RU/procedural/command.ftl b/Resources/Locale/ru-RU/procedural/command.ftl new file mode 100644 index 00000000000..3be146957ba --- /dev/null +++ b/Resources/Locale/ru-RU/procedural/command.ftl @@ -0,0 +1,19 @@ +cmd-dungen-desc = Процедурно генерирует подземелье с заданными пресетом, местоположением и сидом. Заспавнится в космосе, если MapId не имеет MapGridComponent. +cmd-dungen-help = dungen [seed] +cmd-dungen-arg-count = Требуется 4 аргумента. +cmd-dungen-map-parse = Не удалось спарсить MapId. +cmd-dungen-mapgrid = Не удалось найти MapGrid. +cmd-dungen-config = Не удалось найти конфигурацию стуктуры. +cmd-dungen-pos = Не удалось спарсить местоположение. +cmd-dungen-seed = Не удалось спарсить сид. +cmd-dungen-start = Генерация структур с сидом { $seed } +cmd-dungen-hint-map = Id карты +cmd-dungen-hint-config = Конфиг структур +cmd-dungen-hint-posx = Координата X +cmd-dungen-hint-posy = Координата Y +cmd-dungen-hint-seed = [Seed] +cmd-dungen_preset_vis-desc = Генерирует тайловое превью пресета подземелья. +cmd-dungen_preset_vis-help = dungen_preset_vis +cmd-dungen_pack_vis-success = Успешно +cmd-dungen_pack_vis-desc = Генерирует тайловое превью группы подземелий. +cmd-dungen_pack_vis-help = dungen_pack_vis diff --git a/Resources/Locale/ru-RU/procedural/expeditions.ftl b/Resources/Locale/ru-RU/procedural/expeditions.ftl new file mode 100644 index 00000000000..8c560e80cce --- /dev/null +++ b/Resources/Locale/ru-RU/procedural/expeditions.ftl @@ -0,0 +1,58 @@ +salvage-expedition-structure-examine = Это необходимо [color=#B02E26]уничтожить[/color] +salvage-expedition-structure-remaining = + Осталось разрушить { $count } { $count -> + [one] цель. + [few] цели. + *[other] целей. + } +salvage-expedition-megafauna-remaining = { $count } megafauna remaining. +salvage-expedition-type = Миссии +salvage-expedition-window-title = Утилизаторские экспедиции +salvage-expedition-window-difficulty = Сложность: +salvage-expedition-window-details = Подробности: +salvage-expedition-window-hostiles = Враги: +salvage-expedition-window-duration = Продолжительность: +salvage-expedition-window-biome = Биом: +salvage-expedition-window-rewards = Rewards: +salvage-expedition-window-modifiers = Модификаторы: +salvage-expedition-window-claimed = Принято +salvage-expedition-window-claim = Принять +# Expedition descriptions +salvage-expedition-desc-mining = Соберите ресурсы в зоне экспедиции. +# You will be taxed {$tax}% of the resources collected. +salvage-expedition-desc-structure = + { $count -> + [one] Уничтожить { $count } { $structure } в зоне экспедиции. + *[other] Уничтожить { $count } { $structure } в зоне экспедиции. + } +salvage-expedition-desc-elimination = Убейте большое и опасное существо в зоне экспедиции. +salvage-expedition-type-Mining = Добыча +salvage-expedition-type-Destruction = Разрушение +salvage-expedition-type-Elimination = Устранение +salvage-expedition-difficulty-Minimal = Минимальная +salvage-expedition-difficulty-Minor = Средняя +salvage-expedition-window-next = Следующее предложение +# Expedition descriptions +salvage-expedition-difficulty-players = Рекомендовано утилизаторов: +# С вас удержат налог в размере { $tax }% от добытых ресурсов. +salvage-expedition-difficulty-Moderate = Умеренная +salvage-expedition-difficulty-Hazardous = Высокая +salvage-expedition-difficulty-Extreme = Экстремальная +# Runner +salvage-expedition-not-all-present = Не все утилизаторы вернулись на борт шаттла! +# Runner +salvage-expedition-announcement-countdown-minutes = + До окончания экспедиции осталась { $duration } { $duration -> + [one] минута + [few] минуты + *[other] минут + }. +salvage-expedition-announcement-countdown-seconds = + До окончания экспедиции осталось { $duration } { $duration -> + [one] секунда + [few] секунды + *[other] секунд + }. +salvage-expedition-reward-description = Награда за завершение миссии +salvage-expedition-announcement-dungeon = Подземелье расположено от вас на { $direction }. +salvage-expedition-completed = Экспедиция окончена. diff --git a/Resources/Locale/ru-RU/prototypes/access/accesses.ftl b/Resources/Locale/ru-RU/prototypes/access/accesses.ftl new file mode 100644 index 00000000000..3d2b69486de --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/access/accesses.ftl @@ -0,0 +1,34 @@ +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-armory = Оружейная +id-card-access-level-brig = Бриг +id-card-access-level-detective = Детектив +id-card-access-level-chief-engineer = Старший инженер +id-card-access-level-engineering = Инженерный +id-card-access-level-atmospherics = Атмосферный +id-card-access-level-research-director = Научный руководитель +id-card-access-level-research = Научный +id-card-access-level-chief-medical-officer = Главный врач +id-card-access-level-medical = Медотсек +id-card-access-level-chemistry = Химия +id-card-access-level-paramedic = Парамедик +id-card-access-level-quartermaster = Квартирмейстер +id-card-access-level-cargo = Снабжение +id-card-access-level-salvage = Утилизаторы +id-card-access-level-bar = Бар +id-card-access-level-kitchen = Кухня +id-card-access-level-hydroponics = Гидропоника +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-maintenance = Техобслуживание +id-card-access-level-external = Внешний +id-card-access-level-nuclear-operative = Ядерный оперативник +id-card-access-level-syndicate-agent = Агент синдиката +id-card-access-level-central-command = Центральное Командование diff --git a/Resources/Locale/ru-RU/prototypes/barricades.ftl b/Resources/Locale/ru-RU/prototypes/barricades.ftl new file mode 100644 index 00000000000..10c8fc00573 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/barricades.ftl @@ -0,0 +1,4 @@ +### Barricades entity prototype data. + +ent-barricade = деревянная баррикада + .desc = Дешёвое заграждение, выглядит так себе. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-armory.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-armory.ftl new file mode 100644 index 00000000000..62b23766264 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-armory.ftl @@ -0,0 +1,10 @@ +ent-ArmorySmg = { ent-CrateArmorySMG } + .desc = { ent-CrateArmorySMG.desc } +ent-ArmoryShotgun = { ent-CrateArmoryShotgun } + .desc = { ent-CrateArmoryShotgun.desc } +ent-TrackingImplants = { ent-CrateTrackingImplants } + .desc = { ent-CrateTrackingImplants.desc } +ent-TrainingBombs = { ent-CrateTrainingBombs } + .desc = { ent-CrateTrainingBombs.desc } +ent-ArmoryLaser = { ent-CrateArmoryLaser } + .desc = { ent-CrateArmoryLaser.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-atmospherics.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-atmospherics.ftl new file mode 100644 index 00000000000..5c972217eb1 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-atmospherics.ftl @@ -0,0 +1,14 @@ +ent-AtmosphericsAir = { ent-AirCanister } + .desc = { ent-AirCanister.desc } +ent-AtmosphericsOxygen = { ent-OxygenCanister } + .desc = { ent-OxygenCanister.desc } +ent-AtmosphericsNitrogen = { ent-NitrogenCanister } + .desc = { ent-NitrogenCanister.desc } +ent-AtmosphericsCarbonDioxide = { ent-CarbonDioxideCanister } + .desc = { ent-CarbonDioxideCanister.desc } +ent-AtmosphericsLiquidOxygen = { ent-LiquidOxygenCanister } + .desc = { ent-LiquidOxygenCanister.desc } +ent-AtmosphericsLiquidNitrogen = { ent-LiquidNitrogenCanister } + .desc = { ent-LiquidNitrogenCanister.desc } +ent-AtmosphericsLiquidCarbonDioxide = { ent-LiquidCarbonDioxideCanister } + .desc = { ent-LiquidCarbonDioxideCanister.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-botany.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-botany.ftl new file mode 100644 index 00000000000..836ff46ea73 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-botany.ftl @@ -0,0 +1,8 @@ +ent-HydroponicsSeedsExotic = { ent-CrateHydroponicsSeedsExotic } + .desc = { ent-CrateHydroponicsSeedsExotic.desc } +ent-HydroponicsSeedsMedicinal = { ent-CrateHydroponicsSeedsMedicinal } + .desc = { ent-CrateHydroponicsSeedsMedicinal.desc } +ent-HydroponicsTools = { ent-CrateHydroponicsTools } + .desc = { ent-CrateHydroponicsTools.desc } +ent-HydroponicsSeeds = { ent-CrateHydroponicsSeeds } + .desc = { ent-CrateHydroponicsSeeds.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-cargo.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-cargo.ftl new file mode 100644 index 00000000000..0a56ea02923 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-cargo.ftl @@ -0,0 +1,2 @@ +ent-CargoLuxuryHardsuit = { ent-CrateCargoLuxuryHardsuit } + .desc = { ent-CrateCargoLuxuryHardsuit.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-circuitboards.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-circuitboards.ftl new file mode 100644 index 00000000000..9c07506afda --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-circuitboards.ftl @@ -0,0 +1,2 @@ +ent-CircuitboardCrewMonitoring = { ent-CrateCrewMonitoringBoards } + .desc = { ent-CrateCrewMonitoringBoards.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-emergency.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-emergency.ftl new file mode 100644 index 00000000000..b4cf12c26eb --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-emergency.ftl @@ -0,0 +1,10 @@ +ent-EmergencyExplosive = { ent-CrateEmergencyExplosive } + .desc = { ent-CrateEmergencyExplosive.desc } +ent-EmergencyFire = { ent-CrateEmergencyFire } + .desc = { ent-CrateEmergencyFire.desc } +ent-EmergencyInternals = { ent-CrateEmergencyInternals } + .desc = { ent-CrateEmergencyInternals.desc } +ent-EmergencyRadiation = { ent-CrateEmergencyRadiation } + .desc = { ent-CrateEmergencyRadiation.desc } +ent-EmergencyInflatablewall = { ent-CrateEmergencyInflatablewall } + .desc = { ent-CrateEmergencyInflatablewall.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-engineering.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-engineering.ftl new file mode 100644 index 00000000000..724861708cb --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-engineering.ftl @@ -0,0 +1,16 @@ +ent-EngineeringCableLv = { ent-CrateEngineeringCableLV } + .desc = { ent-CrateEngineeringCableLV.desc } +ent-EngineeringCableMv = { ent-CrateEngineeringCableMV } + .desc = { ent-CrateEngineeringCableMV.desc } +ent-EngineeringCableHv = { ent-CrateEngineeringCableHV } + .desc = { ent-CrateEngineeringCableHV.desc } +ent-EngineeringCableBulk = { ent-CrateEngineeringCableBulk } + .desc = { ent-CrateEngineeringCableBulk.desc } +ent-EngineeringElectricalSupplies = { ent-CrateEngineeringElectricalSupplies } + .desc = { ent-CrateEngineeringElectricalSupplies.desc } +ent-EngineeringJetpack = { ent-CrateEngineeringJetpack } + .desc = { ent-CrateEngineeringJetpack.desc } +ent-EngineeringMiniJetpack = { ent-CrateEngineeringMiniJetpack } + .desc = { ent-CrateEngineeringMiniJetpack.desc } +ent-AirlockKit = { ent-CrateAirlockKit } + .desc = { ent-CrateAirlockKit.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-engines.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-engines.ftl new file mode 100644 index 00000000000..7464e8a8d6a --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-engines.ftl @@ -0,0 +1,16 @@ +ent-EngineAmeShielding = { ent-CrateEngineeringAMEShielding } + .desc = { ent-CrateEngineeringAMEShielding.desc } +ent-EngineAmeJar = { ent-CrateEngineeringAMEJar } + .desc = { ent-CrateEngineeringAMEJar.desc } +ent-EngineAmeControl = { ent-CrateEngineeringAMEControl } + .desc = { ent-CrateEngineeringAMEControl.desc } +ent-EngineSingularityGenerator = { ent-CrateEngineeringSingularityGenerator } + .desc = { ent-CrateEngineeringSingularityGenerator.desc } +ent-EngineSingularityContainment = { ent-CrateEngineeringSingularityContainment } + .desc = { ent-CrateEngineeringSingularityContainment.desc } +ent-EngineSingularityCollector = { ent-CrateEngineeringSingularityCollector } + .desc = { ent-CrateEngineeringSingularityCollector.desc } +ent-EngineParticleAccelerator = { ent-CrateEngineeringParticleAccelerator } + .desc = { ent-CrateEngineeringParticleAccelerator.desc } +ent-EngineSolar = { ent-CrateEngineeringSolar } + .desc = { ent-CrateEngineeringSolar.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-food.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-food.ftl new file mode 100644 index 00000000000..678ed396c94 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-food.ftl @@ -0,0 +1,16 @@ +ent-FoodPizza = { ent-CrateFoodPizza } + .desc = { ent-CrateFoodPizza.desc } +ent-FoodPizzaLarge = { ent-CrateFoodPizzaLarge } + .desc = { ent-CrateFoodPizzaLarge.desc } +ent-FoodMRE = { ent-CrateFoodMRE } + .desc = { ent-CrateFoodMRE.desc } +ent-FoodCook = { ent-CrateFoodCooking } + .desc = { ent-CrateFoodCooking.desc } +ent-FoodDinnerware = { ent-CrateFoodDinnerware } + .desc = { ent-CrateFoodDinnerware.desc } +ent-FoodBarSupply = { ent-CrateFoodBarSupply } + .desc = { ent-CrateFoodBarSupply.desc } +ent-FoodSoftdrinks = { ent-CrateFoodSoftdrinks } + .desc = { ent-CrateFoodSoftdrinks.desc } +ent-FoodSoftdrinksLarge = { ent-CrateFoodSoftdrinksLarge } + .desc = { ent-CrateFoodSoftdrinksLarge.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-fun.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-fun.ftl new file mode 100644 index 00000000000..d739082140c --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-fun.ftl @@ -0,0 +1,18 @@ +ent-FunPlushies = { ent-CrateFunPlushie } + .desc = { ent-CrateFunPlushie.desc } +ent-FunInstruments = { ent-CrateFunInstruments } + .desc = { ent-CrateFunInstruments.desc } +ent-FunBrass = { ent-CrateFunBrass } + .desc = { ent-CrateFunBrass.desc } +ent-FunArtSupplies = { ent-CrateFunArtSupplies } + .desc = { ent-CrateFunArtSupplies.desc } +ent-FunBoardGames = { ent-CrateFunBoardGames } + .desc = { ent-CrateFunBoardGames.desc } +ent-FunATV = { ent-CrateFunATV } + .desc = { ent-CrateFunATV.desc } +ent-FunWaterGuns = { ent-CrateFunWaterGuns } + .desc = { ent-CrateFunWaterGuns.desc } +ent-FunParty = { ent-CrateFunParty } + .desc = { ent-CrateFunParty.desc } +ent-FunDartsSet = { ent-CrateFunDartsSet } + .desc = { ent-CrateFunDartsSet.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-livestock.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-livestock.ftl new file mode 100644 index 00000000000..a4f382e17e4 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-livestock.ftl @@ -0,0 +1,30 @@ +ent-LivestockBee = { ent-CrateNPCBee } + .desc = { ent-CrateNPCBee.desc } +ent-LivestockButterfly = { ent-CrateNPCButterflies } + .desc = { ent-CrateNPCButterflies.desc } +ent-LivestockCat = { ent-CrateNPCCat } + .desc = { ent-CrateNPCCat.desc } +ent-LivestockChicken = { ent-CrateNPCChicken } + .desc = { ent-CrateNPCChicken.desc } +ent-LivestockDuck = { ent-CrateNPCDuck } + .desc = { ent-CrateNPCDuck.desc } +ent-LivestockCorgi = { ent-CrateNPCCorgi } + .desc = { ent-CrateNPCCorgi.desc } +ent-LivestockCow = { ent-CrateNPCCow } + .desc = { ent-CrateNPCCow.desc } +ent-LivestockGoat = { ent-CrateNPCGoat } + .desc = { ent-CrateNPCGoat.desc } +ent-LivestockGoose = { ent-CrateNPCGoose } + .desc = { ent-CrateNPCGoose.desc } +ent-LivestockGorilla = { ent-CrateNPCGorilla } + .desc = { ent-CrateNPCGorilla.desc } +ent-LivestockMonkeyCube = { ent-CrateNPCMonkeyCube } + .desc = { ent-CrateNPCMonkeyCube.desc } +ent-LivestockMouse = { ent-CrateNPCMouse } + .desc = { ent-CrateNPCMouse.desc } +ent-LivestockParrot = { ent-CrateNPCParrot } + .desc = { ent-CrateNPCParrot.desc } +ent-LivestockPenguin = { ent-CrateNPCPenguin } + .desc = { ent-CrateNPCPenguin.desc } +ent-LivestockSnake = { ent-CrateNPCSnake } + .desc = { ent-CrateNPCSnake.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-materials.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-materials.ftl new file mode 100644 index 00000000000..4e7aade8548 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-materials.ftl @@ -0,0 +1,20 @@ +ent-MaterialGlass = { ent-CrateMaterialGlass } + .desc = { ent-CrateMaterialGlass.desc } +ent-MaterialSteel = { ent-CrateMaterialSteel } + .desc = { ent-CrateMaterialSteel.desc } +ent-MaterialTextiles = { ent-CrateMaterialTextiles } + .desc = { ent-CrateMaterialTextiles.desc } +ent-MaterialPlastic = { ent-CrateMaterialPlastic } + .desc = { ent-CrateMaterialPlastic.desc } +ent-MaterialPlasteel = { ent-CrateMaterialPlasteel } + .desc = { ent-CrateMaterialPlasteel.desc } +ent-MaterialPlasma = { ent-CrateMaterialPlasma } + .desc = { ent-CrateMaterialPlasma.desc } +ent-CardboardMaterial = { ent-CrateMaterialCardboard } + .desc = { ent-CrateMaterialCardboard.desc } +ent-PaperMaterial = { ent-CrateMaterialPaper } + .desc = { ent-CrateMaterialPaper.desc } +ent-MaterialFuelTank = { ent-WeldingFuelTankFull } + .desc = { ent-WeldingFuelTankFull.desc } +ent-MaterialWaterTank = { ent-WaterTankFull } + .desc = { ent-WaterTankFull.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-medical.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-medical.ftl new file mode 100644 index 00000000000..6ba70472ce5 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-medical.ftl @@ -0,0 +1,24 @@ +ent-MedicalSupplies = { ent-CrateMedicalSupplies } + .desc = { ent-CrateMedicalSupplies.desc } +ent-MedicalChemistrySupplies = { ent-CrateChemistrySupplies } + .desc = { ent-CrateChemistrySupplies.desc } +ent-MedicalMindShieldImplants = { ent-MedicalMindShieldImplants } + .desc = { ent-MedicalMindShieldImplants.desc } +ent-EmergencyBurnKit = { ent-CrateEmergencyBurnKit } + .desc = { ent-CrateEmergencyBurnKit.desc } +ent-EmergencyToxinKit = { ent-CrateEmergencyToxinKit } + .desc = { ent-CrateEmergencyToxinKit.desc } +ent-EmergencyO2Kit = { ent-CrateEmergencyO2Kit } + .desc = { ent-CrateEmergencyO2Kit.desc } +ent-EmergencyBruteKit = { ent-CrateEmergencyBruteKit } + .desc = { ent-CrateEmergencyBruteKit.desc } +ent-EmergencyAdvancedKit = { ent-CrateEmergencyAdvancedKit } + .desc = { ent-CrateEmergencyAdvancedKit.desc } +ent-EmergencyRadiationKit = { ent-CrateEmergencyRadiationKit } + .desc = { ent-CrateEmergencyRadiationKit.desc } +ent-ChemistryP = { ent-CrateChemistryP } + .desc = { ent-CrateChemistryP.desc } +ent-ChemistryS = { ent-CrateChemistryS } + .desc = { ent-CrateChemistryS.desc } +ent-ChemistryD = { ent-CrateChemistryD } + .desc = { ent-CrateChemistryD.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-science.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-science.ftl new file mode 100644 index 00000000000..36667e6f16a --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-science.ftl @@ -0,0 +1,2 @@ +ent-ArtifactContainer = { CrateArtifactContainer } + .desc = { CrateArtifactContainer.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-security.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-security.ftl new file mode 100644 index 00000000000..060393cc57b --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-security.ftl @@ -0,0 +1,12 @@ +ent-SecurityArmor = { ent-CrateSecurityArmor } + .desc = { ent-CrateSecurityArmor.desc } +ent-SecurityHelmet = { ent-CrateSecurityHelmet } + .desc = { ent-CrateSecurityHelmet.desc } +ent-SecurityNonLethal = { ent-CrateSecurityNonlethal } + .desc = { ent-CrateSecurityNonlethal.desc } +ent-SecurityRiot = { ent-CrateSecurityRiot } + .desc = { ent-CrateSecurityRiot.desc } +ent-SecuritySupplies = { ent-CrateSecuritySupplies } + .desc = { ent-CrateSecuritySupplies.desc } +ent-SecurityRestraints = { ent-CrateRestraints } + .desc = { ent-CrateRestraints.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-service.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-service.ftl new file mode 100644 index 00000000000..9e4427fa5a2 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-service.ftl @@ -0,0 +1,18 @@ +ent-ServiceJanitorial = { ent-CrateServiceJanitorialSupplies } + .desc = { ent-CrateServiceJanitorialSupplies.desc } +ent-ServiceLightsReplacement = { ent-CrateServiceReplacementLights } + .desc = { ent-CrateServiceReplacementLights.desc } +ent-MousetrapBoxes = { ent-CrateMousetrapBoxes } + .desc = { ent-CrateMousetrapBoxes.desc } +ent-ServiceSmokeables = { ent-CrateServiceSmokeables } + .desc = { ent-CrateServiceSmokeables.desc } +ent-ServiceCustomSmokable = { ent-CrateServiceCustomSmokable } + .desc = { ent-CrateServiceCustomSmokable.desc } +ent-ServiceBureaucracy = { ent-CrateServiceBureaucracy } + .desc = { ent-CrateServiceBureaucracy.desc } +ent-ServicePersonnel = { ent-CrateServicePersonnel } + .desc = { ent-CrateServicePersonnel.desc } +ent-ServiceBooks = { ent-CrateServiceBooks } + .desc = { ent-CrateServiceBooks.desc } +ent-ServiceGuidebooks = { ent-CrateServiceGuidebooks } + .desc = { ent-CrateServiceGuidebooks.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-shuttle.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-shuttle.ftl new file mode 100644 index 00000000000..1451c48b558 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-shuttle.ftl @@ -0,0 +1,6 @@ +ent-ShuttleThruster = { ent-Thruster } + .desc = { ent-Thruster.desc } +ent-ShuttleGyroscope = { ent-Gyroscope } + .desc = { ent-Gyroscope.desc } +ent-ShuttlePowerKit = Ящик электропитания шаттла + .desc = Содержит платы для настенных энергосистем. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-vending.ftl b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-vending.ftl new file mode 100644 index 00000000000..d2bf637c1f3 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/cargo/cargo-vending.ftl @@ -0,0 +1,50 @@ +ent-CrateVendingMachineRestockBooze = { ent-CrateVendingMachineRestockBoozeFilled } + .desc = { ent-CrateVendingMachineRestockBoozeFilled.desc } +ent-CrateVendingMachineRestockClothes = { ent-CrateVendingMachineRestockClothesFilled } + .desc = { ent-CrateVendingMachineRestockClothesFilled.desc } +ent-CrateVendingMachineRestockDinnerware = { ent-CrateVendingMachineRestockDinnerwareFilled } + .desc = { ent-CrateVendingMachineRestockDinnerwareFilled.desc } +ent-CrateVendingMachineRestockEngineering = { ent-CrateVendingMachineRestockEngineeringFilled } + .desc = { ent-CrateVendingMachineRestockEngineeringFilled.desc } +ent-CrateVendingMachineRestockGames = { ent-CrateVendingMachineRestockGamesFilled } + .desc = { ent-CrateVendingMachineRestockGamesFilled.desc } +ent-CrateVendingMachineRestockHotDrinks = { ent-CrateVendingMachineRestockHotDrinksFilled } + .desc = { ent-CrateVendingMachineRestockHotDrinksFilled.desc } +ent-CrateVendingMachineRestockMedical = { ent-CrateVendingMachineRestockMedicalFilled } + .desc = { ent-CrateVendingMachineRestockMedicalFilled.desc } +ent-CrateVendingMachineRestockNutriMax = { ent-CrateVendingMachineRestockNutriMaxFilled } + .desc = { ent-CrateVendingMachineRestockNutriMaxFilled.desc } +ent-CrateVendingMachineRestockPTech = { ent-CrateVendingMachineRestockPTechFilled } + .desc = { ent-CrateVendingMachineRestockPTechFilled.desc } +ent-CrateVendingMachineRestockRobustSoftdrinks = { ent-CrateVendingMachineRestockRobustSoftdrinksFilled } + .desc = { ent-CrateVendingMachineRestockRobustSoftdrinksFilled.desc } +ent-CrateVendingMachineRestockSalvageEquipment = { ent-CrateVendingMachineRestockSalvageEquipmentFilled } + .desc = { ent-CrateVendingMachineRestockSalvageEquipmentFilled.desc } +ent-CrateVendingMachineRestockSecTech = { ent-CrateVendingMachineRestockSecTechFilled } + .desc = { ent-CrateVendingMachineRestockSecTechFilled.desc } +ent-CrateVendingMachineRestockSeeds = { ent-CrateVendingMachineRestockSeedsFilled } + .desc = { ent-CrateVendingMachineRestockSeedsFilled.desc } +ent-CrateVendingMachineRestockSmokes = { ent-CrateVendingMachineRestockSmokesFilled } + .desc = { ent-CrateVendingMachineRestockSmokesFilled.desc } +ent-CrateVendingMachineRestockVendomat = { ent-CrateVendingMachineRestockVendomatFilled } + .desc = { ent-CrateVendingMachineRestockVendomatFilled.desc } +ent-CrateVendingMachineRestockRobotics = { ent-CrateVendingMachineRestockRoboticsFilled } + .desc = { ent-CrateVendingMachineRestockRoboticsFilled.desc } +ent-CrateVendingMachineRestockTankDispenser = { ent-CrateVendingMachineRestockTankDispenserFilled } + .desc = { ent-CrateVendingMachineRestockTankDispenserFilled.desc } +ent-CrateVendingMachineRestockGetmoreChocolateCorp = { ent-CrateVendingMachineRestockGetmoreChocolateCorpFilled } + .desc = { ent-CrateVendingMachineRestockGetmoreChocolateCorpFilled.desc } +ent-CrateVendingMachineRestockChang = { ent-CrateVendingMachineRestockChangFilled } + .desc = { ent-CrateVendingMachineRestockChangFilled.desc } +ent-CrateVendingMachineRestockDiscountDans = { ent-CrateVendingMachineRestockDiscountDansFilled } + .desc = { ent-CrateVendingMachineRestockDiscountDansFilled.desc } +ent-CrateVendingMachineRestockDonut = { ent-CrateVendingMachineRestockDonutFilled } + .desc = { ent-CrateVendingMachineRestockDonutFilled.desc } +ent-CrateVendingMachineRestockHappyHonk = { ent-CrateVendingMachineRestockHappyHonkFilled } + .desc = { ent-CrateVendingMachineRestockHappyHonkFilled.desc } +ent-CrateVendingMachineRestockChemVend = { ent-CrateVendingMachineRestockChemVendFilled } + .desc = { CrateVendingMachineRestockChemVendFilled.desc } +ent-CrateVendingMachineRestockChefvend = { ent-CrateVendingMachineRestockChefvendFilled } + .desc = { CrateVendingMachineRestockChefvendFilled.desc } +ent-CrateVendingMachineRestockCondimentStation = { ent-CrateVendingMachineRestockCondimentStationFilled } + .desc = { CrateVendingMachineRestockCondimentStationFilled.desc } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/armory-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/armory-crates.ftl new file mode 100644 index 00000000000..d0a154b8117 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/armory-crates.ftl @@ -0,0 +1,12 @@ +ent-CrateArmorySMG = ящик пистолетов-пулемётов + .desc = Содержит два мощных пистолета-пулемёта и четыре магазина. Чтобы открыть необходим доступ уровня Оружейной. +ent-CrateArmoryShotgun = ящик дробовиков + .desc = Когда необходимо нашпиговать врага свинцом. Содержит два дробовика Силовик, и немного обычных ружейных патронов. Чтобы открыть необходим доступ уровня Оружейной. +ent-CrateTrackingImplants = ящик имплантов трекера + .desc = Содержит несколько имплантов трекера. Хороши для заключённых, за которыми вы хотите следить после освобождения. +ent-CrateTrainingBombs = ящик учебных бомб + .desc = Содержит три маломощные учебные бомбы для обучения обезвреживанию и безопасной утилизации бомб, костюм сапёра в комплект не входит. Чтобы открыть необходим доступ уровня Оружейной. +ent-CrateArmoryLaser = ящик лазеров + .desc = Содержит три стандартные лазерные винтовки. Чтобы открыть необходим доступ уровня Оружейной. +ent-CrateArmoryPistols = ящик пистолетов + .desc = Содержит два стандартных пистолета Nanotrasen, и 4 магазина к ним. Чтобы открыть необходим доступ уровня Оружейной. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/botany-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/botany-crates.ftl new file mode 100644 index 00000000000..cd11def6243 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/botany-crates.ftl @@ -0,0 +1,10 @@ +ent-CrateHydroponicsSeedsExotic = ящик экзотических семян + .desc = Мечта любого практикующего ботаника. Содержит много экзотических семян. Чтобы открыть необходим уровень доступа Гидропоника. +ent-CrateHydroponicsSeedsMedicinal = ящик лекарственных семян + .desc = Мечта любого начинающего химика. Сила медицины у вас под рукой! Чтобы открыть необходим уровень доступа Гидропоника. +ent-CrateHydroponicsTools = ящик снаряжения для гидропоники + .desc = Припасы для выращивания превосходного сада! Содержит несколько спреев с химикатами для растений, топорик, грабли, косу, несколько пар кожаных перчаток и ботанический фартук. +ent-CrateHydroponicsSeeds = ящик семян + .desc = Большие дела начинаются с малого. Содержит 12 различных семян. +ent-CratePlantBGone = ящик гербицида Plant-B-Gone + .desc = Из Монстано. "Назойливые сорняки, встречайте свой смерть!" diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/cargo-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/cargo-crates.ftl new file mode 100644 index 00000000000..c7f06b31c7d --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/cargo-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateCargoLuxuryHardsuit = ящик элитного шахтёрского скафандра + .desc = Наконец-то, скафандр, который квартирмейстеры могут назвать своим собственным. Центком услышал вас, а теперь перестаньте спрашивать. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/chemistry-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/chemistry-crates.ftl new file mode 100644 index 00000000000..75a8044e426 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/chemistry-crates.ftl @@ -0,0 +1,6 @@ +ent-CrateChemistryP = ящик химикатов (P-элементы) + .desc = Содержит химические вещества из P-блока элементов. Чтобы открыть необходим уровень доступа Химия. +ent-CrateChemistryS = ящик химикатов (S-элементы) + .desc = Содержит химические вещества из S-блока элементов. Чтобы открыть необходим уровень доступа Химия. +ent-CrateChemistryD = ящик химикатов (D-элементы) + .desc = Содержит химические вещества из D-блока элементов. Чтобы открыть необходим уровень доступа Химия. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/circuitboard-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/circuitboard-crates.ftl new file mode 100644 index 00000000000..65c2c5219f7 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/circuitboard-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateCrewMonitoringBoards = платы мониторинга экипажа + .desc = Содержит две машинные платы мониторинга экипажа, для сервера и консоли. Чтобы открыть необходим уровень доступа Инженерный. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/emergency-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/emergency-crates.ftl new file mode 100644 index 00000000000..3df274f824a --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/emergency-crates.ftl @@ -0,0 +1,14 @@ +ent-CrateEmergencyExplosive = ящик сапёрного снаряжения + .desc = Учёные обезумели? Что-то пикает за шлюзом? Купите сейчас и станьте героем, которого станция засл... Я имею в виду, в котором нуждается! (время в комплект не входит). +ent-CrateEmergencyFire = ящик пожарного снаряжения + .desc = Только вы можете предотвратить пожар на станции. Вместе с двумя противопожарными костюмами, противогазами, фонариками, большими кислородными баллонами, огнетушителями и касками! +ent-CrateEmergencyInternals = ящик аварийного снаряжения + .desc = Управляйте своей жизнью и контролируйте своё дыхание с помощью трёх дыхательных масок, трёх аварийных кислородных баллонов и трёх больших баллонов с воздухом. +ent-CrateEmergencyRadiation = ящик противорадиационного снаряжения + .desc = Переживите ядерный апокалипсис и двигатель суперматерии благодаря двум комплектам противорадиационных костюмов. Каждый комплект включает в себя шлем, костюм и счетчик Гейгера. Мы даже подарим бутылку водки и несколько стаканов, учитывая продолжительность жизни тех, кто это заказывает. +ent-CrateEmergencyInflatablewall = ящик надувных стен + .desc = Три стопки надувных стен для случаев, когда металлические стены станции больше не удерживают атмосферу. +ent-CrateGenericBiosuit = ящик аварийных биозащитных костюмов + .desc = Содержит 2 костюма биологической защиты, чтобы никакая зараза не отвлекала вас от того, чем вы там занимаетесь. +ent-CrateSlimepersonLifeSupport = ящик жизнеобеспечения слаймолюдов + .desc = Содержит четыре дыхательные маски и четыре больших баллона азота. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/engineering-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/engineering-crates.ftl new file mode 100644 index 00000000000..5348c5ef068 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/engineering-crates.ftl @@ -0,0 +1,24 @@ +ent-CrateEngineeringGear = ящик инженерного оборудования + .desc = Различные инженерные компоненты. +ent-CrateEngineeringToolbox = ящик ящиков для инструментов + .desc = Два обычных и два электромонтанжных ящика для инструментов. +ent-CrateEngineeringPowercell = ящик батарей. + .desc = Три микрореакторные батареи. +ent-CrateEngineeringCableLV = ящик кабеля НВ + .desc = 3 мотка низковольтного кабеля. +ent-CrateEngineeringCableMV = ящик кабеля СВ + .desc = 3 мотка средневольтного кабеля. +ent-CrateEngineeringCableHV = ящик кабеля ВВ + .desc = 3 мотка высоковольтного кабеля. +ent-CrateEngineeringCableBulk = ящик кабеля различного вольтажа + .desc = 2 мотка кабеля каждого типа. +ent-CrateEngineeringElectricalSupplies = ящик электромонтажного снаряжения + .desc = NT не несёт ответственности за любые рабочие конфликты, связанные с изолированными перчатками, входящими в комплект этих ящиков. +ent-CrateEngineeringJetpack = ящик джетпаков + .desc = Два джетпака для тех, кто не умеет пользоваться огнетушителями. +ent-CrateEngineeringMiniJetpack = ящик мини-джетпаков + .desc = Два мини-джетпака для тех, кому хочется вызова. +ent-CrateAirlockKit = ящик компонентов шлюза + .desc = Набор для строительства 6 воздушных шлюзов, инструменты в комплект не входят. +ent-CrateEvaKit = набор EVA + .desc = Набор, состоящий из двух престижных EVA скафандров и шлемов. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/engines-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/engines-crates.ftl new file mode 100644 index 00000000000..b7d1a90273b --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/engines-crates.ftl @@ -0,0 +1,23 @@ +ent-CrateEngineeringAMEShielding = ящик компонентов ДАМ + .desc = 9 частей, для создания нового или расширения существующего двигателя антиматерии. +ent-CrateEngineeringAMEJar = ящик антиматериевого топлива + .desc = Три канистры антиматериевого топлива, для заправки двигателя антиматерии. +ent-CrateEngineeringAMEControl = ящик с контроллером управления ДАМ + .desc = Управляющий компьютер ДАМ. +ent-CrateEngineeringSingularityEmitter = ящик с эмиттером + .desc = Эмиттер, использующийся в сингулярном двигателе. +ent-CrateEngineeringSingularityCollector = ящик с коллектором радиации + .desc = Коллектор для радиации, использующийся в сингулярном двигателе. +ent-CrateEngineeringSingularityContainment = ящик с генератором сдерживающего поля + .desc = Генератор сдерживающего поля, удерживает сингулярность под контролем. +ent-CrateEngineeringSingularityGenerator = ящик с генератором сингулярности + .desc = Генератор сингулярности, матерь монстра. +ent-CrateEngineeringParticleAccelerator = ящик с ускорителем частиц + .desc = Сложная в настройке, но чертовски полезная. +ent-CrateEngineeringGenerator = ящик с генератором + .desc = { ent-CrateEngineering.desc } +ent-CrateEngineeringSolar = ящик сборных солнечных панелей + .desc = { ent-CrateEngineering.desc } +ent-CrateEngineeringShuttle = ящик электропитания шаттла + .desc = { ent-CrateEngineeringSecure.desc } + .suffix = { "" } diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/food-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/food-crates.ftl new file mode 100644 index 00000000000..df687552518 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/food-crates.ftl @@ -0,0 +1,16 @@ +ent-CrateFoodPizza = экстренная доставка пиццы + .desc = Внесите свой вклад в борьбу с голодом на станции, доставляя пиццу в отделы с недостаточным финансированием! В комплект входят 4 пиццы. +ent-CrateFoodPizzaLarge = катастрофическая доставка пиццы + .desc = Даже когда всё вокруг рушится, найдите утешение в том, что много пиццы решит все проблемы. В комплект входят 16 пицц. +ent-CrateFoodMRE = ящик ИРП + .desc = Армейские обеды, которыми можно накормить целый отдел. +ent-CrateFoodCooking = ящик кухонных припасов + .desc = Дополнительные кухонные припасы на случай отсутствия ботаников. +ent-CrateFoodDinnerware = ящик кухонных принадлежностей + .desc = Дополнительные кухонные припасы на случай, если клоуна оставили на кухне без надзора. +ent-CrateFoodBarSupply = ящик барных принадлежностей + .desc = Дополнительные барные припасы на случай, если клоуна оставили за барной стойкой без надзора. +ent-CrateFoodSoftdrinks = ящик газировки + .desc = Разнообразная газировка для небольшой вечеринки, без необходимости опустошать соответствующие торгоматы. В комплект входят 14 банок газировки. +ent-CrateFoodSoftdrinksLarge = оптовый ящик газировки + .desc = Большое количество банок газировки, извлеченных прямо из торгоматов Центкома, ведь вы просто не можете покинуть свой отдел. Включает 28 банок газировки. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/fun-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/fun-crates.ftl new file mode 100644 index 00000000000..da0880dd748 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/fun-crates.ftl @@ -0,0 +1,38 @@ +ent-CrateFunPlushie = ящик плюшевых игрушек + .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-CrateFunBikeHornImplants = ящик хонк-имплантов + .desc = Тысяча гудков за день отпугнёт СБ на день! +ent-CrateFunMysteryFigurines = ящик минифигурок Загадочные космонавты + .desc = Коллекция из 10 коробок загадочных минифигурок. Дубликаты возврату не подлежат. +ent-CrateFunDartsSet = набор для дартса + .desc = Коробка со всем необходимым для увлекательной игры в дартс. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/livestock-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/livestock-crates.ftl new file mode 100644 index 00000000000..73e00b899d3 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/livestock-crates.ftl @@ -0,0 +1,40 @@ +ent-CrateNPCBee = ящик с пчёлами + .desc = Ящик, содержащий рой из восьми пчел. +ent-CrateNPCButterflies = ящик с бабочками + .desc = Ящик, содержащий пять бабочек. +ent-CrateNPCCat = ящик с кошкой + .desc = Ящик, содержащий одну кошку. +ent-CrateNPCChicken = ящик кур + .desc = Ящик, содержащий четыре взрослые курицы. +ent-CrateNPCCrab = ящик крабов + .desc = Ящик, содержащий трёх крупных крабов. +ent-CrateNPCDuck = ящик уток + .desc = Ящик, содержащий шесть взрослых уток. +ent-CrateNPCCorgi = ящик корги + .desc = Ящик, содержащий одного корги. +ent-CrateNPCPuppyCorgi = ящик с щенком корги + .desc = Ящик, содержащий одного щенка корги. Аввв. +ent-CrateNPCCow = ящик с коровой + .desc = Ящик, содержащий одну корову. +ent-CrateNPCGoat = ящик с козой + .desc = Ящик, содержащий одну козу. +ent-CrateNPCGoose = ящик гусей + .desc = Ящик, содержащий двух гусей. +ent-CrateNPCGorilla = ящик с гориллой + .desc = Ящик, содержащий одну гориллу. +ent-CrateNPCMonkeyCube = ящик обезьяньих кубиков + .desc = Ящик, содержащий коробку обезьяньих кубиков. +ent-CrateNPCMouse = ящик мышей + .desc = Ящик, содержащий пять мышей. +ent-CrateNPCParrot = ящик попугаев + .desc = Ящик, содержащий трёх попугаев. +ent-CrateNPCPenguin = ящик пингвинов + .desc = Ящик, содержащий двух пингвинов. +ent-CrateNPCPig = ящик со свиньёй + .desc = Ящик, содержащий одну свинью. +ent-CrateNPCSnake = ящик змей + .desc = Ящик, содержащий трёх змей. +ent-CrateNPCLizard = ящик с ящерицей + .desc = Ящик, содержащий одну ящерицу. +ent-CrateNPCKangaroo = ящик с кенгуру + .desc = Ящик, содержащий одного кенгуру. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/materials-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/materials-crates.ftl new file mode 100644 index 00000000000..280fb69425b --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/materials-crates.ftl @@ -0,0 +1,18 @@ +ent-CrateMaterialGlass = ящик стекла + .desc = 90 единиц стекла, упакованных с заботой. +ent-CrateMaterialSteel = ящик стали + .desc = 90 единиц стали. +ent-CrateMaterialTextiles = ящик текстиля + .desc = 60 единиц ткани и 30 единиц дюраткани. +ent-CrateMaterialPlastic = ящик пластика + .desc = 90 единиц пластика. +ent-CrateMaterialWood = ящик дерева + .desc = Куча деревянных досок. +ent-CrateMaterialPlasteel = ящик пластали + .desc = 90 единиц пластали. +ent-CrateMaterialPlasma = ящик твёрдой плазмы + .desc = 90 единиц плазмы. +ent-CrateMaterialCardboard = ящик картона + .desc = 60 единиц картона. +ent-CrateMaterialPaper = ящик бумаги + .desc = 90 листов бумаги. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/medical-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/medical-crates.ftl new file mode 100644 index 00000000000..a6f6b8d5a74 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/medical-crates.ftl @@ -0,0 +1,28 @@ +ent-CrateMedicalDefib = ящик с дефибриллятором + .desc = { ent-CrateMedical.desc } +ent-CrateMedicalSupplies = ящик медицинских припасов + .desc = Стандартные медикаменты. +ent-CrateChemistrySupplies = ящик химического оборудования + .desc = Стандартное химическое оборудование. +ent-CrateMindShieldImplants = ящик имплантов Щит разума + .desc = Ящик, содержащий 3 импланта Щит разума. +ent-CrateMedicalSurgery = ящик хирургических инструментов + .desc = Хирургические инструменты. +ent-CrateMedicalScrubs = ящик медицинских роб + .desc = Врачебная одежда. +ent-CrateEmergencyBurnKit = аварийный набор лечения физических травм + .desc = Ящик, содержащий набор для лечения физических травм. +ent-CrateEmergencyToxinKit = аварийный набор лечения токсинов + .desc = Ящик, содержащий набор для лечения токсинов. +ent-CrateEmergencyO2Kit = аварийный набор лечения кислородного голодания + .desc = Ящик, содержащий набор для лечения кислородного голодания. +ent-CrateEmergencyBruteKit = аварийный набор лечения механических травм + .desc = Ящик, содержащий набор для лечения механических травм. +ent-CrateEmergencyAdvancedKit = продвинутый аварийный набор + .desc = Ящик, содержащий продвинутую аптечку первой помощи. +ent-CrateEmergencyRadiationKit = аварийный набор выведения радиации + .desc = Ящик, содержащий набор для выведения радиации. +ent-CrateBodyBags = ящик мешков для тела + .desc = Содержит 10 мешков для тел. +ent-CrateVirologyBiosuit = ящик вирусологических биозащитных костюмов + .desc = Содержит 2 костюма биологической защиты, чтобы никакая зараза не отвлекала вас от лечения экипажа. Чтобы открыть необходим уровень доступа Медицинский. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/salvage-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/salvage-crates.ftl new file mode 100644 index 00000000000..c35375f14b0 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/salvage-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateSalvageEquipment = ящик снаряжения утилизатора + .desc = Для отважных. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/science-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/science-crates.ftl new file mode 100644 index 00000000000..18dfb1b711f --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/science-crates.ftl @@ -0,0 +1,2 @@ +ent-CrateScienceBiosuit = ящик научных биозащитных костюмов + .desc = Содержит 2 костюма биологической защиты, чтобы никакая зараза не отвлекала вас от занятия исследованиями. Чтобы открыть необходим уровень доступа Научный. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/security-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/security-crates.ftl new file mode 100644 index 00000000000..038f765d4a3 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/security-crates.ftl @@ -0,0 +1,14 @@ +ent-CrateSecurityArmor = ящик с бронёй + .desc = Три универсальных бронежилета с неплохой защитой. Чтобы открыть необходим уровень доступа Служба безопасности. +ent-CrateSecurityHelmet = ящик со шлемами + .desc = Содержит три стандартных ведра для мозгов. Чтобы открыть необходим уровень доступа Служба безопасности. +ent-CrateSecurityNonlethal = ящик нелетального снаряжения + .desc = Несмертельное оружие. Чтобы открыть необходим уровень доступа Служба безопасности. +ent-CrateSecurityRiot = ящик снаряжения против беспорядков + .desc = Содержит два комплекта бронежилетов, шлемов, щитов и дробовиков "Силовик", заряженных травматическими патронами. Дополнительные боеприпасы входят в комплект. Чтобы открыть необходим уровень доступа Оружейная. +ent-CrateSecuritySupplies = ящик припасов СБ + .desc = Содержит различные припасы для службы безопасности станции. Чтобы открыть необходим уровень доступа Служба безопасности. +ent-CrateRestraints = ящик наручников + .desc = Содержит по две коробки наручников и стяжек. Чтобы открыть необходим уровень доступа Служба безопасности. +ent-CrateSecurityBiosuit = ящик биозащитных костюмов СБ + .desc = Содержит 2 костюма биологической защиты, чтобы никакая зараза не отвлекала вас от исполнения своего долга. Чтобы открыть необходим уровень доступа Служба безопасности. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/service-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/service-crates.ftl new file mode 100644 index 00000000000..021179ff4e8 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/service-crates.ftl @@ -0,0 +1,24 @@ +ent-CrateServiceJanitorialSupplies = ящик с уборочным инвентарем + .desc = Победите копоть и грязь с Незаменимыми Припасами для Уборки от Nanotrasen! Содержит три ведра, таблички мокрого пола, и очищающие гранаты. Также содержит одну швабру, тряпку, щётку, чистящий спрей, и мусорный пакет. +ent-CrateServiceReplacementLights = ящик запасных лампочек + .desc = Да воссияет над станцией Свет Эфира! Или хотя бы свет сорока двух лампочек-труб и двадцати одной обычной лампочки. +ent-CrateMousetrapBoxes = ящик мышеловок + .desc = Мышеловки - на случай, когда орда мышей заполонила отделы станции. Используйте экономно... или нет. +ent-CrateServiceSmokeables = ящик табачных изделий + .desc = Устали от быстрой смерти на станции? Закажите этот ящик и прокурите свой путь к кашляющей погибели! +ent-CrateServiceCustomSmokable = ящик табачных изделий (собери-сам) + .desc = Хотите проявить творческий подход к тому, что вы используете для уничтожения своих легких? Этот ящик для вас! В нем есть все, что нужно, чтобы скрутить свои сигареты. +ent-CrateServiceBureaucracy = ящик бюрократических припасов + .desc = Стопка бумаги, папки, несколько ручек - всё о чем можно мечтать. +ent-CrateServicePersonnel = ящик для найма персонала + .desc = Содержит коробку с КПК и чистыми ID картами. +ent-CrateServiceBooks = ящик книг + .desc = Содержит 10 пустых книг случайного вида. +ent-CrateServiceGuidebooks = ящик руководств + .desc = Содержит руководства. +ent-CrateServiceBox = ящик коробок + .desc = Содержит 6 пустых универсальных коробок. +ent-CrateJanitorBiosuit = ящик биозащитных костюмов уборщика + .desc = Содержит 2 костюма биологической защиты, чтобы никакая зараза не отвлекала вас от уборки станции. +ent-CrateServiceTheatre = ящик театрального реквизита + .desc = Содержит плащ моли, униформу горничной, атрибутику клоуна и мима, а также другие прелести для выступлений. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/syndicate-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/syndicate-crates.ftl new file mode 100644 index 00000000000..3f8a0951286 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/syndicate-crates.ftl @@ -0,0 +1,6 @@ +ent-CrateSyndicate = ящик синдиката + .desc = Стальной ящик тёмного цвета с красными полосами и выдавленной на передней панели литерой S. +ent-CrateSyndicateSurplusBundle = ящик припасов синдиката + .desc = Содержит случайное снаряжение Синдиката, общей стоимостью в 50 телекристаллов. Оно может быть как бесполезным хламом, так и реально крутым. +ent-CrateSyndicateSuperSurplusBundle = ящик суперприпасов синдиката + .desc = Содержит случайное снаряжение Синдиката, общей стоимостью в 125 телекристаллов. diff --git a/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/vending-crates.ftl b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/vending-crates.ftl new file mode 100644 index 00000000000..76962e83d06 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/catalog/fills/crates/vending-crates.ftl @@ -0,0 +1,46 @@ +ent-CrateVendingMachineRestockBoozeFilled = ящик пополнения АлкоМат + .desc = Содержит набор пополнения торгомата АлкоМат. +ent-CrateVendingMachineRestockClothesFilled = ящик пополнения одежды + .desc = Содержит несколько наборов пополнения торгоматов, ОдеждоМата и ТеатроШкафа. +ent-CrateVendingMachineRestockDinnerwareFilled = ящик пополнения ПосудоМат + .desc = Содержит набор пополнения торгомата ПосудоМат. +ent-CrateVendingMachineRestockEngineeringFilled = ящик пополнения ИнжеМат + .desc = Содержит набор пополнения торгомата ИнжеМат. Он же может пополнить торгомат ТвоИнструменты. +ent-CrateVendingMachineRestockGamesFilled = ящик пополнения Безобидные развлечения + .desc = Содержит набор пополнения торгомата Безобидные развлечения. +ent-CrateVendingMachineRestockHotDrinksFilled = ящик пополнения Лучшие горячие напитки Солнечной + .desc = Содержит два набора пополнения кофейного автомата Лучшие горячие напитки Солнечной. +ent-CrateVendingMachineRestockMedicalFilled = ящик пополнения НаноМед + .desc = Содержит набор пополнения, совместимый с торгоматами НаноМед и НаноМед Плюс. +ent-CrateVendingMachineRestockNutriMaxFilled = ящик пополнения БотаМакс + .desc = Содержит набор пополнения торгомата БотаМакс. +ent-CrateVendingMachineRestockPTechFilled = ящик пополнения ПТех + .desc = Содержит набор пополнения раздатчика бюрократии ПТех. +ent-CrateVendingMachineRestockRobustSoftdrinksFilled = ящик пополнения Прохладительные напитки Робаст + .desc = Содержит два набора пополнения торгоматов компании Robust Softdrinks LLC. +ent-CrateVendingMachineRestockSalvageEquipmentFilled = ящик пополнения Утильмаг + .desc = Содержит набор пополнения торгомата Утильмаг. +ent-CrateVendingMachineRestockSecTechFilled = ящик пополнения СБТех + .desc = Содержит набор пополнения торгомата СБТех. +ent-CrateVendingMachineRestockSeedsFilled = ящик пополнения МегаРаздатчик Семян + .desc = Содержит набор пополнения торгомата МегаРаздатчик Семян. +ent-CrateVendingMachineRestockSmokesFilled = ящик пополнения ШейдиСиг Делюкс + .desc = Содержит два набора пополнения торгоматов ШейдиСиг Делюкс. +ent-CrateVendingMachineRestockVendomatFilled = ящик пополнения Вендомат + .desc = Содержит набор пополнения торгомата Вендомат. +ent-CrateVendingMachineRestockRoboticsFilled = ящик пополнения Роботех Делюкс + .desc = Содержит набор пополнения торгомата Роботех Делюкс. +ent-CrateVendingMachineRestockTankDispenserFilled = ящик пополнения газовых баллонов + .desc = Содержит набор пополнения атмосферного или инженерного раздатчика газовых баллонов. +ent-CrateVendingMachineRestockGetmoreChocolateCorpFilled = ящик пополнения Гетмор Шоколад + .desc = Содержит набор пополнения торгомата Гетмор Шоколад Корп. +ent-CrateVendingMachineRestockChangFilled = ящик пополнения Чанг + .desc = Содержит набор пополнения торгомата Мистер Чанг. +ent-CrateVendingMachineRestockDiscountDansFilled = ящик пополнения Дискаунтер Дэна + .desc = Содержит набор пополнения торгомата Дискаунтер Дэна. +ent-CrateVendingMachineRestockDonutFilled = ящик пополнения Пончики Монкинс + .desc = Содержит набор пополнения торгомата Пончики Монкинс. +ent-CrateVendingMachineRestockHappyHonkFilled = ящик пополнения Хэппи Хонк + .desc = Содержит набор пополнения торгомата Хэппи Хонк. +ent-CrateVendingMachineRestockChemVendFilled = ящик пополнения ХимкоМат + .desc = Содержит набор пополнения торгомата ХимкоМат. diff --git a/Resources/Locale/ru-RU/prototypes/emitter.ftl b/Resources/Locale/ru-RU/prototypes/emitter.ftl new file mode 100644 index 00000000000..5c3f5cc1325 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/emitter.ftl @@ -0,0 +1,4 @@ +### Emitter entity prototype data. + +ent-emitter = эмиттер + .desc = Устройство, стреляющее энергетическими пучками, используемое для питания сдерживающих полей на безопасном расстоянии. diff --git a/Resources/Locale/ru-RU/prototypes/entities/objects/specific/xenoarchaelogy/artifact-equipment.ftl b/Resources/Locale/ru-RU/prototypes/entities/objects/specific/xenoarchaelogy/artifact-equipment.ftl new file mode 100644 index 00000000000..d6936444ac6 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/entities/objects/specific/xenoarchaelogy/artifact-equipment.ftl @@ -0,0 +1,2 @@ +ent-CrateArtifactContainer = контейнер для артефактов + .desc = Используется для безопасного хранения и перемещения артефактов. diff --git a/Resources/Locale/ru-RU/prototypes/entities/structures/shuttles/thrusters.ftl b/Resources/Locale/ru-RU/prototypes/entities/structures/shuttles/thrusters.ftl new file mode 100644 index 00000000000..ff7b6b8e26e --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/entities/structures/shuttles/thrusters.ftl @@ -0,0 +1,10 @@ +ent-BaseThruster = двигатель + .desc = Ускоритель, заставляющий шаттл двигаться. +ent-Thruster = { ent-BaseThruster } + .desc = { ent-BaseThruster.desc } +ent-DebugThruster = дебаг двигатель + .desc = Делает ньооооооом. Не требует ни питания, ни свободного места. +ent-Gyroscope = гироскоп + .desc = Увеличивает потенциальное угловое вращение шаттла. +ent-DebugGyroscope = дебаг гироскоп + .desc = { ent-Gyroscope.desc } diff --git a/Resources/Locale/ru-RU/prototypes/entities/structures/storage/canisters/gas-canisters.ftl b/Resources/Locale/ru-RU/prototypes/entities/structures/storage/canisters/gas-canisters.ftl new file mode 100644 index 00000000000..4bcea8a84b2 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/entities/structures/storage/canisters/gas-canisters.ftl @@ -0,0 +1,54 @@ +ent-GasCanister = канистра для газа + .desc = Канистра, в которой может содержаться газ любого вида. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-StorageCanister = канистра для хранения + .desc = { ent-GasCanister.desc } +ent-AirCanister = канистра воздуха + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится воздушная смесь. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-OxygenCanister = канистра кислорода + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится кислород. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-LiquidOxygenCanister = канистра сжиженного кислорода + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится сжиженный кислород. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-NitrogenCanister = канистра азота + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится азот. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-LiquidNitrogenCanister = канистра сжиженного азота + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится сжиженный азот. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-CarbonDioxideCanister = канистра углекислого газа + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится углекислый газ. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-LiquidCarbonDioxideCanister = канистра сжиженного углекислого газа + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится сжиженный углекислый газ. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-PlasmaCanister = канистра плазмы + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится плазма. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-TritiumCanister = канистра трития + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится тритий. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-WaterVaporCanister = канистра водяного пара + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится водяной пар. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-MiasmaCanister = канистра миазм + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержатся миазмы. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-NitrousOxideCanister = канистра оксида азота + .desc = Канистра, в которой может содержаться газ любого вида. В этой, предположительно, содержится оксид азота. Можно прикрепить к порту коннектора с помощью гаечного ключа. +ent-FrezonCanister = канистра фрезона + .desc = Хладагент с лёгкими галлюциногенными свойствами. Развлекайтесь. +ent-GasCanisterBrokenBase = разбитая канистра для газа + .desc = Разбитая канистра для газа. Не совсем бесполезна, так как может быть разобрана для получения высококачественных материалов. +ent-StorageCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-AirCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-OxygenCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-NitrogenCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-CarbonDioxideCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-PlasmaCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-TritiumCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-WaterVaporCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-MiasmaCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-NitrousOxideCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } +ent-FrezonCanisterBroken = { ent-GasCanisterBrokenBase } + .desc = { ent-GasCanisterBrokenBase.desc } diff --git a/Resources/Locale/ru-RU/prototypes/entities/structures/storage/tanks/tanks.ftl b/Resources/Locale/ru-RU/prototypes/entities/structures/storage/tanks/tanks.ftl new file mode 100644 index 00000000000..c5c6737d387 --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/entities/structures/storage/tanks/tanks.ftl @@ -0,0 +1,14 @@ +ent-WeldingFuelTank = топливный резервуар + .desc = Топливный резервуар. Используется для хранения большого количества топлива. +ent-WeldingFuelTankFull = { ent-WeldingFuelTank } + .desc = { ent-WeldingFuelTank.desc } +ent-WeldingFuelTankHighCapacity = топливный резервуар большой ёмкости + .desc = Резервуар для жидкости под высоким давлением, предназначенный для хранения гигантских объемов сварочного топлива. +ent-WaterTank = водяной резервуар + .desc = Резервуар для воды. Используется для хранения большого количества воды. +ent-WaterTankFull = { ent-WaterTank } + .desc = { ent-WaterTank.desc } +ent-WaterCooler = кулер с водой + .desc = Хорошее место, чтобы постоять и потратить время. +ent-WaterTankHighCapacity = водяной резервуар большой ёмкости + .desc = Резервуар для жидкости под высоким давлением, предназначенный для хранения гигантских объемов воды. diff --git a/Resources/Locale/ru-RU/prototypes/gas-tanks.ftl b/Resources/Locale/ru-RU/prototypes/gas-tanks.ftl new file mode 100644 index 00000000000..cf49ee0138a --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/gas-tanks.ftl @@ -0,0 +1,18 @@ +### Gas tank entity prototype data. + +ent-gas-tank-base = газовый баллон + .desc = Это газовый баллон. Он содержит газ. +ent-oxygen-tank = кислородный баллон + .desc = Баллон с кислородом. +ent-yellow-oxygen-tank = { ent-oxygen-tank } + .desc = Жёлтый баллон с кислородом. +ent-red-oxygen-tank = { ent-oxygen-tank } + .desc = Красный баллон с кислородом. +ent-emergency-oxygen-tank = аварийный кислородный баллон + .desc = Используется в чрезвычайных ситуациях. Содержит очень мало кислорода, поэтому постарайтесь сохранить его до тех пор, пока он вам действительно не понадобится. +ent-extended-emergency-oxygen-tank = аварийный кислородный баллон увеличенной ёмкости +ent-double-emergency-oxygen-tank = двойной аварийный кислородный баллон +ent-air-tank = баллон с воздухом + .desc = Какая-то смесь? +ent-plasma-tank = баллон плазмы + .desc = Содержит опасную плазму. Не вдыхать. Чрезвычайно огнеопасен. diff --git a/Resources/Locale/ru-RU/prototypes/roles/antags.ftl b/Resources/Locale/ru-RU/prototypes/roles/antags.ftl new file mode 100644 index 00000000000..9caf0e69b7a --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/roles/antags.ftl @@ -0,0 +1,24 @@ +roles-antag-syndicate-agent-name = Агент Синдиката +roles-antag-syndicate-agent-objective = Выполните свои задачи и не попадитесь. +roles-antag-initial-infected-name = Нулевой заражённый +roles-antag-initial-infected-objective = После превращения заразите как можно больше других членов экипажа. +roles-antag-zombie-name = Зомби +roles-antag-zombie-objective = Превратите как можно больше членов экипажа в зомби. +roles-antag-suspicion-innocent-name = Невиновный +roles-antag-suspicion-innocent-objective = Найдите и уничтожьте всех предателей. +roles-antag-suspicion-suspect-name = Подозреваемый +roles-antag-suspicion-suspect-objective = Убейте невиновных. +roles-antag-nuclear-operative-commander-name = Командир ядерных оперативников +roles-antag-nuclear-operative-commander-objective = Приведите свой отряд к уничтожению станции. +roles-antag-nuclear-operative-agent-name = Медик ядерных оперативников +roles-antag-nuclear-operative-agent-objective = Как обычный оперативник, но с приоритетом на медпомощь отряду. +roles-antag-nuclear-operative-name = Ядерный оперативник +roles-antag-nuclear-operative-objective = Найдите ядерный диск и взорвите станцию. +roles-antag-subverted-silicon-name = Взломанный борг +roles-antag-subverted-silicon-objective = Следуйте своим новым законам и творите зло на станции. +roles-antag-space-ninja-name = Космический ниндзя +roles-antag-space-ninja-objective = Используй свою скрытность, чтобы устроить диверсию на станции, питайтесь от электрических проводов. +roles-antag-thief-name = Вор +roles-antag-thief-objective = Добавьте в свою коллекцию всякие штучки от NT. +roles-antag-terminator-name = Экстерминатор +roles-antag-terminator-objective = Устраните свою цель любыми средствами, будущее рассчитывает на вас. diff --git a/Resources/Locale/ru-RU/prototypes/solar_panels.ftl b/Resources/Locale/ru-RU/prototypes/solar_panels.ftl new file mode 100644 index 00000000000..4f2b681831b --- /dev/null +++ b/Resources/Locale/ru-RU/prototypes/solar_panels.ftl @@ -0,0 +1,15 @@ +### Power entity prototype data. + + +### Solars + +ent-solar-tracker = солнечный трекер + .desc = Солнечный трекер. Может быть подключен к компьютеру и массиву солнечных панелей для отслеживания их положения. +ent-solar-assembly = каркас солнечной панели + .desc = Каркас солнечной панели. Установите на провод, чтобы начать сборку солнечной панели. +ent-solar-panel = солнечная панель + .desc = Вырабатывает энергию из солнечного света. Обычно используется для питания заменителей солнечного света. Хрупкая. +ent-solar-tracker-electronics = микросхема солнечного трекера + .desc = Микросхема для создания солнечного трекера. +ent-solar-assembly-part = детали каркаса солнечной панели + .desc = Используется для создания каркаса солнечной панели, из которого можно собрать солнечную панель или трекер. diff --git a/Resources/Locale/ru-RU/pulling/pullable-component.ftl b/Resources/Locale/ru-RU/pulling/pullable-component.ftl new file mode 100644 index 00000000000..6cc60f6ce5d --- /dev/null +++ b/Resources/Locale/ru-RU/pulling/pullable-component.ftl @@ -0,0 +1,4 @@ +## PullingVerb + +pulling-verb-get-data-text = Тащить +pulling-verb-get-data-text-stop-pulling = Перестать тащить diff --git a/Resources/Locale/ru-RU/quick-dialog/quick-dialog.ftl b/Resources/Locale/ru-RU/quick-dialog/quick-dialog.ftl new file mode 100644 index 00000000000..1ac9f9a036b --- /dev/null +++ b/Resources/Locale/ru-RU/quick-dialog/quick-dialog.ftl @@ -0,0 +1,6 @@ +quick-dialog-ui-integer = Integer.. +quick-dialog-ui-float = Float.. +quick-dialog-ui-short-text = Короткий текст.. +quick-dialog-ui-long-text = Длинный текст.. +quick-dialog-ui-ok = Ок +quick-dialog-ui-cancel = Отмена diff --git a/Resources/Locale/ru-RU/radiation/geiger-component.ftl b/Resources/Locale/ru-RU/radiation/geiger-component.ftl new file mode 100644 index 00000000000..e8f31c0ad3c --- /dev/null +++ b/Resources/Locale/ru-RU/radiation/geiger-component.ftl @@ -0,0 +1,3 @@ +geiger-item-control-status = Радиация: [color={ $color }]{ $rads } рад[/color] +geiger-item-control-disabled = Отключён +geiger-component-examine = Текущий уровень радиации: [color={ $color }]{ $rads } рад[/color] diff --git a/Resources/Locale/ru-RU/radiation/radiation-command.ftl b/Resources/Locale/ru-RU/radiation/radiation-command.ftl new file mode 100644 index 00000000000..5a45063cdb1 --- /dev/null +++ b/Resources/Locale/ru-RU/radiation/radiation-command.ftl @@ -0,0 +1,2 @@ +radiation-command-description = Переключение видимости лучей радиации, исходящих от источников радиации +radiation-command-help = Использование: showradiation diff --git a/Resources/Locale/ru-RU/radio/components/encryption-key-component.ftl b/Resources/Locale/ru-RU/radio/components/encryption-key-component.ftl new file mode 100644 index 00000000000..9eb50b2c391 --- /dev/null +++ b/Resources/Locale/ru-RU/radio/components/encryption-key-component.ftl @@ -0,0 +1,9 @@ +encryption-key-successfully-installed = Вы вставляете ключ внутрь. +encryption-key-slots-already-full = Не хватает места для ещё одного ключа. +encryption-keys-all-extracted = Вы извлекаете ключи шифрования! +encryption-keys-no-keys = В этом устройстве нет ключей шифрования! +encryption-keys-are-locked = Ячейка ключей шифрования заблокирована. +encryption-keys-panel-locked = Сначала откройте техническую панель. +examine-encryption-channels-prefix = Доступные частоты: +examine-encryption-channel = [color={ $color }]{ $key } для канала { $id } (частота { $freq })[/color] +examine-encryption-default-channel = Каналом по умолчанию является [color={ $color }]{ $channel }[/color]. diff --git a/Resources/Locale/ru-RU/radio/components/handheld-radio-component.ftl b/Resources/Locale/ru-RU/radio/components/handheld-radio-component.ftl new file mode 100644 index 00000000000..eef3f8f76dd --- /dev/null +++ b/Resources/Locale/ru-RU/radio/components/handheld-radio-component.ftl @@ -0,0 +1,6 @@ +handheld-radio-component-on-use = Радио { $radioState }. +handheld-radio-component-on-examine = Настроено на работу на частоте { $frequency }. +handheld-radio-component-on-state = включено +handheld-radio-component-off-state = выключено +handheld-radio-component-channel-set = Включён { $channel } канал +handheld-radio-component-chennel-examine = Выбранный канал: { $channel }. diff --git a/Resources/Locale/ru-RU/radio/components/intercom.ftl b/Resources/Locale/ru-RU/radio/components/intercom.ftl new file mode 100644 index 00000000000..b635a9721bf --- /dev/null +++ b/Resources/Locale/ru-RU/radio/components/intercom.ftl @@ -0,0 +1,5 @@ +intercom-menu-title = Интерком +intercom-channel-label = Канал: +intercom-button-text-mic = Микр. +intercom-button-text-speaker = Динам. +intercom-flavor-text-left = Не засоряйте эфир болтовнёй diff --git a/Resources/Locale/ru-RU/radio/components/radio-jammer-component.ftl b/Resources/Locale/ru-RU/radio/components/radio-jammer-component.ftl new file mode 100644 index 00000000000..5045e588fdd --- /dev/null +++ b/Resources/Locale/ru-RU/radio/components/radio-jammer-component.ftl @@ -0,0 +1,5 @@ +radio-jammer-component-on-use = Глушитель связи { $state }. +radio-jammer-component-on-state = включён +radio-jammer-component-off-state = выключен +radio-jammer-component-examine-on-state = Индикатор работы [color=darkgreen]горит[/color]. +radio-jammer-component-examine-off-state = Индикатор работы [color=darkred]не горит[/color]. diff --git a/Resources/Locale/ru-RU/ratvar/ratvar.ftl b/Resources/Locale/ru-RU/ratvar/ratvar.ftl new file mode 100644 index 00000000000..042c4be7eb6 --- /dev/null +++ b/Resources/Locale/ru-RU/ratvar/ratvar.ftl @@ -0,0 +1,2 @@ +ratvar-has-risen = РАТВАР ПРОБУДИЛСЯ +ratvar-has-risen-sender = ??? diff --git a/Resources/Locale/ru-RU/rcd/components/rcd-ammo-component.ftl b/Resources/Locale/ru-RU/rcd/components/rcd-ammo-component.ftl new file mode 100644 index 00000000000..4cf6e85def7 --- /dev/null +++ b/Resources/Locale/ru-RU/rcd/components/rcd-ammo-component.ftl @@ -0,0 +1,8 @@ +rcd-ammo-component-on-examine = + Содержит { $charges } { $charges -> + [one] заряд + [few] заряда + *[other] зарядов + }. +rcd-ammo-component-after-interact-full = РСУ полон! +rcd-ammo-component-after-interact-refilled = Вы пополняете РСУ. diff --git a/Resources/Locale/ru-RU/rcd/components/rcd-component.ftl b/Resources/Locale/ru-RU/rcd/components/rcd-component.ftl new file mode 100644 index 00000000000..33401e2dd92 --- /dev/null +++ b/Resources/Locale/ru-RU/rcd/components/rcd-component.ftl @@ -0,0 +1,16 @@ +### UI + +# Shown when an RCD is examined in details range +rcd-component-examine-detail = Переключён в режим { $mode }. + +### Interaction Messages + +# Shown when changing RCD Mode +rcd-component-change-mode = РСУ переключён в режим { $mode }. +rcd-component-no-ammo-message = В РСУ закончились заряды! +rcd-component-tile-obstructed-message = Этот тайл заблокирован! +rcd-component-tile-indestructible-message = Этот тайл не может быть уничтожен! +rcd-component-deconstruct-target-not-on-whitelist-message = Вы не можете это деконструировать! +rcd-component-cannot-build-floor-tile-not-empty-message = Пол можно построить только в космосе! +rcd-component-cannot-build-wall-tile-not-empty-message = Вы не можете построить стену в космосе! +rcd-component-cannot-build-airlock-tile-not-empty-message = Вы не можете построить шлюз в космосе! diff --git a/Resources/Locale/ru-RU/reagents/Capsaicin.ftl b/Resources/Locale/ru-RU/reagents/Capsaicin.ftl new file mode 100644 index 00000000000..90e5e9f844c --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/Capsaicin.ftl @@ -0,0 +1,4 @@ +### Messages that pop up when metabolizing Capsaicin Oil. + +capsaicin-effect-light-burn = Вы ощущаете легкое жжение в горле... +capsaicin-effect-heavy-burn = Вы чувствуете что во рту творится самый настоящий ад! diff --git a/Resources/Locale/ru-RU/reagents/barozine.ftl b/Resources/Locale/ru-RU/reagents/barozine.ftl new file mode 100644 index 00000000000..b05eecb5479 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/barozine.ftl @@ -0,0 +1,2 @@ +barozine-effect-skin-burning = Вы чувствуете, как ваша кожа горит! +barozine-effect-muscle-contract = Вы чувствуете, как ваши мышцы напрягаются. diff --git a/Resources/Locale/ru-RU/reagents/buzzochloricbees.ftl b/Resources/Locale/ru-RU/reagents/buzzochloricbees.ftl new file mode 100644 index 00000000000..c55ee290f80 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/buzzochloricbees.ftl @@ -0,0 +1,15 @@ +buzzochloricbees-effect-oh-god-bees = Над вами роится много-много пчел. +buzzochloricbees-effect-its-the-bees = Это пчёлы, о господи, пчёлы. +buzzochloricbees-effect-why-am-i-covered-in-bees = Вы покрыты разъярёнными пчёлами. +buzzochloricbees-effect-one-with-the-bees = Вы одно целое с пчелами. +buzzochloricbees-effect-squeaky-clean = Вы чувствуете себя скрепяще-чистым, пока пчёлы пытаются от вас избавиться. +buzzochloricbees-effect-histamine-bee-allergy = Видимо, у вас сильная аллергия на пчел. +buzzochloricbees-effect-histamine-swells = Вы раздуваетесь как воздушный шар в присутствии пчёл +buzzochloricbees-effect-histamine-numb-to-the-bees = Вы оцепенели из-за пчёл. +buzzochloricbees-effect-histamine-cannot-be-one-with-the-bees = Вы не одно целое с пчелами. +buzzochloricbees-effect-licoxide-electrifying = Пчёлы наэлектризованы. +buzzochloricbees-effect-licoxide-shocked-by-bee-facts = Вас шокируют эти пять фактов о пчелах. +buzzochloricbees-effect-licoxide-buzzed = Вы чувствуете "отжужжанность". +buzzochloricbees-effect-licoxide-buzzes = Вы жужжите вместе с пчелами. +buzzochloricbees-effect-fiber-hairy = Вы чувствуете себя пушистым, как пчела. +buzzochloricbees-effect-fiber-soft = Вы чувствуете необыкновенную мягкость пчел. diff --git a/Resources/Locale/ru-RU/reagents/carpetium.ftl b/Resources/Locale/ru-RU/reagents/carpetium.ftl new file mode 100644 index 00000000000..7fe22c6678d --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/carpetium.ftl @@ -0,0 +1,2 @@ +carpetium-effect-blood-fibrous = Ваша кровь кажется странно волокнистой сегодня. +carpetium-effect-jumpsuit-insides = По какой-то причине вы чувствуете, что внутри вас находится комбинезон. diff --git a/Resources/Locale/ru-RU/reagents/clf3.ftl b/Resources/Locale/ru-RU/reagents/clf3.ftl new file mode 100644 index 00000000000..49452769b48 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/clf3.ftl @@ -0,0 +1,3 @@ +clf3-it-burns = Обжигает как в аду! +clf3-get-away = Вам нужно уносить ноги сейчас же! +clf3-explosion = Смесь выстреливает наружу! diff --git a/Resources/Locale/ru-RU/reagents/ephedrine.ftl b/Resources/Locale/ru-RU/reagents/ephedrine.ftl new file mode 100644 index 00000000000..71aedf761a7 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/ephedrine.ftl @@ -0,0 +1,4 @@ +### Messages that pop up when metabolizing ephedrine. + +ephedrine-effect-tight-pain = Вы чувствуете тугую боль в груди. +ephedrine-effect-heart-pounds = Ваше сердце колотится! diff --git a/Resources/Locale/ru-RU/reagents/ethyloxyephedrine.ftl b/Resources/Locale/ru-RU/reagents/ethyloxyephedrine.ftl new file mode 100644 index 00000000000..90d7d0a65a6 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/ethyloxyephedrine.ftl @@ -0,0 +1,4 @@ +### Messages that pop up when metabolizing ethyloxyephedrine + +ethyloxyephedrine-effect-feeling-awake = Вы чувствуете себя не так сонно. +ethyloxyephedrine-effect-clear-mind = Туман сна рассеивается перед вами. diff --git a/Resources/Locale/ru-RU/reagents/fresium.ftl b/Resources/Locale/ru-RU/reagents/fresium.ftl new file mode 100644 index 00000000000..095507cb8b6 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/fresium.ftl @@ -0,0 +1,3 @@ +fresium-effect-freeze-insides = Вы чувствуете, как ваши внутренности замерзают! +fresium-effect-frozen = Ваши ноги заморожены! +fresium-effect-slow = Вы с трудом перебираете ногами! diff --git a/Resources/Locale/ru-RU/reagents/frezon.ftl b/Resources/Locale/ru-RU/reagents/frezon.ftl new file mode 100644 index 00000000000..8e6b6c30f97 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/frezon.ftl @@ -0,0 +1,2 @@ +frezon-lungs-cold = Ваши лёгкие морозит. +frezon-euphoric = Вам зябко, но вы испытываете эйфорию.. diff --git a/Resources/Locale/ru-RU/reagents/generic.ftl b/Resources/Locale/ru-RU/reagents/generic.ftl new file mode 100644 index 00000000000..c928e59cb38 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/generic.ftl @@ -0,0 +1,11 @@ +### Messages that can be utilized by multiple reagents. + +generic-reagent-effect-burning-insides = Вы чувствуете, как горят ваши внутренности! +generic-reagent-effect-burning-eyes = Ваши глаза начинают легко гореть. +generic-reagent-effect-burning-eyes-a-bit = Ваши глаза немного горят. +generic-reagent-effect-tearing-up = Ваши глаза начинают слезиться. +generic-reagent-effect-nauseous = Вы чувствуете тошноту. +generic-reagent-effect-parched = Вы чувствуете сухость в горле. +generic-reagent-effect-thirsty = Вы испытываете жажду. +generic-reagent-effect-sick = Вы чувствуете себя плохо после употребления этого... +generic-reagent-effect-slicing-insides = Вы чувствуете ужасно острую боль во внутренностях! diff --git a/Resources/Locale/ru-RU/reagents/histamine.ftl b/Resources/Locale/ru-RU/reagents/histamine.ftl new file mode 100644 index 00000000000..d0e3d1443a9 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/histamine.ftl @@ -0,0 +1,4 @@ +### Messages that pop up when metabolizing histamine. + +histamine-effect-light-itchiness = Вы чувствуете легкий зуд... +histamine-effect-heavy-itchiness = Вы чувствуете НАСТОЯЩИЙ зуд! diff --git a/Resources/Locale/ru-RU/reagents/laughter.ftl b/Resources/Locale/ru-RU/reagents/laughter.ftl new file mode 100644 index 00000000000..14c8c9fe8fd --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/laughter.ftl @@ -0,0 +1 @@ +laughter-effect-control-laughter = Вы не можете сдержать своего смеха! diff --git a/Resources/Locale/ru-RU/reagents/leporazine.ftl b/Resources/Locale/ru-RU/reagents/leporazine.ftl new file mode 100644 index 00000000000..fb61a5dcf8c --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/leporazine.ftl @@ -0,0 +1 @@ +leporazine-effect-temperature-adjusting = Вы чувствуете, как температура вашего тела быстро меняется. diff --git a/Resources/Locale/ru-RU/reagents/meta/biological.ftl b/Resources/Locale/ru-RU/reagents/meta/biological.ftl new file mode 100644 index 00000000000..43c2e1a13fa --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/biological.ftl @@ -0,0 +1,18 @@ +reagent-name-blood = кровь +reagent-desc-blood = Я надеюсь, что это кетчуп. +reagent-name-insect-blood = кровь инсектоидов +reagent-desc-insect-blood = Окей, это абсолютно омерзительно. И выглядит отчасти... живой? +reagent-name-slime = слизь +reagent-desc-slime = Сначала вам показалось, что это градиент крови, но вы ошиблись. +reagent-name-hemocyanin-blood = голубая кровь +reagent-desc-hemocyanin-blood = Содержит медь, а не железо, что придаёт ей ярко выраженный голубой цвет. +reagent-name-ammonia-blood = гнилая кровь +reagent-desc-ammonia-blood = Ничто другое в галактике не пахнет так отвратительно. +reagent-name-zombie-blood = кровь зомби +reagent-desc-zombie-blood = Не рекомендуется употреблять в пищу. Может быть использована для создания прививки от инфекции. +reagent-name-ichor = ихор +reagent-desc-ichor = Чрезвычайно мощное регенеративное химическое вещество, доведенное до совершенства эволюцией космической фауны. Производится в пищеварительной системе дракона и считается экзотическим товаром, поскольку охота на него требует огромных усилий. +reagent-name-fat = жир +reagent-desc-fat = Независимо от того, как он был получен, его применение важно. +reagent-name-vomit = рвота +reagent-desc-vomit = Вы можете увидеть в ней несколько кусков чьей-то последней еды. diff --git a/Resources/Locale/ru-RU/reagents/meta/botany.ftl b/Resources/Locale/ru-RU/reagents/meta/botany.ftl new file mode 100644 index 00000000000..a9e7adbe263 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/botany.ftl @@ -0,0 +1,16 @@ +reagent-name-e-z-nutrient = EZ-нутриенты +reagent-desc-e-z-nutrient = Дайте вашим растениям немного этих ЛЁГКИХ питательных веществ! Дионы считают это аппетитным. +reagent-name-left4-zed = left-4-zed +reagent-desc-left4-zed = Коктейль из различных мутагенов, которые вызывают сильную нестабильность у растительности. +reagent-name-pest-killer = пестициды +reagent-desc-pest-killer = Смесь, предназначенная для борьбы с вредителями. +reagent-name-plant-b-gone = plant-B-gone +reagent-desc-plant-b-gone = Вредная токсичная смесь для уничтожения растительной жизни. Очень эффективно против кудзу. +reagent-name-robust-harvest = робаст харвест +reagent-desc-robust-harvest = Высокоэффективное удобрение. Незаменимый помощник ботаника и лучший друг дионы. +reagent-name-weed-killer = гербициды +reagent-desc-weed-killer = Смесь, предназначенная для борьбы с сорняками. Очень эффективно против кудзу. +reagent-name-ammonia = аммиак +reagent-desc-ammonia = Эффективное удобрение, которое лучше, чем доступное ботаникам изначально, хотя и не такое мощное, как диэтиламин. +reagent-name-diethylamine = диэтиламин +reagent-desc-diethylamine = Очень сильное удобрение. diff --git a/Resources/Locale/ru-RU/reagents/meta/chemicals.ftl b/Resources/Locale/ru-RU/reagents/meta/chemicals.ftl new file mode 100644 index 00000000000..68766b06da6 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/chemicals.ftl @@ -0,0 +1,20 @@ +reagent-name-acetone = ацетон +reagent-desc-acetone = Прозрачная, слегка канцерогенная жидкость. Имеет множество простых способов применения в повседневной жизни. +reagent-name-phenol = фенол +reagent-desc-phenol = Ароматическое кольцо углерода с гидроксильной группой. Полезный ингредиент для ряда лекарств, но сам по себе не обладает лечебными свойствами. +reagent-name-sodium-carbonate = карбонат натрия +reagent-desc-sodium-carbonate = Белая, не имеющая запаха соль, хорошо растворимая в воде и образующая при этом щелочной раствор. Также известна как сода кальцинированная. +reagent-name-artifexium = артифексиум +reagent-desc-artifexium = Лавандовая смесь микроскопических фрагментов артефактов и сильной кислоты. Обладает способностью активировать артефакты. +reagent-name-benzene = бензол +reagent-desc-benzene = Канцерогенная основа для многих органических соединений. +reagent-name-hydroxide = гидроксид +reagent-desc-hydroxide = Сильное щелочное химическое вещество, являющееся основой для многих органических соединений. +reagent-name-sodium-hydroxide = гидроксид натрия +reagent-desc-sodium-hydroxide = Белая, без запаха, растворимая в воде соль, образующая сильный щелочной раствор в воде. При попадании в организм вызывает ожоги и рвоту. +reagent-name-fersilicite = Ферсилицит +reagent-desc-fersilicite = Интерметаллическое соединение с необычными магнитными свойствами при низких температурах. +reagent-name-sodium-polyacrylate = полиакрилат натрия +reagent-desc-sodium-polyacrylate = Супервпитывающий полимер с различными промышленными применениями. +reagent-name-cellulose = целлюлозные волокна +reagent-desc-cellulose = Кристаллический полидекстрозный полимер, выделяемый растениями. diff --git a/Resources/Locale/ru-RU/reagents/meta/cleaning.ftl b/Resources/Locale/ru-RU/reagents/meta/cleaning.ftl new file mode 100644 index 00000000000..bdf283d7881 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/cleaning.ftl @@ -0,0 +1,12 @@ +reagent-name-bleach = отбеливатель +reagent-desc-bleach = В просторечии хлорка. Сверхмощное чистящее средство, которое может очищать полы так же, как и космический очиститель, а также обеззараживать одежду. Крайне токсичен при попадании в организм. +reagent-name-space-cleaner = космический очиститель +reagent-desc-space-cleaner = Способен очистить почти любую поверхность от всего, что может ее запачкать. Уборщик наверняка будет благодарен добавке. +reagent-name-soap = мыло +reagent-desc-soap = Мыло можно использовать для получения мыльной воды. +reagent-name-soapy-water = мыльная вода +reagent-desc-soapy-water = Раствор мыла с водой. Хорошо очищает поверхности от грязи, и более скользкий, чем простая вода. +reagent-name-space-lube = космическая смазка +reagent-desc-space-lube = Космическая смазка - высокоэффективный лубрикант, предназначенный для обслуживания исключительно сложного механического оборудования (и уж точно не используемый для подскальзывания людей). +reagent-name-space-glue = космический клей +reagent-desc-space-glue = Космический клей - высокоэффективный клей, предназначенный для обслуживания исключительно сложного механического оборудования (и уж точно не используемый для приклеивания людей к полу). diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/drink/alcohol.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/alcohol.ftl new file mode 100644 index 00000000000..70d39a2f40b --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/alcohol.ftl @@ -0,0 +1,168 @@ +reagent-name-absinthe = абсент +reagent-desc-absinthe = Спиртной напиток со вкусом аниса, полученный из растений. +reagent-name-ale = эль +reagent-desc-ale = Тёмный алкогольный напиток, приготовленный из ячменного солода и дрожжей. +reagent-name-beer = пиво +reagent-desc-beer = Алкогольный напиток, изготовленный из солода, хмеля, дрожжей и воды. +reagent-name-blue-curacao = голубой кюрасао +reagent-desc-blue-curacao = Экзотично-голубой фруктовый напиток, дистиллированный из апельсинов. +reagent-name-cognac = коньяк +reagent-desc-cognac = Сладкий и крепкий алкогольный напиток, дважды дистиллированный и оставленный для выдержки на несколько лет. Сладкий, как блуд. +reagent-name-dead-rum = мёртвый ром +reagent-desc-dead-rum = Дистиллированный алкогольный напиток, изготовленный из морской воды. +reagent-name-ethanol = этанол +reagent-desc-ethanol = Он же этиловый спирт. Простейший алкоголь, при употреблении пьянит, легко воспламеняется. +reagent-name-gin = джин +reagent-desc-gin = Дистиллированный алкогольный напиток, в котором преобладает аромат ягод можжевельника. +reagent-name-coffeeliqueur = кофейный ликёр +reagent-desc-coffeeliqueur = Ликёр, со вкусом кофе колд брю и специй. +reagent-name-melon-liquor = дынный ликёр +reagent-desc-melon-liquor = Довольно сладкий фруктовый ликер крепостью 23 градуса. +reagent-name-n-t-cahors = НеоТеологический кагор +reagent-desc-n-t-cahors = Крепленое десертное вино, изготовленное из каберне совиньон, саперави и других сортов винограда. +reagent-name-poison-wine = ядовитое вино +reagent-desc-poison-wine = Это вообще вино? Ядовитое! Галлюциногенное! Вероятно, ваше руководство потребляет его в огромных количествах! +reagent-name-rum = ром +reagent-desc-rum = Дистиллированный алкогольный напиток, изготовленный из субпродуктов сахарного тростника. +reagent-name-sake = саке +reagent-desc-sake = Алкогольный напиток, изготовленный путем брожения шлифованного риса. +reagent-name-tequila = текила +reagent-desc-tequila = Крепкий и слабо ароматизированный спирт производства Мексики. +reagent-name-vermouth = вермут +reagent-desc-vermouth = Ароматизированное, крепленое белое вино, со вкусом различных трав. +reagent-name-vodka = водка +reagent-desc-vodka = Прозрачный дистиллированный алкогольный напиток, происходящий из Польши и России. +reagent-name-whiskey = виски +reagent-desc-whiskey = Тип дистиллированного алкогольного напитка, изготовленного из забродившего зернового сусла. +reagent-name-wine = вино +reagent-desc-wine = Алкогольный напиток премиум-класса, изготовленный из дистиллированного виноградного сока. +reagent-name-champagne = шампанское +reagent-desc-champagne = Премиальное игристое вино. +reagent-name-acid-spit = кислотный плевок +reagent-desc-acid-spit = Напиток для смелых, но при неправильном приготовлении может оказаться смертельно опасным! +reagent-name-allies-cocktail = коктейль Союзники +reagent-desc-allies-cocktail = Напиток из ваших союзников, не так сладок, как если бы из ваших врагов. +reagent-name-aloe = алоэ +reagent-desc-aloe = Очень, очень, очень хорошо. +reagent-name-amasec = амасек +reagent-desc-amasec = Официальный напиток Оружейного клуба! +reagent-name-andalusia = андалусия +reagent-desc-andalusia = Хороший напиток со странным названием. +reagent-name-antifreeze = антифриз +reagent-desc-antifreeze = Непревзойденная свежесть. +reagent-name-atomic-bomb = атомная бомба +reagent-desc-atomic-bomb = Распространение ядерного оружия никогда не было таким вкусным. +reagent-name-b52 = B-52 +reagent-desc-b52 = Кофе, айриш крим и коньяк. Просто бомба. +reagent-name-bahama-mama = багама-мама +reagent-desc-bahama-mama = Тропический коктейль. +reagent-name-banana-honk = банана-хонк +reagent-desc-banana-honk = Напиток из Бананового Рая. +reagent-name-barefoot = домохозяйка +reagent-desc-barefoot = Дети, кухня, церковь. +reagent-name-beepsky-smash = удар бипски +reagent-desc-beepsky-smash = Откажись выпить - и приготовься к ЗАКОНУ. +reagent-name-black-russian = чёрный русский +reagent-desc-black-russian = Для людей с непереносимостью лактозы. Так же прекрасен, как и белый русский. +reagent-name-bloody-mary = кровавая Мэри +reagent-desc-bloody-mary = Странная, но приятная смесь из водки, томата и сока лайма. +reagent-name-booger = козявка +reagent-desc-booger = Фууу... +reagent-name-brave-bull = храбрый бык +reagent-desc-brave-bull = Так же эффективен, как и голландский кураж! +reagent-name-cuba-libre = куба-либре +reagent-desc-cuba-libre = Ром, смешанный с колой. Да здравствует революция. +reagent-name-demons-blood = кровь демона +reagent-desc-demons-blood = ААААХ!!!! +reagent-name-devils-kiss = поцелуй дьявола +reagent-desc-devils-kiss = Жуткое время! +reagent-name-doctors-delight = радость доктора +reagent-desc-doctors-delight = Глоток сделал - Медибот свободен. Это, наверное, даже к лучшему. +reagent-name-driest-martini = самый сухой мартини +reagent-desc-driest-martini = Только для опытных. Вы уверены, что видите плавающие в бокале песчинки. +reagent-name-erika-surprise = сюрприз Эрики +reagent-desc-erika-surprise = Сюрприз в том, что он зеленый! +reagent-name-gargle-blaster = пангалактический грызлодёр +reagent-desc-gargle-blaster = Ого, эта штука выглядит нестабильной! +reagent-name-gin-fizz = шипучий джин +reagent-desc-gin-fizz = Освежающе лимонный, восхитительно сухой. +reagent-name-gin-tonic = джин-тоник +reagent-desc-gin-tonic = Классический мягкий коктейль всех времен и народов. +reagent-name-gildlager = гильдлагер +reagent-desc-gildlager = 50-градусный коричный шнапс, созданный для девочек-подростков на весенних каникулах. +reagent-name-goldschlager = гольдшлягер +reagent-desc-goldschlager = 50-градусный коричный шнапс, созданный для девочек-подростков на весенних каникулах. +reagent-name-grog = грог +reagent-desc-grog = Ром, разбавленный водой, одобрено пиратами! +reagent-name-hippies-delight = радость хиппи +reagent-desc-hippies-delight = Ты просто не понимаешь, чувааак. +reagent-name-hooch = суррогат +reagent-desc-hooch = Либо чья-то неудача в приготовлении коктейля, либо чья-то попытка производства алкоголя. В любом случае, вы действительно хотите это выпить? +reagent-name-iced-beer = пиво со льдом +reagent-desc-iced-beer = Пиво настолько морозное, что воздух вокруг него замерзает. +reagent-name-irish-car-bomb = ирландская автомобильная бомба +reagent-desc-irish-car-bomb = Тревожная смесь крема айриш и эля. +reagent-name-irish-cream = ирландские сливки +reagent-desc-irish-cream = Сливки с добавлением виски. Что еще можно ожидать от ирландцев. +reagent-name-irish-coffee = ирландский кофе +reagent-desc-irish-coffee = Кофе с ирландскими сливками. Обычные сливки - это совсем не то! +reagent-name-kira-special = кира специальный +reagent-desc-kira-special = Да здравствует парень, которого все принимали за девушку. Бака! +reagent-name-long-island-iced-tea = лонг-айленд айс ти +reagent-desc-long-island-iced-tea = Винный шкаф, собранный в вкусную смесь. Предназначен только для женщин-алкоголиков среднего возраста. +reagent-name-manhattan = манхэттен +reagent-desc-manhattan = Любимый напиток Детектива под прикрытием. Он никогда не переносил джин... +reagent-name-manhattan-project = манхэттенский проект +reagent-desc-manhattan-project = Напиток для учёных, размышляющих о том, как взорвать станцию. +reagent-name-manly-dorf = мужественный дворф +reagent-desc-manly-dorf = Пиво и эль, соединённые в восхитительный коктейль. Предназначено только для крепких гномов. +reagent-name-margarita = маргарита +reagent-desc-margarita = На каёмке лайм с солью. Аррива~! +reagent-name-martini = классический мартини +reagent-desc-martini = Вермут с джином. Не совсем как пил 007, но все равно вкусно. +reagent-name-mead = медовуха +reagent-desc-mead = Напиток викингов, хоть и дешевый. +reagent-name-mojito = мохито +reagent-desc-mojito = Если это достаточно хорошо для Космической Кубы, то подойдет и для вас. +reagent-name-moonshine = самогон +reagent-desc-moonshine = Самодельный напиток, изготавливаемый в домашних условиях. Что может пойти не так? +reagent-name-neurotoxin = нейротоксин +reagent-desc-neurotoxin = Сильный нейротоксин, который вводит субъекта в состояние, напоминающее смерть. +reagent-name-patron = покровитель +reagent-desc-patron = Текила с серебром в своем составе, фаворит женщин-алкоголичек из клубной тусовки. +reagent-name-red-mead = красная медовуха +reagent-desc-red-mead = Настоящий напиток викингов! Несмотря на то, что он имеет странный красный цвет. +reagent-name-rewriter = переписчик +reagent-desc-rewriter = Тайна святилища Библиотекаря... +reagent-name-sbiten = сбитень +reagent-desc-sbiten = Пикантная водка! Может быть немного жгучей для малышей! +reagent-name-screwdriver-cocktail = отвёртка +reagent-desc-screwdriver-cocktail = Водка, смешанная с обычным апельсиновым соком. Результат на удивление вкусный. +reagent-name-cogchamp = когчамп +reagent-desc-cogchamp = Даже Четыре Генерала Ратвара не могли устоять перед этим! Qevax Jryy! Коктейль передней линии бара. +reagent-name-silencer = глушитель +reagent-desc-silencer = Напиток из рая мимов. +reagent-name-singulo = сингуло +reagent-desc-singulo = Блю-спейс напиток! +reagent-name-snow-white = белый снег +reagent-desc-snow-white = Морозная свежесть. +reagent-name-sui-dream = мечты суи +reagent-desc-sui-dream = 'Состав: Белая газировка, голубой кюрасао, дынный ликер.' +reagent-name-syndicate-bomb = бомба синдиката +reagent-desc-syndicate-bomb = Кто-то подложил нам бомбу! +reagent-name-tequila-sunrise = текила санрайз +reagent-desc-tequila-sunrise = Текила и апельсиновый сок. Очень похож на "Отвертку", только мексиканскую. +reagent-name-three-mile-island = чай со льдом три-майл-айленд +reagent-desc-three-mile-island = "Сделан для женщин, достаточно крепок для мужчин." +reagent-name-toxins-special = особый токсин +reagent-desc-toxins-special = Эта штука ОГОНЬ! ВЫЗЫВАЙТЕ ЧЁРТОВ ШАТТЛ! +reagent-name-vodka-martini = водка мартини +reagent-desc-vodka-martini = Водка с джином. Не совсем как пил 007, но все равно вкусно. +reagent-name-vodka-tonic = водка тоник +reagent-desc-vodka-tonic = Для тех случаев, когда джин-тоник недостаточно русский. +reagent-name-whiskey-cola = виски кола +reagent-desc-whiskey-cola = Виски, смешанный с колой. Удивительно освежает. +reagent-name-whiskey-soda = виски с содовой +reagent-desc-whiskey-soda = Невероятно освежающе! +reagent-name-white-russian = белый русский +reagent-desc-white-russian = Но это только твоё мнение, чувак. diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/drink/drinks.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/drinks.ftl new file mode 100644 index 00000000000..bfd6d27bfed --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/drinks.ftl @@ -0,0 +1,60 @@ +reagent-name-coffee = кофе +reagent-desc-coffee = Напиток, приготовленный из заваренных кофейных зерен. Содержит умеренное количество кофеина. +reagent-name-cream = сливки +reagent-desc-cream = Жирная, но еще жидкая часть молока. Почему бы вам не смешать это с виски, а? +reagent-name-cafe-latte = кофе латте +reagent-desc-cafe-latte = Приятный, крепкий и вкусный напиток на время чтения. +reagent-name-green-tea = зелёный чай +reagent-desc-green-tea = Вкусный зелёный чай. +reagent-name-grenadine = сироп гренадин +reagent-desc-grenadine = Не с вишневым вкусом! +reagent-name-iced-coffee = айс-кофе +reagent-desc-iced-coffee = Кофе со льдом, бодрящий и прохладный. +reagent-name-iced-green-tea = зелёный чай со льдом +reagent-desc-iced-green-tea = Холодный зеленый чай. +reagent-name-iced-tea = чай со льдом +reagent-desc-iced-tea = Он же айс-ти. Не имеет отношения к определенному рэп-исполнителю/актеру. +reagent-name-lemonade = лимонад +reagent-desc-lemonade = Напиток из лимонного сока, воды и подсластителя, например, тростникового сахара или меда. +reagent-name-milk = молоко +reagent-desc-milk = Непрозрачная белая жидкость, вырабатываемая молочными железами млекопитающих. +reagent-name-milk-goat = козье молоко +reagent-desc-milk-goat = Непрозрачная белая жидкость, производимая козами. Высокая концентрация обезжиренных сливок. +reagent-name-milk-oat = овсяное молоко +reagent-desc-milk-oat = На удивление вкусное. +reagent-name-milk-soy = соевое молоко +reagent-desc-milk-soy = Любимчик потребителей. +reagent-name-milk-spoiled = прогорклое молоко +reagent-desc-milk-spoiled = Это молоко испортилось. +reagent-name-nothing = ничего +reagent-desc-nothing = Абсолютно ничего. +reagent-name-nuclear-cola = ядерная кола +reagent-desc-nuclear-cola = Кола, кола никогда не меняется. +reagent-name-hot-cocoa = горячее какао +reagent-desc-hot-cocoa = Пахнет праздниками! +reagent-name-soda-water = газированная вода +reagent-desc-soda-water = Она же содовая. Почему бы не сделать виски с содовой? +reagent-name-soy-latte = соевый латте +reagent-desc-soy-latte = Кофейный напиток, приготовленный из эспрессо и подогретого соевого молока. +reagent-name-tea = чай +reagent-desc-tea = Напиток, приготовленный путем кипячения листьев чайного дерева Camellia sinensis. +reagent-name-tonic-water = тоник +reagent-desc-tonic-water = Вкус у него странный, но, по крайней мере, хинин препятствует распространению космической малярии. +reagent-name-water = вода +reagent-desc-water = Бесцветная жидкость, необходимая человекам для выживания. +reagent-name-ice = лёд +reagent-desc-ice = Застывшая вода. +reagent-name-dry-ramen = сухой рамэн +reagent-desc-dry-ramen = Сухая лапша и соль. +reagent-name-hot-ramen = горячий рамэн +reagent-desc-hot-ramen = Горячая лапша. +reagent-name-pilk = пилк +reagent-desc-pilk = Тошнотворная смесь молока и колы. +reagent-name-posca = поска +reagent-desc-posca = Напиток бедных воинов из забытой эпохи. +reagent-name-the-martinez = Мартинес +reagent-desc-the-martinez = Легенда среди киберпанков. Вспоминается по напитку, забывается по пьяни. +reagent-name-white-gilgamesh = белый Гильгамеш +reagent-desc-white-gilgamesh = Тошнотворная смесь молока и пива. Вызывает ощущение одеревенелости. +reagent-name-mopwata = швабода +reagent-desc-mopwata = Грязная вода, только выжатая из швабры. diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/drink/juice.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/juice.ftl new file mode 100644 index 00000000000..1546d12c86f --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/juice.ftl @@ -0,0 +1,26 @@ +reagent-name-juice-apple = яблочный сок +reagent-desc-juice-apple = Это маленький кусочек Эдема. +reagent-name-juice-banana = банановый сок +reagent-desc-juice-banana = Жидкая суть банана. ХОНК. +reagent-name-juice-berry = ягодный сок +reagent-desc-juice-berry = Вкусная смесь нескольких видов ягод. +reagent-name-juice-berry-poison = ядовитый ягодный сок +reagent-desc-juice-berry-poison = Удивительно вкусный сок, приготовленный из различных видов очень смертоносных и ядовитых ягод. +reagent-name-juice-carrot = морковный сок +reagent-desc-juice-carrot = Как морковь, но не хрустит. +reagent-name-juice-grape = виноградный сок +reagent-desc-juice-grape = Свежевыжатый сок из красного винограда. Довольно сладкий. +reagent-name-juice-lemon = лимонный сок +reagent-desc-juice-lemon = Этот сок ОЧЕНЬ кислый. +reagent-name-juice-lime = сок лайма +reagent-desc-juice-lime = Кисло-сладкий сок лайма. +reagent-name-juice-orange = апельсиновый сок +reagent-desc-juice-orange = И вкусно, и богато витамином С. Чего ещё желать? +reagent-name-juice-pineapple = ананасовый сок +reagent-desc-juice-pineapple = Вкусный сок ананаса. +reagent-name-juice-potato = картофельный сок +reagent-desc-juice-potato = Сок картофеля. Фу. +reagent-name-juice-tomato = томатный сок +reagent-desc-juice-tomato = Томаты превращенные в сок. Какая трата хороших помидоров, а? +reagent-name-juice-watermelon = арбузный сок +reagent-desc-juice-watermelon = Вкусный сок арбуза. diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/drink/soda.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/soda.ftl new file mode 100644 index 00000000000..50b32bb3656 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/drink/soda.ftl @@ -0,0 +1,30 @@ +reagent-name-cola = кола +reagent-desc-cola = Сладкий газированный безалкогольный напиток. Не содержит кофеина. +reagent-name-changeling-sting = жало генокрада +reagent-desc-changeling-sting = Вы делаете маленький глоток и чувствуете жжение... +reagent-name-dr-gibb = доктор Гибб +reagent-desc-dr-gibb = Восхитительная смесь из 42 различных вкусов. +reagent-name-energy-drink = энергетический напиток +reagent-desc-energy-drink = Доза энергии! Nanotrasen не несет ответственности, если у вас вырастут птичьи придатки. +reagent-name-grape-soda = виноградная газировка +reagent-desc-grape-soda = Это Винограааааад! +reagent-name-ice-cream = мороженое +reagent-desc-ice-cream = Ешьте скорее, пока не превратилось в суп-мороженое! +reagent-name-lemon-lime = лимон-лайм +reagent-desc-lemon-lime = Терпкая газировка из лимона и лайма +reagent-name-pwr-game = Pwr Game +reagent-desc-pwr-game = Единственный напиток, обладающий СИЛОЙ, которую жаждут настоящие геймеры. Когда геймеры говорят о геймерском топливе, они имеют в виду именно это. +reagent-name-root-beer = рутбир +reagent-desc-root-beer = Очень сладкий, газированный напиток, напоминающий сарспариллу. Хорошо сочетается с мороженым. +reagent-name-root-beer-float = рутбир с мороженым +reagent-desc-root-beer-float = Рутбир, но теперь с мороженым сверху! Это действительно магнум опус канадских летних напитков. +reagent-name-space-mountain-wind = космический маунтин винд +reagent-desc-space-mountain-wind = Проходит сквозь, словно космический ветер. +reagent-name-space-up = спейс-ап +reagent-desc-space-up = На вкус как пробоина в корпусе у вас во рту. +reagent-name-starkist = старкист +reagent-desc-starkist = Сладкий безалкогольный напиток со вкусом апельсина. +reagent-name-fourteen-loko = фоуртин локо +reagent-desc-fourteen-loko = Сильно переработанная жидкая субстанция, едва ли соответствующая межгалактическим стандартам безопасности для безалкогольного напитка. +reagent-name-shamblers-juice = сок Shambler +reagent-desc-shamblers-juice = ~Встряхните мне немного этого сока Shambler!~ diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/food/condiments.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/food/condiments.ftl new file mode 100644 index 00000000000..f979031051d --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/food/condiments.ftl @@ -0,0 +1,28 @@ +reagent-name-astrotame = Астротем +reagent-desc-astrotame = Слаще тысячи ложек сахара, но без калорий. +reagent-name-bbq-sauce = соус барбекю +reagent-desc-bbq-sauce = Салфетки в комплект не входят. +reagent-name-cornoil = кукурузное масло +reagent-desc-cornoil = Кукурузное масло. Вкусное масло, используемое в готовке. Изготавливается из кукурузы. +reagent-name-frostoil = холодный соус +reagent-desc-frostoil = Заставляет язык онеметь. +reagent-name-horseradish-sauce = хрен +reagent-desc-horseradish-sauce = Пакетик душистого хрена. +reagent-name-hotsauce = острый соус +reagent-desc-hotsauce = Вкус просто огонь. +reagent-name-ketchup = кетчуп +reagent-desc-ketchup = Приготовлен из томатного пюре с добавлением специй. +reagent-name-ketchunaise = кетчунез +reagent-desc-ketchunaise = Так называемый Русский соус, популярный среди космо-американцев. +reagent-name-laughin-syrup = смехотворный сироп +reagent-desc-laughin-syrup = Продукт сухого отжима смеющегося гороха. Постоянно меняет вкус. +reagent-name-mayo = майонез +reagent-desc-mayo = Жирный соус, приготовленный из масла, яиц, и какой-либо (пищевой) кислоты. +reagent-name-mustard = горчица +reagent-desc-mustard = Простая горчица жёлтого цвета, изготовленная из семян горчицы. +reagent-name-vinaigrette = винегретная заправка +reagent-desc-vinaigrette = Простая заправка для салатов, приготовленная из масла, уксуса и приправ. +reagent-name-soysauce = соевый соус +reagent-desc-soysauce = Соленая приправа на основе сои. +reagent-name-table-salt = столовая соль +reagent-desc-table-salt = Хлорид натрия, широко известный как соль, часто используется в качестве пищевой приправы или для мгновенного уничтожения мозговых червей. diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/food/food.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/food/food.ftl new file mode 100644 index 00000000000..07e2f873563 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/food/food.ftl @@ -0,0 +1,14 @@ +reagent-name-nutriment = питательные вещества +reagent-desc-nutriment = Все необходимые организму витамины, минералы и углеводы в чистом виде. +reagent-name-glucose = глюкоза +reagent-desc-glucose = Простой сахар, содержащийся во многих продуктах питания. +reagent-name-vitamin = витамины +reagent-desc-vitamin = Содержатся в здоровом, полноценном питании. +reagent-name-protein = протеины +reagent-desc-protein = Также известные как белки. Содержатся в некоторых блюдах, полезны для здоровья организма. +reagent-name-cocoapowder = какао-порошок +reagent-desc-cocoapowder = Из лучших сортов какао-бобов. +reagent-name-butter = масло +reagent-desc-butter = Вы можете поверить! +reagent-name-pumpkin-flesh = мякоть тыквы +reagent-desc-pumpkin-flesh = Кашеобразные, сладкие остатки тыквы. diff --git a/Resources/Locale/ru-RU/reagents/meta/consumable/food/ingredients.ftl b/Resources/Locale/ru-RU/reagents/meta/consumable/food/ingredients.ftl new file mode 100644 index 00000000000..f9dbc181c89 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/consumable/food/ingredients.ftl @@ -0,0 +1,26 @@ +reagent-name-flour = мука +reagent-desc-flour = Используется в выпечке. +reagent-name-cornmeal = кукурузная мука +reagent-desc-cornmeal = Используется в выпечке. +reagent-name-oats = овёс +reagent-desc-oats = Используется для различных вкусных целей. +reagent-name-enzyme = универсальный фермент +reagent-desc-enzyme = Используется в приготовлении различных блюд. +reagent-name-egg = яйцо +reagent-desc-egg = Приготовленный зародыш курицы, вкусно. +reagent-name-raw-egg = сырое яйцо +reagent-desc-raw-egg = Используется в выпечке. +reagent-name-sugar = сахар +reagent-desc-sugar = Вкусный космический сахар! +reagent-name-blackpepper = чёрный перец +reagent-desc-blackpepper = Часто используется как приправа к пище, или чтобы заставить людей чихать. +reagent-name-vinegar = уксус +reagent-desc-vinegar = Часто используется как приправа к пище. +reagent-name-rice = рис +reagent-desc-rice = Твердые, маленькие белые зёрнышки. +reagent-name-oil-olive = оливковое масло +reagent-desc-oil-olive = Вязкое и ароматное. +reagent-name-oil = масло +reagent-desc-oil = Используется поварами для приготовления пищи. +reagent-name-capsaicin-oil = капсаициновое масло +reagent-desc-capsaicin-oil = Капсаициновое масло - это ингредиент, содержащийся в различных сортах острого перца. diff --git a/Resources/Locale/ru-RU/reagents/meta/elements.ftl b/Resources/Locale/ru-RU/reagents/meta/elements.ftl new file mode 100644 index 00000000000..80af5788556 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/elements.ftl @@ -0,0 +1,46 @@ +reagent-name-aluminium = алюминий +reagent-desc-aluminium = Серебристый, мягкий, немагнитный и ковкий металл. +reagent-name-ash = пепел +reagent-desc-ash = Светло-серый рассыпчатый порошок. +reagent-name-carbon = углерод +reagent-desc-carbon = Чёрное кристаллическое твердое вещество. +reagent-name-charcoal = уголь +reagent-desc-charcoal = Чёрное, пористое твердое вещество. +reagent-name-chlorine = хлор +reagent-desc-chlorine = Жёлто-зелёный газ, токсичный для человека. +reagent-name-copper = медь +reagent-desc-copper = Мягкий, ковкий и пластичный металл с очень высокой тепло- и электропроводностью. +reagent-name-fluorine = фтор +reagent-desc-fluorine = Высокотоксичный бледно-жёлтый газ. Чрезвычайно реактивный. +reagent-name-gold = золото +reagent-desc-gold = Плотный, мягкий, блестящий металл, самый ковкий и пластичный из всех известных. +reagent-name-hydrogen = водород +reagent-desc-hydrogen = Легкий, легковоспламеняющийся газ. +reagent-name-iodine = йод +reagent-desc-iodine = Обычно добавляется в поваренную соль в качестве питательного вещества. Сам по себе он гораздо менее приятен на вкус. +reagent-name-iron = железо +reagent-desc-iron = Серебристо-серый металл, образующий оксиды железа (ржавчину) при контакте с воздухом. Часто сплавляется с другими элементами для получения сплавов, таких как сталь. +reagent-name-lithium = литий +reagent-desc-lithium = Мягкий, серебристо-белый щелочной металл. Он очень реактивен и воспламеняется при контакте с водой. +reagent-name-mercury = ртуть +reagent-desc-mercury = Серебристый металл, который находится в жидком состоянии при комнатной температуре. Он очень токсичен для человека. +reagent-name-potassium = калий +reagent-desc-potassium = Мягкий, блестящий серый металл. Еще более реактивный, чем литий. +reagent-name-phosphorus = фосфор +reagent-desc-phosphorus = Реактивный металл, используемый в пиротехнике и оружии. +reagent-name-radium = радий +reagent-desc-radium = Радиоактивный металл, серебристо-белый в чистом виде. Он светится из-за своей радиоактивности и очень токсичен. +reagent-name-silicon = кремний +reagent-desc-silicon = Твердое и хрупкое кристаллическое вещество серо-голубого цвета. +reagent-name-silver = серебро +reagent-desc-silver = Мягкий, белый, блестящий переходный металл обладает самой высокой электропроводностью среди всех элементов и самой высокой теплопроводностью среди всех металлов. +reagent-name-sulfur = сера +reagent-desc-sulfur = Жёлтое кристаллическое твердое вещество. +reagent-name-sodium = натрий +reagent-desc-sodium = Серебристо-белый щелочной металл. Высоко реактивный в чистом виде. +reagent-name-uranium = уран +reagent-desc-uranium = Серый металлический химический элемент из серии актинидов, слабо радиоактивный. +reagent-name-bananium = бананиум +reagent-desc-bananium = Жёлтое радиоактивное органическое твёрдое вещество. +reagent-name-zinc = цинк +reagent-desc-zinc = Серебристый, хрупкий металл, часто используемый в батареях для хранения заряда. diff --git a/Resources/Locale/ru-RU/reagents/meta/fun.ftl b/Resources/Locale/ru-RU/reagents/meta/fun.ftl new file mode 100644 index 00000000000..677759b67da --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/fun.ftl @@ -0,0 +1,20 @@ +reagent-name-carpetium = ковриний +reagent-desc-carpetium = Таинственный химикат, обычно поставляемый с планеты клоунов, который покрывает ковром все, на что попадёт. Каким-то образом отфильтровывает карпотоксин из кровеносной системы. +reagent-name-fiber = волокно +reagent-desc-fiber = Сырье, обычно извлекаемое из шерсти или других тканых изделий. +reagent-name-buzzochloric-bees = жужжехлориновые пчёлы +reagent-desc-buzzochloric-bees = Жидкие пчёлы. О боже, это ЖИДКИЕ ПЧЁЛЫ, нет... +reagent-name-ground-bee = молотые пчёлы +reagent-desc-ground-bee = Молотые пчёлы. Мерзость. +reagent-name-saxoite = саксонит +reagent-desc-saxoite = Отдаёт джазом. +reagent-name-licoxide = ликоксид +reagent-desc-licoxide = Синтетическая аккумуляторная кислота. Выглядит... электризующе. +reagent-name-razorium = разориум +reagent-desc-razorium = Странное неньютоновское химическое вещество. При приложении силы временно затвердевает, образуя миллионы крошечных острых краев. Очень болезненно. +reagent-name-fresium = Фризиум +reagent-desc-fresium = Таинственное соединение, которое замедляет колебания атомов и молекул... каким-то образом. Говоря простым языком, он делает всё холодным... очень холодным. При При попадании в организм может вызвать двигательную дисфункцию. +reagent-name-laughter = Смешинка +reagent-desc-laughter = Некоторые говорят, что это лучшее лекарство, но последние исследования доказали, что это неправда. +reagent-name-weh = Weh-эссенция +reagent-desc-weh = Чистая эссенция плюшевого унатха. Заставляет вас стать Weh! diff --git a/Resources/Locale/ru-RU/reagents/meta/gases.ftl b/Resources/Locale/ru-RU/reagents/meta/gases.ftl new file mode 100644 index 00000000000..43da3c3f9d8 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/gases.ftl @@ -0,0 +1,16 @@ +reagent-name-oxygen = кислород +reagent-desc-oxygen = Окисляющий, бесцветный газ. +reagent-name-plasma = плазма +reagent-desc-plasma = Причудливая, космически-магическая пыльца фей. Вам, наверное, не стоит это есть, но мы оба знаем, что вы все равно это сделаете. +reagent-name-tritium = тритий +reagent-desc-tritium = Радиоактивная космически-магическая пыльца фей. +reagent-name-carbon-dioxide = диоксид углерода +reagent-desc-carbon-dioxide = Он же углекислый газ. Вы совершенно не представляете, что это такое. +reagent-name-nitrogen = азот +reagent-desc-nitrogen = Он же нитроген. Бесцветный, не имеющий запаха нереактивный газ. Очень стабилен. +reagent-name-miasma = миазма +reagent-desc-miasma = Ух ох, как воняет! +reagent-name-nitrous-oxide = оксид азота +reagent-desc-nitrous-oxide = Знаешь, как всё кажется смешнее, когда ты устал? Так вот... +reagent-name-frezon = фрезон +reagent-desc-frezon = Высокоэффективный хладагент... и галлюциноген. diff --git a/Resources/Locale/ru-RU/reagents/meta/medicine.ftl b/Resources/Locale/ru-RU/reagents/meta/medicine.ftl new file mode 100644 index 00000000000..d73182b4f47 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/medicine.ftl @@ -0,0 +1,90 @@ +reagent-name-cryptobiolin = криптобиолин +reagent-desc-cryptobiolin = Вызывает растерянность и головокружение. Необходим для изготовления Космоциллина. +reagent-name-dylovene = диловен +reagent-desc-dylovene = Антитоксин широкого спектра действия, который лечит поражение кровеносной системы токсинами. Передозировка вызывает рвоту, головокружение и боль. +reagent-name-diphenhydramine = дифенгидрамин +reagent-desc-diphenhydramine = Он же димедрол. Быстро очищает организм от гистамина, и снижает нервозность и дрожь. +reagent-name-arithrazine = аритразин +reagent-desc-arithrazine = Слегка нестабильный препарат, применяемый в самых крайних случаях радиационного отравления. Оказывает незначительное напряжение организма. +reagent-name-bicaridine = бикаридин +reagent-desc-bicaridine = Анальгетик, который очень эффективен при лечении механических повреждений. Он полезен для стабилизации состояния людей, которых сильно избили, а также для лечения менее опасных для жизни травм. +reagent-name-cryoxadone = криоксадон +reagent-desc-cryoxadone = Необходим для нормального функционирования криогеники. Быстро исцеляет все стандартные типы повреждений, но работает только при температуре ниже 150 Кельвинов. +reagent-name-doxarubixadone = доксарубиксадон +reagent-desc-doxarubixadone = Химикат криогенного действия. Лечит некоторые виды клеточных повреждений, нанесенных слаймами и неправильным использованием других химикатов. +reagent-name-dermaline = дермалин +reagent-desc-dermaline = Передовой препарат, более эффективный при лечении ожогов, чем Келотан. +reagent-name-dexalin = дексалин +reagent-desc-dexalin = Используется для лечения лёгкого кислородного голодания. Необходимый реагент для создания Дексалина плюс. +reagent-name-dexalin-plus = дексалин плюс +reagent-desc-dexalin-plus = Используется для лечения кислородного голодания и потери крови. Выводит Лексорин из кровеносной системы. +reagent-name-epinephrine = эпинефрин +reagent-desc-epinephrine = Эффективный стабилизирующий препарат, используемый для предотвращения смерти от асфиксии, а также для устранения незначительных повреждений пациентов, находящихся в критическом состоянии. Выводит Лексорин из кровеносной системы за счёт большего количества Эпинефрина, но может повышать уровень Гистамина. Помогает уменьшить время оглушения. Часто встречается в экстренных медипенах. +reagent-name-hyronalin = хироналин +reagent-desc-hyronalin = Слабый препарат для лечения радиационного поражения. Предшественник Аритразина и Фалангимина. Может вызывать рвоту. +reagent-name-ipecac = ипекак +reagent-desc-ipecac = Быстродействующий рвотный препарат. Применяется для остановки неметаболизированных ядов или сеансов массовой рвоты. +reagent-name-inaprovaline = инапровалин +reagent-desc-inaprovaline = Инапровалин это синаптический и кардио- стимулятор, широко используемый для купирования удушья при критических состояниях и уменьшения кровотечения. Используется во многих современных лекарственных препаратах. +reagent-name-kelotane = келотан +reagent-desc-kelotane = Лечит ожоги. Передозировка значительно снижает способность организма сохранять воду. +reagent-name-leporazine = лепоразин +reagent-desc-leporazine = Химический препарат, используемый для стабилизации температуры тела и быстрого лечения повреждений от холода. Отлично подходит для путешествий по космосу без скафандра, но не позволяет использовать криогенные капсулы. +reagent-name-barozine = барозин +reagent-desc-barozine = Сильнодействующий химикат, предотвращающий повреждения от давления. Оказывает сильное напряжение на организм. Обычно встречается в виде космических медипенов. +reagent-name-phalanximine = фалангимин +reagent-desc-phalanximine = Современный препарат, используемый при лечении рака. Вызывает умеренное лучевое поражение. +reagent-name-polypyrylium-oligomers = Полипирилиевые олигомеры +reagent-desc-polypyrylium-oligomers = Фиолетовая смесь коротких полиэлектролитных цепочек, которые нелегко синтезировать в лаборатории. Лечит удушье и тупой урон. С течением времени останавливает кровотечение. +reagent-name-ambuzol = амбузол +reagent-desc-ambuzol = Высокотехнологичный препарат, способный остановить развитие зомби-вируса. +reagent-name-ambuzol-plus = амбузол плюс +reagent-desc-ambuzol-plus = Разработка будущего с использованием крови зараженного, прививает живых против инфекции. +reagent-name-pulped-banana-peel = толчёная банановая кожура +reagent-desc-pulped-banana-peel = Толченая банановая кожура обладает определенной эффективностью против кровотечений. +reagent-name-siderlac = сидерлак +reagent-desc-siderlac = Мощное противокоррозийное средство, получаемое из растений. +reagent-name-stellibinin = стеллибинин +reagent-desc-stellibinin = Антитоксин природного происхождения, обладающий особенной эффективностью против аматоксина. +reagent-name-synaptizine = синаптизин +reagent-desc-synaptizine = Токсичный препарат, сокращающий продолжительность оглушения и нокдауна вдвое. +reagent-name-tranexamic-acid = транексамовая кислота +reagent-desc-tranexamic-acid = Препарат, способствующий свертыванию крови, применяемый для остановки обильного кровотечения. При передозировке вызывает ещё более сильное кровотечение. Часто встречается в экстренных медипенах. +reagent-name-tricordrazine = трикордразин +reagent-desc-tricordrazine = Стимулятор широкого спектра действия, изначально созданный на основе кордразина. Лечит лёгкие повреждения всех основных типов, если пользователь не сильно ранен в целом. Лучше всего использовать в качестве добавки к другим лекарственным средствам. +reagent-name-lipozine = липозин +reagent-desc-lipozine = Химическое вещество, ускоряющее метаболизм, в результате чего пользователь быстрее испытывает чувство голода. +reagent-name-omnizine = омнизин +reagent-desc-omnizine = Смягчающая молочноватая жидкость с радужным оттенком. Известная теория заговора гласит, что его происхождение остается тайной, потому что раскрытие секрета его производства сделало бы большинство коммерческих фармацевтических препаратов ненужными. +reagent-name-ultravasculine = ультраваскулин +reagent-desc-ultravasculine = Сложный антитоксин, который быстро выводит токсины, вызывая при этом незначительное напряжение организма. Реагирует с гистамином, дублируя себя и одновременно вымывая его. Передозировка вызывает сильную боль. +reagent-name-oculine = окулин +reagent-desc-oculine = Простой солевой раствор, используемый для лечения повреждений глаз при приеме внутрь. +reagent-name-ethylredoxrazine = этилредоксразин +reagent-desc-ethylredoxrazine = Нейтрализует действие алкоголя в кровеносной системе. Несмотря на то, что он часто нужен, заказывают его редко. +reagent-name-cognizine = когнизин +reagent-desc-cognizine = Таинственное химическое вещество, способное сделать любое неразумное существо разумным. +reagent-name-ethyloxyephedrine = этилоксиэфедрин +reagent-desc-ethyloxyephedrine = Слегка нестабильный препарат, производное дезоксиэфедрина, применяемый в основном для профилактики нарколепсии. +reagent-name-diphenylmethylamine = дифенилметиламин +reagent-desc-diphenylmethylamine = Более стабильное лекарственное средство, чем этилоксиэфедрин. Полезен для поддержания бодрости. +reagent-name-sigynate = сигинат +reagent-desc-sigynate = Густой розовый сироп, полезный для нейтрализации кислот и смягчения повреждений, вызванных кислотами. Сладкий на вкус! +reagent-name-saline = физраствор +reagent-desc-saline = Смесь воды с солью. Обычно используется для лечения обезвоживания или низкого содержания жидкости в крови. +reagent-name-lacerinol = лацеринол +reagent-desc-lacerinol = Довольно нереактивный химикат, который усиливает синтез коллагена до невероятных уровней, заживляя рваные раны. +reagent-name-puncturase = пунктуразин +reagent-desc-puncturase = Шипучий химикат, который помогает восстановить колотые раны, оставляя после себя небольшой шрам. +reagent-name-bruizine = брузин +reagent-desc-bruizine = Изначально разрабатывавшееся как лекарство от кашля, это химическое вещество оказалось необычайно эффективным при лечении размозженных ран. +reagent-name-holywater = святая вода +reagent-desc-holywater = Самая чистая и непорочная вода во вселенной, как известно, волшебным образом исцеляет раны. +reagent-name-pyrazine = пиразин +reagent-desc-pyrazine = Эффективно заживляет ожоги любой степени. При передозировке вызывает массивное внутреннее кровотечение. +reagent-name-insuzine = инсузин +reagent-desc-insuzine = Быстро восстанавливает омертвевшие от поражения электрическим током ткани. При передозировке полностью замораживает пациента. +reagent-name-necrosol = некрозол +reagent-desc-necrosol = Некротическая субстанция, способная исцелять даже замороженные трупы. В малых дозах может лечить и омалаживать растения. +reagent-name-aloxadone = алоксадон +reagent-desc-aloxadone = Криогенное химическое вещество. Используется для лечения тяжелых ожогов третьей степени путем регенерации обожженных тканей. Действует независимо от того, жив пациент или мертв. diff --git a/Resources/Locale/ru-RU/reagents/meta/narcotics.ftl b/Resources/Locale/ru-RU/reagents/meta/narcotics.ftl new file mode 100644 index 00000000000..6d1838b3d66 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/narcotics.ftl @@ -0,0 +1,28 @@ +reagent-name-desoxyephedrine = дезоксиэфедрин +reagent-desc-desoxyephedrine = Более эффективный Эфедрин, имеющий более выраженные побочные эффекты. Требует меньшей дозы для профилактики нарколепсии. +reagent-name-ephedrine = эфедрин +reagent-desc-ephedrine = Кофеиновый адреналиновый стимулятор, который делает вас быстрее и устойчивее на ногах. Также помогает противостоять нарколепсии в дозах выше 30, но ценой сильного нервного стресса. +reagent-name-stimulants = стимулятор +reagent-desc-stimulants = Химический коктейль, разработанный компанией Donk Co., который позволяет агентам быстрее оправляться от оглушения, быстрее передвигаться, и легко излечивает в критическом состоянии. Из-за комплексной природы этого вещества организму гораздо труднее вывести его из организма естественным путем. +reagent-name-experimental-stimulants = экспериментальный стимулятор +reagent-desc-experimental-stimulants = Опытная, усиленная версия стимулятора. Её использование даёт практически полную невосприимчивость к оглушающему оружию, ускоренную регенерацию ран, огромную скорость передвижения за счёт понижения выработки молочной кислоты и общее чувство эйфории. Среди побочных эффектов можно выделить низкую свёртываемость крови, тоннельное зрение, сильное скопление токсинов в кровеносной системе и быстрое отмирание печени. Беречь от животных. +reagent-name-thc = ТГК +reagent-desc-thc = Он же тетрагидроканнабинол. Основное психоактивное вещество в конопле. +reagent-name-thc-oil = масло ТГК +reagent-desc-thc-oil = Чистое масло ТГК, полученное из листьев конопли. Оно намного сильнее, чем в натуральной форме, и может использоваться для снятия хронической боли у пациентов. +reagent-name-bananadine = бананадин +reagent-desc-bananadine = Легкий психоделик, который в небольших количествах содержится в банановой кожуре. +reagent-name-nicotine = никотин +reagent-desc-nicotine = Опасен и вызывает сильное привыкание, но так утверждает пропаганда. +reagent-name-impedrezene = импедризин +reagent-desc-impedrezene = Наркотик, который лишает человека дееспособности, замедляя высшие функции клеток мозга. +reagent-name-space-drugs = космические наркотики +reagent-desc-space-drugs = Запрещенное вещество, вызывающее ряд таких эффектов, как потеря равновесия и нарушения зрения. +reagent-name-nocturine = ноктюрин +reagent-desc-nocturine = Высокоэффективное снотворное и гипнотическое средство, разработанное Синдикатом для тайных операций. Билет в один конец в хонкоград. +reagent-name-mute-toxin = токсин немоты +reagent-desc-mute-toxin = Густой препарат, воздействующий на голосовые связки и лишающий пользователя возможности говорить пока усваивается организмом. +reagent-name-norepinephric-acid = норэпинефриновая кислота +reagent-desc-norepinephric-acid = Мягкое химическое вещество, которое блокирует оптические рецепторы, делая употребившего слепым пока усваивается организмом. +reagent-name-tear-gas = слезоточивый гас +reagent-desc-tear-gas = Химикат, вызывающий сильное раздражение слизистой, обычно используется для подавления беспорядков. diff --git a/Resources/Locale/ru-RU/reagents/meta/physical-desc.ftl b/Resources/Locale/ru-RU/reagents/meta/physical-desc.ftl new file mode 100644 index 00000000000..c609f2c8b9b --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/physical-desc.ftl @@ -0,0 +1,97 @@ +reagent-physical-desc-skunky = вонючее +reagent-physical-desc-soapy = мыльное +reagent-physical-desc-ferrous = чёрнометаллическое +reagent-physical-desc-nothing = никакое +reagent-physical-desc-acrid = едкое +reagent-physical-desc-thick-and-grainy = густое и зернистое +reagent-physical-desc-necrotic = некротическое +reagent-physical-desc-oily = масляное +reagent-physical-desc-glowing = светящееся +reagent-physical-desc-heterogeneous = гетерогенное +reagent-physical-desc-mucus-like = слизеподобное +reagent-physical-desc-cold = холодное +reagent-physical-desc-bee-guts = пчелистое +reagent-physical-desc-tangy = пикантное +reagent-physical-desc-fizzy = шипучее +reagent-physical-desc-fuzzy = пушистое +reagent-physical-desc-spicy = острое +reagent-physical-desc-abrasive = абразивное +reagent-physical-desc-chalky = меловое +reagent-physical-desc-roaring = ревущее +reagent-physical-desc-robust = робастное +reagent-physical-desc-sickly = нездоровое +reagent-physical-desc-murky = murky +reagent-physical-desc-bubbling = бурлящее +reagent-physical-desc-wormy = червивое +reagent-physical-desc-frosty = морозное +reagent-physical-desc-blazing = пылающее +reagent-physical-desc-translucent = прозрачное +reagent-physical-desc-sugary = сахаристое +reagent-physical-desc-putrid = гнилое +reagent-physical-desc-saucey = соусное +reagent-physical-desc-salty = солёное +reagent-physical-desc-milky = молочное +reagent-physical-desc-refreshing = освежающее +reagent-physical-desc-soothing = смягчающее +reagent-physical-desc-starchy = крахмалистое +reagent-physical-desc-starry = звездное +reagent-physical-desc-tart = терпкое +reagent-physical-desc-aromatic = ароматическое +reagent-physical-desc-thick = густое +reagent-physical-desc-syrupy = сиропообразное +reagent-physical-desc-grainy = зернистое +reagent-physical-desc-foamy = пенистое +reagent-physical-desc-tropical = тропическое +reagent-physical-desc-coarse = грубое +reagent-physical-desc-opaque = непрозрачное +reagent-physical-desc-pulpy = мякотное +reagent-physical-desc-reasonably-metallic = значительно металлическое +reagent-physical-desc-metallic = металлическое +reagent-physical-desc-gaseous = газообразное +reagent-physical-desc-ground-brass = шлифованно-латунное +reagent-physical-desc-dark-brown = тёмно-коричневое +reagent-physical-desc-crystalline = кристаллическое +reagent-physical-desc-viscous = вязкое +reagent-physical-desc-shiny = блестящее +reagent-physical-desc-dark-red = тёмно-красное +reagent-physical-desc-ionizing = ионизационное +reagent-physical-desc-nondescript = неописуемое +reagent-physical-desc-burning = горящее +reagent-physical-desc-porous = пористое +reagent-physical-desc-powdery = порошкообразное +reagent-physical-desc-creamy = сливочное +reagent-physical-desc-sticky = липкое +reagent-physical-desc-bubbly = пузыристое +reagent-physical-desc-rocky = каменистое +reagent-physical-desc-lemony-fresh = лимонно-свежее +reagent-physical-desc-crisp = хрустящее +reagent-physical-desc-citric = цитрусовое +reagent-physical-desc-acidic = кислотное +reagent-physical-desc-buzzy = жужжащее +reagent-physical-desc-fibrous = волокнистое +reagent-physical-desc-strong-smelling = сильно пахнущее +reagent-physical-desc-fizzy-and-creamy = шипучее и кремовое +reagent-physical-desc-overpowering = очень мощное +reagent-physical-desc-sour = кислое +reagent-physical-desc-pungent = жгучее +reagent-physical-desc-clumpy = комковатое +reagent-physical-desc-strong-smelling = сильно пахнущее +reagent-physical-desc-odorless = не имеющее запаха +reagent-physical-desc-gloopy = вязкое +reagent-physical-desc-cloudy = мутное +reagent-physical-desc-sweet = сладкое +reagent-physical-desc-electric = электрическое +reagent-physical-desc-chewy = жевательное +reagent-physical-desc-volatile = нестабильное +reagent-physical-desc-inky = чернильное +reagent-physical-desc-enigmatic = загадочное +reagent-physical-desc-exotic-smelling = экзотично пахнущее +reagent-physical-desc-energizing = заряжающее энергией +reagent-physical-desc-exhilarating = бодрящее +reagent-physical-desc-vibrant = вибрирующее +reagent-physical-desc-fluffy = пушистое +reagent-physical-desc-funny = смешное +reagent-physical-desc-alkaline = щелочное +reagent-physical-desc-reflective = отражающее +reagent-physical-desc-holy = святое +reagent-physical-desc-slimy = слизистое diff --git a/Resources/Locale/ru-RU/reagents/meta/pyrotechnic.ftl b/Resources/Locale/ru-RU/reagents/meta/pyrotechnic.ftl new file mode 100644 index 00000000000..5a4aa1a5985 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/pyrotechnic.ftl @@ -0,0 +1,14 @@ +reagent-name-thermite = термит +reagent-desc-thermite = Смесь, которая становится крайне горячей при воспламенении. +reagent-name-napalm = напалм +reagent-desc-napalm = Немножко огнеопасен. +reagent-name-phlogiston = флогистон +reagent-desc-phlogiston = Подожжёт и заставит вас гореть. +reagent-name-chlorine-trifluoride = CLF3 +reagent-desc-chlorine-trifluoride = Он же трифторид хлора. Вы очень, ОЧЕНЬ не хотите, чтобы эта дрянь оказалась рядом с вами. +reagent-name-foaming-agent = пенообразующий агент +reagent-desc-foaming-agent = Делает пену, подобную той, что требуется для гранат с металлической пеной. +reagent-name-welding-fuel = сварочное топливо +reagent-desc-welding-fuel = Используется сварщиками для сварки. +reagent-name-fluorosurfactant = фторсурфактант +reagent-desc-fluorosurfactant = Перфторированная сульфоновая кислота, образующая пену при смешивании с водой. diff --git a/Resources/Locale/ru-RU/reagents/meta/toxins.ftl b/Resources/Locale/ru-RU/reagents/meta/toxins.ftl new file mode 100644 index 00000000000..71a27d373f2 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/meta/toxins.ftl @@ -0,0 +1,52 @@ +reagent-name-toxin = токсин +reagent-desc-toxin = Как ни странно, токсичный химикат. Доступен в емагнутом химическом раздатчике. +reagent-name-carpotoxin = карпотоксин +reagent-desc-carpotoxin = Высокотоксичный химикат, содержащийся в космических карпах. Вызывает болезненное чувство жжения. +reagent-name-mold = плесень +reagent-desc-mold = Грибковое образование, часто встречающееся в темных, влажных местах или на просроченном хлебе. При попадании в организм вызывает заболевания. +reagent-name-polytrinic-acid = политриновая кислота +reagent-desc-polytrinic-acid = Чрезвычайно едкое химическое вещество. Сильно обжигает всех, кто вступит с ней в непосредственный контакт. +reagent-name-chloral-hydrate = хлоральгидрат +reagent-desc-chloral-hydrate = Успокаивающее и гипнотическое химическое вещество. Обычно используется для усыпления других людей, независимо от того, хотят они этого или нет. +reagent-name-gastrotoxin = гастротоксин +reagent-desc-gastrotoxin = Умеренно токсичный побочный продукт разложения продуктов питания. +reagent-name-ferrochromic-acid = феррохромовая кислота +reagent-desc-ferrochromic-acid = Слабый едкий раствор, не способный причинить серьёзный вред здоровью, только если не вдыхать его. +reagent-name-fluorosulfuric-acid = фторсерная кислота +reagent-desc-fluorosulfuric-acid = Очень едкое химическое вещество, способное оставить заметный след на коже. +reagent-name-sulfuric-acid = серная кислота +reagent-desc-sulfuric-acid = Едкий химикат. Держать подальше от лица. +reagent-name-unstable-mutagen = нестабильный мутаген +reagent-desc-unstable-mutagen = Вызывает мутации при введении в живых людей или растения. Высокие дозы могут быть смертельными, особенно для людей. +reagent-name-heartbreaker-toxin = токсин хартбрейкер +reagent-desc-heartbreaker-toxin = Галлюциногенное соединение, получаемое из токсина майндбрейкер. Блокирует нейронные сигналы в дыхательной системе, вызывая удушье. +reagent-name-lexorin = лексорин +reagent-desc-lexorin = Быстродействующее химическое вещество, используемое для быстрого удушения людей. Однако Дексалин, Дексалин плюс и Эпинефрин способны вывести его из организма. +reagent-name-mindbreaker-toxin = токсин майндбрейкер +reagent-desc-mindbreaker-toxin = Сильнодействующее галлюциногенное соединение, ранее известное как ЛСД. +reagent-name-histamine = гистамин +reagent-desc-histamine = Химическое вещество, образующееся в результате реакции аллергенов с антителами. Смертельно опасен в больших количествах. +reagent-name-theobromine = теобромин +reagent-desc-theobromine = Теобромин - это горький алкалоид, выделяемый из семян какао, который можно встретить в шоколаде и некоторых других продуктах. Не давать животным. +reagent-name-amatoxin = аматоксин +reagent-desc-amatoxin = Смертельно опасный токсин, содержащийся в некоторых грибах, прежде всего в мухоморах. Смертелен в малых дозах. +reagent-name-vent-crud = вентиляционная грязь +reagent-desc-vent-crud = Черное вещество, которое можно встретить в плохо обслуживаемых вентиляционных системах. Может вызывать вентиляционный кашель. +reagent-name-romerol = ромерол +reagent-desc-romerol = Потустороннее средство, способное оживить мертвецов. Если его не лечить, эффект будет необратимым и приведет к гибели станции. Обращайтесь с осторожностью. +reagent-name-uncooked-animal-proteins = непрожаренные животные протеины +reagent-desc-uncooked-animal-proteins = Крайне опасны для желудков более слабых форм жизни. +reagent-name-allicin = аллицин +reagent-desc-allicin = Сероорганическое соединение, содержащееся в растениях-аллиумах, таких, как чеснок, лук и других. +reagent-name-pax = пакс +reagent-desc-pax = Психиатрический препарат, который не позволяет употребившему причинять вред кому-либо напрямую. +reagent-name-honk = хонк +reagent-desc-honk = Токсин, содержащийся в бананиуме. Вызывает обильное хонканье и внутреннее кровотечение, также может вызвать мутацию употребившего. +reagent-name-lead = свинец +reagent-desc-lead = Медленно действующий, но невероятно смертоносный токсин, содержащийся в стали, хотя и в незначительных количествах. Не имеет вкуса. +reagent-name-bungotoxin = бунготоксин +reagent-desc-bungotoxin = Яд умеренно медленного действия, содержащийся в косточках плода бунго. +reagent-name-vestine = вестин +reagent-desc-vestine = Вызывает негативную реакцию в организме, приводя к сильному дрожанию. Хотя сам по себе он не особенно полезен, его можно использовать для производства небольшого количества химических веществ. +reagent-name-tazinide = тазинид +reagent-desc-tazinide = Очень опасная металлическая смесь, которая может препятствовать большинству движений посредством электрического тока. diff --git a/Resources/Locale/ru-RU/reagents/norepinephricacid.ftl b/Resources/Locale/ru-RU/reagents/norepinephricacid.ftl new file mode 100644 index 00000000000..2bbdc2d702a --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/norepinephricacid.ftl @@ -0,0 +1,8 @@ +norepinephricacid-effect-eyelids = Ваши веки быстро дёргаются. +norepinephricacid-effect-eyes-itch = Ваши глаза зудят. +norepinephricacid-effect-vision-fade = Вы чувствуете, как ваше зрение ухудшается. +norepinephricacid-effect-vision-fail = Вы чувствуете, как ваше зрение подводит вас. +norepinephricacid-effect-eye-pain = Вы чувствуете сильную боль в глазах! +norepinephricacid-effect-blindness = Ваши глаза перестают работать! +norepinephricacid-effect-darkness = Вы погружаетесь в мир тьмы! +norepinephricacid-effect-eye-disconnect = Ваши глаза словно отсоединяются! diff --git a/Resources/Locale/ru-RU/reagents/phlogiston.ftl b/Resources/Locale/ru-RU/reagents/phlogiston.ftl new file mode 100644 index 00000000000..c5425065cb9 --- /dev/null +++ b/Resources/Locale/ru-RU/reagents/phlogiston.ftl @@ -0,0 +1 @@ +phlogiston-plasma-created = Смесь пузырится, и из нее поднимается плазма! diff --git a/Resources/Locale/ru-RU/recycling/components/recycler-component.ftl b/Resources/Locale/ru-RU/recycling/components/recycler-component.ftl new file mode 100644 index 00000000000..bc9bbfcfa70 --- /dev/null +++ b/Resources/Locale/ru-RU/recycling/components/recycler-component.ftl @@ -0,0 +1,4 @@ +## RecyclerComponent + +recycler-component-suicide-message-others = { $victim } пытается переработать { $victim }! +recycler-component-suicide-message = Вы перерабатываете себя самого! diff --git a/Resources/Locale/ru-RU/repairable/repairable-component.ftl b/Resources/Locale/ru-RU/repairable/repairable-component.ftl new file mode 100644 index 00000000000..721b3f34c0b --- /dev/null +++ b/Resources/Locale/ru-RU/repairable/repairable-component.ftl @@ -0,0 +1,4 @@ +### Interaction Messages + +# Shown when repairing something +comp-repairable-repair = Вы ремонтируете { $target } с помощью { $tool } diff --git a/Resources/Locale/ru-RU/replays/replays.ftl b/Resources/Locale/ru-RU/replays/replays.ftl new file mode 100644 index 00000000000..c74bbf0b987 --- /dev/null +++ b/Resources/Locale/ru-RU/replays/replays.ftl @@ -0,0 +1,39 @@ +# Loading Screen + +replay-loading = Загрузка ({ $cur }/{ $total }) +replay-loading-reading = Чтение файлов +replay-loading-processing = Обработка файлов +replay-loading-spawning = Спавн сущностей +replay-loading-initializing = Инициализация сущностей +replay-loading-starting = Запуск сущностей +replay-loading-failed = + Не удалось загрузить повтор: + { $reason } +# Main Menu +replay-menu-subtext = Повторы +replay-menu-load = Загрузить выбранный повтор +replay-menu-select = Выбрать повтор +replay-menu-open = Открыть папку повторов +replay-menu-none = Повторы не найдены. +# Main Menu Info Box +replay-info-title = Информация о повторе +replay-info-none-selected = Повтор не выбран +replay-info-invalid = [color=red]Выбран неверный повтор[/color] +replay-info-info = + { "[" }color=gray]Выбрано:[/color] { $name } ({ $file }) + { "[" }color=gray]Время:[/color] { $time } + { "[" }color=gray]ID раунда:[/color] { $roundId } + { "[" }color=gray]Продолжительность:[/color] { $duration } + { "[" }color=gray]ForkId:[/color] { $forkId } + { "[" }color=gray]Version:[/color] { $version } + { "[" }color=gray]Engine:[/color] { $engVersion } + { "[" }color=gray]Type Hash:[/color] { $hash } + { "[" }color=gray]Comp Hash:[/color] { $compHash } +# Replay selection window +replay-menu-select-title = Выбрать повтор +# Replay related verbs +replay-verb-spectate = Наблюдать +# command +cmd-replay-spectate-help = replay_spectate [сущность (опционально)] +cmd-replay-spectate-desc = Прикрепляет или открепляет локального игрока к заданному uid сущности. +cmd-replay-spectate-hint = Опциональный EntityUid diff --git a/Resources/Locale/ru-RU/research/components/research-client-component.ftl b/Resources/Locale/ru-RU/research/components/research-client-component.ftl new file mode 100644 index 00000000000..a516c89781c --- /dev/null +++ b/Resources/Locale/ru-RU/research/components/research-client-component.ftl @@ -0,0 +1,2 @@ +research-client-server-selection-menu-title = Выбор сервера РнД +research-client-server-selection-menu-server-entry-text = ID: { $id } || { $serverName } diff --git a/Resources/Locale/ru-RU/research/components/research-console-component.ftl b/Resources/Locale/ru-RU/research/components/research-console-component.ftl new file mode 100644 index 00000000000..e5e99b21434 --- /dev/null +++ b/Resources/Locale/ru-RU/research/components/research-console-component.ftl @@ -0,0 +1,20 @@ +## UI + +research-console-menu-title = Консоль R&D +research-console-menu-main-discipline = Основная дисциплина: [color={ $color }]{ $name }[/color] +research-console-menu-server-research-button = Исследовать +research-console-available-text = Доступные технологии +research-console-unlocked-text = Исследованные технологии +research-console-tier-discipline-info = Уровень { $tier }, [color={ $color }]{ $discipline }[/color] +research-console-tier-info-small = : Уровень { $tier } +research-console-cost = Стоимость: [color=orchid]{ $amount }[/color] +research-console-unlocks-list-start = Открывает: +research-console-unlocks-list-entry = - [color=yellow]{ $name }[/color] +research-console-unlocks-list-entry-generic = - [color=green]{ $text }[/color] +research-console-menu-research-points-text = Очки исследований: { $points } +research-console-menu-server-selection-button = Список серверов +research-console-menu-server-sync-button = Синхронизировать +research-console-prereqs-list-start = Требует: +research-console-prereqs-list-entry = - [color=orchid]{ $text }[/color] +research-console-no-access-popup = Нет доступа! +research-console-unlock-technology-radio-broadcast = Исследовано [bold]{ $technology }[/bold] за [bold]{ $amount }[/bold] очков исследований. diff --git a/Resources/Locale/ru-RU/research/components/research-disk.ftl b/Resources/Locale/ru-RU/research/components/research-disk.ftl new file mode 100644 index 00000000000..a31c201a6bc --- /dev/null +++ b/Resources/Locale/ru-RU/research/components/research-disk.ftl @@ -0,0 +1 @@ +research-disk-inserted = Вы вставляете диск, добавляя { $points } очков на ваш сервер. diff --git a/Resources/Locale/ru-RU/research/components/technology-disk.ftl b/Resources/Locale/ru-RU/research/components/technology-disk.ftl new file mode 100644 index 00000000000..02d6f6e4cf1 --- /dev/null +++ b/Resources/Locale/ru-RU/research/components/technology-disk.ftl @@ -0,0 +1,9 @@ +tech-disk-inserted = Вы вставляете диск, добавляя на сервер новый рецепт. +tech-disk-examine-none = Этикетка пуста. +tech-disk-examine = На этикетке имеется небольшое матричное изображение, представляющее { $result }. +tech-disk-examine-more = Имеются и другие изображения, но они слишком малы, чтобы разглядеть их. +tech-disk-ui-name = Терминал технологических дисков +tech-disk-ui-total-label = На выбранном сервере имеется { $amount } очков +tech-disk-ui-cost-label = Печать каждого диска стоит { $amount } очков +tech-disk-ui-print-button = Напечать диск +tech-disk-ui-print-rare-button = Напечатать редкий диск ({ $amount }) diff --git a/Resources/Locale/ru-RU/research/technologies.ftl b/Resources/Locale/ru-RU/research/technologies.ftl new file mode 100644 index 00000000000..a8e19b748f0 --- /dev/null +++ b/Resources/Locale/ru-RU/research/technologies.ftl @@ -0,0 +1,77 @@ +research-discipline-none = Отсутствует +research-discipline-industrial = Промышленность +research-discipline-biochemical = Биохимия +research-discipline-arsenal = Арсенал +research-discipline-experimental = Экспериментальное +research-discipline-civilian-services = Обслуживание персонала +research-technology-fulton = Фултоны +research-technology-salvage-equipment = Снаряжение для утилизации +research-technology-mechanical-compression = Механические компрессоры +research-technology-advanced-powercells = Продвинутые батареи +research-technology-compact-power = Компактная энергогенерация +research-technology-industrial-engineering = Промышленная инженерия +research-technology-power-generation = Генерация электроэнергии +research-technology-atmospheric-tech = Атмосферные технологии +research-technology-rapid-construction = Быстрое строительство +research-technology-shuttlecraft = Шаттлостроение +research-technology-ripley-aplu = Рипли АВП +research-technology-advanced-atmospherics = Продвинутые атмос-технологии +research-technology-advanced-tools = Продвинутые инструменты +research-technology-super-powercells = Супербатареи +research-technology-bluespace-storage = Блюспейс-хранилище +research-technology-portable-fission = Портативный распад +research-technology-uranium-munitions = Урановые боеприпасы +research-technology-chemistry = Химия +research-technology-surgical-tools = Хирургические инструменты +research-technology-biochemical-stasis = Биохимический стазис +research-technology-mechanized-treatment = Механизированная подготовка +research-technology-virology = Вирусология +research-technology-cryogenics = Криогеника +research-technology-chemical-dispensary = Химический раздатчик +research-technology-crew-monitoring = Мониторинг экипажа +research-technology-experimental-battery-ammo = Экспериментальные батареи лазерного вооружения +research-technology-basic-shuttle-armament = Базовое шаттловое вооружение +research-technology-advanced-shuttle-weapon = Продвинутое шаттловое вооружение +research-technology-bluespace-chemistry = Блюспейс-химия +research-technology-cloning = Клонирование +research-technology-salvage-weapons = Утилизаторское оружие +research-technology-draconic-munitions = Драконьи боеприпасы +research-technology-explosive-technology = Взрывчатые вещества +research-technology-weaponized-laser-manipulation = Манипулирование лазерным оружием +research-technology-anomaly-harnessing = Углубленное изучение Аномального Ядра +research-technology-nonlethal-ammunition = Нелетальные боеприпасы +research-technology-practice-ammunition = Учебные боеприпасы +research-technology-concentrated-laser-weaponry = Концентрированное лазерное оружие +research-technology-quantum-leaping = Квантовый скачок +research-technology-wave-particle-harnessing = Применение волновых частиц +research-technology-advanced-riot-control = Продвинутое противодействие беспорядкам +research-technology-portable-microfusion-weaponry = Оруженый портативный микросинтез +research-technology-deterrence = Технологии сдерживания +research-technology-handheld-electrical-propulsion = Ручные электродвигатели +research-technology-basic-robotics = Основы робототехники +research-technology-basic-anomalous-research = Основы исследования аномалий +research-technology-basic-xenoarcheology = Основы ксеноархеологии +research-technology-alternative-research = Альтернативные исследования +research-technology-magnets-tech = Локализованный магнетизм +research-technology-advanced-parts = Продвинутые компоненты +research-technology-faux-astro-tiles = Фальшивая астроплитка +research-technology-grappling = Технология захвата +research-technology-abnormal-artifact-manipulation = Абнормальное манипулирование артефактами +research-technology-gravity-manipulation = Манипулирование гравитацией +research-technology-advanced-anomaly-research = Продвинутое изучение аномалий +research-technology-rped = Быстрая замена компонентов +research-technology-super-parts = Суперкомпоненты +research-technology-janitorial-equipment = Уборочное оборудование +research-technology-laundry-tech = Прачечная технология +research-technology-critter-mechs = Мехи для животных +research-technology-basic-hydroponics = Основы гидропоники +research-technology-food-service = Организация питания +research-technology-advanced-entertainment = Продвинутые развлечения +research-technology-robotic-cleanliness = Роботизированная уборка +research-technology-audio-visual-communication = А/В коммуникация +research-technology-advanced-cleaning = Продвинутая уборка +research-technology-meat-manipulation = Манипулирование мясом +research-technology-honk-mech = Мех Х.О.Н.К. +research-technology-advanced-spray = Продвинутые спреи +research-technology-quantum-fiber-weaving = Плетение квантового волокна +research-technology-bluespace-cargo-transport = Блюспейс-транспортировка грузов diff --git a/Resources/Locale/ru-RU/resist/components/escape-inventory-component.ftl b/Resources/Locale/ru-RU/resist/components/escape-inventory-component.ftl new file mode 100644 index 00000000000..d334c383e9e --- /dev/null +++ b/Resources/Locale/ru-RU/resist/components/escape-inventory-component.ftl @@ -0,0 +1,3 @@ +escape-inventory-component-start-resisting = Вы начинаете вырываться на свободу! +escape-inventory-component-start-resisting-target = Что-то пытается выбраться из вашего инвентаря! +escape-inventory-component-failed-resisting = Невозможно выбраться! diff --git a/Resources/Locale/ru-RU/resist/components/resist-locker-component.ftl b/Resources/Locale/ru-RU/resist/components/resist-locker-component.ftl new file mode 100644 index 00000000000..869dc5fe690 --- /dev/null +++ b/Resources/Locale/ru-RU/resist/components/resist-locker-component.ftl @@ -0,0 +1,2 @@ +resist-locker-component-start-resisting = Вы начинаете выбивать дверь! +resist-locker-component-resist-interrupted = Ваши попытки выбить дверь были прерваны! diff --git a/Resources/Locale/ru-RU/revenant/revenant.ftl b/Resources/Locale/ru-RU/revenant/revenant.ftl new file mode 100644 index 00000000000..49954b6efbc --- /dev/null +++ b/Resources/Locale/ru-RU/revenant/revenant.ftl @@ -0,0 +1,16 @@ +revenant-essence-amount = У вас [color=plum]{ $current } эссенции[/color]. Ваш максимум — [color=plum]{ $max } эссенции[/color]. +revenant-max-essence-increased = Максимальный запас эссенции увеличился! +revenant-not-enough-essence = Недостаточно эссенции! +revenant-in-solid = Вы не можете использовать эту способность, пока находитесь внутри твёрдого объекта. +revenant-soul-too-powerful = Эта душа слишком сильна, чтобы её собрать! +revenant-soul-harvested = Эта душа уже собрана! +revenant-soul-searching = Вы ищете душу { $target }. +revenant-soul-yield-high = { CAPITALIZE($target) } имеет душу выше среднего! +revenant-soul-yield-average = { CAPITALIZE($target) } имеет среднюю душу. +revenant-soul-yield-low = { CAPITALIZE($target) } имеет душу ниже среднего. +revenant-soul-begin-harvest = { CAPITALIZE($target) } внезапно приподнимается в воздух, а кожа становится пепельно серой. +revenant-soul-finish-harvest = { CAPITALIZE($target) } падает на землю! +#UI +revenant-user-interface-title = Магазин способностей +revenant-user-interface-essence-amount = [color=plum]{ $amount }[/color] украденной эссенции +revenant-user-interface-cost = { $price } эссенции diff --git a/Resources/Locale/ru-RU/robotics/mmi.ftl b/Resources/Locale/ru-RU/robotics/mmi.ftl new file mode 100644 index 00000000000..3eab405c589 --- /dev/null +++ b/Resources/Locale/ru-RU/robotics/mmi.ftl @@ -0,0 +1,11 @@ +positronic-brain-installed = Обнаружена нейронная активность. +positronic-brain-off = Нейронная активность не обнаружена. +positronic-brain-still-searching = Идет процесс синтетического нейронного дескремблирования... +positronic-brain-searching = Начинается процесс синтетического нейронного дескремблирования... +positronic-brain-role-name = позитронный мозг +positronic-brain-role-description = Служите экипажу станции. +positronic-brain-wipe-device-verb-text = Стереть мозг +positronic-brain-wiped-device = Нейронная активность была прекращена. +positronic-brain-stop-searching-verb-text = Прекратить поиск +positronic-brain-stopped-searching = Нейронное дескремблирование прекращено. +positronic-brain-slot-component-slot-name-brain = Мозг diff --git a/Resources/Locale/ru-RU/robust-toolbox/_engine_lib.ftl b/Resources/Locale/ru-RU/robust-toolbox/_engine_lib.ftl new file mode 100644 index 00000000000..cf69936c9e4 --- /dev/null +++ b/Resources/Locale/ru-RU/robust-toolbox/_engine_lib.ftl @@ -0,0 +1,64 @@ +# Used internally by the THE() function. +zzzz-the = + { PROPER($ent) -> + *[false] the { $ent } + [true] { $ent } + } +# Used internally by the SUBJECT() function. +zzzz-subject-pronoun = + { GENDER($ent) -> + [male] он + [female] она + [epicene] они + *[neuter] оно + } +# Used internally by the OBJECT() function. +zzzz-object-pronoun = + { GENDER($ent) -> + [male] его + [female] её + [epicene] их + *[neuter] его + } +# Used internally by the POSS-PRONOUN() function. +zzzz-possessive-pronoun = + { GENDER($ent) -> + [male] его + [female] её + [epicene] их + *[neuter] его + } +# Used internally by the POSS-ADJ() function. +zzzz-possessive-adjective = + { GENDER($ent) -> + [male] его + [female] её + [epicene] их + *[neuter] его + } +# Used internally by the REFLEXIVE() function. +zzzz-reflexive-pronoun = + { GENDER($ent) -> + [male] сам + [female] сама + [epicene] сами + *[neuter] сам + } +# Used internally by the CONJUGATE-BE() function. +zzzz-conjugate-be = + { GENDER($ent) -> + [epicene] are + *[other] is + } +# Used internally by the CONJUGATE-HAVE() function. +zzzz-conjugate-have = + { GENDER($ent) -> + [epicene] have + *[other] has + } +# Used internally by the CONJUGATE-BASIC() function. +zzzz-conjugate-basic = + { GENDER($ent) -> + [epicene] { $first } + *[other] { $second } + } diff --git a/Resources/Locale/ru-RU/robust-toolbox/client-state-commands.ftl b/Resources/Locale/ru-RU/robust-toolbox/client-state-commands.ftl new file mode 100644 index 00000000000..446515ada5b --- /dev/null +++ b/Resources/Locale/ru-RU/robust-toolbox/client-state-commands.ftl @@ -0,0 +1,12 @@ +# Loc strings for various entity state & client-side PVS related commands + +cmd-reset-ent-help = Использование: resetent +cmd-reset-ent-desc = Сбрасывает сущность до последнего полученного от сервера состояния. Это также сбросит сущности, которые были удалены в null-space. +cmd-reset-all-ents-help = Использование: resetallents +cmd-reset-all-ents-desc = Сбрасывает все сущности до последнего полученного от сервера состояния. Это затрагивает только сущности, которые не были удалены в null-space. +cmd-detach-ent-help = Использование: detachent +cmd-detach-ent-desc = Удаляет сущность в null-space, как если бы он покинул зону действия PVS. +cmd-local-delete-help = Использование: localdelete +cmd-local-delete-desc = Удаляет сущность. В отличие от обычной команды delete, эта команда работает на стороне клиента (CLIENT-SIDE). Если сущность не является клиентской, это, скорее всего, приведет к ошибкам. +cmd-full-state-reset-help = Использование: fullstatereset +cmd-full-state-reset-desc = Сбрасывает всю информацию о состоянии сущности и запрашивает полное состояние у сервера. diff --git a/Resources/Locale/ru-RU/robust-toolbox/commands.ftl b/Resources/Locale/ru-RU/robust-toolbox/commands.ftl new file mode 100644 index 00000000000..7217293ce8c --- /dev/null +++ b/Resources/Locale/ru-RU/robust-toolbox/commands.ftl @@ -0,0 +1,432 @@ +### Localization for engine console commands + + +## generic command errors + +cmd-invalid-arg-number-error = Недопустимое число аргументов. +cmd-parse-failure-integer = { $arg } не является допустимым integer. +cmd-parse-failure-float = { $arg } не является допустимым float. +cmd-parse-failure-bool = { $arg } не является допустимым bool. +cmd-parse-failure-uid = { $arg } не является допустимым UID сущности. +cmd-parse-failure-mapid = { $arg } не является допустимым MapId. +cmd-parse-failure-entity-exist = UID { $arg } не соответствует существующей сущности. +cmd-error-file-not-found = Не удалось найти файл: { $file }. +cmd-error-dir-not-found = Не удалось найти директорию: { $dir }. +cmd-failure-no-attached-entity = К этой оболочке не привязана никакая сущность. + +## 'help' command + +cmd-help-desc = Выводит общую справку или справку по определенной команде +cmd-help-help = + Использование: help [имя команды] + Если имя команды не будет указано, будет выведена общая справка. Если имя команды будет указано, будет выведена справка по этой команде. +cmd-help-no-args = Чтобы получить справку по определенной команде, используйте 'help '. Для получения списка всех доступных команд используйте 'list'. Для поиска по командам используйте 'list '. +cmd-help-unknown = Неизвестная команда: { $command } +cmd-help-top = { $command } - { $description } +cmd-help-invalid-args = Недопустимое количество аргументов. +cmd-help-arg-cmdname = [имя команды] + +## 'cvar' command + +cmd-cvar-desc = Получает или устанавливает CVar. +cmd-cvar-help = + Использование: cvar [значение] + Если значение предоставлено, оно спарсится и сохранится как новое значение CVar. + Если нет, отобразится текущее значение CVar. + Используйте 'cvar ?' для получения списка всех зарегистрированных CVar-ов. +cmd-cvar-invalid-args = Должно быть представлено ровно один или два аргумента. +cmd-cvar-not-registered = CVar '{ $cvar }' не зарегистрирован. Используйте 'cvar ?' для получения списка всех зарегистрированных CVar-ов. +cmd-cvar-parse-error = Входное значение имеет неправильный формат для типа { $type } +cmd-cvar-compl-list = Список доступных CVar-ов +cmd-cvar-arg-name = +cmd-cvar-value-hidden =