Contraband marking & examining (#28688)

* System & loc strings

* pass over syndie contraband

* fixes

* grand theft pass

* contrabandexamine -> contraband

* examine text generation update

* all composition parents necessary

* bring back minor contra so it has a less confusing message

* minor

* weapon pass

* jumpsuit pass

* feet pass

* AUUUUUUUUUGHHHHHHHHHHHHHHHHHH

* head

* AUUUUGH

* ear

* belt

* back

* fix

* bro

* rename for more clarity

* do da review

* add cvar for contraband examine

---------

Co-authored-by: EmoGarbage404 <retron404@gmail.com>
Co-authored-by: Nemanja <98561806+EmoGarbage404@users.noreply.github.com>
This commit is contained in:
Kara
2024-08-11 22:57:49 -05:00
committed by GitHub
parent 9f180e4f62
commit 485caa4553
105 changed files with 566 additions and 302 deletions

View File

@@ -368,7 +368,7 @@ public sealed class SuitSensorSystem : EntitySystem
userJobIcon = card.Comp.JobIcon; userJobIcon = card.Comp.JobIcon;
foreach (var department in card.Comp.JobDepartments) foreach (var department in card.Comp.JobDepartments)
userJobDepartments.Add(Loc.GetString(department)); userJobDepartments.Add(Loc.GetString($"department-{department}"));
} }
// get health mob state // get health mob state

View File

@@ -1,5 +1,6 @@
using Content.Shared.Access.Systems; using Content.Shared.Access.Systems;
using Content.Shared.PDA; using Content.Shared.PDA;
using Content.Shared.Roles;
using Content.Shared.StatusIcon; using Content.Shared.StatusIcon;
using Robust.Shared.GameStates; using Robust.Shared.GameStates;
using Robust.Shared.Prototypes; using Robust.Shared.Prototypes;
@@ -29,11 +30,11 @@ public sealed partial class IdCardComponent : Component
public ProtoId<JobIconPrototype> JobIcon = "JobIconUnknown"; public ProtoId<JobIconPrototype> JobIcon = "JobIconUnknown";
/// <summary> /// <summary>
/// The unlocalized names of the departments associated with the job /// The proto IDs of the departments associated with the job
/// </summary> /// </summary>
[DataField] [DataField]
[AutoNetworkedField] [AutoNetworkedField]
public List<LocId> JobDepartments = new(); public List<ProtoId<DepartmentPrototype>> JobDepartments = new();
/// <summary> /// <summary>
/// Determines if accesses from this card should be logged by <see cref="AccessReaderComponent"/> /// Determines if accesses from this card should be logged by <see cref="AccessReaderComponent"/>

View File

@@ -147,7 +147,7 @@ public abstract class SharedIdCardSystem : EntitySystem
foreach (var department in _prototypeManager.EnumeratePrototypes<DepartmentPrototype>()) foreach (var department in _prototypeManager.EnumeratePrototypes<DepartmentPrototype>())
{ {
if (department.Roles.Contains(job.ID)) if (department.Roles.Contains(job.ID))
id.JobDepartments.Add("department-" + department.ID); id.JobDepartments.Add(department.ID);
} }
Dirty(uid, id); Dirty(uid, id);

View File

@@ -450,6 +450,12 @@ namespace Content.Shared.CCVar
public static readonly CVarDef<bool> GameTabletopPlace = public static readonly CVarDef<bool> GameTabletopPlace =
CVarDef.Create("game.tabletop_place", false, CVar.SERVERONLY); CVarDef.Create("game.tabletop_place", false, CVar.SERVERONLY);
/// <summary>
/// If true, contraband severity can be viewed in the examine menu
/// </summary>
public static readonly CVarDef<bool> ContrabandExamine =
CVarDef.Create("game.contraband_examine", true, CVar.SERVER | CVar.REPLICATED);
/* /*
* Discord * Discord
*/ */

View File

@@ -0,0 +1,26 @@
using Content.Shared.Roles;
using Robust.Shared.GameStates;
using Robust.Shared.Prototypes;
namespace Content.Shared.Contraband;
/// <summary>
/// This is used for marking entities that are considered 'contraband' IC and showing it clearly in examine.
/// </summary>
[RegisterComponent, NetworkedComponent, Access(typeof(ContrabandSystem))]
public sealed partial class ContrabandComponent : Component
{
/// <summary>
/// The degree of contraband severity this item is considered to have.
/// </summary>
[DataField]
public ProtoId<ContrabandSeverityPrototype> Severity = "Restricted";
/// <summary>
/// Which departments is this item restricted to?
/// By default, command and sec are assumed to be fine with contraband.
/// If null, no departments are allowed to use this.
/// </summary>
[DataField]
public HashSet<ProtoId<DepartmentPrototype>>? AllowedDepartments = ["Security"];
}

View File

@@ -0,0 +1,26 @@
using Robust.Shared.Prototypes;
namespace Content.Shared.Contraband;
/// <summary>
/// This is a prototype for defining the degree of severity for a particular <see cref="ContrabandComponent"/>
/// </summary>
[Prototype]
public sealed partial class ContrabandSeverityPrototype : IPrototype
{
/// <inheritdoc/>
[IdDataField]
public string ID { get; } = default!;
/// <summary>
/// Text shown for this severity level when the contraband is examined.
/// </summary>
[DataField]
public LocId ExamineText;
/// <summary>
/// When examining the contraband, should this take into account the viewer's departments?
/// </summary>
[DataField]
public bool ShowDepartments;
}

View File

@@ -0,0 +1,81 @@
using System.Linq;
using Content.Shared.Access.Systems;
using Content.Shared.CCVar;
using Content.Shared.Examine;
using Content.Shared.Localizations;
using Content.Shared.Roles;
using Robust.Shared.Configuration;
using Robust.Shared.Prototypes;
namespace Content.Shared.Contraband;
/// <summary>
/// This handles showing examine messages for contraband-marked items.
/// </summary>
public sealed class ContrabandSystem : EntitySystem
{
[Dependency] private readonly IConfigurationManager _configuration = default!;
[Dependency] private readonly IPrototypeManager _proto = default!;
[Dependency] private readonly SharedIdCardSystem _id = default!;
private bool _contrabandExamineEnabled;
/// <inheritdoc/>
public override void Initialize()
{
SubscribeLocalEvent<ContrabandComponent, ExaminedEvent>(OnExamined);
Subs.CVar(_configuration, CCVars.ContrabandExamine, SetContrabandExamine, true);
}
private void SetContrabandExamine(bool val)
{
_contrabandExamineEnabled = val;
}
private void OnExamined(Entity<ContrabandComponent> ent, ref ExaminedEvent args)
{
if (!_contrabandExamineEnabled)
return;
// two strings:
// one, the actual informative 'this is restricted'
// then, the 'you can/shouldn't carry this around' based on the ID the user is wearing
using (args.PushGroup(nameof(ContrabandComponent)))
{
var severity = _proto.Index(ent.Comp.Severity);
if (severity.ShowDepartments && ent.Comp is { AllowedDepartments: not null })
{
// TODO shouldn't department prototypes have a localized name instead of just using the ID for this?
var list = ContentLocalizationManager.FormatList(ent.Comp.AllowedDepartments.Select(p => Loc.GetString($"department-{p.Id}")).ToList());
// department restricted text
args.PushMarkup(Loc.GetString("contraband-examine-text-Restricted-department", ("departments", list)));
}
else
{
args.PushMarkup(Loc.GetString(severity.ExamineText));
}
// text based on ID card
List<ProtoId<DepartmentPrototype>>? departments = null;
if (_id.TryFindIdCard(args.Examiner, out var id))
{
departments = id.Comp.JobDepartments;
}
// either its fully restricted, you have no departments, or your departments dont intersect with the restricted departments
if (ent.Comp.AllowedDepartments is null
|| departments is null
|| !departments.Intersect(ent.Comp.AllowedDepartments).Any())
{
args.PushMarkup(Loc.GetString("contraband-examine-text-avoid-carrying-around"));
return;
}
// otherwise fine to use :tm:
args.PushMarkup(Loc.GetString("contraband-examine-text-in-the-clear"));
}
}
}

View File

@@ -0,0 +1,8 @@
contraband-examine-text-Minor = [color=yellow]This item is considered minor contraband.[/color]
contraband-examine-text-Restricted = [color=yellow]This item is departmentally restricted.[/color]
contraband-examine-text-Restricted-department = [color=yellow]This item is restricted to {$departments}, and may be considered contraband.[/color]
contraband-examine-text-GrandTheft = [color=red]This item is a highly valuable target for Syndicate agents![/color]
contraband-examine-text-Syndicate = [color=crimson]This item is highly illegal Syndicate contraband![/color]
contraband-examine-text-avoid-carrying-around = [color=red][italic]You probably want to avoid visibly carrying this around without a good reason.[/italic][/color]
contraband-examine-text-in-the-clear = [color=green][italic]You should be in the clear to visibly carry this around.[/italic][/color]

View File

@@ -340,7 +340,7 @@
- type: entity - type: entity
name: syndicate encryption key box name: syndicate encryption key box
parent: BoxEncryptionKeyPassenger parent: [BoxEncryptionKeyPassenger, BaseRestrictedContraband]
id: BoxEncryptionKeySyndie id: BoxEncryptionKeySyndie
description: Two syndicate encryption keys for the price of one. Miniaturized for ease of use. description: Two syndicate encryption keys for the price of one. Miniaturized for ease of use.
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
id: ElectricalDisruptionKit id: ElectricalDisruptionKit
parent: BoxCardboard parent: [BoxCardboard, BaseSyndicateContraband]
name: electrical disruption kit name: electrical disruption kit
suffix: Filled suffix: Filled
components: components:
@@ -12,7 +12,7 @@
amount: 1 amount: 1
- type: entity - type: entity
parent: BoxVial parent: [BoxVial, BaseSyndicateContraband]
id: ChemicalSynthesisKit id: ChemicalSynthesisKit
name: chemical synthesis kit name: chemical synthesis kit
description: A starter kit for the aspiring chemist, includes toxin and vestine for all your criminal needs! description: A starter kit for the aspiring chemist, includes toxin and vestine for all your criminal needs!
@@ -33,7 +33,7 @@
- id: SyringeStimulants - id: SyringeStimulants
- type: entity - type: entity
parent: BoxCardboard parent: [BoxCardboard, BaseSyndicateContraband]
id: ThrowingKnivesKit id: ThrowingKnivesKit
name: throwing knives kit name: throwing knives kit
description: A set of 4 syndicate branded throwing knives, perfect for embedding into the body of your victims. description: A set of 4 syndicate branded throwing knives, perfect for embedding into the body of your victims.
@@ -52,7 +52,7 @@
- type: entity - type: entity
name: deathrattle implant box name: deathrattle implant box
parent: BoxCardboard parent: [BoxCardboard, BaseSyndicateContraband]
id: BoxDeathRattleImplants id: BoxDeathRattleImplants
description: Six deathrattle implants for the whole squad. description: Six deathrattle implants for the whole squad.
components: components:

View File

@@ -10,7 +10,7 @@
- type: entity - type: entity
id: BriefcaseSyndieSniperBundleFilled id: BriefcaseSyndieSniperBundleFilled
parent: BriefcaseSyndie parent: [BriefcaseSyndie, BaseSyndicateContraband]
suffix: Syndicate, Sniper Bundle suffix: Syndicate, Sniper Bundle
components: components:
- type: Item - type: Item

View File

@@ -56,7 +56,7 @@
collection: IanBark collection: IanBark
- type: entity - type: entity
parent: ClothingBackpack parent: [ClothingBackpack, BaseRestrictedContraband]
id: ClothingBackpackSecurity id: ClothingBackpackSecurity
name: security backpack name: security backpack
description: It's a very robust backpack. description: It's a very robust backpack.
@@ -65,7 +65,7 @@
sprite: Clothing/Back/Backpacks/security.rsi sprite: Clothing/Back/Backpacks/security.rsi
- type: entity - type: entity
parent: ClothingBackpack parent: [ClothingBackpack, BaseRestrictedContraband]
id: ClothingBackpackBrigmedic id: ClothingBackpackBrigmedic
name: brigmedic backpack name: brigmedic backpack
description: It's a very sterile backpack. description: It's a very sterile backpack.
@@ -101,7 +101,7 @@
sprite: Clothing/Back/Backpacks/medical.rsi sprite: Clothing/Back/Backpacks/medical.rsi
- type: entity - type: entity
parent: ClothingBackpack parent: [ClothingBackpack, BaseCommandContraband]
id: ClothingBackpackCaptain id: ClothingBackpackCaptain
name: captain's backpack name: captain's backpack
description: It's a special backpack made exclusively for Nanotrasen officers. description: It's a special backpack made exclusively for Nanotrasen officers.
@@ -269,7 +269,7 @@
#Syndicate #Syndicate
- type: entity - type: entity
parent: ClothingBackpack parent: [ClothingBackpack, BaseSyndicateContraband]
id: ClothingBackpackSyndicate id: ClothingBackpackSyndicate
name: syndicate backpack name: syndicate backpack
description: description:

View File

@@ -43,7 +43,7 @@
sprite: Clothing/Back/Duffels/medical.rsi sprite: Clothing/Back/Duffels/medical.rsi
- type: entity - type: entity
parent: ClothingBackpackDuffel parent: [ClothingBackpackDuffel, BaseCommandContraband]
id: ClothingBackpackDuffelCaptain id: ClothingBackpackDuffelCaptain
name: captain's duffel bag name: captain's duffel bag
description: A large duffel bag for holding extra captainly goods. description: A large duffel bag for holding extra captainly goods.
@@ -64,7 +64,7 @@
collection: BikeHorn collection: BikeHorn
- type: entity - type: entity
parent: ClothingBackpackDuffel parent: [ClothingBackpackDuffel, BaseRestrictedContraband]
id: ClothingBackpackDuffelSecurity id: ClothingBackpackDuffelSecurity
name: security duffel bag name: security duffel bag
description: A large duffel bag for holding extra security related goods. description: A large duffel bag for holding extra security related goods.
@@ -73,7 +73,7 @@
sprite: Clothing/Back/Duffels/security.rsi sprite: Clothing/Back/Duffels/security.rsi
- type: entity - type: entity
parent: ClothingBackpackDuffel parent: [ClothingBackpackDuffel, BaseRestrictedContraband]
id: ClothingBackpackDuffelBrigmedic id: ClothingBackpackDuffelBrigmedic
name: brigmedic duffel bag name: brigmedic duffel bag
description: A large duffel bag for holding extra medical related goods. description: A large duffel bag for holding extra medical related goods.
@@ -158,7 +158,7 @@
sprite: Clothing/Back/Duffels/salvage.rsi sprite: Clothing/Back/Duffels/salvage.rsi
- type: entity - type: entity
parent: ClothingBackpackDuffel parent: [ClothingBackpackDuffel, BaseSyndicateContraband]
id: ClothingBackpackDuffelSyndicate id: ClothingBackpackDuffelSyndicate
name: syndicate duffel bag name: syndicate duffel bag
description: A large duffel bag for holding various traitor goods. description: A large duffel bag for holding various traitor goods.

View File

@@ -106,7 +106,7 @@
sprite: Clothing/Back/Satchels/science.rsi sprite: Clothing/Back/Satchels/science.rsi
- type: entity - type: entity
parent: ClothingBackpackSatchel parent: [ClothingBackpackSatchel, BaseRestrictedContraband]
id: ClothingBackpackSatchelSecurity id: ClothingBackpackSatchelSecurity
name: security satchel name: security satchel
description: A robust satchel for security related needs. description: A robust satchel for security related needs.
@@ -115,7 +115,7 @@
sprite: Clothing/Back/Satchels/security.rsi sprite: Clothing/Back/Satchels/security.rsi
- type: entity - type: entity
parent: ClothingBackpackSatchel parent: [ClothingBackpackSatchel, BaseRestrictedContraband]
id: ClothingBackpackSatchelBrigmedic id: ClothingBackpackSatchelBrigmedic
name: brigmedic satchel name: brigmedic satchel
description: A sterile satchel for medical related needs. description: A sterile satchel for medical related needs.
@@ -124,7 +124,7 @@
sprite: Clothing/Back/Satchels/brigmedic.rsi sprite: Clothing/Back/Satchels/brigmedic.rsi
- type: entity - type: entity
parent: ClothingBackpackSatchel parent: [ClothingBackpackSatchel, BaseCommandContraband]
id: ClothingBackpackSatchelCaptain id: ClothingBackpackSatchelCaptain
name: captain's satchel name: captain's satchel
description: An exclusive satchel for Nanotrasen officers. description: An exclusive satchel for Nanotrasen officers.

View File

@@ -456,7 +456,7 @@
- type: Appearance - type: Appearance
- type: entity - type: entity
parent: ClothingBeltStorageBase parent: [ClothingBeltStorageBase, BaseRestrictedContraband]
id: ClothingBeltSecurity id: ClothingBeltSecurity
name: security belt name: security belt
description: Can hold security gear like handcuffs and flashes. description: Can hold security gear like handcuffs and flashes.
@@ -507,7 +507,7 @@
- type: Appearance - type: Appearance
- type: entity - type: entity
parent: [ClothingBeltBase, ClothingSlotBase] parent: [ClothingBeltBase, ClothingSlotBase, BaseCommandContraband]
id: ClothingBeltSheath id: ClothingBeltSheath
name: sabre sheath name: sabre sheath
description: An ornate sheath designed to hold an officer's blade. description: An ornate sheath designed to hold an officer's blade.
@@ -541,7 +541,7 @@
# Belts without visualizers # Belts without visualizers
- type: entity - type: entity
parent: ClothingBeltAmmoProviderBase parent: [ClothingBeltAmmoProviderBase, BaseRestrictedContraband]
id: ClothingBeltBandolier id: ClothingBeltBandolier
name: bandolier name: bandolier
description: A bandolier for holding shotgun ammunition. description: A bandolier for holding shotgun ammunition.
@@ -588,7 +588,7 @@
- 0,0,3,1 - 0,0,3,1
- type: entity - type: entity
parent: ClothingBeltStorageBase parent: [ClothingBeltStorageBase, BaseSyndicateContraband]
id: ClothingBeltSyndieHolster id: ClothingBeltSyndieHolster
name: syndicate shoulder holster name: syndicate shoulder holster
description: A deep shoulder holster capable of holding many types of ballistics. description: A deep shoulder holster capable of holding many types of ballistics.

View File

@@ -63,7 +63,7 @@
sprite: Clothing/Ears/Headsets/mining.rsi sprite: Clothing/Ears/Headsets/mining.rsi
- type: entity - type: entity
parent: ClothingHeadsetCargo parent: [ClothingHeadsetCargo, BaseCommandContraband]
id: ClothingHeadsetQM id: ClothingHeadsetQM
name: qm headset name: qm headset
description: A headset used by the quartermaster. description: A headset used by the quartermaster.
@@ -92,7 +92,7 @@
sprite: Clothing/Ears/Headsets/centcom.rsi sprite: Clothing/Ears/Headsets/centcom.rsi
- type: entity - type: entity
parent: ClothingHeadset parent: [ClothingHeadset, BaseCommandContraband]
id: ClothingHeadsetCommand id: ClothingHeadsetCommand
name: command headset name: command headset
description: A headset with a commanding channel. description: A headset with a commanding channel.
@@ -123,7 +123,7 @@
sprite: Clothing/Ears/Headsets/engineering.rsi sprite: Clothing/Ears/Headsets/engineering.rsi
- type: entity - type: entity
parent: ClothingHeadsetEngineering parent: [ClothingHeadsetEngineering, BaseCommandContraband]
id: ClothingHeadsetCE id: ClothingHeadsetCE
name: ce headset name: ce headset
description: A headset for the chief engineer to ignore all emergency calls on. description: A headset for the chief engineer to ignore all emergency calls on.
@@ -152,7 +152,7 @@
sprite: Clothing/Ears/Headsets/medical.rsi sprite: Clothing/Ears/Headsets/medical.rsi
- type: entity - type: entity
parent: ClothingHeadsetMedical parent: [ClothingHeadsetMedical, BaseCommandContraband]
id: ClothingHeadsetCMO id: ClothingHeadsetCMO
name: cmo headset name: cmo headset
description: A headset used by the CMO. description: A headset used by the CMO.
@@ -213,7 +213,7 @@
sprite: Clothing/Ears/Headsets/robotics.rsi sprite: Clothing/Ears/Headsets/robotics.rsi
- type: entity - type: entity
parent: ClothingHeadsetScience parent: [ClothingHeadsetScience, BaseCommandContraband]
id: ClothingHeadsetRD id: ClothingHeadsetRD
name: rd headset name: rd headset
description: Lamarr used to love chewing on this... description: Lamarr used to love chewing on this...
@@ -226,7 +226,7 @@
- EncryptionKeyCommon - EncryptionKeyCommon
- type: entity - type: entity
parent: ClothingHeadset parent: [ClothingHeadset, BaseRestrictedContraband]
id: ClothingHeadsetSecurity id: ClothingHeadsetSecurity
name: security headset name: security headset
description: This is used by your elite security force. description: This is used by your elite security force.
@@ -242,7 +242,7 @@
sprite: Clothing/Ears/Headsets/security.rsi sprite: Clothing/Ears/Headsets/security.rsi
- type: entity - type: entity
parent: ClothingHeadset parent: [ClothingHeadset, BaseRestrictedContraband]
id: ClothingHeadsetBrigmedic id: ClothingHeadsetBrigmedic
name: brigmedic headset name: brigmedic headset
description: A headset that helps to hear the death cries. description: A headset that helps to hear the death cries.

View File

@@ -52,7 +52,7 @@
- EncryptionKeyCommon - EncryptionKeyCommon
- type: entity - type: entity
parent: ClothingHeadsetAlt parent: [ClothingHeadsetAlt, BaseCommandContraband]
id: ClothingHeadsetAltCommand id: ClothingHeadsetAltCommand
name: command over-ear headset name: command over-ear headset
components: components:
@@ -66,7 +66,7 @@
sprite: Clothing/Ears/Headsets/command.rsi sprite: Clothing/Ears/Headsets/command.rsi
- type: entity - type: entity
parent: ClothingHeadsetAlt parent: [ClothingHeadsetAlt, BaseCommandContraband]
id: ClothingHeadsetAltEngineering id: ClothingHeadsetAltEngineering
name: chief engineer's over-ear headset name: chief engineer's over-ear headset
components: components:
@@ -82,7 +82,7 @@
sprite: Clothing/Ears/Headsets/engineering.rsi sprite: Clothing/Ears/Headsets/engineering.rsi
- type: entity - type: entity
parent: ClothingHeadsetAlt parent: [ClothingHeadsetAlt, BaseCommandContraband]
id: ClothingHeadsetAltMedical id: ClothingHeadsetAltMedical
name: chief medical officer's over-ear headset name: chief medical officer's over-ear headset
components: components:
@@ -100,7 +100,7 @@
stealGroup: ClothingHeadsetAltMedical stealGroup: ClothingHeadsetAltMedical
- type: entity - type: entity
parent: ClothingHeadsetAlt parent: [ClothingHeadsetAlt, BaseCommandContraband]
id: ClothingHeadsetAltSecurity id: ClothingHeadsetAltSecurity
name: head of security's over-ear headset name: head of security's over-ear headset
components: components:
@@ -116,7 +116,7 @@
sprite: Clothing/Ears/Headsets/security.rsi sprite: Clothing/Ears/Headsets/security.rsi
- type: entity - type: entity
parent: ClothingHeadsetAlt parent: [ClothingHeadsetAlt, BaseCommandContraband]
id: ClothingHeadsetAltScience id: ClothingHeadsetAltScience
name: research director's over-ear headset name: research director's over-ear headset
components: components:
@@ -132,7 +132,7 @@
sprite: Clothing/Ears/Headsets/science.rsi sprite: Clothing/Ears/Headsets/science.rsi
- type: entity - type: entity
parent: ClothingHeadsetAlt parent: [ClothingHeadsetAlt, BaseSyndicateContraband]
id: ClothingHeadsetAltSyndicate id: ClothingHeadsetAltSyndicate
name: blood-red over-ear headset name: blood-red over-ear headset
description: An updated, modular syndicate intercom that fits over the head and takes encryption keys (there are 5 key slots.). description: An updated, modular syndicate intercom that fits over the head and takes encryption keys (there are 5 key slots.).

View File

@@ -53,7 +53,7 @@
Blunt: 10 Blunt: 10
- type: entity - type: entity
parent: ClothingEyesBase parent: [ClothingEyesBase, BaseEngineeringContraband]
id: ClothingEyesGlassesMeson id: ClothingEyesGlassesMeson
name: engineering goggles #less confusion name: engineering goggles #less confusion
description: Green-tinted goggles using a proprietary polymer that provides protection from eye damage of all types. description: Green-tinted goggles using a proprietary polymer that provides protection from eye damage of all types.

View File

@@ -49,7 +49,7 @@
- HudMedical - HudMedical
- type: entity - type: entity
parent: [ClothingEyesBase, ShowSecurityIcons] parent: [ClothingEyesBase, ShowSecurityIcons, BaseSecurityCommandContraband]
id: ClothingEyesHudSecurity id: ClothingEyesHudSecurity
name: security hud name: security hud
description: A heads-up display that scans the humanoids in view and provides accurate data about their ID status and security records. description: A heads-up display that scans the humanoids in view and provides accurate data about their ID status and security records.
@@ -140,7 +140,7 @@
- type: ShowThirstIcons - type: ShowThirstIcons
- type: entity - type: entity
parent: [ClothingEyesBase, ShowSecurityIcons, ShowMedicalIcons] parent: [ClothingEyesBase, ShowSecurityIcons, ShowMedicalIcons, BaseSecurityCommandContraband]
id: ClothingEyesHudMedSec id: ClothingEyesHudMedSec
name: medsec hud name: medsec hud
description: An eye display that looks like a mixture of medical and security huds. description: An eye display that looks like a mixture of medical and security huds.
@@ -188,7 +188,7 @@
- type: ShowSyndicateIcons - type: ShowSyndicateIcons
- type: entity - type: entity
parent: [ClothingEyesBase, ShowSecurityIcons] parent: [ClothingEyesBase, ShowSecurityIcons, BaseSyndicateContraband]
id: ClothingEyesHudSyndicate id: ClothingEyesHudSyndicate
name: syndicate visor name: syndicate visor
description: The syndicate's professional head-up display, designed for better detection of humanoids and their subsequent elimination. description: The syndicate's professional head-up display, designed for better detection of humanoids and their subsequent elimination.
@@ -200,7 +200,7 @@
- type: ShowSyndicateIcons - type: ShowSyndicateIcons
- type: entity - type: entity
parent: [ClothingEyesBase, ShowSecurityIcons] parent: [ClothingEyesBase, ShowSecurityIcons, BaseSyndicateContraband]
id: ClothingEyesHudSyndicateAgent id: ClothingEyesHudSyndicateAgent
name: syndicate agent visor name: syndicate agent visor
description: The Syndicate Agent's professional heads-up display, designed for quick diagnosis of their team's status. description: The Syndicate Agent's professional heads-up display, designed for quick diagnosis of their team's status.

View File

@@ -79,7 +79,7 @@
- type: FingerprintMask - type: FingerprintMask
- type: entity - type: entity
parent: ClothingHandsGlovesBoxingBlue parent: [ClothingHandsGlovesBoxingBlue, BaseSyndicateContraband]
id: ClothingHandsGlovesBoxingRigged id: ClothingHandsGlovesBoxingRigged
suffix: Rigged suffix: Rigged
components: components:
@@ -94,7 +94,7 @@
mustBeEquippedToUse: true mustBeEquippedToUse: true
- type: entity - type: entity
parent: ClothingHandsBase parent: [ClothingHandsBase, BaseCommandContraband]
id: ClothingHandsGlovesCaptain id: ClothingHandsGlovesCaptain
name: captain gloves name: captain gloves
description: Regal blue gloves, with a nice gold trim. Swanky. description: Regal blue gloves, with a nice gold trim. Swanky.
@@ -255,7 +255,7 @@
- type: CriminalRecordsHacker - type: CriminalRecordsHacker
- type: entity - type: entity
parent: ClothingHandsGlovesColorBlack parent: [ClothingHandsGlovesColorBlack, BaseMinorContraband]
id: ClothingHandsGlovesCombat id: ClothingHandsGlovesCombat
name: combat gloves name: combat gloves
description: These tactical gloves are fireproof and shock resistant. description: These tactical gloves are fireproof and shock resistant.
@@ -378,7 +378,7 @@
- type: Unremoveable - type: Unremoveable
- type: entity - type: entity
parent: ClothingHandsButcherable parent: [ClothingHandsButcherable, BaseSyndicateContraband]
id: ClothingHandsGlovesNorthStar id: ClothingHandsGlovesNorthStar
name: gloves of the north star name: gloves of the north star
description: These gloves allow you to punch incredibly fast. description: These gloves allow you to punch incredibly fast.

View File

@@ -189,7 +189,7 @@
sprite: Clothing/Head/Hats/bowler_hat.rsi sprite: Clothing/Head/Hats/bowler_hat.rsi
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseCommandContraband]
id: ClothingHeadHatCaptain id: ClothingHeadHatCaptain
name: captain's hardhat name: captain's hardhat
description: It's good being the king. description: It's good being the king.
@@ -299,7 +299,7 @@
sprite: Clothing/Head/Hats/fez.rsi sprite: Clothing/Head/Hats/fez.rsi
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseCommandContraband]
id: ClothingHeadHatHopcap id: ClothingHeadHatHopcap
name: head of personnel's cap name: head of personnel's cap
description: A grand, stylish head of personnel's cap. description: A grand, stylish head of personnel's cap.
@@ -315,7 +315,7 @@
- WhitelistChameleon - WhitelistChameleon
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseCommandContraband]
id: ClothingHeadHatHoshat id: ClothingHeadHatHoshat
name: head of security cap name: head of security cap
description: The robust standard-issue cap of the Head of Security. For showing the officers who's in charge. description: The robust standard-issue cap of the Head of Security. For showing the officers who's in charge.
@@ -609,7 +609,7 @@
sprite: Clothing/Head/Hats/truckershat.rsi sprite: Clothing/Head/Hats/truckershat.rsi
- type: entity - type: entity
parent: ClothingHeadBase parent: [ ClothingHeadBase, BaseSyndicateContraband ]
id: ClothingHeadPyjamaSyndicateBlack id: ClothingHeadPyjamaSyndicateBlack
name: syndicate black pyjama hat name: syndicate black pyjama hat
description: For keeping that traitor head of yours warm. description: For keeping that traitor head of yours warm.
@@ -620,7 +620,7 @@
sprite: Clothing/Head/Hats/pyjamasyndicateblack.rsi sprite: Clothing/Head/Hats/pyjamasyndicateblack.rsi
- type: entity - type: entity
parent: ClothingHeadBase parent: [ ClothingHeadBase, BaseSyndicateContraband ]
id: ClothingHeadPyjamaSyndicatePink id: ClothingHeadPyjamaSyndicatePink
name: syndicate pink pyjama hat name: syndicate pink pyjama hat
description: For keeping that traitor head of yours warm. description: For keeping that traitor head of yours warm.
@@ -631,7 +631,7 @@
sprite: Clothing/Head/Hats/pyjamasyndicatepink.rsi sprite: Clothing/Head/Hats/pyjamasyndicatepink.rsi
- type: entity - type: entity
parent: ClothingHeadBase parent: [ ClothingHeadBase, BaseSyndicateContraband ]
id: ClothingHeadPyjamaSyndicateRed id: ClothingHeadPyjamaSyndicateRed
name: syndicate red pyjama hat name: syndicate red pyjama hat
description: For keeping that traitor head of yours warm. description: For keeping that traitor head of yours warm.
@@ -735,7 +735,7 @@
sprite: Clothing/Head/Hats/jester2.rsi sprite: Clothing/Head/Hats/jester2.rsi
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseCommandContraband]
id: ClothingHeadHatBeretCmo id: ClothingHeadHatBeretCmo
name: chief medical officer's beret name: chief medical officer's beret
description: Turquoise beret with a cross on the front. The sight of it calms you down and makes it clear that you will be cured. description: Turquoise beret with a cross on the front. The sight of it calms you down and makes it clear that you will be cured.
@@ -777,7 +777,7 @@
Blunt: 0.95 Blunt: 0.95
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseSyndicateContraband]
id: ClothingHeadHatSyndie id: ClothingHeadHatSyndie
name: syndicate hat name: syndicate hat
description: A souvenir hat from "Syndieland", their production has already been closed. description: A souvenir hat from "Syndieland", their production has already been closed.

View File

@@ -3,7 +3,7 @@
#Basic Helmet (Security Helmet) #Basic Helmet (Security Helmet)
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseRestrictedContraband]
id: ClothingHeadHelmetBasic id: ClothingHeadHelmetBasic
name: helmet name: helmet
description: Standard security gear. Protects the head from impacts. description: Standard security gear. Protects the head from impacts.
@@ -41,7 +41,7 @@
#SWAT Helmet #SWAT Helmet
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseRestrictedContraband]
id: ClothingHeadHelmetSwat id: ClothingHeadHelmetSwat
name: SWAT helmet name: SWAT helmet
description: An extremely robust helmet, commonly used by paramilitary forces. This one has the Nanotrasen logo emblazoned on the top. description: An extremely robust helmet, commonly used by paramilitary forces. This one has the Nanotrasen logo emblazoned on the top.
@@ -77,7 +77,7 @@
#Light Riot Helmet #Light Riot Helmet
- type: entity - type: entity
parent: ClothingHeadBase parent: [ClothingHeadBase, BaseRestrictedContraband]
id: ClothingHeadHelmetRiot id: ClothingHeadHelmetRiot
name: light riot helmet name: light riot helmet
description: It's a helmet specifically designed to protect against close range attacks. description: It's a helmet specifically designed to protect against close range attacks.

View File

@@ -21,7 +21,7 @@
hideOnToggle: true hideOnToggle: true
- type: entity - type: entity
parent: ClothingMaskGas parent: [ClothingMaskGas, BaseRestrictedContraband]
id: ClothingMaskGasSecurity id: ClothingMaskGasSecurity
name: security gas mask name: security gas mask
description: A standard issue Security gas mask. description: A standard issue Security gas mask.
@@ -41,7 +41,7 @@
Heat: 0.95 Heat: 0.95
- type: entity - type: entity
parent: ClothingMaskGas parent: [ClothingMaskGas, BaseSyndicateContraband]
id: ClothingMaskGasSyndicate id: ClothingMaskGasSyndicate
name: syndicate gas mask name: syndicate gas mask
description: A close-fitting tactical mask that can be connected to an air supply. description: A close-fitting tactical mask that can be connected to an air supply.
@@ -76,7 +76,7 @@
Heat: 0.80 Heat: 0.80
- type: entity - type: entity
parent: ClothingMaskGasAtmos parent: [ClothingMaskGasAtmos, BaseCommandContraband]
id: ClothingMaskGasCaptain id: ClothingMaskGasCaptain
name: captain's gas mask name: captain's gas mask
description: Nanotrasen cut corners and repainted a spare atmospheric gas mask, but don't tell anyone. description: Nanotrasen cut corners and repainted a spare atmospheric gas mask, but don't tell anyone.

View File

@@ -10,7 +10,7 @@
stealGroup: HeadCloak # leaving this here because I suppose it might be interesting? stealGroup: HeadCloak # leaving this here because I suppose it might be interesting?
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakCap id: ClothingNeckCloakCap
name: captain's cloak name: captain's cloak
description: A pompous and comfy blue cloak with a nice gold trim, while not particularly valuable as your other possessions, it sure is fancy. description: A pompous and comfy blue cloak with a nice gold trim, while not particularly valuable as your other possessions, it sure is fancy.
@@ -21,7 +21,7 @@
stealGroup: HeadCloak stealGroup: HeadCloak
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakHos id: ClothingNeckCloakHos
name: head of security's cloak name: head of security's cloak
description: An exquisite dark and red cloak fitting for those who can assert dominance over wrongdoers. Take a stab at being civil in prosecution! description: An exquisite dark and red cloak fitting for those who can assert dominance over wrongdoers. Take a stab at being civil in prosecution!
@@ -32,7 +32,7 @@
stealGroup: HeadCloak stealGroup: HeadCloak
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakCe id: ClothingNeckCloakCe
name: chief engineer's cloak name: chief engineer's cloak
description: A dark green cloak with light blue ornaments, given to those who proved themselves to master the precise art of engineering. description: A dark green cloak with light blue ornaments, given to those who proved themselves to master the precise art of engineering.
@@ -43,7 +43,7 @@
stealGroup: HeadCloak stealGroup: HeadCloak
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingCloakCmo id: ClothingCloakCmo
name: chief medical officer's cloak name: chief medical officer's cloak
description: A sterile blue cloak with a green cross, radiating with a sense of duty and willingness to help others. description: A sterile blue cloak with a green cross, radiating with a sense of duty and willingness to help others.
@@ -54,7 +54,7 @@
stealGroup: HeadCloak stealGroup: HeadCloak
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakRd id: ClothingNeckCloakRd
name: research director's cloak name: research director's cloak
description: A white cloak with violet stripes, showing your status as the arbiter of cutting-edge technology. description: A white cloak with violet stripes, showing your status as the arbiter of cutting-edge technology.
@@ -65,7 +65,7 @@
stealGroup: HeadCloak stealGroup: HeadCloak
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakQm id: ClothingNeckCloakQm
name: quartermaster's cloak name: quartermaster's cloak
description: A strong brown cloak with a reflective stripe, while not as fancy as others, it does show your managing skills. description: A strong brown cloak with a reflective stripe, while not as fancy as others, it does show your managing skills.
@@ -76,7 +76,7 @@
stealGroup: HeadCloak stealGroup: HeadCloak
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakHop id: ClothingNeckCloakHop
name: head of personnel's cloak name: head of personnel's cloak
description: A blue cloak with red shoulders and gold buttons, proving you are the gatekeeper to any airlock on the station. description: A blue cloak with red shoulders and gold buttons, proving you are the gatekeeper to any airlock on the station.
@@ -105,7 +105,7 @@
sprite: Clothing/Neck/Cloaks/nanotrasen.rsi sprite: Clothing/Neck/Cloaks/nanotrasen.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckCloakCapFormal id: ClothingNeckCloakCapFormal
name: captain's formal cloak name: captain's formal cloak
description: A lavish and decorated cloak for special occasions. description: A lavish and decorated cloak for special occasions.

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleCap id: ClothingNeckMantleCap
name: captain's mantle name: captain's mantle
description: A comfortable and chique mantle befitting of only the most experienced captain. description: A comfortable and chique mantle befitting of only the most experienced captain.
@@ -10,7 +10,7 @@
sprite: Clothing/Neck/mantles/capmantle.rsi sprite: Clothing/Neck/mantles/capmantle.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleCE id: ClothingNeckMantleCE
name: chief engineer's mantle name: chief engineer's mantle
description: High visibility, check. RIG system, check. High capacity cell, check. Everything a chief engineer could need in a stylish mantle. description: High visibility, check. RIG system, check. High capacity cell, check. Everything a chief engineer could need in a stylish mantle.
@@ -21,7 +21,7 @@
sprite: Clothing/Neck/mantles/cemantle.rsi sprite: Clothing/Neck/mantles/cemantle.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleCMO id: ClothingNeckMantleCMO
name: chief medical officer's mantle name: chief medical officer's mantle
description: 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. description: 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.
@@ -32,7 +32,7 @@
sprite: Clothing/Neck/mantles/cmomantle.rsi sprite: Clothing/Neck/mantles/cmomantle.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleHOP id: ClothingNeckMantleHOP
name: head of personnel's mantle name: head of personnel's mantle
description: A good HOP knows that paper pushing is only half the job... petting your dog and looking fashionable is the other half. description: A good HOP knows that paper pushing is only half the job... petting your dog and looking fashionable is the other half.
@@ -43,7 +43,7 @@
sprite: Clothing/Neck/mantles/hopmantle.rsi sprite: Clothing/Neck/mantles/hopmantle.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleHOS id: ClothingNeckMantleHOS
name: head of security's mantle name: head of security's mantle
description: Shootouts with nukies are just another Tuesday for this HoS. This mantle is a symbol of commitment to the station. description: Shootouts with nukies are just another Tuesday for this HoS. This mantle is a symbol of commitment to the station.
@@ -54,7 +54,7 @@
sprite: Clothing/Neck/mantles/hosmantle.rsi sprite: Clothing/Neck/mantles/hosmantle.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleRD id: ClothingNeckMantleRD
name: research director's mantle name: research director's mantle
description: 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. description: 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.
@@ -65,7 +65,7 @@
sprite: Clothing/Neck/mantles/rdmantle.rsi sprite: Clothing/Neck/mantles/rdmantle.rsi
- type: entity - type: entity
parent: ClothingNeckBase parent: [ClothingNeckBase, BaseCommandContraband]
id: ClothingNeckMantleQM id: ClothingNeckMantleQM
name: quartermaster's mantle name: quartermaster's mantle
description: For the master of goods and materials to rule over the department, a befitting mantle to show off superiority! description: For the master of goods and materials to rule over the department, a befitting mantle to show off superiority!

View File

@@ -87,7 +87,7 @@
sprite: Clothing/Neck/Scarfs/purple.rsi sprite: Clothing/Neck/Scarfs/purple.rsi
- type: entity - type: entity
parent: ClothingScarfBase parent: [ ClothingScarfBase, BaseSyndicateContraband ]
id: ClothingNeckScarfStripedSyndieGreen id: ClothingNeckScarfStripedSyndieGreen
name: striped syndicate green scarf name: striped syndicate green scarf
description: 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. description: 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.
@@ -98,7 +98,7 @@
sprite: Clothing/Neck/Scarfs/syndiegreen.rsi sprite: Clothing/Neck/Scarfs/syndiegreen.rsi
- type: entity - type: entity
parent: ClothingScarfBase parent: [ ClothingScarfBase, BaseSyndicateContraband ]
id: ClothingNeckScarfStripedSyndieRed id: ClothingNeckScarfStripedSyndieRed
name: striped syndicate red scarf name: striped syndicate red scarf
description: 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. description: 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.

View File

@@ -3,7 +3,7 @@
#Basic armor vest #Basic armor vest
- type: entity - type: entity
parent: [ClothingOuterBaseMedium, AllowSuitStorageClothing] parent: [ClothingOuterBaseMedium, AllowSuitStorageClothing, BaseRestrictedContraband]
id: ClothingOuterArmorBasic id: ClothingOuterArmorBasic
name: armor vest name: armor vest
description: A standard Type I armored vest that provides decent protection against most types of damage. description: A standard Type I armored vest that provides decent protection against most types of damage.
@@ -36,7 +36,7 @@
sprite: Clothing/OuterClothing/Armor/security_slim.rsi sprite: Clothing/OuterClothing/Armor/security_slim.rsi
- type: entity - type: entity
parent: [ClothingOuterBaseLarge, AllowSuitStorageClothing] parent: [ClothingOuterBaseLarge, AllowSuitStorageClothing, BaseRestrictedContraband]
id: ClothingOuterArmorRiot id: ClothingOuterArmorRiot
name: riot suit name: riot suit
description: A suit of semi-flexible polycarbonate body armor with heavy padding to protect against melee attacks. Perfect for fighting delinquents around the station. description: A suit of semi-flexible polycarbonate body armor with heavy padding to protect against melee attacks. Perfect for fighting delinquents around the station.
@@ -258,7 +258,7 @@
sprite: Clothing/OuterClothing/Armor/magusred.rsi sprite: Clothing/OuterClothing/Armor/magusred.rsi
- type: entity - type: entity
parent: [ClothingOuterBaseLarge, AllowSuitStorageClothing] parent: [ClothingOuterBaseLarge, AllowSuitStorageClothing, BaseCommandContraband]
id: ClothingOuterArmorCaptainCarapace id: ClothingOuterArmorCaptainCarapace
name: "captain's carapace" name: "captain's carapace"
description: "An armored chestpiece that provides protection whilst still offering maximum mobility and flexibility. Issued only to the station's finest." description: "An armored chestpiece that provides protection whilst still offering maximum mobility and flexibility. Issued only to the station's finest."

View File

@@ -30,7 +30,7 @@
#Atmospherics Hardsuit #Atmospherics Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseEngineeringContraband]
id: ClothingOuterHardsuitAtmos id: ClothingOuterHardsuitAtmos
name: atmos hardsuit name: atmos hardsuit
description: A special suit that protects against hazardous, low pressure environments. Has thermal shielding. description: A special suit that protects against hazardous, low pressure environments. Has thermal shielding.
@@ -65,7 +65,7 @@
#Engineering Hardsuit #Engineering Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseEngineeringContraband]
id: ClothingOuterHardsuitEngineering id: ClothingOuterHardsuitEngineering
name: engineering hardsuit name: engineering hardsuit
description: A special suit that protects against hazardous, low pressure environments. Has radiation shielding. description: A special suit that protects against hazardous, low pressure environments. Has radiation shielding.
@@ -97,7 +97,7 @@
#Spationaut Hardsuit #Spationaut Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseCargoContraband]
id: ClothingOuterHardsuitSpatio id: ClothingOuterHardsuitSpatio
name: spationaut hardsuit name: spationaut hardsuit
description: A lightweight hardsuit designed for industrial EVA in zero gravity. description: A lightweight hardsuit designed for industrial EVA in zero gravity.
@@ -126,7 +126,7 @@
#Salvage Hardsuit #Salvage Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseCargoContraband]
id: ClothingOuterHardsuitSalvage id: ClothingOuterHardsuitSalvage
name: mining hardsuit name: mining hardsuit
description: A special suit that protects against hazardous, low pressure environments. Has reinforced plating for wildlife encounters. description: A special suit that protects against hazardous, low pressure environments. Has reinforced plating for wildlife encounters.
@@ -156,7 +156,7 @@
clothingPrototype: ClothingHeadHelmetHardsuitSalvage clothingPrototype: ClothingHeadHelmetHardsuitSalvage
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseCargoContraband]
id: ClothingOuterHardsuitMaxim id: ClothingOuterHardsuitMaxim
name: salvager maxim hardsuit name: salvager maxim hardsuit
description: Fire. Heat. These things forge great weapons, they also forge great salvagers. description: Fire. Heat. These things forge great weapons, they also forge great salvagers.
@@ -188,7 +188,7 @@
#Security Hardsuit #Security Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseRestrictedContraband]
id: ClothingOuterHardsuitSecurity id: ClothingOuterHardsuitSecurity
name: security hardsuit name: security hardsuit
description: A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor. description: A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor.
@@ -218,7 +218,7 @@
#Brigmedic Hardsuit #Brigmedic Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseRestrictedContraband]
id: ClothingOuterHardsuitBrigmedic id: ClothingOuterHardsuitBrigmedic
name: brigmedic hardsuit name: brigmedic hardsuit
description: Special hardsuit of the guardian angel of the brig. It is the medical version of the security hardsuit. description: Special hardsuit of the guardian angel of the brig. It is the medical version of the security hardsuit.
@@ -245,7 +245,7 @@
#Warden's Hardsuit #Warden's Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseRestrictedContraband]
id: ClothingOuterHardsuitWarden id: ClothingOuterHardsuitWarden
name: warden's hardsuit name: warden's hardsuit
description: A specialized riot suit geared to combat low pressure environments. description: A specialized riot suit geared to combat low pressure environments.
@@ -275,7 +275,7 @@
#Captain's Hardsuit #Captain's Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseCommandContraband]
id: ClothingOuterHardsuitCap id: ClothingOuterHardsuitCap
name: captain's armored spacesuit name: captain's armored spacesuit
description: A formal armored spacesuit, made for the station's captain. description: A formal armored spacesuit, made for the station's captain.
@@ -307,7 +307,7 @@
#Chief Engineer's Hardsuit #Chief Engineer's Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseCommandContraband]
id: ClothingOuterHardsuitEngineeringWhite id: ClothingOuterHardsuitEngineeringWhite
name: chief engineer's hardsuit name: chief engineer's hardsuit
description: A special hardsuit that protects against hazardous, low pressure environments, made for the chief engineer of the station. description: A special hardsuit that protects against hazardous, low pressure environments, made for the chief engineer of the station.
@@ -341,7 +341,7 @@
#Chief Medical Officer's Hardsuit #Chief Medical Officer's Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseCommandContraband]
id: ClothingOuterHardsuitMedical id: ClothingOuterHardsuitMedical
name: chief medical officer's hardsuit name: chief medical officer's hardsuit
description: A special suit that protects against hazardous, low pressure environments. Built with lightweight materials for easier movement. description: A special suit that protects against hazardous, low pressure environments. Built with lightweight materials for easier movement.
@@ -366,7 +366,7 @@
#Research Director's Hardsuit #Research Director's Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseGrandTheftContraband]
id: ClothingOuterHardsuitRd id: ClothingOuterHardsuitRd
name: experimental research hardsuit name: experimental research hardsuit
description: A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor. description: A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor.
@@ -410,7 +410,7 @@
#Head of Security's Hardsuit #Head of Security's Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitSecurity parent: [ClothingOuterHardsuitBase, BaseCommandContraband]
id: ClothingOuterHardsuitSecurityRed id: ClothingOuterHardsuitSecurityRed
name: head of security's hardsuit name: head of security's hardsuit
description: A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor. description: A special suit that protects against hazardous, low pressure environments. Has an additional layer of armor.
@@ -473,7 +473,7 @@
#ANTAG HARDSUITS #ANTAG HARDSUITS
#Blood-red Hardsuit #Blood-red Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ ClothingOuterHardsuitBase, BaseSyndicateContraband ]
id: ClothingOuterHardsuitSyndie id: ClothingOuterHardsuitSyndie
name: blood-red hardsuit name: blood-red hardsuit
description: A heavily armored hardsuit designed for work in special operations. Property of Gorlex Marauders. description: A heavily armored hardsuit designed for work in special operations. Property of Gorlex Marauders.
@@ -512,7 +512,7 @@
# Syndicate Medic Hardsuit # Syndicate Medic Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitSyndie parent: [ClothingOuterHardsuitSyndie, BaseSyndicateContraband]
id: ClothingOuterHardsuitSyndieMedic id: ClothingOuterHardsuitSyndieMedic
name: blood-red medic hardsuit name: blood-red medic hardsuit
description: A heavily armored and agile advanced hardsuit specifically designed for field medic operations. description: A heavily armored and agile advanced hardsuit specifically designed for field medic operations.
@@ -530,7 +530,7 @@
#Syndicate Elite Hardsuit #Syndicate Elite Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseSyndicateContraband]
id: ClothingOuterHardsuitSyndieElite id: ClothingOuterHardsuitSyndieElite
name: syndicate elite hardsuit name: syndicate elite hardsuit
description: An elite version of the blood-red hardsuit, with improved mobility and fireproofing. Property of Gorlex Marauders. description: An elite version of the blood-red hardsuit, with improved mobility and fireproofing. Property of Gorlex Marauders.
@@ -568,7 +568,7 @@
#Syndicate Commander Hardsuit #Syndicate Commander Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseSyndicateContraband]
id: ClothingOuterHardsuitSyndieCommander id: ClothingOuterHardsuitSyndieCommander
name: syndicate commander hardsuit name: syndicate commander hardsuit
description: 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. description: 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.
@@ -600,7 +600,7 @@
#Cybersun Juggernaut Hardsuit #Cybersun Juggernaut Hardsuit
- type: entity - type: entity
parent: ClothingOuterHardsuitBase parent: [ClothingOuterHardsuitBase, BaseSyndicateContraband]
id: ClothingOuterHardsuitJuggernaut id: ClothingOuterHardsuitJuggernaut
name: cybersun juggernaut suit name: cybersun juggernaut suit
description: A suit made by the cutting edge R&D department at cybersun to be hyper resilient. description: A suit made by the cutting edge R&D department at cybersun to be hyper resilient.

View File

@@ -1,6 +1,6 @@
#Web vest #Web vest
- type: entity - type: entity
parent: [ClothingOuterStorageBase, AllowSuitStorageClothing] parent: [ClothingOuterStorageBase, AllowSuitStorageClothing, BaseSyndicateContraband]
id: ClothingOuterVestWeb id: ClothingOuterVestWeb
name: web vest name: web vest
description: A synthetic armor vest. This one has added webbing and ballistic plates. description: A synthetic armor vest. This one has added webbing and ballistic plates.
@@ -21,7 +21,7 @@
#Mercenary web vest #Mercenary web vest
- type: entity - type: entity
parent: ClothingOuterVestWeb #web vest so it should have some pockets for ammo parent: [ClothingOuterVestWeb, BaseMinorContraband] #web vest so it should have some pockets for ammo
id: ClothingOuterVestWebMerc id: ClothingOuterVestWebMerc
name: merc web vest name: merc web vest
description: A high-quality armored vest made from a hard synthetic material. It's surprisingly flexible and light, despite formidable armor plating. description: A high-quality armored vest made from a hard synthetic material. It's surprisingly flexible and light, despite formidable armor plating.
@@ -42,7 +42,7 @@
#Detective's vest #Detective's vest
- type: entity - type: entity
parent: ClothingOuterArmorBasic parent: [ClothingOuterArmorBasic, BaseRestrictedContraband]
id: ClothingOuterVestDetective id: ClothingOuterVestDetective
name: detective's vest name: detective's vest
description: A hard-boiled private investigator's armored vest. description: A hard-boiled private investigator's armored vest.

View File

@@ -96,7 +96,7 @@
clothingPrototype: ClothingHeadHatHoodWinterBartender clothingPrototype: ClothingHeadHatHoodWinterBartender
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterCap id: ClothingOuterWinterCap
name: captain's winter coat name: captain's winter coat
components: components:
@@ -142,7 +142,7 @@
clothingPrototype: ClothingHeadHatHoodWinterCargo clothingPrototype: ClothingHeadHatHoodWinterCargo
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterCE id: ClothingOuterWinterCE
name: chief engineer's winter coat name: chief engineer's winter coat
components: components:
@@ -240,7 +240,7 @@
clothingPrototype: ClothingHeadHatHoodWinterChem clothingPrototype: ClothingHeadHatHoodWinterChem
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterCMO id: ClothingOuterWinterCMO
name: chief medical officer's winter coat name: chief medical officer's winter coat
components: components:
@@ -333,7 +333,7 @@
clothingPrototype: ClothingHeadHatHoodWinterSci clothingPrototype: ClothingHeadHatHoodWinterSci
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterHoP id: ClothingOuterWinterHoP
name: head of personnel's winter coat name: head of personnel's winter coat
components: components:
@@ -358,7 +358,7 @@
########################################################## ##########################################################
- type: entity - type: entity
parent: [ClothingOuterArmorHoS, ClothingOuterWinterCoatToggleable] parent: [ClothingOuterArmorHoS, ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterHoS id: ClothingOuterWinterHoS
name: head of security's armored winter coat name: head of security's armored winter coat
description: A sturdy, utilitarian winter coat designed to protect a head of security from any brig-bound threats and hypothermic events. description: A sturdy, utilitarian winter coat designed to protect a head of security from any brig-bound threats and hypothermic events.
@@ -372,7 +372,7 @@
########################################################## ##########################################################
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterHoSUnarmored id: ClothingOuterWinterHoSUnarmored
name: head of security's winter coat name: head of security's winter coat
description: A sturdy coat, a warm coat, but not an armored coat. description: A sturdy coat, a warm coat, but not an armored coat.
@@ -555,7 +555,7 @@
clothingPrototype: ClothingHeadHatHoodWinterPara clothingPrototype: ClothingHeadHatHoodWinterPara
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterQM id: ClothingOuterWinterQM
name: quartermaster's winter coat name: quartermaster's winter coat
components: components:
@@ -579,7 +579,7 @@
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseCommandContraband]
id: ClothingOuterWinterRD id: ClothingOuterWinterRD
name: research director's winter coat name: research director's winter coat
components: components:
@@ -663,7 +663,7 @@
clothingPrototype: ClothingHeadHatHoodWinterSci clothingPrototype: ClothingHeadHatHoodWinterSci
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseRestrictedContraband]
id: ClothingOuterWinterSec id: ClothingOuterWinterSec
name: security winter coat name: security winter coat
components: components:
@@ -717,7 +717,7 @@
################################################################ ################################################################
- type: entity - type: entity
parent: [ClothingOuterArmorWarden, ClothingOuterWinterCoatToggleable] parent: [ClothingOuterArmorWarden, ClothingOuterWinterCoatToggleable, BaseRestrictedContraband]
id: ClothingOuterWinterWarden id: ClothingOuterWinterWarden
name: warden's armored winter coat name: warden's armored winter coat
description: A sturdy, utilitarian winter coat designed to protect a warden from any brig-bound threats and hypothermic events. description: A sturdy, utilitarian winter coat designed to protect a warden from any brig-bound threats and hypothermic events.
@@ -731,7 +731,7 @@
################################################################ ################################################################
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseRestrictedContraband]
id: ClothingOuterWinterWardenUnarmored id: ClothingOuterWinterWardenUnarmored
name: warden's winter coat name: warden's winter coat
description: A sturdy coat, a warm coat, but not an armored coat. description: A sturdy coat, a warm coat, but not an armored coat.
@@ -755,7 +755,7 @@
clothingPrototype: ClothingHeadHatHoodWinterWarden clothingPrototype: ClothingHeadHatHoodWinterWarden
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseSyndicateContraband]
id: ClothingOuterWinterSyndieCap id: ClothingOuterWinterSyndieCap
name: syndicate's winter coat name: syndicate's winter coat
description: "The syndicate's winter coat is made of durable fabric, with gilded patterns, and coarse wool." description: "The syndicate's winter coat is made of durable fabric, with gilded patterns, and coarse wool."
@@ -780,7 +780,7 @@
############################################################## ##############################################################
- type: entity - type: entity
parent: ClothingOuterWinterWarden parent: [ClothingOuterWinterWarden, BaseSyndicateContraband]
id: ClothingOuterWinterSyndieCapArmored id: ClothingOuterWinterSyndieCapArmored
name: syndicate's armored winter coat name: syndicate's armored winter coat
description: "The syndicate's armored winter coat is made of durable fabric, with gilded patterns, and coarse wool." description: "The syndicate's armored winter coat is made of durable fabric, with gilded patterns, and coarse wool."
@@ -794,7 +794,7 @@
############################################################## ##############################################################
- type: entity - type: entity
parent: ClothingOuterWinterCoatToggleable parent: [ClothingOuterWinterCoatToggleable, BaseSyndicateContraband]
id: ClothingOuterWinterSyndie id: ClothingOuterWinterSyndie
name: syndicate's winter coat name: syndicate's winter coat
description: Insulated winter coat, looks like a merch from "Syndieland". description: Insulated winter coat, looks like a merch from "Syndieland".

View File

@@ -11,7 +11,7 @@
- type: Matchbox - type: Matchbox
- type: entity - type: entity
parent: ClothingShoesMilitaryBase parent: [ClothingShoesMilitaryBase, BaseRestrictedContraband]
id: ClothingShoesBootsJack id: ClothingShoesBootsJack
name: jackboots name: jackboots
description: Nanotrasen-issue Security combat boots for combat scenarios or combat situations. All combat, all the time. description: Nanotrasen-issue Security combat boots for combat scenarios or combat situations. All combat, all the time.
@@ -45,7 +45,7 @@
sprite: Clothing/Shoes/Boots/performer.rsi sprite: Clothing/Shoes/Boots/performer.rsi
- type: entity - type: entity
parent: ClothingShoesMilitaryBase parent: [ClothingShoesMilitaryBase, BaseRestrictedContraband]
id: ClothingShoesBootsCombat id: ClothingShoesBootsCombat
name: combat boots name: combat boots
description: Robust combat boots for combat scenarios or combat situations. All combat, all the time. description: Robust combat boots for combat scenarios or combat situations. All combat, all the time.
@@ -143,7 +143,7 @@
sprite: Clothing/Shoes/Boots/winterbootssci.rsi sprite: Clothing/Shoes/Boots/winterbootssci.rsi
- type: entity - type: entity
parent: [ClothingShoesBaseWinterBoots, ClothingShoesMilitaryBase] parent: [ClothingShoesBaseWinterBoots, ClothingShoesMilitaryBase, BaseRestrictedContraband]
id: ClothingShoesBootsWinterSec id: ClothingShoesBootsWinterSec
name: security winter boots name: security winter boots
components: components:
@@ -153,7 +153,7 @@
sprite: Clothing/Shoes/Boots/winterbootssec.rsi sprite: Clothing/Shoes/Boots/winterbootssec.rsi
- type: entity - type: entity
parent: ClothingShoesBaseWinterBoots parent: [ClothingShoesBaseWinterBoots, BaseSyndicateContraband]
id: ClothingShoesBootsWinterSyndicate id: ClothingShoesBootsWinterSyndicate
name: syndicate's winter boots name: syndicate's winter boots
description: Durable heavy boots, looks like merch from "Syndieland". description: Durable heavy boots, looks like merch from "Syndieland".

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: [ClothingShoesBase, BaseToggleClothing] parent: [ClothingShoesBase, BaseToggleClothing, BaseEngineeringContraband]
id: ClothingShoesBootsMag id: ClothingShoesBootsMag
name: magboots name: magboots
description: Magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle. description: Magnetic boots, often used during extravehicular activity to ensure the user remains safely attached to the vehicle.
@@ -36,7 +36,7 @@
- WhitelistChameleon - WhitelistChameleon
- type: entity - type: entity
parent: ClothingShoesBootsMag parent: [ClothingShoesBootsMag, BaseGrandTheftContraband]
id: ClothingShoesBootsMagAdv id: ClothingShoesBootsMagAdv
name: advanced magboots name: advanced magboots
description: State-of-the-art magnetic boots that do not slow down their wearer. description: State-of-the-art magnetic boots that do not slow down their wearer.
@@ -80,7 +80,7 @@
price: 3000 price: 3000
- type: entity - type: entity
parent: [ClothingShoesBootsMag, BaseJetpack] parent: [ClothingShoesBootsMag, BaseJetpack, BaseSyndicateContraband]
id: ClothingShoesBootsMagSyndie id: ClothingShoesBootsMagSyndie
name: blood-red magboots name: blood-red magboots
description: Reverse-engineered magnetic boots that have a heavy magnetic pull and integrated thrusters. It can hold 0.75 L of gas. description: Reverse-engineered magnetic boots that have a heavy magnetic pull and integrated thrusters. It can hold 0.75 L of gas.

View File

@@ -10,7 +10,7 @@
sprite: Clothing/Uniforms/Jumpskirt/bartender.rsi sprite: Clothing/Uniforms/Jumpskirt/bartender.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtCaptain id: ClothingUniformJumpskirtCaptain
name: captain's jumpskirt name: captain's jumpskirt
description: It's a blue jumpskirt with some gold markings denoting the rank of "Captain". description: It's a blue jumpskirt with some gold markings denoting the rank of "Captain".
@@ -32,7 +32,7 @@
sprite: Clothing/Uniforms/Jumpskirt/cargotech.rsi sprite: Clothing/Uniforms/Jumpskirt/cargotech.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtChiefEngineer id: ClothingUniformJumpskirtChiefEngineer
name: chief engineer's jumpskirt name: chief engineer's jumpskirt
description: It's a high visibility jumpskirt given to those engineers insane enough to achieve the rank of Chief Engineer. description: It's a high visibility jumpskirt given to those engineers insane enough to achieve the rank of Chief Engineer.
@@ -43,7 +43,7 @@
sprite: Clothing/Uniforms/Jumpskirt/ce.rsi sprite: Clothing/Uniforms/Jumpskirt/ce.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtChiefEngineerTurtle id: ClothingUniformJumpskirtChiefEngineerTurtle
name: chief engineer's turtleneck name: chief engineer's turtleneck
description: A yellow turtleneck designed specifically for work in conditions of the engineering department. description: A yellow turtleneck designed specifically for work in conditions of the engineering department.
@@ -109,7 +109,7 @@
sprite: Clothing/Uniforms/Jumpskirt/genetics.rsi sprite: Clothing/Uniforms/Jumpskirt/genetics.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtCMO id: ClothingUniformJumpskirtCMO
name: chief medical officer's jumpskirt name: chief medical officer's jumpskirt
description: It's a jumpskirt worn by those with the experience to be Chief Medical Officer. It provides minor biological protection. description: It's a jumpskirt worn by those with the experience to be Chief Medical Officer. It provides minor biological protection.
@@ -120,7 +120,7 @@
sprite: Clothing/Uniforms/Jumpskirt/cmo.rsi sprite: Clothing/Uniforms/Jumpskirt/cmo.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtCMOTurtle id: ClothingUniformJumpskirtCMOTurtle
name: chief medical officer's turtleneck jumpskirt name: chief medical officer's turtleneck jumpskirt
description: It's a turtleneck worn by those with the experience to be Chief Medical Officer. It provides minor biological protection. description: It's a turtleneck worn by those with the experience to be Chief Medical Officer. It provides minor biological protection.
@@ -164,7 +164,7 @@
sprite: Clothing/Uniforms/Jumpskirt/engineering.rsi sprite: Clothing/Uniforms/Jumpskirt/engineering.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtHoP id: ClothingUniformJumpskirtHoP
name: head of personnel's jumpskirt name: head of personnel's jumpskirt
description: Rather bland and inoffensive. Perfect for vanishing off the face of the universe. description: Rather bland and inoffensive. Perfect for vanishing off the face of the universe.
@@ -175,7 +175,7 @@
sprite: Clothing/Uniforms/Jumpskirt/hop.rsi sprite: Clothing/Uniforms/Jumpskirt/hop.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtHoS id: ClothingUniformJumpskirtHoS
name: head of security's jumpskirt name: head of security's jumpskirt
description: It's bright red and rather crisp, much like security's victims tend to be. description: It's bright red and rather crisp, much like security's victims tend to be.
@@ -200,7 +200,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hos.rsi sprite: Clothing/Uniforms/Jumpsuit/hos.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtHoSAlt id: ClothingUniformJumpskirtHoSAlt
name: head of security's turtleneck name: head of security's turtleneck
description: It's a turtleneck worn by those strong and disciplined enough to achieve the position of Head of Security. description: It's a turtleneck worn by those strong and disciplined enough to achieve the position of Head of Security.
@@ -211,7 +211,7 @@
sprite: Clothing/Uniforms/Jumpskirt/hos_alt.rsi sprite: Clothing/Uniforms/Jumpskirt/hos_alt.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtHoSParadeMale id: ClothingUniformJumpskirtHoSParadeMale
name: head of security's parade uniform name: head of security's parade uniform
description: A head of security's luxury-wear, for special occasions. description: A head of security's luxury-wear, for special occasions.
@@ -327,7 +327,7 @@
- WhitelistChameleon - WhitelistChameleon
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtQM id: ClothingUniformJumpskirtQM
name: quartermaster's jumpskirt name: quartermaster's jumpskirt
description: 'What can brown do for you?' description: 'What can brown do for you?'
@@ -338,7 +338,7 @@
sprite: Clothing/Uniforms/Jumpskirt/qm.rsi sprite: Clothing/Uniforms/Jumpskirt/qm.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtQMTurtleneck id: ClothingUniformJumpskirtQMTurtleneck
name: quartermasters's turtleneck name: quartermasters's turtleneck
description: A sharp turtleneck made for the hardy work environment of supply. description: A sharp turtleneck made for the hardy work environment of supply.
@@ -349,7 +349,7 @@
sprite: Clothing/Uniforms/Jumpskirt/qmturtleskirt.rsi sprite: Clothing/Uniforms/Jumpskirt/qmturtleskirt.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtResearchDirector id: ClothingUniformJumpskirtResearchDirector
name: research director's turtleneck name: research director's turtleneck
description: 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. description: 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.
@@ -382,7 +382,7 @@
sprite: Clothing/Uniforms/Jumpskirt/roboticist.rsi sprite: Clothing/Uniforms/Jumpskirt/roboticist.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseRestrictedContraband]
id: ClothingUniformJumpskirtSec id: ClothingUniformJumpskirtSec
name: security jumpskirt name: security jumpskirt
description: A jumpskirt made of strong material, providing robust protection. description: A jumpskirt made of strong material, providing robust protection.
@@ -408,7 +408,7 @@
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseRestrictedContraband]
id: ClothingUniformJumpskirtWarden id: ClothingUniformJumpskirtWarden
name: warden's uniform name: warden's uniform
description: A formal security suit for officers complete with Nanotrasen belt buckle. description: A formal security suit for officers complete with Nanotrasen belt buckle.
@@ -489,7 +489,7 @@
sprite: Clothing/Uniforms/Jumpskirt/centcomformaldress.rsi sprite: Clothing/Uniforms/Jumpskirt/centcomformaldress.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseCommandContraband]
id: ClothingUniformJumpskirtHosFormal id: ClothingUniformJumpskirtHosFormal
name: hos's formal dress name: hos's formal dress
description: A dress for special occasions. description: A dress for special occasions.
@@ -500,7 +500,7 @@
sprite: Clothing/Uniforms/Jumpskirt/hosformaldress.rsi sprite: Clothing/Uniforms/Jumpskirt/hosformaldress.rsi
- type: entity - type: entity
parent: UnsensoredClothingUniformSkirtBase parent: [UnsensoredClothingUniformSkirtBase, BaseSyndicateContraband]
id: ClothingUniformJumpskirtOperative id: ClothingUniformJumpskirtOperative
name: operative jumpskirt name: operative jumpskirt
description: Uniform for elite syndicate operatives performing tactical operations in deep space. description: Uniform for elite syndicate operatives performing tactical operations in deep space.
@@ -680,7 +680,7 @@
sprite: Clothing/Uniforms/Jumpskirt/senior_physician.rsi sprite: Clothing/Uniforms/Jumpskirt/senior_physician.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseRestrictedContraband]
id: ClothingUniformJumpskirtSeniorOfficer id: ClothingUniformJumpskirtSeniorOfficer
name: senior officer jumpskirt name: senior officer jumpskirt
description: A sign of skill and prestige within the security department. description: A sign of skill and prestige within the security department.
@@ -691,7 +691,7 @@
sprite: Clothing/Uniforms/Jumpskirt/senior_officer.rsi sprite: Clothing/Uniforms/Jumpskirt/senior_officer.rsi
- type: entity - type: entity
parent: ClothingUniformSkirtBase parent: [ClothingUniformSkirtBase, BaseRestrictedContraband]
id: ClothingUniformJumpskirtSecGrey id: ClothingUniformJumpskirtSecGrey
name: grey security jumpskirt name: grey security jumpskirt
description: A tactical relic of years past before Nanotrasen decided it was cheaper to dye the suits red instead of washing out the blood. description: A tactical relic of years past before Nanotrasen decided it was cheaper to dye the suits red instead of washing out the blood.

View File

@@ -58,7 +58,7 @@
sprite: Clothing/Uniforms/Jumpsuit/bartender_purple.rsi sprite: Clothing/Uniforms/Jumpsuit/bartender_purple.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitCaptain id: ClothingUniformJumpsuitCaptain
name: captain's jumpsuit name: captain's jumpsuit
description: It's a blue jumpsuit with some gold markings denoting the rank of "Captain". description: It's a blue jumpsuit with some gold markings denoting the rank of "Captain".
@@ -91,7 +91,7 @@
sprite: Clothing/Uniforms/Jumpsuit/salvage.rsi sprite: Clothing/Uniforms/Jumpsuit/salvage.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitChiefEngineer id: ClothingUniformJumpsuitChiefEngineer
name: chief engineer's jumpsuit name: chief engineer's jumpsuit
description: It's a high visibility jumpsuit given to those engineers insane enough to achieve the rank of Chief Engineer. description: It's a high visibility jumpsuit given to those engineers insane enough to achieve the rank of Chief Engineer.
@@ -102,7 +102,7 @@
sprite: Clothing/Uniforms/Jumpsuit/ce.rsi sprite: Clothing/Uniforms/Jumpsuit/ce.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitChiefEngineerTurtle id: ClothingUniformJumpsuitChiefEngineerTurtle
name: chief engineer's turtleneck name: chief engineer's turtleneck
description: A yellow turtleneck designed specifically for work in conditions of the engineering department. description: A yellow turtleneck designed specifically for work in conditions of the engineering department.
@@ -253,7 +253,7 @@
sprite: Clothing/Uniforms/Jumpsuit/jester2.rsi sprite: Clothing/Uniforms/Jumpsuit/jester2.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitCMO id: ClothingUniformJumpsuitCMO
name: chief medical officer's jumpsuit name: chief medical officer's jumpsuit
description: It's a jumpsuit worn by those with the experience to be Chief Medical Officer. It provides minor biological protection. description: It's a jumpsuit worn by those with the experience to be Chief Medical Officer. It provides minor biological protection.
@@ -264,7 +264,7 @@
sprite: Clothing/Uniforms/Jumpsuit/cmo.rsi sprite: Clothing/Uniforms/Jumpsuit/cmo.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitCMOTurtle id: ClothingUniformJumpsuitCMOTurtle
name: chief medical officer's turtleneck jumpsuit name: chief medical officer's turtleneck jumpsuit
description: It's a turtleneck worn by those with the experience to be Chief Medical Officer. It provides minor biological protection. description: It's a turtleneck worn by those with the experience to be Chief Medical Officer. It provides minor biological protection.
@@ -319,7 +319,7 @@
sprite: Clothing/Uniforms/Jumpsuit/engineering_hazard.rsi sprite: Clothing/Uniforms/Jumpsuit/engineering_hazard.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHoP id: ClothingUniformJumpsuitHoP
name: head of personnel's jumpsuit name: head of personnel's jumpsuit
description: Rather bland and inoffensive. Perfect for vanishing off the face of the universe. description: Rather bland and inoffensive. Perfect for vanishing off the face of the universe.
@@ -330,7 +330,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hop.rsi sprite: Clothing/Uniforms/Jumpsuit/hop.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHoS id: ClothingUniformJumpsuitHoS
name: head of security's jumpsuit name: head of security's jumpsuit
description: It's bright red and rather crisp, much like security's victims tend to be. description: It's bright red and rather crisp, much like security's victims tend to be.
@@ -353,7 +353,7 @@
- state: overlay-inhand-right - state: overlay-inhand-right
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHoSAlt id: ClothingUniformJumpsuitHoSAlt
name: head of security's turtleneck name: head of security's turtleneck
description: It's a turtleneck worn by those strong and disciplined enough to achieve the position of Head of Security. description: It's a turtleneck worn by those strong and disciplined enough to achieve the position of Head of Security.
@@ -364,7 +364,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hos_alt.rsi sprite: Clothing/Uniforms/Jumpsuit/hos_alt.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHoSBlue id: ClothingUniformJumpsuitHoSBlue
name: head of security's blue jumpsuit name: head of security's blue jumpsuit
description: A blue jumpsuit of Head of Security. description: A blue jumpsuit of Head of Security.
@@ -375,7 +375,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hos_blue.rsi sprite: Clothing/Uniforms/Jumpsuit/hos_blue.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHoSGrey id: ClothingUniformJumpsuitHoSGrey
name: head of security's grey jumpsuit name: head of security's grey jumpsuit
description: A grey jumpsuit of Head of Security, which make him look somewhat like a passenger. description: A grey jumpsuit of Head of Security, which make him look somewhat like a passenger.
@@ -386,7 +386,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hos_grey.rsi sprite: Clothing/Uniforms/Jumpsuit/hos_grey.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHoSParadeMale id: ClothingUniformJumpsuitHoSParadeMale
name: head of security's parade uniform name: head of security's parade uniform
description: A male head of security's luxury-wear, for special occasions. description: A male head of security's luxury-wear, for special occasions.
@@ -513,7 +513,7 @@
- WhitelistChameleon - WhitelistChameleon
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitQM id: ClothingUniformJumpsuitQM
name: quartermaster's jumpsuit name: quartermaster's jumpsuit
description: 'What can brown do for you?' description: 'What can brown do for you?'
@@ -524,7 +524,7 @@
sprite: Clothing/Uniforms/Jumpsuit/qm.rsi sprite: Clothing/Uniforms/Jumpsuit/qm.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitQMTurtleneck id: ClothingUniformJumpsuitQMTurtleneck
name: quartermasters's turtleneck name: quartermasters's turtleneck
description: A sharp turtleneck made for the hardy work environment of supply. description: A sharp turtleneck made for the hardy work environment of supply.
@@ -535,7 +535,7 @@
sprite: Clothing/Uniforms/Jumpsuit/qmturtle.rsi sprite: Clothing/Uniforms/Jumpsuit/qmturtle.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitQMFormal id: ClothingUniformJumpsuitQMFormal
name: quartermasters's formal suit name: quartermasters's formal suit
description: Inspired by the quartermasters of military's past, the perfect outfit for supplying a formal occasion. description: Inspired by the quartermasters of military's past, the perfect outfit for supplying a formal occasion.
@@ -546,7 +546,7 @@
sprite: Clothing/Uniforms/Jumpsuit/qmformal.rsi sprite: Clothing/Uniforms/Jumpsuit/qmformal.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitResearchDirector id: ClothingUniformJumpsuitResearchDirector
name: research director's turtleneck name: research director's turtleneck
description: 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. description: 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.
@@ -590,7 +590,7 @@
sprite: Clothing/Uniforms/Jumpsuit/roboticist.rsi sprite: Clothing/Uniforms/Jumpsuit/roboticist.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseRestrictedContraband]
id: ClothingUniformJumpsuitSec id: ClothingUniformJumpsuitSec
name: security jumpsuit name: security jumpsuit
description: A jumpsuit made of strong material, providing robust protection. description: A jumpsuit made of strong material, providing robust protection.
@@ -624,7 +624,7 @@
sprite: Clothing/Uniforms/Jumpsuit/security_blue.rsi sprite: Clothing/Uniforms/Jumpsuit/security_blue.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseRestrictedContraband]
id: ClothingUniformJumpsuitSecGrey id: ClothingUniformJumpsuitSecGrey
name: grey security jumpsuit name: grey security jumpsuit
description: A tactical relic of years past before Nanotrasen decided it was cheaper to dye the suits red instead of washing out the blood. description: A tactical relic of years past before Nanotrasen decided it was cheaper to dye the suits red instead of washing out the blood.
@@ -635,7 +635,7 @@
sprite: Clothing/Uniforms/Jumpsuit/security_grey.rsi sprite: Clothing/Uniforms/Jumpsuit/security_grey.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseRestrictedContraband]
id: ClothingUniformJumpsuitWarden id: ClothingUniformJumpsuitWarden
name: warden's uniform name: warden's uniform
description: A formal security suit for officers complete with Nanotrasen belt buckle. description: A formal security suit for officers complete with Nanotrasen belt buckle.
@@ -746,7 +746,7 @@
sprite: Clothing/Uniforms/Jumpsuit/lawyergood.rsi sprite: Clothing/Uniforms/Jumpsuit/lawyergood.rsi
- type: entity - type: entity
parent: UnsensoredClothingUniformBase parent: [UnsensoredClothingUniformBase, BaseSyndicateContraband]
id: ClothingUniformJumpsuitPyjamaSyndicateBlack id: ClothingUniformJumpsuitPyjamaSyndicateBlack
name: black syndicate pyjamas name: black syndicate pyjamas
description: For those long nights in perma. description: For those long nights in perma.
@@ -757,7 +757,7 @@
sprite: Clothing/Uniforms/Jumpsuit/pyjamasyndicateblack.rsi sprite: Clothing/Uniforms/Jumpsuit/pyjamasyndicateblack.rsi
- type: entity - type: entity
parent: UnsensoredClothingUniformBase parent: [UnsensoredClothingUniformBase, BaseSyndicateContraband]
id: ClothingUniformJumpsuitPyjamaSyndicatePink id: ClothingUniformJumpsuitPyjamaSyndicatePink
name: pink syndicate pyjamas name: pink syndicate pyjamas
description: For those long nights in perma. description: For those long nights in perma.
@@ -768,7 +768,7 @@
sprite: Clothing/Uniforms/Jumpsuit/pyjamasyndicatepink.rsi sprite: Clothing/Uniforms/Jumpsuit/pyjamasyndicatepink.rsi
- type: entity - type: entity
parent: UnsensoredClothingUniformBase parent: [UnsensoredClothingUniformBase, BaseSyndicateContraband]
id: ClothingUniformJumpsuitPyjamaSyndicateRed id: ClothingUniformJumpsuitPyjamaSyndicateRed
name: red syndicate pyjamas name: red syndicate pyjamas
description: For those long nights in perma. description: For those long nights in perma.
@@ -790,7 +790,7 @@
sprite: Clothing/Uniforms/Jumpsuit/nanotrasen.rsi sprite: Clothing/Uniforms/Jumpsuit/nanotrasen.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitCapFormal id: ClothingUniformJumpsuitCapFormal
name: captain's formal suit name: captain's formal suit
description: A suit for special occasions. description: A suit for special occasions.
@@ -812,7 +812,7 @@
sprite: Clothing/Uniforms/Jumpsuit/centcomformal.rsi sprite: Clothing/Uniforms/Jumpsuit/centcomformal.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseCommandContraband]
id: ClothingUniformJumpsuitHosFormal id: ClothingUniformJumpsuitHosFormal
name: hos's formal suit name: hos's formal suit
description: A suit for special occasions. description: A suit for special occasions.
@@ -823,7 +823,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hosformal.rsi sprite: Clothing/Uniforms/Jumpsuit/hosformal.rsi
- type: entity - type: entity
parent: UnsensoredClothingUniformBase parent: [UnsensoredClothingUniformBase, BaseSyndicateContraband]
id: ClothingUniformJumpsuitOperative id: ClothingUniformJumpsuitOperative
name: operative jumpsuit name: operative jumpsuit
description: Uniform for elite syndicate operatives performing tactical operations in deep space. description: Uniform for elite syndicate operatives performing tactical operations in deep space.
@@ -1128,7 +1128,7 @@
sprite: Clothing/Uniforms/Jumpsuit/hawaiyellow.rsi sprite: Clothing/Uniforms/Jumpsuit/hawaiyellow.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseSyndicateContraband]
id: ClothingUniformJumpsuitSyndieFormal id: ClothingUniformJumpsuitSyndieFormal
name: syndicate formal suit name: syndicate formal suit
description: "The syndicate's uniform is made in an elegant style, it's even a pity to do dirty tricks in this." description: "The syndicate's uniform is made in an elegant style, it's even a pity to do dirty tricks in this."
@@ -1183,7 +1183,7 @@
sprite: Clothing/Uniforms/Jumpsuit/senior_physician.rsi sprite: Clothing/Uniforms/Jumpsuit/senior_physician.rsi
- type: entity - type: entity
parent: ClothingUniformBase parent: [ClothingUniformBase, BaseRestrictedContraband]
id: ClothingUniformJumpsuitSeniorOfficer id: ClothingUniformJumpsuitSeniorOfficer
name: senior officer jumpsuit name: senior officer jumpsuit
description: A sign of skill and prestige within the security department. description: A sign of skill and prestige within the security department.

View File

@@ -2067,7 +2067,7 @@
- type: entity - type: entity
name: grenade penguin name: grenade penguin
parent: [ MobPenguin, MobCombat ] parent: [ MobPenguin, MobCombat, BaseSyndicateContraband ]
id: MobGrenadePenguin id: MobGrenadePenguin
description: A small penguin with a grenade strapped around its neck. Harvested by the Syndicate from icy shit-hole planets. description: A small penguin with a grenade strapped around its neck. Harvested by the Syndicate from icy shit-hole planets.
components: components:

View File

@@ -565,7 +565,7 @@
- type: entity - type: entity
id: HappyHonkNukie id: HappyHonkNukie
parent: HappyHonk parent: [HappyHonk, BaseSyndicateContraband]
name: robust nukie meal name: robust nukie meal
description: A sus meal with a potentially explosive surprise. description: A sus meal with a potentially explosive surprise.
suffix: Toy Unsafe suffix: Toy Unsafe

View File

@@ -337,7 +337,7 @@
- type: entity - type: entity
name: prime-cut corgi meat name: prime-cut corgi meat
# can't rot since that would be very bad for syndies # can't rot since that would be very bad for syndies
parent: FoodMeatBase parent: [FoodMeatBase, BaseGrandTheftContraband]
id: FoodMeatCorgi id: FoodMeatCorgi
description: The tainted gift of an evil crime. The meat may be delicious, but at what cost? description: The tainted gift of an evil crime. The meat may be delicious, but at what cost?
components: components:

View File

@@ -180,7 +180,7 @@
- type: entity - type: entity
id: CigPackSyndicate id: CigPackSyndicate
parent: CigPackBase parent: [CigPackBase, BaseSyndicateContraband]
name: Interdyne herbals packet name: Interdyne herbals packet
description: Elite cigarettes for elite syndicate agents. Infused with medicine for when you need to do more than calm your nerves. description: Elite cigarettes for elite syndicate agents. Infused with medicine for when you need to do more than calm your nerves.
components: components:

View File

@@ -229,7 +229,7 @@
prototype: ComputerCrewMonitoring prototype: ComputerCrewMonitoring
- type: entity - type: entity
parent: BaseComputerCircuitboard parent: [BaseComputerCircuitboard, BaseGrandTheftContraband]
id: IDComputerCircuitboard id: IDComputerCircuitboard
name: ID card computer board name: ID card computer board
description: A computer printed circuit board for an ID card console. description: A computer printed circuit board for an ID card console.

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: C.H.I.M.P. handcannon upgrade chip name: C.H.I.M.P. handcannon upgrade chip
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: WeaponPistolCHIMPUpgradeKit id: WeaponPistolCHIMPUpgradeKit
description: An experimental upgrade kit for the C.H.I.M.P. description: An experimental upgrade kit for the C.H.I.M.P.
components: components:

View File

@@ -1,7 +1,7 @@
- type: entity - type: entity
name: holoparasite injector name: holoparasite injector
id: HoloparasiteInjector id: HoloparasiteInjector
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
description: A complex artwork of handheld machinery allowing the user to host a holoparasite guardian. description: A complex artwork of handheld machinery allowing the user to host a holoparasite guardian.
components: components:
- type: Sprite - type: Sprite
@@ -34,7 +34,7 @@
- type: entity - type: entity
name: holoparasite box name: holoparasite box
parent: BoxCardboard parent: [BoxCardboard, BaseSyndicateContraband]
id: BoxHoloparasite id: BoxHoloparasite
description: A box containing a holoparasite injector. description: A box containing a holoparasite injector.
components: components:
@@ -50,7 +50,7 @@
- type: entity - type: entity
name: holoclown box name: holoclown box
parent: BoxCardboard parent: [BoxCardboard, BaseSyndicateContraband]
id: BoxHoloclown id: BoxHoloclown
description: A box containing a holoclown injector. description: A box containing a holoclown injector.
components: components:

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
abstract: true abstract: true
id: ReinforcementRadio id: ReinforcementRadio
name: syndicate reinforcement radio name: syndicate reinforcement radio

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
id: SingularityBeacon id: SingularityBeacon
parent: BaseMachinePowered parent: [BaseMachinePowered, BaseSyndicateContraband]
name: singularity beacon name: singularity beacon
description: A syndicate device that attracts the singularity. If it's loose and you're seeing this, run. description: A syndicate device that attracts the singularity. If it's loose and you're seeing this, run.
components: components:

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: ChameleonProjector id: ChameleonProjector
name: chameleon projector name: chameleon projector
description: Holoparasite technology used to create a hard-light replica of any object around you. Disguise is destroyed when picked up or deactivated. description: Holoparasite technology used to create a hard-light replica of any object around you. Disguise is destroyed when picked up or deactivated.

View File

@@ -200,7 +200,7 @@
- state: service_label - state: service_label
- type: entity - type: entity
parent: EncryptionKey parent: [EncryptionKey, BaseRestrictedContraband]
id: EncryptionKeySyndie id: EncryptionKeySyndie
name: blood-red encryption key name: blood-red encryption key
description: An encryption key used by... wait... Who is the owner of this chip? description: An encryption key used by... wait... Who is the owner of this chip?
@@ -215,7 +215,7 @@
- state: synd_label - state: synd_label
- type: entity - type: entity
parent: EncryptionKey parent: [EncryptionKey, BaseSyndicateContraband]
id: EncryptionKeyBinary id: EncryptionKeyBinary
name: binary translator key name: binary translator key
description: An encryption key that translates binary signals used by silicons. description: An encryption key that translates binary signals used by silicons.

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
id: HandTeleporter id: HandTeleporter
parent: BaseItem parent: [BaseItem, BaseGrandTheftContraband]
name: hand teleporter name: hand teleporter
description: "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." description: "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."
components: components:

View File

@@ -25,7 +25,7 @@
sprite: Objects/Storage/Briefcases/briefcase_brown.rsi sprite: Objects/Storage/Briefcases/briefcase_brown.rsi
- type: entity - type: entity
parent: BriefcaseBrown parent: [BriefcaseBrown, BaseSyndicateContraband]
id: BriefcaseSyndie id: BriefcaseSyndie
suffix: Syndicate, Empty suffix: Syndicate, Empty
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: nuclear authentication disk name: nuclear authentication disk
parent: BaseItem parent: [BaseItem, BaseGrandTheftContraband]
id: NukeDisk id: NukeDisk
description: 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!" description: 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!"
components: components:
@@ -25,7 +25,7 @@
- type: entity - type: entity
name: nuclear authentication disk name: nuclear authentication disk
parent: BaseItem parent: [BaseItem, BaseGrandTheftContraband]
id: NukeDiskFake id: NukeDiskFake
suffix: Fake suffix: Fake
description: 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!" description: 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!"

View File

@@ -2,7 +2,7 @@
name: handcuffs name: handcuffs
description: Used to detain criminals and other assholes. description: Used to detain criminals and other assholes.
id: Handcuffs id: Handcuffs
parent: BaseItem parent: [BaseItem, BaseRestrictedContraband]
components: components:
- type: Item - type: Item
size: Small size: Small

View File

@@ -100,7 +100,7 @@
- state: idintern-service - state: idintern-service
- type: entity - type: entity
parent: IDCardStandard parent: [IDCardStandard, BaseGrandTheftContraband]
id: CaptainIDCard id: CaptainIDCard
name: captain ID card name: captain ID card
components: components:

View File

@@ -4,7 +4,7 @@
name: implanter name: implanter
description: A syringe exclusively designed for the injection and extraction of subdermal implants. description: A syringe exclusively designed for the injection and extraction of subdermal implants.
id: BaseImplanter id: BaseImplanter
parent: BaseItem parent: [BaseItem, BaseRestrictedContraband]
abstract: true abstract: true
components: components:
- type: ItemSlots - type: ItemSlots
@@ -94,7 +94,7 @@
- type: entity - type: entity
id: BaseImplantOnlyImplanterSyndi id: BaseImplantOnlyImplanterSyndi
parent: BaseImplantOnlyImplanter parent: [BaseImplantOnlyImplanter, BaseSyndicateContraband]
description: A compact disposable syringe exclusively designed for the injection of subdermal implants. description: A compact disposable syringe exclusively designed for the injection of subdermal implants.
abstract: true abstract: true
components: components:

View File

@@ -503,7 +503,7 @@
- type: entity - type: entity
id: BoxFolderQmClipboard id: BoxFolderQmClipboard
parent: BoxFolderClipboard parent: [BoxFolderClipboard, BaseGrandTheftContraband]
name: requisition digi-board name: requisition digi-board
description: A bulky electric clipboard, filled with shipping orders and financing details. With so many compromising documents, you ought to keep this safe. description: A bulky electric clipboard, filled with shipping orders and financing details. With so many compromising documents, you ought to keep this safe.
components: components:

View File

@@ -58,7 +58,7 @@
- type: entity - type: entity
name: Cybersun pen name: Cybersun pen
parent: PenEmbeddable parent: [PenEmbeddable, BaseSyndicateContraband]
id: CyberPen id: CyberPen
description: 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. description: 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.
components: components:

View File

@@ -211,7 +211,7 @@
- type: entity - type: entity
name: syndicate rubber stamp name: syndicate rubber stamp
parent: RubberStampBase parent: [RubberStampBase, BaseSyndicateContraband]
id: RubberStampSyndicate id: RubberStampSyndicate
suffix: DO NOT MAP suffix: DO NOT MAP
components: components:

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseGrandTheftContraband]
id: BookSecretDocuments id: BookSecretDocuments
name: "emergency security orders" name: "emergency security orders"
description: TOP SECRET. These documents specify the Emergency Orders that the HoS must carry out when ordered by Central Command. description: TOP SECRET. These documents specify the Emergency Orders that the HoS must carry out when ordered by Central Command.

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
id: PowerSink id: PowerSink
parent: BaseMachine parent: [BaseMachine, BaseSyndicateContraband]
name: power sink name: power sink
description: Drains immense amounts of electricity from the grid. description: Drains immense amounts of electricity from the grid.
components: components:

View File

@@ -368,7 +368,7 @@
- type: entity - type: entity
name: energy shield name: energy shield
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: EnergyShield id: EnergyShield
description: Exotic energy shield, when folded, can even fit in your pocket. description: Exotic energy shield, when folded, can even fit in your pocket.
components: components:

View File

@@ -49,7 +49,7 @@
stealGroup: Bible stealGroup: Bible
- type: entity - type: entity
parent: Bible parent: [Bible, BaseSyndicateContraband]
name: necronomicon name: necronomicon
description: "There's a note: Klatuu, Verata, Nikto -- Don't forget it again!" description: "There's a note: Klatuu, Verata, Nikto -- Don't forget it again!"
id: BibleNecronomicon id: BibleNecronomicon

View File

@@ -470,7 +470,7 @@
sprite: Objects/Specific/Hydroponics/fly_amanita.rsi sprite: Objects/Specific/Hydroponics/fly_amanita.rsi
- type: entity - type: entity
parent: SeedBase parent: [SeedBase, BaseSyndicateContraband]
name: packet of gatfruit seeds name: packet of gatfruit seeds
description: "These are no peashooters." description: "These are no peashooters."
id: GatfruitSeeds id: GatfruitSeeds

View File

@@ -117,7 +117,7 @@
- type: entity - type: entity
name: soap name: soap
id: SoapSyndie id: SoapSyndie
parent: Soap parent: [Soap, BaseSyndicateContraband]
description: An untrustworthy bar of soap. Smells of fear. description: An untrustworthy bar of soap. Smells of fear.
components: components:
- type: Sprite - type: Sprite

View File

@@ -1,7 +1,7 @@
- type: entity - type: entity
name: handheld crew monitor name: handheld crew monitor
suffix: DO NOT MAP suffix: DO NOT MAP
parent: BaseHandheldComputer parent: [ BaseHandheldComputer, BaseGrandTheftContraband ]
# CMO-only bud, don't add more. # CMO-only bud, don't add more.
id: HandheldCrewMonitor id: HandheldCrewMonitor
description: A hand-held crew monitor displaying the status of suit sensors. description: A hand-held crew monitor displaying the status of suit sensors.

View File

@@ -993,7 +993,7 @@
#this is where all the syringes are so i didn't know where to put it #this is where all the syringes are so i didn't know where to put it
- type: entity - type: entity
name: romerol syringe name: romerol syringe
parent: PrefilledSyringe parent: [PrefilledSyringe, BaseSyndicateContraband]
id: SyringeRomerol id: SyringeRomerol
components: components:
- type: SolutionContainerManager - type: SolutionContainerManager
@@ -1006,7 +1006,7 @@
- type: entity - type: entity
name: hyperzine syringe name: hyperzine syringe
parent: PrefilledSyringe parent: [PrefilledSyringe, BaseSyndicateContraband]
id: SyringeStimulants id: SyringeStimulants
components: components:
- type: SolutionContainerManager - type: SolutionContainerManager

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: hypospray name: hypospray
parent: BaseItem parent: [BaseItem, BaseGrandTheftContraband]
description: A sterile injector for rapid administration of drugs to patients. description: A sterile injector for rapid administration of drugs to patients.
id: Hypospray id: Hypospray
components: components:
@@ -319,7 +319,7 @@
- type: entity - type: entity
name: hyperzine injector name: hyperzine injector
parent: ChemicalMedipen parent: [ChemicalMedipen, BaseSyndicateContraband]
id: Stimpack id: Stimpack
description: Contains enough hyperzine for you to have the chemical's effect for 30 seconds. Use it when you're sure you're ready to throw down. description: Contains enough hyperzine for you to have the chemical's effect for 30 seconds. Use it when you're sure you're ready to throw down.
components: components:
@@ -351,7 +351,7 @@
- type: entity - type: entity
name: hyperzine microinjector name: hyperzine microinjector
parent: ChemicalMedipen parent: [ChemicalMedipen, BaseSyndicateContraband]
id: StimpackMini id: StimpackMini
description: A microinjector of hyperzine that give you about fifteen seconds of the chemical's effects. description: A microinjector of hyperzine that give you about fifteen seconds of the chemical's effects.
components: components:
@@ -378,7 +378,7 @@
- type: entity - type: entity
name: combat medipen name: combat medipen
parent: ChemicalMedipen parent: [ChemicalMedipen, BaseSyndicateContraband]
id: CombatMedipen id: CombatMedipen
description: A single-use medipen containing chemicals that regenerate most types of damage. description: A single-use medipen containing chemicals that regenerate most types of damage.
components: components:

View File

@@ -497,7 +497,7 @@
#syndicate modules #syndicate modules
- type: entity - type: entity
id: BorgModuleSyndicateWeapon id: BorgModuleSyndicateWeapon
parent: [ BaseBorgModule, BaseProviderBorgModule ] parent: [ BaseBorgModule, BaseProviderBorgModule, BaseSyndicateContraband ]
name: weapon cyborg module name: weapon cyborg module
components: components:
- type: Sprite - type: Sprite
@@ -557,7 +557,7 @@
- type: entity - type: entity
id: BorgModuleMartyr id: BorgModuleMartyr
parent: [ BaseBorgModule, BaseProviderBorgModule ] parent: [ BaseBorgModule, BaseProviderBorgModule, BaseSyndicateContraband ]
name: martyr cyborg module name: martyr cyborg module
description: "A module that comes with an explosive you probably don't want to handle yourself." description: "A module that comes with an explosive you probably don't want to handle yourself."
components: components:

View File

@@ -220,7 +220,7 @@
id: NocturineChemistryBottle id: NocturineChemistryBottle
name: nocturine bottle name: nocturine bottle
description: This will make someone fall down almost immediately. Hard to overdose on. description: This will make someone fall down almost immediately. Hard to overdose on.
parent: BaseChemistryBottleFilled parent: [BaseChemistryBottleFilled, BaseSyndicateContraband]
components: components:
- type: SolutionContainerManager - type: SolutionContainerManager
solutions: solutions:

View File

@@ -151,7 +151,7 @@
- MobAbomination - MobAbomination
- type: entity - type: entity
parent: PlushieCarp parent: [PlushieCarp, BaseSyndicateContraband]
id: DehydratedSpaceCarp id: DehydratedSpaceCarp
name: dehydrated space carp name: dehydrated space carp
description: Looks like a plush toy carp, but just add water and it becomes a real-life space carp! description: Looks like a plush toy carp, but just add water and it becomes a real-life space carp!

View File

@@ -1,6 +1,7 @@
- type: entity - type: entity
name: telecrystal name: telecrystal
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: Telecrystal id: Telecrystal
suffix: 20 TC suffix: 20 TC
description: It seems to be pulsing with suspiciously enticing energies. description: It seems to be pulsing with suspiciously enticing energies.
@@ -48,7 +49,7 @@
# Uplinks # Uplinks
- type: entity - type: entity
parent: [ BaseItem, StorePresetUplink ] parent: [BaseItem, StorePresetUplink, BaseSyndicateContraband]
id: BaseUplinkRadio id: BaseUplinkRadio
name: syndicate uplink name: syndicate uplink
description: Suspiciously looking old radio... description: Suspiciously looking old radio...

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: EmagUnlimited id: EmagUnlimited
suffix: Unlimited suffix: Unlimited
name: cryptographic sequencer name: cryptographic sequencer

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: radio jammer name: radio jammer
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: RadioJammer id: RadioJammer
description: This device will disrupt any nearby outgoing radio communication as well as suit sensors when activated. description: This device will disrupt any nearby outgoing radio communication as well as suit sensors when activated.
components: components:

View File

@@ -52,7 +52,7 @@
- type: entity - type: entity
name: syndicate jaws of life name: syndicate jaws of life
parent: JawsOfLife parent: [JawsOfLife, BaseSyndicateContraband]
id: SyndicateJawsOfLife id: SyndicateJawsOfLife
description: Useful for entering the station or its departments. description: Useful for entering the station or its departments.
components: components:

View File

@@ -107,7 +107,7 @@
#Empty black #Empty black
- type: entity - type: entity
id: JetpackBlack id: JetpackBlack
parent: BaseJetpack parent: [BaseJetpack, BaseSyndicateContraband]
name: jetpack name: jetpack
suffix: Empty suffix: Empty
components: components:
@@ -140,7 +140,7 @@
#Empty captain #Empty captain
- type: entity - type: entity
id: JetpackCaptain id: JetpackCaptain
parent: BaseJetpack parent: [BaseJetpack, BaseGrandTheftContraband]
name: captain's jetpack name: captain's jetpack
suffix: Empty suffix: Empty
components: components:

View File

@@ -66,7 +66,7 @@
- Flashlight - Flashlight
- type: entity - type: entity
parent: Lantern parent: [Lantern, BaseSyndicateContraband]
id: LanternFlash id: LanternFlash
suffix: Flash suffix: Flash
components: components:

View File

@@ -114,7 +114,7 @@
- type: entity - type: entity
name: suspicious toolbox name: suspicious toolbox
parent: ToolboxBase parent: [ToolboxBase, BaseSyndicateContraband]
id: ToolboxSyndicate id: ToolboxSyndicate
description: A sinister looking toolbox filled with elite syndicate tools. description: A sinister looking toolbox filled with elite syndicate tools.
components: components:

View File

@@ -24,7 +24,7 @@
handle: false # don't want the sound to stop the explosion from triggering handle: false # don't want the sound to stop the explosion from triggering
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: PenExplodingBox id: PenExplodingBox
name: exploding pen box name: exploding pen box
description: A small box containing an exploding pen. Packaging disintegrates when opened, leaving no evidence behind. description: A small box containing an exploding pen. Packaging disintegrates when opened, leaving no evidence behind.

View File

@@ -38,7 +38,7 @@
- type: entity - type: entity
name: composition C-4 name: composition C-4
description: Used to put holes in specific areas without too much extra hole. A saboteur's favorite. description: Used to put holes in specific areas without too much extra hole. A saboteur's favorite.
parent: BasePlasticExplosive parent: [BasePlasticExplosive, BaseSyndicateContraband]
id: C4 id: C4
components: components:
- type: Sprite - type: Sprite

View File

@@ -1,7 +1,7 @@
- type: entity - type: entity
name: proto-kinetic accelerator name: proto-kinetic accelerator
id: WeaponProtoKineticAccelerator id: WeaponProtoKineticAccelerator
parent: WeaponProtoKineticAcceleratorBase parent: [WeaponProtoKineticAcceleratorBase, BaseCargoContraband]
description: Fires low-damage kinetic bolts at a short range. description: Fires low-damage kinetic bolts at a short range.
components: components:
- type: Sprite - type: Sprite

View File

@@ -408,7 +408,7 @@
- type: entity - type: entity
name: disabler name: disabler
parent: BaseWeaponBatterySmall parent: [ BaseWeaponBatterySmall, BaseSecurityCommandContraband ]
id: WeaponDisabler id: WeaponDisabler
description: A self-defense weapon that exhausts organic targets, weakening them until they collapse. description: A self-defense weapon that exhausts organic targets, weakening them until they collapse.
components: components:
@@ -449,7 +449,7 @@
- type: entity - type: entity
name: disabler SMG name: disabler SMG
parent: BaseWeaponBattery parent: [ BaseWeaponBattery, BaseRestrictedContraband ]
id: WeaponDisablerSMG id: WeaponDisablerSMG
description: Advanced weapon that exhausts organic targets, weakening them until they collapse. description: Advanced weapon that exhausts organic targets, weakening them until they collapse.
components: components:
@@ -512,7 +512,7 @@
- type: entity - type: entity
name: taser name: taser
parent: BaseWeaponBatterySmall parent: [ BaseWeaponBatterySmall, BaseRestrictedContraband ]
id: WeaponTaser id: WeaponTaser
description: A low-capacity, energy-based stun gun used by security teams to subdue targets at range. description: A low-capacity, energy-based stun gun used by security teams to subdue targets at range.
components: components:
@@ -548,7 +548,7 @@
- type: entity - type: entity
name: antique laser pistol name: antique laser pistol
parent: BaseWeaponBatterySmall parent: [BaseWeaponBatterySmall, BaseGrandTheftContraband]
id: WeaponAntiqueLaser id: WeaponAntiqueLaser
description: 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. description: 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.
components: components:
@@ -623,7 +623,7 @@
- type: entity - type: entity
name: C.H.I.M.P. handcannon name: C.H.I.M.P. handcannon
parent: BaseWeaponBatterySmall parent: [BaseWeaponBatterySmall, BaseScienceContraband]
id: WeaponPistolCHIMP id: WeaponPistolCHIMP
description: Just because it's a little C.H.I.M.P. doesn't mean it can't punch like an A.P.E. description: Just because it's a little C.H.I.M.P. doesn't mean it can't punch like an A.P.E.
components: components:
@@ -669,7 +669,7 @@
- type: entity - type: entity
name: experimental C.H.I.M.P. handcannon name: experimental C.H.I.M.P. handcannon
parent: WeaponPistolCHIMP parent: [WeaponPistolCHIMP, BaseSyndicateContraband]
id: WeaponPistolCHIMPUpgraded id: WeaponPistolCHIMPUpgraded
description: This C.H.I.M.P. seems to have a greater punch than is usual... description: This C.H.I.M.P. seems to have a greater punch than is usual...
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: bow name: bow
parent: BaseItem parent: [BaseItem, BaseMinorContraband]
id: BaseBow id: BaseBow
description: The original rooty tooty point and shooty. description: The original rooty tooty point and shooty.
abstract: true abstract: true

View File

@@ -65,7 +65,7 @@
- type: entity - type: entity
name: L6 SAW name: L6 SAW
id: WeaponLightMachineGunL6 id: WeaponLightMachineGunL6
parent: BaseWeaponLightMachineGun parent: [BaseWeaponLightMachineGun, BaseSyndicateContraband]
description: A rather traditionally made LMG with a pleasantly lacquered wooden pistol grip. Uses .30 rifle ammo. description: A rather traditionally made LMG with a pleasantly lacquered wooden pistol grip. Uses .30 rifle ammo.
components: components:
- type: Sprite - type: Sprite

View File

@@ -22,7 +22,7 @@
- type: entity - type: entity
name: china lake name: china lake
parent: [BaseWeaponLauncher, BaseGunWieldable] parent: [BaseWeaponLauncher, BaseGunWieldable, BaseSyndicateContraband]
id: WeaponLauncherChinaLake id: WeaponLauncherChinaLake
description: PLOOP. description: PLOOP.
components: components:

View File

@@ -70,7 +70,7 @@
- type: entity - type: entity
name: viper name: viper
parent: BaseWeaponPistol parent: [BaseWeaponPistol, BaseSyndicateContraband]
id: WeaponPistolViper id: WeaponPistolViper
description: A small, easily concealable, but somewhat underpowered gun. Retrofitted with a fully automatic receiver. Uses .35 auto ammo. description: A small, easily concealable, but somewhat underpowered gun. Retrofitted with a fully automatic receiver. Uses .35 auto ammo.
components: components:
@@ -187,7 +187,7 @@
- type: entity - type: entity
name: mk 58 name: mk 58
parent: BaseWeaponPistol parent: [BaseWeaponPistol, BaseRestrictedContraband]
id: WeaponPistolMk58 id: WeaponPistolMk58
description: A cheap, ubiquitous sidearm, produced by a NanoTrasen subsidiary. Uses .35 auto ammo. description: A cheap, ubiquitous sidearm, produced by a NanoTrasen subsidiary. Uses .35 auto ammo.
components: components:
@@ -209,7 +209,7 @@
- type: entity - type: entity
name: N1984 name: N1984
parent: BaseWeaponPistol parent: [BaseWeaponPistol, BaseRestrictedContraband]
id: WeaponPistolN1984 # the spaces in description are for formatting. id: WeaponPistolN1984 # the spaces in description are for formatting.
description: The sidearm of any self respecting officer. Comes in .45 magnum, the lord's caliber. description: The sidearm of any self respecting officer. Comes in .45 magnum, the lord's caliber.
components: components:

View File

@@ -52,7 +52,7 @@
- type: entity - type: entity
name: Deckard name: Deckard
parent: BaseWeaponRevolver parent: [BaseWeaponRevolver, BaseRestrictedContraband]
id: WeaponRevolverDeckard id: WeaponRevolverDeckard
description: A rare, custom-built revolver. Use when there is no time for Voight-Kampff test. Uses .45 magnum ammo. description: A rare, custom-built revolver. Use when there is no time for Voight-Kampff test. Uses .45 magnum ammo.
components: components:
@@ -80,7 +80,7 @@
- type: entity - type: entity
name: Inspector name: Inspector
parent: BaseWeaponRevolver parent: [BaseWeaponRevolver, BaseRestrictedContraband]
id: WeaponRevolverInspector id: WeaponRevolverInspector
description: A detective's best friend. Uses .45 magnum ammo. description: A detective's best friend. Uses .45 magnum ammo.
components: components:
@@ -95,7 +95,7 @@
- type: entity - type: entity
name: Mateba name: Mateba
parent: BaseWeaponRevolver parent: [BaseWeaponRevolver, BaseMinorContraband]
id: WeaponRevolverMateba id: WeaponRevolverMateba
description: The iconic sidearm of the dreaded death squads. Uses .45 magnum ammo. description: The iconic sidearm of the dreaded death squads. Uses .45 magnum ammo.
components: components:
@@ -110,7 +110,7 @@
- type: entity - type: entity
name: Python name: Python
parent: BaseWeaponRevolver parent: [BaseWeaponRevolver, BaseSyndicateContraband]
id: WeaponRevolverPython id: WeaponRevolverPython
description: A robust revolver favoured by Syndicate agents. Uses .45 magnum ammo. description: A robust revolver favoured by Syndicate agents. Uses .45 magnum ammo.
components: components:
@@ -143,7 +143,7 @@
- type: entity - type: entity
name: pirate revolver name: pirate revolver
parent: BaseWeaponRevolver parent: [BaseWeaponRevolver, BaseMinorContraband]
id: WeaponRevolverPirate id: WeaponRevolverPirate
description: An odd, old-looking revolver, favoured by pirate crews. Uses .45 magnum ammo. description: An odd, old-looking revolver, favoured by pirate crews. Uses .45 magnum ammo.
components: components:

View File

@@ -53,7 +53,7 @@
- type: entity - type: entity
name: AKMS name: AKMS
parent: BaseWeaponRifle parent: [BaseWeaponRifle, BaseMinorContraband]
id: WeaponRifleAk id: WeaponRifleAk
description: An iconic weapon of war. Uses .30 rifle ammo. description: An iconic weapon of war. Uses .30 rifle ammo.
components: components:
@@ -102,7 +102,7 @@
- type: entity - type: entity
name: M-90gl name: M-90gl
parent: BaseWeaponRifle parent: [BaseWeaponRifle, BaseSyndicateContraband]
id: WeaponRifleM90GrenadeLauncher id: WeaponRifleM90GrenadeLauncher
description: An older bullpup carbine model, with an attached underbarrel grenade launcher. Uses .20 rifle ammo. description: An older bullpup carbine model, with an attached underbarrel grenade launcher. Uses .20 rifle ammo.
components: components:
@@ -146,7 +146,7 @@
- type: entity - type: entity
name: Lecter name: Lecter
parent: BaseWeaponRifle parent: [BaseWeaponRifle, BaseRestrictedContraband]
id: WeaponRifleLecter id: WeaponRifleLecter
description: A high end military grade assault rifle. Uses .20 rifle ammo. description: A high end military grade assault rifle. Uses .20 rifle ammo.
components: components:

View File

@@ -58,7 +58,7 @@
- type: entity - type: entity
name: Atreides name: Atreides
parent: BaseWeaponSubMachineGun parent: [BaseWeaponSubMachineGun, BaseMinorContraband]
id: WeaponSubMachineGunAtreides id: WeaponSubMachineGunAtreides
description: Pla-ket-ket-ket-ket! Uses .35 auto ammo. description: Pla-ket-ket-ket-ket! Uses .35 auto ammo.
components: components:
@@ -81,7 +81,7 @@
- type: entity - type: entity
name: C-20r sub machine gun name: C-20r sub machine gun
parent: BaseWeaponSubMachineGun parent: [BaseWeaponSubMachineGun, BaseSyndicateContraband]
id: WeaponSubMachineGunC20r id: WeaponSubMachineGunC20r
description: A firearm that is often used by the infamous nuclear operatives. Uses .35 auto ammo. description: A firearm that is often used by the infamous nuclear operatives. Uses .35 auto ammo.
components: components:

View File

@@ -46,7 +46,7 @@
- type: entity - type: entity
name: Bulldog name: Bulldog
# Don't parent to BaseWeaponShotgun because it differs significantly # Don't parent to BaseWeaponShotgun because it differs significantly
parent: [BaseItem, BaseGunWieldable] parent: [BaseItem, BaseGunWieldable, BaseSyndicateContraband]
id: WeaponShotgunBulldog id: WeaponShotgunBulldog
description: It's a magazine-fed shotgun designed for close quarters combat. Uses .50 shotgun shells. description: It's a magazine-fed shotgun designed for close quarters combat. Uses .50 shotgun shells.
components: components:
@@ -103,7 +103,7 @@
- type: entity - type: entity
name: double-barreled shotgun name: double-barreled shotgun
parent: [BaseWeaponShotgun, BaseGunWieldable] parent: [BaseWeaponShotgun, BaseGunWieldable, BaseMinorContraband]
id: WeaponShotgunDoubleBarreled id: WeaponShotgunDoubleBarreled
description: An immortal classic. Uses .50 shotgun shells. description: An immortal classic. Uses .50 shotgun shells.
components: components:
@@ -136,7 +136,7 @@
- type: entity - type: entity
name: Enforcer name: Enforcer
parent: [BaseWeaponShotgun, BaseGunWieldable] parent: [BaseWeaponShotgun, BaseGunWieldable, BaseRestrictedContraband]
id: WeaponShotgunEnforcer id: WeaponShotgunEnforcer
description: A premium combat shotgun based on the Kammerer design, featuring an upgraded clip capacity. .50 shotgun shells. description: A premium combat shotgun based on the Kammerer design, featuring an upgraded clip capacity. .50 shotgun shells.
components: components:
@@ -159,7 +159,7 @@
- type: entity - type: entity
name: Kammerer name: Kammerer
parent: [BaseWeaponShotgun, BaseGunWieldable] parent: [BaseWeaponShotgun, BaseGunWieldable, BaseRestrictedContraband]
id: WeaponShotgunKammerer id: WeaponShotgunKammerer
description: 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. description: 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.
components: components:
@@ -217,7 +217,7 @@
- type: entity - type: entity
name: handmade pistol name: handmade pistol
parent: BaseWeaponShotgun parent: [BaseWeaponShotgun, BaseMinorContraband]
id: WeaponShotgunHandmade id: WeaponShotgunHandmade
description: Looks unreliable. Uses .50 shotgun shells. description: Looks unreliable. Uses .50 shotgun shells.
components: components:
@@ -241,7 +241,7 @@
- type: entity - type: entity
name: blunderbuss name: blunderbuss
parent: [BaseWeaponShotgun, BaseGunWieldable] parent: [BaseWeaponShotgun, BaseGunWieldable, BaseMinorContraband]
id: WeaponShotgunBlunderbuss id: WeaponShotgunBlunderbuss
suffix: Pirate suffix: Pirate
description: Deadly at close range. description: Deadly at close range.
@@ -262,7 +262,7 @@
- type: entity - type: entity
name: improvised shotgun name: improvised shotgun
parent: [BaseWeaponShotgun, BaseGunWieldable] parent: [BaseWeaponShotgun, BaseGunWieldable, BaseMinorContraband]
id: WeaponShotgunImprovised id: WeaponShotgunImprovised
description: A shitty, hand-made shotgun that uses .50 shotgun shells. It can only hold one round in the chamber. description: A shitty, hand-made shotgun that uses .50 shotgun shells. It can only hold one round in the chamber.
components: components:

View File

@@ -40,7 +40,7 @@
- type: entity - type: entity
name: Kardashev-Mosin name: Kardashev-Mosin
parent: [BaseWeaponSniper, BaseGunWieldable] parent: [BaseWeaponSniper, BaseGunWieldable, BaseSyndicateContraband]
id: WeaponSniperMosin id: WeaponSniperMosin
description: A weapon for hunting, or endless trench warfare. Uses .30 rifle ammo. description: A weapon for hunting, or endless trench warfare. Uses .30 rifle ammo.
components: components:
@@ -49,7 +49,7 @@
- type: entity - type: entity
name: Hristov name: Hristov
parent: [BaseWeaponSniper, BaseGunWieldable] parent: [BaseWeaponSniper, BaseGunWieldable, BaseSyndicateContraband]
id: WeaponSniperHristov id: WeaponSniperHristov
description: A portable anti-materiel rifle. Fires armor piercing 14.5mm shells. Uses .60 anti-materiel ammo. description: A portable anti-materiel rifle. Fires armor piercing 14.5mm shells. Uses .60 anti-materiel ammo.
components: components:
@@ -66,7 +66,7 @@
- type: entity - type: entity
name: musket name: musket
parent: [BaseWeaponSniper, BaseGunWieldable] parent: [ BaseWeaponSniper, BaseGunWieldable, BaseMinorContraband ]
id: Musket id: Musket
description: This should've been in a museum long before you were born. Uses .60 anti-materiel ammo. description: This should've been in a museum long before you were born. Uses .60 anti-materiel ammo.
components: components:
@@ -104,7 +104,7 @@
- type: entity - type: entity
name: flintlock pistol name: flintlock pistol
parent: BaseWeaponSniper parent: [BaseWeaponSniper, BaseMinorContraband]
id: WeaponPistolFlintlock id: WeaponPistolFlintlock
description: A pirate's companion. Yarrr! Uses .60 anti-materiel ammo. description: A pirate's companion. Yarrr! Uses .60 anti-materiel ammo.
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: improvised pneumatic cannon name: improvised pneumatic cannon
parent: BaseStorageItem parent: [BaseStorageItem, BaseMinorContraband]
id: WeaponImprovisedPneumaticCannon id: WeaponImprovisedPneumaticCannon
description: Improvised using nothing but a pipe, some zipties, and a pneumatic cannon. Doesn't accept tanks without enough gas. description: Improvised using nothing but a pipe, some zipties, and a pneumatic cannon. Doesn't accept tanks without enough gas.
components: components:

View File

@@ -120,7 +120,7 @@
context: "human" context: "human"
- type: entity - type: entity
parent: BaseWeaponTurret parent: [BaseWeaponTurret, BaseSyndicateContraband]
id: WeaponTurretSyndicate id: WeaponTurretSyndicate
suffix: Syndicate suffix: Syndicate
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: baseball bat name: baseball bat
parent: BaseItem parent: [BaseItem, BaseMinorContraband]
id: BaseBallBat id: BaseBallBat
description: A robust baseball bat. description: A robust baseball bat.
components: components:

View File

@@ -28,7 +28,7 @@
- type: entity - type: entity
name: cane blade name: cane blade
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: CaneBlade id: CaneBlade
description: A sharp blade with a cane shaped hilt. description: A sharp blade with a cane shaped hilt.
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: energy sword name: energy sword
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: EnergySword id: EnergySword
description: A very loud & dangerous sword with a beam made of pure, concentrated plasma. Cuts through unarmored targets like butter. description: A very loud & dangerous sword with a beam made of pure, concentrated plasma. Cuts through unarmored targets like butter.
components: components:
@@ -198,7 +198,7 @@
- Write - Write
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: EnergyDaggerBox id: EnergyDaggerBox
name: e-dagger box name: e-dagger box
suffix: E-Dagger suffix: E-Dagger

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: fireaxe name: fireaxe
parent: BaseItem parent: [BaseItem, BaseEngineeringContraband]
id: FireAxe id: FireAxe
description: Truly, the weapon of a madman. Who would think to fight fire with an axe? description: Truly, the weapon of a madman. Who would think to fight fire with an axe?
components: components:

View File

@@ -77,7 +77,7 @@
- type: entity - type: entity
name: combat knife name: combat knife
parent: BaseKnife parent: [BaseKnife, BaseRestrictedContraband]
id: CombatKnife id: CombatKnife
description: A deadly knife intended for melee confrontations. description: A deadly knife intended for melee confrontations.
components: components:
@@ -108,7 +108,7 @@
- type: entity - type: entity
name: survival knife name: survival knife
parent: CombatKnife parent: [CombatKnife, BaseSecurityCargoContraband]
id: SurvivalKnife id: SurvivalKnife
description: Weapon of first and last resort for combatting space carp. description: Weapon of first and last resort for combatting space carp.
components: components:
@@ -120,7 +120,7 @@
- type: entity - type: entity
name: kukri knife name: kukri knife
parent: CombatKnife parent: [CombatKnife, BaseMinorContraband]
id: KukriKnife id: KukriKnife
description: Professionals have standards. Be polite. Be efficient. Have a plan to kill everyone you meet. description: Professionals have standards. Be polite. Be efficient. Have a plan to kill everyone you meet.
components: components:
@@ -136,7 +136,7 @@
sprite: Objects/Weapons/Melee/kukri_knife.rsi sprite: Objects/Weapons/Melee/kukri_knife.rsi
- type: entity - type: entity
parent: ClothingHeadHatGreyFlatcap parent: [ClothingHeadHatGreyFlatcap, BaseSyndicateContraband]
id: BladedFlatcapGrey id: BladedFlatcapGrey
name: grey flatcap name: grey flatcap
description: Fashionable for both the working class and old man Jenkins. It has glass shards hidden in the brim. description: Fashionable for both the working class and old man Jenkins. It has glass shards hidden in the brim.
@@ -176,7 +176,7 @@
- type: entity - type: entity
name: shiv name: shiv
parent: BaseKnife parent: [BaseKnife, BaseMinorContraband]
id: Shiv id: Shiv
description: A crude weapon fashioned from a piece of cloth and a glass shard. description: A crude weapon fashioned from a piece of cloth and a glass shard.
components: components:
@@ -261,7 +261,7 @@
- type: entity - type: entity
name: throwing knife name: throwing knife
parent: BaseKnife parent: [BaseKnife, BaseSyndicateContraband]
id: ThrowingKnife id: ThrowingKnife
description: This bloodred knife is very aerodynamic and easy to throw, but good luck trying to fight someone hand-to-hand. description: This bloodred knife is very aerodynamic and easy to throw, but good luck trying to fight someone hand-to-hand.
components: components:

View File

@@ -101,7 +101,7 @@
radius: 4 radius: 4
- type: entity - type: entity
parent: BaseWeaponCrusher parent: [BaseWeaponCrusher, BaseSecurityCargoContraband]
id: WeaponCrusher id: WeaponCrusher
components: components:
- type: Tag - type: Tag

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: spear name: spear
parent: BaseItem parent: [BaseItem, BaseMinorContraband]
id: Spear id: Spear
description: Definition of a Classic. Keeping murder affordable since 200,000 BCE. description: Definition of a Classic. Keeping murder affordable since 200,000 BCE.
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: stun prod name: stun prod
parent: BaseItem parent: [BaseItem, BaseMinorContraband]
id: Stunprod id: Stunprod
description: A stun prod for illegal incapacitation. description: A stun prod for illegal incapacitation.
components: components:

View File

@@ -18,7 +18,7 @@
- type: entity - type: entity
name: captain's sabre name: captain's sabre
parent: BaseSword parent: [ BaseSword, BaseCommandContraband ]
id: CaptainSabre id: CaptainSabre
description: A ceremonial weapon belonging to the captain of the station. description: A ceremonial weapon belonging to the captain of the station.
components: components:
@@ -43,7 +43,7 @@
- type: entity - type: entity
name: katana name: katana
parent: BaseSword parent: [ BaseSword, BaseMinorContraband ]
id: Katana id: Katana
description: Ancient craftwork made with not so ancient plasteel. description: Ancient craftwork made with not so ancient plasteel.
components: components:
@@ -93,7 +93,7 @@
- type: entity - type: entity
name: machete name: machete
parent: BaseSword parent: [ BaseSword, BaseMinorContraband ]
id: Machete id: Machete
description: A large, vicious looking blade. description: A large, vicious looking blade.
components: components:
@@ -114,7 +114,7 @@
- type: entity - type: entity
name: claymore name: claymore
parent: BaseSword parent: [ BaseSword, BaseMinorContraband ]
id: Claymore id: Claymore
description: An ancient war blade. description: An ancient war blade.
components: components:
@@ -136,7 +136,7 @@
- type: entity - type: entity
name: cutlass name: cutlass
parent: BaseSword parent: [ BaseSword, BaseMinorContraband ]
id: Cutlass id: Cutlass
description: A wickedly curved blade, often seen in the hands of space pirates. description: A wickedly curved blade, often seen in the hands of space pirates.
components: components:
@@ -157,7 +157,7 @@
- type: entity - type: entity
name: Throngler name: Throngler
parent: BaseSword parent: [ BaseSword, BaseMinorContraband ]
id: Throngler id: Throngler
description: Why would you make this? description: Why would you make this?
components: components:

View File

@@ -1,6 +1,6 @@
- type: entity - type: entity
name: bola name: bola
parent: BaseItem parent: [BaseItem, BaseRestrictedContraband]
id: Bola id: Bola
description: Linked together with some spare cuffs and metal. description: Linked together with some spare cuffs and metal.
components: components:

View File

@@ -1,5 +1,5 @@
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseRestrictedContraband]
id: ClusterBang id: ClusterBang
name: clusterbang name: clusterbang
description: Can be used only with flashbangs. Explodes several times. description: Can be used only with flashbangs. Explodes several times.
@@ -50,7 +50,7 @@
cluster-payload: !type:Container cluster-payload: !type:Container
- type: entity - type: entity
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: ClusterGrenade id: ClusterGrenade
name: clustergrenade name: clustergrenade
description: Why use one grenade when you can use three at once! description: Why use one grenade when you can use three at once!
@@ -79,7 +79,7 @@
cluster-payload: !type:Container cluster-payload: !type:Container
- type: entity - type: entity
parent: BaseItem parent: [BaseItem, BaseSyndicateContraband]
id: ClusterBananaPeel id: ClusterBananaPeel
name: cluster banana peel name: cluster banana peel
description: Splits into 6 explosive banana peels after throwing, guaranteed fun! description: Splits into 6 explosive banana peels after throwing, guaranteed fun!
@@ -116,7 +116,7 @@
cluster-payload: !type:Container cluster-payload: !type:Container
- type: entity - type: entity
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: GrenadeStinger id: GrenadeStinger
name: stinger grenade name: stinger grenade
description: Nothing to see here, please disperse. description: Nothing to see here, please disperse.
@@ -145,7 +145,7 @@
cluster-payload: !type:Container cluster-payload: !type:Container
- type: entity - type: entity
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: GrenadeIncendiary id: GrenadeIncendiary
name: incendiary grenade name: incendiary grenade
description: Guaranteed to light up the mood. description: Guaranteed to light up the mood.
@@ -174,7 +174,7 @@
cluster-payload: !type:Container cluster-payload: !type:Container
- type: entity - type: entity
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: GrenadeShrapnel id: GrenadeShrapnel
name: shrapnel grenade name: shrapnel grenade
description: Releases a deadly spray of shrapnel that causes severe bleeding. description: Releases a deadly spray of shrapnel that causes severe bleeding.

View File

@@ -39,7 +39,7 @@
- type: entity - type: entity
name: explosive grenade name: explosive grenade
description: Grenade that creates a small but devastating explosion. description: Grenade that creates a small but devastating explosion.
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: ExGrenade id: ExGrenade
components: components:
- type: ExplodeOnTrigger - type: ExplodeOnTrigger
@@ -101,7 +101,7 @@
- type: entity - type: entity
name: syndicate minibomb name: syndicate minibomb
description: A syndicate-manufactured explosive used to stow destruction and cause chaos. description: A syndicate-manufactured explosive used to stow destruction and cause chaos.
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: SyndieMiniBomb id: SyndieMiniBomb
components: components:
- type: Sprite - type: Sprite
@@ -148,7 +148,7 @@
- type: entity - type: entity
name: supermatter grenade name: supermatter grenade
description: Grenade that simulates delamination of the supermatter engine, pulling things in a heap and exploding after some time. description: Grenade that simulates delamination of the supermatter engine, pulling things in a heap and exploding after some time.
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: SupermatterGrenade id: SupermatterGrenade
components: components:
- type: Sprite - type: Sprite
@@ -333,7 +333,7 @@
- type: entity - type: entity
name: EMP grenade name: EMP grenade
description: A grenade designed to wreak havoc on electronic systems. description: A grenade designed to wreak havoc on electronic systems.
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: EmpGrenade id: EmpGrenade
components: components:
- type: Sprite - type: Sprite
@@ -350,7 +350,7 @@
- type: entity - type: entity
name: holy hand grenade name: holy hand grenade
description: O Lord, bless this thy hand grenade, that with it thou mayst blow thine enemies to tiny bits, in thy mercy. description: O Lord, bless this thy hand grenade, that with it thou mayst blow thine enemies to tiny bits, in thy mercy.
parent: GrenadeBase parent: [GrenadeBase, BaseSyndicateContraband]
id: HolyHandGrenade id: HolyHandGrenade
components: components:
- type: Sprite - type: Sprite
@@ -462,7 +462,7 @@
- type: entity - type: entity
name: syndicate trickybomb name: syndicate trickybomb
description: A syndicate-manufactured explosive used to make an excellent distraction. description: A syndicate-manufactured explosive used to make an excellent distraction.
parent: GrenadeDummy parent: [GrenadeDummy, BaseSyndicateContraband]
id: SyndieTrickyBomb id: SyndieTrickyBomb
components: components:
- type: Sprite - type: Sprite

Some files were not shown because too many files have changed in this diff Show More