]> git.smokeofanarchy.ru Git - space-station-14.git/commitdiff
Openable refactor (#19750)
authordeltanedas <39013340+deltanedas@users.noreply.github.com>
Sat, 23 Sep 2023 02:10:04 +0000 (03:10 +0100)
committerGitHub <noreply@github.com>
Sat, 23 Sep 2023 02:10:04 +0000 (22:10 -0400)
33 files changed:
Content.Server/Fluids/EntitySystems/PuddleSystem.Spillable.cs
Content.Server/Glue/GlueSystem.cs
Content.Server/Lube/LubeSystem.cs
Content.Server/Materials/MaterialReclaimerSystem.cs
Content.Server/NPC/Systems/NPCUtilitySystem.cs
Content.Server/Nutrition/Components/DrinkComponent.cs
Content.Server/Nutrition/Components/FoodComponent.cs
Content.Server/Nutrition/Components/OpenableComponent.cs [new file with mode: 0644]
Content.Server/Nutrition/Components/PressurizedDrinkComponent.cs [new file with mode: 0644]
Content.Server/Nutrition/EntitySystems/CreamPieSystem.cs
Content.Server/Nutrition/EntitySystems/DrinkSystem.cs
Content.Server/Nutrition/EntitySystems/FoodSystem.cs
Content.Server/Nutrition/EntitySystems/OpenableSystem.cs [new file with mode: 0644]
Content.Server/Nutrition/EntitySystems/SliceableFoodSystem.cs
Content.Shared/Nutrition/Components/SharedFoodComponent.cs
Resources/Locale/en-US/nutrition/components/drink-component.ftl
Resources/Prototypes/Entities/Effects/puddle.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/drinks.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/drinks_bottles.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/drinks_cans.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/drinks_cups.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/drinks_fun.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/drinks_special.yml
Resources/Prototypes/Entities/Objects/Consumable/Drinks/trash_drinks.yml
Resources/Prototypes/Entities/Objects/Consumable/Food/Containers/bowl.yml
Resources/Prototypes/Entities/Objects/Consumable/Food/Containers/condiments.yml
Resources/Prototypes/Entities/Objects/Consumable/Food/ingredients.yml
Resources/Prototypes/Entities/Objects/Fun/toys.yml
Resources/Prototypes/Entities/Objects/Specific/Janitorial/janitor.yml
Resources/Prototypes/Entities/Objects/Specific/chemical-containers.yml
Resources/Prototypes/Entities/Objects/Specific/chemistry-bottles.yml
Resources/Prototypes/Entities/Objects/Specific/chemistry.yml
Resources/Prototypes/Entities/Objects/Tools/bucket.yml

index ff12aed729885e21ffc3fab9808ec7bfb5d2cff1..825c79e2ca15e118ab3437949b5dbafcc1c9ffaf 100644 (file)
@@ -1,6 +1,6 @@
 using Content.Server.Chemistry.EntitySystems;
 using Content.Server.Fluids.Components;
-using Content.Server.Nutrition.Components;
+using Content.Server.Nutrition.EntitySystems;
 using Content.Shared.Chemistry.Components;
 using Content.Shared.Chemistry.Reaction;
 using Content.Shared.Chemistry.Reagent;
@@ -23,11 +23,14 @@ namespace Content.Server.Fluids.EntitySystems;
 
 public sealed partial class PuddleSystem
 {
+    [Dependency] private readonly OpenableSystem _openable = default!;
+
     private void InitializeSpillable()
     {
         SubscribeLocalEvent<SpillableComponent, ExaminedEvent>(OnExamined);
         SubscribeLocalEvent<SpillableComponent, LandEvent>(SpillOnLand);
-        SubscribeLocalEvent<SpillableComponent, MeleeHitEvent>(SplashOnMeleeHit);
+        // openable handles the event if its closed
+        SubscribeLocalEvent<SpillableComponent, MeleeHitEvent>(SplashOnMeleeHit, after: new[] { typeof(OpenableSystem) });
         SubscribeLocalEvent<SpillableComponent, GetVerbsEvent<Verb>>(AddSpillVerb);
         SubscribeLocalEvent<SpillableComponent, GotEquippedEvent>(OnGotEquipped);
         SubscribeLocalEvent<SpillableComponent, SolutionSpikeOverflowEvent>(OnSpikeOverflow);
@@ -54,6 +57,9 @@ public sealed partial class PuddleSystem
 
     private void SplashOnMeleeHit(EntityUid uid, SpillableComponent component, MeleeHitEvent args)
     {
+        if (args.Handled)
+            return;
+
         // When attacking someone reactive with a spillable entity,
         // splash a little on them (touch react)
         // If this also has solution transfer, then assume the transfer amount is how much we want to spill.
@@ -62,9 +68,6 @@ public sealed partial class PuddleSystem
         if (!_solutionContainerSystem.TryGetDrainableSolution(uid, out var solution))
             return;
 
-        if (TryComp<DrinkComponent>(uid, out var drink) && !drink.Opened)
-            return;
-
         var hitCount = args.HitEntities.Count;
 
         var totalSplit = FixedPoint2.Min(solution.MaxVolume * 0.25, solution.Volume);
@@ -80,6 +83,7 @@ public sealed partial class PuddleSystem
         if (totalSplit == 0)
             return;
 
+        args.Handled = true;
         foreach (var hit in args.HitEntities)
         {
             if (!HasComp<ReactiveComponent>(hit))
@@ -135,7 +139,7 @@ public sealed partial class PuddleSystem
         if (!_solutionContainerSystem.TryGetSolution(uid, component.SolutionName, out var solution))
             return;
 
-        if (TryComp<DrinkComponent>(uid, out var drink) && !drink.Opened)
+        if (_openable.IsClosed(uid))
             return;
 
         if (args.User != null)
@@ -156,7 +160,7 @@ public sealed partial class PuddleSystem
         if (!_solutionContainerSystem.TryGetSolution(args.Target, component.SolutionName, out var solution))
             return;
 
-        if (TryComp<DrinkComponent>(args.Target, out var drink) && (!drink.Opened))
+        if (_openable.IsClosed(args.Target))
             return;
 
         if (solution.Volume == FixedPoint2.Zero)
index 67894e18547f0dc1114efa0eeab3c34a7777136a..ba8549be8e1ff412d32db0455cb0f3b4378d6451 100644 (file)
@@ -5,7 +5,7 @@ using Content.Shared.Item;
 using Content.Shared.Glue;
 using Content.Shared.Interaction;
 using Content.Server.Chemistry.EntitySystems;
-using Content.Server.Nutrition.Components;
+using Content.Server.Nutrition.EntitySystems;
 using Content.Shared.Database;
 using Content.Shared.Hands;
 using Robust.Shared.Timing;
@@ -26,7 +26,7 @@ public sealed class GlueSystem : SharedGlueSystem
     {
         base.Initialize();
 
-        SubscribeLocalEvent<GlueComponent, AfterInteractEvent>(OnInteract);
+        SubscribeLocalEvent<GlueComponent, AfterInteractEvent>(OnInteract, after: new[] { typeof(OpenableSystem) });
         SubscribeLocalEvent<GluedComponent, ComponentInit>(OnGluedInit);
         SubscribeLocalEvent<GluedComponent, GotEquippedHandEvent>(OnHandPickUp);
     }
@@ -40,11 +40,6 @@ public sealed class GlueSystem : SharedGlueSystem
         if (!args.CanReach || args.Target is not { Valid: true } target)
             return;
 
-        if (TryComp<DrinkComponent>(uid, out var drink) && !drink.Opened)
-        {
-            return;
-        }
-
         if (TryGlue(uid, component, target, args.User))
         {
             args.Handled = true;
index c79fb5ef855fb5043915d07c9e6bbbd698c7f9a3..6775b858d0d51c9d6c021f4414142e9933e140aa 100644 (file)
@@ -1,6 +1,6 @@
 using Content.Server.Administration.Logs;
 using Content.Server.Chemistry.EntitySystems;
-using Content.Server.Nutrition.Components;
+using Content.Server.Nutrition.EntitySystems;
 using Content.Shared.Database;
 using Content.Shared.IdentityManagement;
 using Content.Shared.Interaction;
@@ -23,7 +23,7 @@ public sealed class LubeSystem : EntitySystem
     {
         base.Initialize();
 
-        SubscribeLocalEvent<LubeComponent, AfterInteractEvent>(OnInteract);
+        SubscribeLocalEvent<LubeComponent, AfterInteractEvent>(OnInteract, after: new[] { typeof(OpenableSystem) });
     }
 
     private void OnInteract(EntityUid uid, LubeComponent component, AfterInteractEvent args)
@@ -34,11 +34,6 @@ public sealed class LubeSystem : EntitySystem
         if (!args.CanReach || args.Target is not { Valid: true } target)
             return;
 
-        if (TryComp<DrinkComponent>(uid, out var drink) && !drink.Opened)
-        {
-            return;
-        }
-
         if (TryLube(uid, component, target, args.User))
         {
             args.Handled = true;
index fe6f9dcc9d6de832e8924e8a473d5b20f3acbd19..bb2bce544f244734ac30417ab388f15d7753368f 100644 (file)
@@ -4,7 +4,7 @@ using Content.Server.Chemistry.EntitySystems;
 using Content.Server.Construction;
 using Content.Server.Fluids.EntitySystems;
 using Content.Server.GameTicking;
-using Content.Server.Nutrition.Components;
+using Content.Server.Nutrition.EntitySystems;
 using Content.Server.Popups;
 using Content.Server.Power.Components;
 using Content.Server.Stack;
@@ -29,6 +29,7 @@ public sealed class MaterialReclaimerSystem : SharedMaterialReclaimerSystem
     [Dependency] private readonly AppearanceSystem _appearance = default!;
     [Dependency] private readonly GameTicker _ticker = default!;
     [Dependency] private readonly MaterialStorageSystem _materialStorage = default!;
+    [Dependency] private readonly OpenableSystem _openable = default!;
     [Dependency] private readonly PopupSystem _popup = default!;
     [Dependency] private readonly SolutionContainerSystem _solutionContainer = default!;
     [Dependency] private readonly SharedBodySystem _body = default!; //bobby
@@ -85,8 +86,7 @@ public sealed class MaterialReclaimerSystem : SharedMaterialReclaimerSystem
             if (TryComp<SolutionContainerManagerComponent>(args.Used, out var managerComponent) &&
                 managerComponent.Solutions.Any(s => s.Value.AvailableVolume > 0))
             {
-                if (TryComp<DrinkComponent>(args.Used, out var drink) &&
-                    !drink.Opened)
+                if (_openable.IsClosed(args.Used))
                     return;
 
                 if (TryComp<SolutionTransferComponent>(args.Used, out var transfer) &&
index d764ab2c2edf377f6016b6e8ce2412ceb4254f71..e967964d90b059945174c23ae231e7780ada2fc0 100644 (file)
@@ -40,6 +40,7 @@ public sealed class NPCUtilitySystem : EntitySystem
     [Dependency] private readonly InventorySystem _inventory = default!;
     [Dependency] private readonly MobStateSystem _mobState = default!;
     [Dependency] private readonly NpcFactionSystem _npcFaction = default!;
+    [Dependency] private readonly OpenableSystem _openable = default!;
     [Dependency] private readonly PuddleSystem _puddle = default!;
     [Dependency] private readonly SharedTransformSystem _transform = default!;
     [Dependency] private readonly SolutionContainerSystem _solutions = default!;
@@ -156,6 +157,10 @@ public sealed class NPCUtilitySystem : EntitySystem
                 if (!TryComp<FoodComponent>(targetUid, out var food))
                     return 0f;
 
+                // mice can't eat unpeeled bananas, need monkey's help
+                if (_openable.IsClosed(targetUid))
+                    return 0f;
+
                 if (!_food.IsDigestibleBy(owner, targetUid, food))
                     return 0f;
 
@@ -173,7 +178,11 @@ public sealed class NPCUtilitySystem : EntitySystem
             }
             case DrinkValueCon:
             {
-                if (!TryComp<DrinkComponent>(targetUid, out var drink) || !drink.Opened)
+                if (!TryComp<DrinkComponent>(targetUid, out var drink))
+                    return 0f;
+
+                // can't drink closed drinks
+                if (_openable.IsClosed(targetUid))
                     return 0f;
 
                 // only drink when thirsty
index aa467d3e61197f3db092d3ee407162ba63215366..20d47cda88c97cbc04e0b544ca8da1e4a67984a0 100644 (file)
@@ -1,54 +1,41 @@
 using Content.Server.Nutrition.EntitySystems;
-using Content.Shared.DoAfter;
 using Content.Shared.FixedPoint;
-using JetBrains.Annotations;
 using Robust.Shared.Audio;
 
-namespace Content.Server.Nutrition.Components
+namespace Content.Server.Nutrition.Components;
+
+[RegisterComponent, Access(typeof(DrinkSystem))]
+public sealed partial class DrinkComponent : Component
 {
-    [RegisterComponent]
-    [Access(typeof(DrinkSystem))]
-    public sealed partial class DrinkComponent : Component
-    {
-        [DataField("solution")]
-        public string SolutionName { get; set; } = DefaultSolutionName;
-        public const string DefaultSolutionName = "drink";
-
-        [DataField("useSound")]
-        public SoundSpecifier UseSound = new SoundPathSpecifier("/Audio/Items/drink.ogg");
-
-        [DataField("isOpen")]
-        internal bool DefaultToOpened;
-
-        [ViewVariables(VVAccess.ReadWrite)]
-        [DataField("transferAmount")]
-        public FixedPoint2 TransferAmount { get; [UsedImplicitly] private set; } = FixedPoint2.New(5);
-
-        [ViewVariables(VVAccess.ReadWrite)]
-        public bool Opened;
-
-        [DataField("openSounds")]
-        public SoundSpecifier OpenSounds = new SoundCollectionSpecifier("canOpenSounds");
-
-        [DataField("pressurized")]
-        public bool Pressurized;
-
-        [DataField("burstSound")]
-        public SoundSpecifier BurstSound = new SoundPathSpecifier("/Audio/Effects/flash_bang.ogg");
-
-        /// <summary>
-        /// How long it takes to drink this yourself.
-        /// </summary>
-        [DataField("delay")]
-        public float Delay = 1;
-
-        [DataField("examinable")]
-        public bool Examinable = true;
-
-        /// <summary>
-        ///     This is how many seconds it takes to force feed someone this drink.
-        /// </summary>
-        [DataField("forceFeedDelay")]
-        public float ForceFeedDelay = 3;
-    }
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public string Solution = "drink";
+
+    [DataField]
+    public SoundSpecifier UseSound = new SoundPathSpecifier("/Audio/Items/drink.ogg");
+
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public FixedPoint2 TransferAmount = FixedPoint2.New(5);
+
+    /// <summary>
+    /// How long it takes to drink this yourself.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public float Delay = 1;
+
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public bool Examinable = true;
+
+    /// <summary>
+    /// If true, trying to drink when empty will not handle the event.
+    /// This means other systems such as equipping on use can run.
+    /// Example usecase is the bucket.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public bool IgnoreEmpty;
+
+    /// <summary>
+    ///     This is how many seconds it takes to force feed someone this drink.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public float ForceFeedDelay = 3;
 }
index 3d75fd633b255b77d383cf85c855fa9fa6744d1e..9e37af2a10862cc1cb3f466d327dfca2d826cfa5 100644 (file)
@@ -6,87 +6,67 @@ using Robust.Shared.Audio;
 using Robust.Shared.Prototypes;
 using Robust.Shared.Serialization.TypeSerializers.Implementations.Custom.Prototype;
 
-namespace Content.Server.Nutrition.Components
-{
-    [RegisterComponent, Access(typeof(FoodSystem))]
-    public sealed partial class FoodComponent : Component
-    {
-        [DataField("solution")]
-        public string SolutionName { get; set; } = "food";
-
-        [DataField("useSound")]
-        public SoundSpecifier UseSound { get; set; } = new SoundPathSpecifier("/Audio/Items/eatfood.ogg");
+namespace Content.Server.Nutrition.Components;
 
-        [DataField("trash", customTypeSerializer: typeof(PrototypeIdSerializer<EntityPrototype>))]
-        public string? TrashPrototype { get; set; }
-
-        [DataField("transferAmount")]
-        public FixedPoint2? TransferAmount { get; set; } = FixedPoint2.New(5);
+[RegisterComponent, Access(typeof(FoodSystem))]
+public sealed partial class FoodComponent : Component
+{
+    [DataField]
+    public string Solution = "food";
 
-        /// <summary>
-        /// Acceptable utensil to use
-        /// </summary>
-        [DataField("utensil")]
-        public UtensilType Utensil = UtensilType.Fork; //There are more "solid" than "liquid" food
+    [DataField]
+    public SoundSpecifier UseSound = new SoundPathSpecifier("/Audio/Items/eatfood.ogg");
 
-        /// <summary>
-        /// Is utensil required to eat this food
-        /// </summary>
-        [DataField("utensilRequired")]
-        public bool UtensilRequired = false;
+    [DataField]
+    public EntProtoId? TrashPrototype;
 
-        /// <summary>
-        ///     If this is set to true, food can only be eaten if you have a stomach with a
-        ///     <see cref="StomachComponent.SpecialDigestible"/> that includes this entity in its whitelist,
-        ///     rather than just being digestible by anything that can eat food.
-        ///     Whitelist the food component to allow eating of normal food.
-        /// </summary>
-        [DataField("requiresSpecialDigestion")]
-        public bool RequiresSpecialDigestion = false;
+    [DataField]
+    public FixedPoint2? TransferAmount = FixedPoint2.New(5);
 
-        /// <summary>
-        ///     Stomachs required to digest this entity.
-        ///     Used to simulate 'ruminant' digestive systems (which can digest grass)
-        /// </summary>
-        [DataField("requiredStomachs")]
-        public int RequiredStomachs = 1;
+    /// <summary>
+    /// Acceptable utensil to use
+    /// </summary>
+    [DataField]
+    public UtensilType Utensil = UtensilType.Fork; //There are more "solid" than "liquid" food
 
-        /// <summary>
-        /// The localization identifier for the eat message. Needs a "food" entity argument passed to it.
-        /// </summary>
-        [DataField("eatMessage")]
-        public string EatMessage = "food-nom";
+    /// <summary>
+    /// Is utensil required to eat this food
+    /// </summary>
+    [DataField]
+    public bool UtensilRequired;
 
-        /// <summary>
-        /// How long it takes to eat the food personally.
-        /// </summary>
-        [DataField("delay")]
-        public float Delay = 1;
+    /// <summary>
+    ///     If this is set to true, food can only be eaten if you have a stomach with a
+    ///     <see cref="StomachComponent.SpecialDigestible"/> that includes this entity in its whitelist,
+    ///     rather than just being digestible by anything that can eat food.
+    ///     Whitelist the food component to allow eating of normal food.
+    /// </summary>
+    [DataField]
+    public bool RequiresSpecialDigestion;
 
-        /// <summary>
-        ///     This is how many seconds it takes to force feed someone this food.
-        ///     Should probably be smaller for small items like pills.
-        /// </summary>
-        [DataField("forceFeedDelay")]
-        public float ForceFeedDelay = 3;
+    /// <summary>
+    ///     Stomachs required to digest this entity.
+    ///     Used to simulate 'ruminant' digestive systems (which can digest grass)
+    /// </summary>
+    [DataField]
+    public int RequiredStomachs = 1;
 
-        [ViewVariables]
-        public int UsesRemaining
-        {
-            get
-            {
-                if (!EntitySystem.Get<SolutionContainerSystem>().TryGetSolution(Owner, SolutionName, out var solution))
-                {
-                    return 0;
-                }
+    /// <summary>
+    /// The localization identifier for the eat message. Needs a "food" entity argument passed to it.
+    /// </summary>
+    [DataField]
+    public string EatMessage = "food-nom";
 
-                if (TransferAmount == null)
-                    return solution.Volume == 0 ? 0 : 1;
+    /// <summary>
+    /// How long it takes to eat the food personally.
+    /// </summary>
+    [DataField]
+    public float Delay = 1;
 
-                return solution.Volume == 0
-                    ? 0
-                    : Math.Max(1, (int) Math.Ceiling((solution.Volume / (FixedPoint2)TransferAmount).Float()));
-            }
-        }
-    }
+    /// <summary>
+    ///     This is how many seconds it takes to force feed someone this food.
+    ///     Should probably be smaller for small items like pills.
+    /// </summary>
+    [DataField]
+    public float ForceFeedDelay = 3;
 }
diff --git a/Content.Server/Nutrition/Components/OpenableComponent.cs b/Content.Server/Nutrition/Components/OpenableComponent.cs
new file mode 100644 (file)
index 0000000..5164ed2
--- /dev/null
@@ -0,0 +1,46 @@
+using Content.Server.Nutrition.EntitySystems;
+using Robust.Shared.Audio;
+
+namespace Content.Server.Nutrition.Components;
+
+/// <summary>
+/// A drink or food that can be opened.
+/// Starts closed, open it with Z or E.
+/// </summary>
+[RegisterComponent, Access(typeof(OpenableSystem))]
+public sealed partial class OpenableComponent : Component
+{
+    /// <summary>
+    /// Whether this drink or food is opened or not.
+    /// Drinks can only be drunk or poured from/into when open, and food can only be eaten when open.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public bool Opened;
+
+    /// <summary>
+    /// If this is false you cant press Z to open it.
+    /// Requires an OpenBehavior damage threshold or other logic to open.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public bool OpenableByHand = true;
+
+    /// <summary>
+    /// Text shown when examining and its open.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public string ExamineText = "drink-component-on-examine-is-opened";
+
+    /// <summary>
+    /// The locale id for the popup shown when IsClosed is called and closed. Needs a "owner" entity argument passed to it.
+    /// Defaults to the popup drink uses since its "correct".
+    /// It's still generic enough that you should change it if you make openable non-drinks, i.e. unwrap it first, peel it first.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public string ClosedPopup = "drink-component-try-use-drink-not-open";
+
+    /// <summary>
+    /// Sound played when opening.
+    /// </summary>
+    [DataField]
+    public SoundSpecifier Sound = new SoundCollectionSpecifier("canOpenSounds");
+}
diff --git a/Content.Server/Nutrition/Components/PressurizedDrinkComponent.cs b/Content.Server/Nutrition/Components/PressurizedDrinkComponent.cs
new file mode 100644 (file)
index 0000000..aafb3bc
--- /dev/null
@@ -0,0 +1,27 @@
+using Content.Server.Nutrition.EntitySystems;
+using Robust.Shared.Audio;
+
+namespace Content.Server.Nutrition.Components;
+
+/// <summary>
+/// Lets a drink burst open when thrown while closed.
+/// Requires <see cref="DrinkComponent"/> and <see cref="OpenableComponent"/> to work.
+/// </summary>
+[RegisterComponent, Access(typeof(DrinkSystem))]
+public sealed partial class PressurizedDrinkComponent : Component
+{
+    /// <summary>
+    /// Chance for the drink to burst when thrown while closed.
+    /// </summary>
+    [DataField, ViewVariables(VVAccess.ReadWrite)]
+    public float BurstChance = 0.25f;
+
+    /// <summary>
+    /// Sound played when the drink bursts.
+    /// </summary>
+    [DataField]
+    public SoundSpecifier BurstSound = new SoundPathSpecifier("/Audio/Effects/flash_bang.ogg")
+    {
+        Params = AudioParams.Default.WithVolume(-4)
+    };
+}
index 2740f52b0cec7710692e440cb84a247dfd67240c..9af2397720a3468e30cab95e5af40749475c9ad8 100644 (file)
@@ -41,7 +41,7 @@ namespace Content.Server.Nutrition.EntitySystems
 
             if (EntityManager.TryGetComponent(uid, out FoodComponent? foodComp))
             {
-                if (_solutions.TryGetSolution(uid, foodComp.SolutionName, out var solution))
+                if (_solutions.TryGetSolution(uid, foodComp.Solution, out var solution))
                 {
                     _puddle.TrySpillAt(uid, solution, out _, false);
                 }
index 1aff7e1e9ba7dbdf7502e62ab6a662cf213051fa..2c8a0a768f61a59ae6b083a12afc287ed1896fcd 100644 (file)
@@ -5,6 +5,7 @@ using Content.Server.Chemistry.EntitySystems;
 using Content.Server.Chemistry.ReagentEffects;
 using Content.Server.Fluids.EntitySystems;
 using Content.Server.Forensics;
+using Content.Server.Inventory;
 using Content.Server.Nutrition.Components;
 using Content.Server.Popups;
 using Content.Shared.Administration.Logs;
@@ -19,7 +20,6 @@ using Content.Shared.FixedPoint;
 using Content.Shared.IdentityManagement;
 using Content.Shared.Interaction;
 using Content.Shared.Interaction.Events;
-using Content.Shared.Mobs.Components;
 using Content.Shared.Mobs.Systems;
 using Content.Shared.Nutrition;
 using Content.Shared.Nutrition.Components;
@@ -36,14 +36,15 @@ namespace Content.Server.Nutrition.EntitySystems;
 public sealed class DrinkSystem : EntitySystem
 {
     [Dependency] private readonly BodySystem _body = default!;
-    [Dependency] private readonly FoodSystem _food = default!;
     [Dependency] private readonly FlavorProfileSystem _flavorProfile = default!;
+    [Dependency] private readonly FoodSystem _food = default!;
     [Dependency] private readonly IPrototypeManager _proto = default!;
     [Dependency] private readonly IRobustRandom _random = default!;
     [Dependency] private readonly ISharedAdminLogManager _adminLogger = default!;
-    [Dependency] private readonly MobStateSystem _mobStateSystem = default!;
+    [Dependency] private readonly MobStateSystem _mobState = default!;
+    [Dependency] private readonly OpenableSystem _openable = default!;
     [Dependency] private readonly PopupSystem _popup = default!;
-    [Dependency] private readonly PuddleSystem _puddleSystem = default!;
+    [Dependency] private readonly PuddleSystem _puddle = default!;
     [Dependency] private readonly ReactiveSystem _reaction = default!;
     [Dependency] private readonly SharedAppearanceSystem _appearance = default!;
     [Dependency] private readonly SharedAudioSystem _audio = default!;
@@ -59,13 +60,16 @@ public sealed class DrinkSystem : EntitySystem
         // TODO add InteractNoHandEvent for entities like mice.
         SubscribeLocalEvent<DrinkComponent, SolutionChangedEvent>(OnSolutionChange);
         SubscribeLocalEvent<DrinkComponent, ComponentInit>(OnDrinkInit);
-        SubscribeLocalEvent<DrinkComponent, LandEvent>(HandleLand);
-        SubscribeLocalEvent<DrinkComponent, UseInHandEvent>(OnUse);
+        // run before inventory so for bucket it always tries to drink before equipping (when empty)
+        // run after openable so its always open -> drink
+        SubscribeLocalEvent<DrinkComponent, UseInHandEvent>(OnUse, before: new[] { typeof(ServerInventorySystem) }, after: new[] { typeof(OpenableSystem) });
         SubscribeLocalEvent<DrinkComponent, AfterInteractEvent>(AfterInteract);
         SubscribeLocalEvent<DrinkComponent, GetVerbsEvent<AlternativeVerb>>(AddDrinkVerb);
-        SubscribeLocalEvent<DrinkComponent, ExaminedEvent>(OnExamined);
-        SubscribeLocalEvent<DrinkComponent, SolutionTransferAttemptEvent>(OnTransferAttempt);
+        // put drink amount after opened
+        SubscribeLocalEvent<DrinkComponent, ExaminedEvent>(OnExamined, after: new[] { typeof(OpenableSystem) });
         SubscribeLocalEvent<DrinkComponent, ConsumeDoAfterEvent>(OnDoAfter);
+
+        SubscribeLocalEvent<PressurizedDrinkComponent, LandEvent>(OnPressurizedDrinkLand);
     }
 
     private FixedPoint2 DrinkVolume(EntityUid uid, DrinkComponent? component = null)
@@ -73,7 +77,7 @@ public sealed class DrinkSystem : EntitySystem
         if (!Resolve(uid, ref component))
             return FixedPoint2.Zero;
 
-        if (!_solutionContainer.TryGetSolution(uid, component.SolutionName, out var sol))
+        if (!_solutionContainer.TryGetSolution(uid, component.Solution, out var sol))
             return FixedPoint2.Zero;
 
         return sol.Volume;
@@ -95,7 +99,7 @@ public sealed class DrinkSystem : EntitySystem
         if (!Resolve(uid, ref comp))
             return 0f;
 
-        if (!_solutionContainer.TryGetSolution(uid, comp.SolutionName, out var solution))
+        if (!_solutionContainer.TryGetSolution(uid, comp.Solution, out var solution))
             return 0f;
 
         var total = 0f;
@@ -123,51 +127,36 @@ public sealed class DrinkSystem : EntitySystem
 
     private void OnExamined(EntityUid uid, DrinkComponent component, ExaminedEvent args)
     {
-        if (!component.Opened || !args.IsInDetailsRange || !component.Examinable)
-            return;
-
-        var color = IsEmpty(uid, component) ? "gray" : "yellow";
-        var openedText =
-            Loc.GetString(IsEmpty(uid, component) ? "drink-component-on-examine-is-empty" : "drink-component-on-examine-is-opened");
-        args.Message.AddMarkup($"\n{Loc.GetString("drink-component-on-examine-details-text", ("colorName", color), ("text", openedText))}");
-        if (!IsEmpty(uid, component))
-        {
-            if (TryComp<ExaminableSolutionComponent>(uid, out var comp))
-            {
-                //provide exact measurement for beakers
-                args.Message.AddMarkup($" - {Loc.GetString("drink-component-on-examine-exact-volume", ("amount", DrinkVolume(uid, component)))}");
-            }
-            else
-            {
-                //general approximation
-                var remainingString = (int) _solutionContainer.PercentFull(uid) switch
-                {
-                    100 => "drink-component-on-examine-is-full",
-                    > 66 => "drink-component-on-examine-is-mostly-full",
-                    > 33 => HalfEmptyOrHalfFull(args),
-                    _ => "drink-component-on-examine-is-mostly-empty",
-                };
-                args.Message.AddMarkup($" - {Loc.GetString(remainingString)}");
-            }
-        }
-    }
-
-    private void SetOpen(EntityUid uid, bool opened = false, DrinkComponent? component = null)
-    {
-        if(!Resolve(uid, ref component))
-            return;
-
-        if (opened == component.Opened)
+        var hasOpenable = TryComp<OpenableComponent>(uid, out var openable);
+        if (_openable.IsClosed(uid, null, openable) || !args.IsInDetailsRange || !component.Examinable)
             return;
 
-        component.Opened = opened;
+        // put Empty / Xu after Opened, or start a new line
+        args.Message.AddMarkup(hasOpenable ? " - " : "\n");
 
-        if (!_solutionContainer.TryGetSolution(uid, component.SolutionName, out _))
+        var empty = IsEmpty(uid, component);
+        if (empty)
+        {
+            args.Message.AddMarkup(Loc.GetString("drink-component-on-examine-is-empty"));
             return;
+        }
 
-        if (EntityManager.TryGetComponent<AppearanceComponent>(uid, out var appearance))
+        if (TryComp<ExaminableSolutionComponent>(uid, out var comp))
         {
-            _appearance.SetData(uid, DrinkCanStateVisual.Opened, opened, appearance);
+            //provide exact measurement for beakers
+            args.Message.AddMarkup(Loc.GetString("drink-component-on-examine-exact-volume", ("amount", DrinkVolume(uid, component))));
+        }
+        else
+        {
+            //general approximation
+            var remainingString = (int) _solutionContainer.PercentFull(uid) switch
+            {
+                100 => "drink-component-on-examine-is-full",
+                > 66 => "drink-component-on-examine-is-mostly-full",
+                > 33 => HalfEmptyOrHalfFull(args),
+                _ => "drink-component-on-examine-is-mostly-empty",
+            };
+            args.Message.AddMarkup(Loc.GetString(remainingString));
         }
     }
 
@@ -184,56 +173,47 @@ public sealed class DrinkSystem : EntitySystem
         if (args.Handled)
             return;
 
-        if (!component.Opened)
-        {
-            //Do the opening stuff like playing the sounds.
-            _audio.PlayPvs(_audio.GetSound(component.OpenSounds), args.User);
-
-            SetOpen(uid, true, component);
-            return;
-        }
-
         args.Handled = TryDrink(args.User, args.User, component, uid);
     }
 
-    private void HandleLand(EntityUid uid, DrinkComponent component, ref LandEvent args)
+    private void OnPressurizedDrinkLand(EntityUid uid, PressurizedDrinkComponent comp, ref LandEvent args)
     {
-        if (component.Pressurized &&
-            !component.Opened &&
-            _random.Prob(0.25f) &&
-            _solutionContainer.TryGetSolution(uid, component.SolutionName, out var interactions))
+        if (!TryComp<DrinkComponent>(uid, out var drink) || !TryComp<OpenableComponent>(uid, out var openable))
+            return;
+
+        if (!openable.Opened &&
+            _random.Prob(comp.BurstChance) &&
+            _solutionContainer.TryGetSolution(uid, drink.Solution, out var interactions))
         {
-            component.Opened = true;
-            UpdateAppearance(uid, component);
+            // using SetOpen instead of TryOpen to not play 2 sounds
+            _openable.SetOpen(uid, true, openable);
 
             var solution = _solutionContainer.SplitSolution(uid, interactions, interactions.Volume);
-            _puddleSystem.TrySpillAt(uid, solution, out _);
+            _puddle.TrySpillAt(uid, solution, out _);
 
-            _audio.PlayPvs(_audio.GetSound(component.BurstSound), uid, AudioParams.Default.WithVolume(-4));
+            _audio.PlayPvs(comp.BurstSound, uid);
         }
     }
 
     private void OnDrinkInit(EntityUid uid, DrinkComponent component, ComponentInit args)
     {
-        SetOpen(uid, component.DefaultToOpened, component);
-
-        if (EntityManager.TryGetComponent(uid, out DrainableSolutionComponent? existingDrainable))
+        if (TryComp<DrainableSolutionComponent>(uid, out var existingDrainable))
         {
             // Beakers have Drink component but they should use the existing Drainable
-            component.SolutionName = existingDrainable.Solution;
+            component.Solution = existingDrainable.Solution;
         }
         else
         {
-            _solutionContainer.EnsureSolution(uid, component.SolutionName);
+            _solutionContainer.EnsureSolution(uid, component.Solution);
         }
 
         UpdateAppearance(uid, component);
 
         if (TryComp(uid, out RefillableSolutionComponent? refillComp))
-            refillComp.Solution = component.SolutionName;
+            refillComp.Solution = component.Solution;
 
         if (TryComp(uid, out DrainableSolutionComponent? drainComp))
-            drainComp.Solution = component.SolutionName;
+            drainComp.Solution = component.Solution;
     }
 
     private void OnSolutionChange(EntityUid uid, DrinkComponent component, SolutionChangedEvent args)
@@ -251,34 +231,23 @@ public sealed class DrinkSystem : EntitySystem
 
         var drainAvailable = DrinkVolume(uid, component);
         _appearance.SetData(uid, FoodVisuals.Visual, drainAvailable.Float(), appearance);
-        _appearance.SetData(uid, DrinkCanStateVisual.Opened, component.Opened, appearance);
-    }
-
-    private void OnTransferAttempt(EntityUid uid, DrinkComponent component, SolutionTransferAttemptEvent args)
-    {
-        if (!component.Opened)
-        {
-            args.Cancel(Loc.GetString("drink-component-try-use-drink-not-open", ("owner", uid)));
-        }
     }
 
     private bool TryDrink(EntityUid user, EntityUid target, DrinkComponent drink, EntityUid item)
     {
-        if (!EntityManager.HasComponent<BodyComponent>(target))
+        if (!HasComp<BodyComponent>(target))
             return false;
 
-        if (!drink.Opened)
-        {
-            _popup.PopupEntity(Loc.GetString("drink-component-try-use-drink-not-open",
-                ("owner", EntityManager.GetComponent<MetaDataComponent>(item).EntityName)), item, user);
+        if (_openable.IsClosed(item, user))
             return true;
-        }
 
-        if (!_solutionContainer.TryGetSolution(item, drink.SolutionName, out var drinkSolution) ||
+        if (!_solutionContainer.TryGetSolution(item, drink.Solution, out var drinkSolution) ||
             drinkSolution.Volume <= 0)
         {
-            _popup.PopupEntity(Loc.GetString("drink-component-try-use-drink-is-empty",
-                ("entity", EntityManager.GetComponent<MetaDataComponent>(item).EntityName)), item, user);
+            if (drink.IgnoreEmpty)
+                return false;
+
+            _popup.PopupEntity(Loc.GetString("drink-component-try-use-drink-is-empty", ("entity", item)), item, user);
             return true;
         }
 
@@ -297,8 +266,7 @@ public sealed class DrinkSystem : EntitySystem
         {
             var userName = Identity.Entity(user, EntityManager);
 
-            _popup.PopupEntity(Loc.GetString("drink-component-force-feed", ("user", userName)),
-                user, target);
+            _popup.PopupEntity(Loc.GetString("drink-component-force-feed", ("user", userName)), user, target);
 
             // logging
             _adminLogger.Add(LogType.ForceFeed, LogImpact.Medium, $"{ToPrettyString(user):user} is forcing {ToPrettyString(target):target} to drink {ToPrettyString(item):drink} {SolutionContainerSystem.ToPrettyString(drinkSolution)}");
@@ -365,11 +333,11 @@ public sealed class DrinkSystem : EntitySystem
 
         if (!_body.TryGetBodyOrganComponents<StomachComponent>(args.Target.Value, out var stomachs, body))
         {
-            _popup.PopupEntity(forceDrink ? Loc.GetString("drink-component-try-use-drink-cannot-drink-other") : Loc.GetString("drink-component-try-use-drink-had-enough"), args.Target.Value, args.User);
+            _popup.PopupEntity(Loc.GetString(forceDrink ? "drink-component-try-use-drink-cannot-drink-other" : "drink-component-try-use-drink-had-enough"), args.Target.Value, args.User);
 
             if (HasComp<RefillableSolutionComponent>(args.Target.Value))
             {
-                _puddleSystem.TrySpillAt(args.User, drained, out _);
+                _puddle.TrySpillAt(args.User, drained, out _);
                 return;
             }
 
@@ -387,7 +355,7 @@ public sealed class DrinkSystem : EntitySystem
             if (forceDrink)
             {
                 _popup.PopupEntity(Loc.GetString("drink-component-try-use-drink-had-enough-other"), args.Target.Value, args.User);
-                _puddleSystem.TrySpillAt(args.Target.Value, drained, out _);
+                _puddle.TrySpillAt(args.Target.Value, drained, out _);
             }
             else
                 _solutionContainer.TryAddSolution(uid, solution, drained);
@@ -423,7 +391,7 @@ public sealed class DrinkSystem : EntitySystem
             _adminLogger.Add(LogType.Ingestion, LogImpact.Low, $"{ToPrettyString(args.User):target} drank {ToPrettyString(uid):drink}");
         }
 
-        _audio.PlayPvs(_audio.GetSound(component.UseSound), args.Target.Value, AudioParams.Default.WithVolume(-2f));
+        _audio.PlayPvs(component.UseSound, args.Target.Value, AudioParams.Default.WithVolume(-2f));
 
         _reaction.DoEntityReaction(args.Target.Value, solution, ReactionMethod.Ingestion);
         //TODO: Grab the stomach UIDs somehow without using Owner
@@ -442,11 +410,12 @@ public sealed class DrinkSystem : EntitySystem
         if (uid == ev.User ||
             !ev.CanInteract ||
             !ev.CanAccess ||
-            !EntityManager.TryGetComponent(ev.User, out BodyComponent? body) ||
+            !TryComp<BodyComponent>(ev.User, out var body) ||
             !_body.TryGetBodyOrganComponents<StomachComponent>(ev.User, out var stomachs, body))
             return;
 
-        if (EntityManager.TryGetComponent<MobStateComponent>(uid, out var mobState) && _mobStateSystem.IsAlive(uid, mobState))
+        // no drinking from living drinks, have to kill them first.
+        if (_mobState.IsAlive(uid))
             return;
 
         AlternativeVerb verb = new()
index 125edd2c4c777918a5cfff28d7c30ed855c6891d..f1a4a6d5f43928602306a615791c14a29cd5af85 100644 (file)
@@ -19,7 +19,6 @@ using Content.Shared.IdentityManagement;
 using Content.Shared.Interaction;
 using Content.Shared.Interaction.Events;
 using Content.Shared.Inventory;
-using Content.Shared.Mobs.Components;
 using Content.Shared.Mobs.Systems;
 using Content.Shared.Nutrition;
 using Content.Shared.Verbs;
@@ -30,469 +29,488 @@ using Robust.Shared.Utility;
 using Content.Shared.Tag;
 using Content.Shared.Storage;
 
-namespace Content.Server.Nutrition.EntitySystems
+namespace Content.Server.Nutrition.EntitySystems;
+
+/// <summary>
+/// Handles feeding attempts both on yourself and on the target.
+/// </summary>
+public sealed class FoodSystem : EntitySystem
 {
+    [Dependency] private readonly BodySystem _body = default!;
+    [Dependency] private readonly FlavorProfileSystem _flavorProfile = default!;
+    [Dependency] private readonly ISharedAdminLogManager _adminLogger = default!;
+    [Dependency] private readonly InventorySystem _inventory = default!;
+    [Dependency] private readonly MobStateSystem _mobState = default!;
+    [Dependency] private readonly OpenableSystem _openable = default!;
+    [Dependency] private readonly PopupSystem _popup = default!;
+    [Dependency] private readonly ReactiveSystem _reaction = default!;
+    [Dependency] private readonly SharedAudioSystem _audio = default!;
+    [Dependency] private readonly SharedDoAfterSystem _doAfter = default!;
+    [Dependency] private readonly SharedHandsSystem _hands = default!;
+    [Dependency] private readonly SharedInteractionSystem _interaction = default!;
+    [Dependency] private readonly SolutionContainerSystem _solutionContainer = default!;
+    [Dependency] private readonly StackSystem _stack = default!;
+    [Dependency] private readonly StomachSystem _stomach = default!;
+    [Dependency] private readonly UtensilSystem _utensil = default!;
+
+    public const float MaxFeedDistance = 1.0f;
+
+    public override void Initialize()
+    {
+        base.Initialize();
+
+        // TODO add InteractNoHandEvent for entities like mice.
+        // run after openable for wrapped/peelable foods
+        SubscribeLocalEvent<FoodComponent, UseInHandEvent>(OnUseFoodInHand, after: new[] { typeof(OpenableSystem) });
+        SubscribeLocalEvent<FoodComponent, AfterInteractEvent>(OnFeedFood);
+        SubscribeLocalEvent<FoodComponent, GetVerbsEvent<AlternativeVerb>>(AddEatVerb);
+        SubscribeLocalEvent<FoodComponent, ConsumeDoAfterEvent>(OnDoAfter);
+        SubscribeLocalEvent<InventoryComponent, IngestionAttemptEvent>(OnInventoryIngestAttempt);
+    }
+
     /// <summary>
-    /// Handles feeding attempts both on yourself and on the target.
+    /// Eat item
     /// </summary>
-    public sealed class FoodSystem : EntitySystem
+    private void OnUseFoodInHand(EntityUid uid, FoodComponent foodComponent, UseInHandEvent ev)
     {
-        [Dependency] private readonly SolutionContainerSystem _solutionContainerSystem = default!;
-        [Dependency] private readonly FlavorProfileSystem _flavorProfileSystem = default!;
-        [Dependency] private readonly BodySystem _bodySystem = default!;
-        [Dependency] private readonly StomachSystem _stomachSystem = default!;
-        [Dependency] private readonly PopupSystem _popupSystem = default!;
-        [Dependency] private readonly MobStateSystem _mobStateSystem = default!;
-        [Dependency] private readonly UtensilSystem _utensilSystem = default!;
-        [Dependency] private readonly SharedDoAfterSystem _doAfterSystem = default!;
-        [Dependency] private readonly ISharedAdminLogManager _adminLogger = default!;
-        [Dependency] private readonly InventorySystem _inventorySystem = default!;
-        [Dependency] private readonly SharedInteractionSystem _interactionSystem = default!;
-        [Dependency] private readonly SharedHandsSystem _handsSystem = default!;
-        [Dependency] private readonly ReactiveSystem _reaction = default!;
-        [Dependency] private readonly SharedAudioSystem _audio = default!;
-        [Dependency] private readonly StackSystem _stack = default!;
-
-        public const float MaxFeedDistance = 1.0f;
-
-        public override void Initialize()
-        {
-            base.Initialize();
-
-            // TODO add InteractNoHandEvent for entities like mice.
-            SubscribeLocalEvent<FoodComponent, UseInHandEvent>(OnUseFoodInHand);
-            SubscribeLocalEvent<FoodComponent, AfterInteractEvent>(OnFeedFood);
-            SubscribeLocalEvent<FoodComponent, GetVerbsEvent<AlternativeVerb>>(AddEatVerb);
-            SubscribeLocalEvent<FoodComponent, ConsumeDoAfterEvent>(OnDoAfter);
-            SubscribeLocalEvent<InventoryComponent, IngestionAttemptEvent>(OnInventoryIngestAttempt);
-        }
+        if (ev.Handled)
+            return;
 
-        /// <summary>
-        /// Eat item
-        /// </summary>
-        private void OnUseFoodInHand(EntityUid uid, FoodComponent foodComponent, UseInHandEvent ev)
-        {
-            if (ev.Handled)
-                return;
+        var result = TryFeed(ev.User, ev.User, uid, foodComponent);
+        ev.Handled = result.Handled;
+    }
 
-            var result = TryFeed(ev.User, ev.User, uid, foodComponent);
-            ev.Handled = result.Handled;
-        }
+    /// <summary>
+    /// Feed someone else
+    /// </summary>
+    private void OnFeedFood(EntityUid uid, FoodComponent foodComponent, AfterInteractEvent args)
+    {
+        if (args.Handled || args.Target == null || !args.CanReach)
+            return;
 
-        /// <summary>
-        /// Feed someone else
-        /// </summary>
-        private void OnFeedFood(EntityUid uid, FoodComponent foodComponent, AfterInteractEvent args)
-        {
-            if (args.Handled || args.Target == null || !args.CanReach)
-                return;
+        var result = TryFeed(args.User, args.Target.Value, uid, foodComponent);
+        args.Handled = result.Handled;
+    }
 
-            var result = TryFeed(args.User, args.Target.Value, uid, foodComponent);
-            args.Handled = result.Handled;
-        }
+    public (bool Success, bool Handled) TryFeed(EntityUid user, EntityUid target, EntityUid food, FoodComponent foodComp)
+    {
+        //Suppresses eating yourself and alive mobs
+        if (food == user || _mobState.IsAlive(food))
+            return (false, false);
 
-        public (bool Success, bool Handled) TryFeed(EntityUid user, EntityUid target, EntityUid food, FoodComponent foodComp)
-        {
-            //Suppresses self-eating
-            if (food == user || TryComp<MobStateComponent>(food, out var mobState) && _mobStateSystem.IsAlive(food, mobState)) // Suppresses eating alive mobs
-                return (false, false);
+        // Target can't be fed or they're already eating
+        if (!TryComp<BodyComponent>(target, out var body))
+            return (false, false);
 
-            // Target can't be fed or they're already eating
-            if (!TryComp<BodyComponent>(target, out var body))
-                return (false, false);
+        if (_openable.IsClosed(food, user))
+            return (false, true);
 
-            if (!_solutionContainerSystem.TryGetSolution(food, foodComp.SolutionName, out var foodSolution) || foodSolution.Name == null)
-                return (false, false);
+        if (!_solutionContainer.TryGetSolution(food, foodComp.Solution, out var foodSolution) || foodSolution.Name == null)
+            return (false, false);
 
-            if (!_bodySystem.TryGetBodyOrganComponents<StomachComponent>(target, out var stomachs, body))
-                return (false, false);
+        if (!_body.TryGetBodyOrganComponents<StomachComponent>(target, out var stomachs, body))
+            return (false, false);
 
-            var forceFeed = user != target;
+        // Check for special digestibles
+        if (!IsDigestibleBy(food, foodComp, stomachs))
+            return (false, false);
 
-            // Check for special digestibles
-            if (!IsDigestibleBy(food, foodComp, stomachs))
-            {
-                _popupSystem.PopupEntity(
-                    forceFeed
-                        ? Loc.GetString("food-system-cant-digest-other", ("entity", food))
-                        : Loc.GetString("food-system-cant-digest", ("entity", food)), user, user);
-                return (false, true);
-            }
+        if (!TryGetRequiredUtensils(user, foodComp, out _))
+            return (false, false);
 
-            // Check for used storage on the food item
-            if (TryComp<StorageComponent>(food, out var storageState) && storageState.StorageUsed != 0)
-            {
-                _popupSystem.PopupEntity(Loc.GetString("food-has-used-storage", ("food", food)), user, user);
-                return (false, true);
-            }
-
-            var flavors = _flavorProfileSystem.GetLocalizedFlavorsMessage(food, user, foodSolution);
-
-            if (foodComp.UsesRemaining <= 0)
-            {
-                _popupSystem.PopupEntity(Loc.GetString("food-system-try-use-food-is-empty", ("entity", food)), user, user);
-                DeleteAndSpawnTrash(foodComp, food, user);
-                return (false, true);
-            }
+        // Check for used storage on the food item
+        if (TryComp<StorageComponent>(food, out var storageState) && storageState.StorageUsed != 0)
+        {
+            _popup.PopupEntity(Loc.GetString("food-has-used-storage", ("food", food)), user, user);
+            return (false, true);
+        }
 
-            if (IsMouthBlocked(target, user))
-                return (false, true);
+        var flavors = _flavorProfile.GetLocalizedFlavorsMessage(food, user, foodSolution);
 
-            if (!_interactionSystem.InRangeUnobstructed(user, food, popup: true))
-                return (false, true);
+        if (GetUsesRemaining(food, foodComp) <= 0)
+        {
+            _popup.PopupEntity(Loc.GetString("food-system-try-use-food-is-empty", ("entity", food)), user, user);
+            DeleteAndSpawnTrash(foodComp, food, user);
+            return (false, true);
+        }
 
-            if (!_interactionSystem.InRangeUnobstructed(user, target, MaxFeedDistance, popup: true))
-                return (false, true);
+        if (IsMouthBlocked(target, user))
+            return (false, true);
 
-            // TODO make do-afters account for fixtures in the range check.
-            if (!Transform(user).MapPosition.InRange(Transform(target).MapPosition, MaxFeedDistance))
-            {
-                var message = Loc.GetString("interaction-system-user-interaction-cannot-reach");
-                _popupSystem.PopupEntity(message, user, user);
-                return (false, true);
-            }
+        if (!_interaction.InRangeUnobstructed(user, food, popup: true))
+            return (false, true);
 
-            if (!TryGetRequiredUtensils(user, foodComp, out _))
-                return (false, true);
+        if (!_interaction.InRangeUnobstructed(user, target, MaxFeedDistance, popup: true))
+            return (false, true);
 
-            if (forceFeed)
-            {
-                var userName = Identity.Entity(user, EntityManager);
-                _popupSystem.PopupEntity(Loc.GetString("food-system-force-feed", ("user", userName)),
-                    user, target);
+        // TODO make do-afters account for fixtures in the range check.
+        if (!Transform(user).MapPosition.InRange(Transform(target).MapPosition, MaxFeedDistance))
+        {
+            var message = Loc.GetString("interaction-system-user-interaction-cannot-reach");
+            _popup.PopupEntity(message, user, user);
+            return (false, true);
+        }
 
-                // logging
-                _adminLogger.Add(LogType.ForceFeed, LogImpact.Medium, $"{ToPrettyString(user):user} is forcing {ToPrettyString(target):target} to eat {ToPrettyString(food):food} {SolutionContainerSystem.ToPrettyString(foodSolution)}");
-            }
-            else
-            {
-                // log voluntary eating
-                _adminLogger.Add(LogType.Ingestion, LogImpact.Low, $"{ToPrettyString(target):target} is eating {ToPrettyString(food):food} {SolutionContainerSystem.ToPrettyString(foodSolution)}");
-            }
+        var forceFeed = user != target;
+        if (forceFeed)
+        {
+            var userName = Identity.Entity(user, EntityManager);
+            _popup.PopupEntity(Loc.GetString("food-system-force-feed", ("user", userName)),
+                user, target);
 
-            var doAfterArgs = new DoAfterArgs(EntityManager,
-                user,
-                forceFeed ? foodComp.ForceFeedDelay : foodComp.Delay,
-                new ConsumeDoAfterEvent(foodSolution.Name, flavors),
-                eventTarget: food,
-                target: target,
-                used: food)
-            {
-                BreakOnUserMove = forceFeed,
-                BreakOnDamage = true,
-                BreakOnTargetMove = forceFeed,
-                MovementThreshold = 0.01f,
-                DistanceThreshold = MaxFeedDistance,
-                // Mice and the like can eat without hands.
-                // TODO maybe set this based on some CanEatWithoutHands event or component?
-                NeedHand = forceFeed,
-            };
-
-            _doAfterSystem.TryStartDoAfter(doAfterArgs);
-            return (true, true);
+            // logging
+            _adminLogger.Add(LogType.ForceFeed, LogImpact.Medium, $"{ToPrettyString(user):user} is forcing {ToPrettyString(target):target} to eat {ToPrettyString(food):food} {SolutionContainerSystem.ToPrettyString(foodSolution)}");
+        }
+        else
+        {
+            // log voluntary eating
+            _adminLogger.Add(LogType.Ingestion, LogImpact.Low, $"{ToPrettyString(target):target} is eating {ToPrettyString(food):food} {SolutionContainerSystem.ToPrettyString(foodSolution)}");
         }
 
-        private void OnDoAfter(EntityUid uid, FoodComponent component, ConsumeDoAfterEvent args)
+        var doAfterArgs = new DoAfterArgs(EntityManager,
+            user,
+            forceFeed ? foodComp.ForceFeedDelay : foodComp.Delay,
+            new ConsumeDoAfterEvent(foodSolution.Name, flavors),
+            eventTarget: food,
+            target: target,
+            used: food)
         {
-            if (args.Cancelled || args.Handled || component.Deleted || args.Target == null)
-                return;
+            BreakOnUserMove = forceFeed,
+            BreakOnDamage = true,
+            BreakOnTargetMove = forceFeed,
+            MovementThreshold = 0.01f,
+            DistanceThreshold = MaxFeedDistance,
+            // Mice and the like can eat without hands.
+            // TODO maybe set this based on some CanEatWithoutHands event or component?
+            NeedHand = forceFeed,
+        };
+
+        _doAfter.TryStartDoAfter(doAfterArgs);
+        return (true, true);
+    }
 
-            if (!TryComp<BodyComponent>(args.Target.Value, out var body))
-                return;
+    private void OnDoAfter(EntityUid uid, FoodComponent component, ConsumeDoAfterEvent args)
+    {
+        if (args.Cancelled || args.Handled || component.Deleted || args.Target == null)
+            return;
 
-            if (!_bodySystem.TryGetBodyOrganComponents<StomachComponent>(args.Target.Value, out var stomachs, body))
-                return;
+        if (!TryComp<BodyComponent>(args.Target.Value, out var body))
+            return;
 
-            if (!_solutionContainerSystem.TryGetSolution(args.Used, args.Solution, out var solution))
-                return;
+        if (!_body.TryGetBodyOrganComponents<StomachComponent>(args.Target.Value, out var stomachs, body))
+            return;
 
-            if (!TryGetRequiredUtensils(args.User, component, out var utensils))
-                return;
+        if (!_solutionContainer.TryGetSolution(args.Used, args.Solution, out var solution))
+            return;
 
-            // TODO this should really be checked every tick.
-            if (IsMouthBlocked(args.Target.Value))
-                return;
+        if (!TryGetRequiredUtensils(args.User, component, out var utensils))
+            return;
 
-            // TODO this should really be checked every tick.
-            if (!_interactionSystem.InRangeUnobstructed(args.User, args.Target.Value))
-                return;
+        // TODO this should really be checked every tick.
+        if (IsMouthBlocked(args.Target.Value))
+            return;
 
-            var forceFeed = args.User != args.Target;
+        // TODO this should really be checked every tick.
+        if (!_interaction.InRangeUnobstructed(args.User, args.Target.Value))
+            return;
 
-            args.Handled = true;
-            var transferAmount = component.TransferAmount != null ? FixedPoint2.Min((FixedPoint2) component.TransferAmount, solution.Volume) : solution.Volume;
+        var forceFeed = args.User != args.Target;
 
-            var split = _solutionContainerSystem.SplitSolution(uid, solution, transferAmount);
+        args.Handled = true;
+        var transferAmount = component.TransferAmount != null ? FixedPoint2.Min((FixedPoint2) component.TransferAmount, solution.Volume) : solution.Volume;
 
-            //TODO: Get the stomach UID somehow without nabbing owner
-            // Get the stomach with the highest available solution volume
-            var highestAvailable = FixedPoint2.Zero;
-            StomachComponent? stomachToUse = null;
-            foreach (var (stomach, _) in stomachs)
-            {
-                var owner = stomach.Owner;
-                if (!_stomachSystem.CanTransferSolution(owner, split))
-                    continue;
+        var split = _solutionContainer.SplitSolution(uid, solution, transferAmount);
 
-                if (!_solutionContainerSystem.TryGetSolution(owner, StomachSystem.DefaultSolutionName,
-                        out var stomachSol))
-                    continue;
+        //TODO: Get the stomach UID somehow without nabbing owner
+        // Get the stomach with the highest available solution volume
+        var highestAvailable = FixedPoint2.Zero;
+        StomachComponent? stomachToUse = null;
+        foreach (var (stomach, _) in stomachs)
+        {
+            var owner = stomach.Owner;
+            if (!_stomach.CanTransferSolution(owner, split))
+                continue;
 
-                if (stomachSol.AvailableVolume <= highestAvailable)
-                    continue;
+            if (!_solutionContainer.TryGetSolution(owner, StomachSystem.DefaultSolutionName,
+                    out var stomachSol))
+                continue;
 
-                stomachToUse = stomach;
-                highestAvailable = stomachSol.AvailableVolume;
-            }
+            if (stomachSol.AvailableVolume <= highestAvailable)
+                continue;
 
-            // No stomach so just popup a message that they can't eat.
-            if (stomachToUse == null)
-            {
-                _solutionContainerSystem.TryAddSolution(uid, solution, split);
-                _popupSystem.PopupEntity(forceFeed ? Loc.GetString("food-system-you-cannot-eat-any-more-other") : Loc.GetString("food-system-you-cannot-eat-any-more"), args.Target.Value, args.User);
-                return;
-            }
+            stomachToUse = stomach;
+            highestAvailable = stomachSol.AvailableVolume;
+        }
+
+        // No stomach so just popup a message that they can't eat.
+        if (stomachToUse == null)
+        {
+            _solutionContainer.TryAddSolution(uid, solution, split);
+            _popup.PopupEntity(forceFeed ? Loc.GetString("food-system-you-cannot-eat-any-more-other") : Loc.GetString("food-system-you-cannot-eat-any-more"), args.Target.Value, args.User);
+            return;
+        }
 
-            _reaction.DoEntityReaction(args.Target.Value, solution, ReactionMethod.Ingestion);
-            _stomachSystem.TryTransferSolution(stomachToUse.Owner, split, stomachToUse);
+        _reaction.DoEntityReaction(args.Target.Value, solution, ReactionMethod.Ingestion);
+        _stomach.TryTransferSolution(stomachToUse.Owner, split, stomachToUse);
 
-            var flavors = args.FlavorMessage;
+        var flavors = args.FlavorMessage;
 
-            if (forceFeed)
-            {
-                var targetName = Identity.Entity(args.Target.Value, EntityManager);
-                var userName = Identity.Entity(args.User, EntityManager);
-                _popupSystem.PopupEntity(Loc.GetString("food-system-force-feed-success", ("user", userName), ("flavors", flavors)),
-                    uid, uid);
+        if (forceFeed)
+        {
+            var targetName = Identity.Entity(args.Target.Value, EntityManager);
+            var userName = Identity.Entity(args.User, EntityManager);
+            _popup.PopupEntity(Loc.GetString("food-system-force-feed-success", ("user", userName), ("flavors", flavors)),
+                uid, uid);
 
-                _popupSystem.PopupEntity(Loc.GetString("food-system-force-feed-success-user", ("target", targetName)), args.User, args.User);
+            _popup.PopupEntity(Loc.GetString("food-system-force-feed-success-user", ("target", targetName)), args.User, args.User);
 
-                // log successful force feed
-                _adminLogger.Add(LogType.ForceFeed, LogImpact.Medium, $"{ToPrettyString(uid):user} forced {ToPrettyString(args.User):target} to eat {ToPrettyString(uid):food}");
-            }
-            else
-            {
-                _popupSystem.PopupEntity(Loc.GetString(component.EatMessage, ("food", uid), ("flavors", flavors)), args.User, args.User);
+            // log successful force feed
+            _adminLogger.Add(LogType.ForceFeed, LogImpact.Medium, $"{ToPrettyString(uid):user} forced {ToPrettyString(args.User):target} to eat {ToPrettyString(uid):food}");
+        }
+        else
+        {
+            _popup.PopupEntity(Loc.GetString(component.EatMessage, ("food", uid), ("flavors", flavors)), args.User, args.User);
 
-                // log successful voluntary eating
-                _adminLogger.Add(LogType.Ingestion, LogImpact.Low, $"{ToPrettyString(args.User):target} ate {ToPrettyString(uid):food}");
-            }
+            // log successful voluntary eating
+            _adminLogger.Add(LogType.Ingestion, LogImpact.Low, $"{ToPrettyString(args.User):target} ate {ToPrettyString(uid):food}");
+        }
 
-            _audio.Play(component.UseSound, Filter.Pvs(args.Target.Value), args.Target.Value, true, AudioParams.Default.WithVolume(-1f));
+        _audio.Play(component.UseSound, Filter.Pvs(args.Target.Value), args.Target.Value, true, AudioParams.Default.WithVolume(-1f));
 
-            // Try to break all used utensils
-            foreach (var utensil in utensils)
-            {
-                _utensilSystem.TryBreak(utensil, args.User);
-            }
+        // Try to break all used utensils
+        foreach (var utensil in utensils)
+        {
+            _utensil.TryBreak(utensil, args.User);
+        }
 
-            args.Repeat = !forceFeed;
+        args.Repeat = !forceFeed;
 
-            if (TryComp<StackComponent>(uid, out var stack))
-            {
-                //Not deleting whole stack piece will make troubles with grinding object
-                if (stack.Count > 1)
-                {
-                    _stack.SetCount(uid, stack.Count - 1);
-                    _solutionContainerSystem.TryAddSolution(uid, solution, split);
-                    return;
-                }
-            }
-            else if (component.UsesRemaining > 0)
+        if (TryComp<StackComponent>(uid, out var stack))
+        {
+            //Not deleting whole stack piece will make troubles with grinding object
+            if (stack.Count > 1)
             {
+                _stack.SetCount(uid, stack.Count - 1);
+                _solutionContainer.TryAddSolution(uid, solution, split);
                 return;
             }
-
-            var ev = new BeforeFullyEatenEvent
-            {
-                User = args.User
-            };
-            RaiseLocalEvent(uid, ev);
-            if (ev.Cancelled)
-                return;
-
-            if (string.IsNullOrEmpty(component.TrashPrototype))
-                QueueDel(uid);
-            else
-                DeleteAndSpawnTrash(component, uid, args.User);
+        }
+        else if (GetUsesRemaining(uid, component) > 0)
+        {
+            return;
         }
 
-        public void DeleteAndSpawnTrash(FoodComponent component, EntityUid food, EntityUid? user = null)
+        var ev = new BeforeFullyEatenEvent
         {
-            //We're empty. Become trash.
-            var position = Transform(food).MapPosition;
-            var finisher = EntityManager.SpawnEntity(component.TrashPrototype, position);
+            User = args.User
+        };
+        RaiseLocalEvent(uid, ev);
+        if (ev.Cancelled)
+            return;
+
+        if (string.IsNullOrEmpty(component.TrashPrototype))
+            QueueDel(uid);
+        else
+            DeleteAndSpawnTrash(component, uid, args.User);
+    }
 
-            // If the user is holding the item
-            if (user != null && _handsSystem.IsHolding(user.Value, food, out var hand))
-            {
-                EntityManager.DeleteEntity(food);
+    public void DeleteAndSpawnTrash(FoodComponent component, EntityUid food, EntityUid? user = null)
+    {
+        //We're empty. Become trash.
+        var position = Transform(food).MapPosition;
+        var finisher = Spawn(component.TrashPrototype, position);
 
-                // Put the trash in the user's hand
-                _handsSystem.TryPickup(user.Value, finisher, hand);
-                return;
-            }
+        // If the user is holding the item
+        if (user != null && _hands.IsHolding(user.Value, food, out var hand))
+        {
+            Del(food);
 
-            EntityManager.QueueDeleteEntity(food);
+            // Put the trash in the user's hand
+            _hands.TryPickup(user.Value, finisher, hand);
+            return;
         }
 
-        private void AddEatVerb(EntityUid uid, FoodComponent component, GetVerbsEvent<AlternativeVerb> ev)
+        QueueDel(food);
+    }
+
+    private void AddEatVerb(EntityUid uid, FoodComponent component, GetVerbsEvent<AlternativeVerb> ev)
+    {
+        if (uid == ev.User ||
+            !ev.CanInteract ||
+            !ev.CanAccess ||
+            !TryComp<BodyComponent>(ev.User, out var body) ||
+            !_body.TryGetBodyOrganComponents<StomachComponent>(ev.User, out var stomachs, body))
+            return;
+
+        // have to kill mouse before eating it
+        if (_mobState.IsAlive(uid))
+            return;
+
+        // only give moths eat verb for clothes since it would just fail otherwise
+        if (!IsDigestibleBy(uid, component, stomachs))
+            return;
+
+        AlternativeVerb verb = new()
         {
-            if (uid == ev.User ||
-                !ev.CanInteract ||
-                !ev.CanAccess ||
-                !EntityManager.TryGetComponent(ev.User, out BodyComponent? body) ||
-                !_bodySystem.TryGetBodyOrganComponents<StomachComponent>(ev.User, out var stomachs, body))
-                return;
+            Act = () =>
+            {
+                TryFeed(ev.User, ev.User, uid, component);
+            },
+            Icon = new SpriteSpecifier.Texture(new ("/Textures/Interface/VerbIcons/cutlery.svg.192dpi.png")),
+            Text = Loc.GetString("food-system-verb-eat"),
+            Priority = -1
+        };
+
+        ev.Verbs.Add(verb);
+    }
 
-            if (EntityManager.TryGetComponent<MobStateComponent>(uid, out var mobState) && _mobStateSystem.IsAlive(uid, mobState))
-                return;
+    /// <summary>
+    ///     Returns true if the food item can be digested by the user.
+    /// </summary>
+    public bool IsDigestibleBy(EntityUid uid, EntityUid food, FoodComponent? foodComp = null)
+    {
+        if (!Resolve(food, ref foodComp, false))
+            return false;
 
-            AlternativeVerb verb = new()
-            {
-                Act = () =>
-                {
-                    TryFeed(ev.User, ev.User, uid, component);
-                },
-                Icon = new SpriteSpecifier.Texture(new ("/Textures/Interface/VerbIcons/cutlery.svg.192dpi.png")),
-                Text = Loc.GetString("food-system-verb-eat"),
-                Priority = -1
-            };
-
-            ev.Verbs.Add(verb);
-        }
+        if (!_body.TryGetBodyOrganComponents<StomachComponent>(uid, out var stomachs))
+            return false;
 
-        /// <summary>
-        ///     Returns true if the food item can be digested by the user.
-        /// </summary>
-        public bool IsDigestibleBy(EntityUid uid, EntityUid food, FoodComponent? foodComp = null)
-        {
-            if (!Resolve(food, ref foodComp, false))
-                return false;
+        return IsDigestibleBy(food, foodComp, stomachs);
+    }
 
-            if (!_bodySystem.TryGetBodyOrganComponents<StomachComponent>(uid, out var stomachs))
-                return false;
+    /// <summary>
+    ///     Returns true if <paramref name="stomachs"/> has a <see cref="StomachComponent.SpecialDigestible"/> that whitelists
+    ///     this <paramref name="food"/> (or if they even have enough stomachs in the first place).
+    /// </summary>
+    private bool IsDigestibleBy(EntityUid food, FoodComponent component, List<(StomachComponent, OrganComponent)> stomachs)
+    {
+        var digestible = true;
 
-            return IsDigestibleBy(food, foodComp, stomachs);
-        }
+        // Does the mob have enough stomachs?
+        if (stomachs.Count < component.RequiredStomachs)
+            return false;
 
-        /// <summary>
-        ///     Returns true if <paramref name="stomachs"/> has a <see cref="StomachComponent.SpecialDigestible"/> that whitelists
-        ///     this <paramref name="food"/> (or if they even have enough stomachs in the first place).
-        /// </summary>
-        private bool IsDigestibleBy(EntityUid food, FoodComponent component, List<(StomachComponent, OrganComponent)> stomachs)
+        // Run through the mobs' stomachs
+        foreach (var (comp, _) in stomachs)
         {
-            var digestible = true;
-
-            // Does the mob have enough stomachs?
-            if (stomachs.Count < component.RequiredStomachs)
-                return false;
+            // Find a stomach with a SpecialDigestible
+            if (comp.SpecialDigestible == null)
+                continue;
+            // Check if the food is in the whitelist
+            if (comp.SpecialDigestible.IsValid(food, EntityManager))
+                return true;
+            // They can only eat whitelist food and the food isn't in the whitelist. It's not edible.
+            return false;
+        }
 
-            // Run through the mobs' stomachs
-            foreach (var (comp, _) in stomachs)
-            {
-                // Find a stomach with a SpecialDigestible
-                if (comp.SpecialDigestible == null)
-                    continue;
-                // Check if the food is in the whitelist
-                if (comp.SpecialDigestible.IsValid(food, EntityManager))
-                    return true;
-                // They can only eat whitelist food and the food isn't in the whitelist. It's not edible.
+        if (component.RequiresSpecialDigestion)
                 return false;
-            }
-
-            if (component.RequiresSpecialDigestion)
-                    return false;
 
-            return digestible;
-        }
+        return digestible;
+    }
 
-        private bool TryGetRequiredUtensils(EntityUid user, FoodComponent component,
-            out List<EntityUid> utensils, HandsComponent? hands = null)
-        {
-            utensils = new List<EntityUid>();
+    private bool TryGetRequiredUtensils(EntityUid user, FoodComponent component,
+        out List<EntityUid> utensils, HandsComponent? hands = null)
+    {
+        utensils = new List<EntityUid>();
 
-            if (component.Utensil != UtensilType.None)
-                return true;
+        if (component.Utensil != UtensilType.None)
+            return true;
 
-            if (!Resolve(user, ref hands, false))
-                return false;
+        if (!Resolve(user, ref hands, false))
+            return false;
 
-            var usedTypes = UtensilType.None;
+        var usedTypes = UtensilType.None;
 
-            foreach (var item in _handsSystem.EnumerateHeld(user, hands))
-            {
-                // Is utensil?
-                if (!EntityManager.TryGetComponent(item, out UtensilComponent? utensil))
-                    continue;
-
-                if ((utensil.Types & component.Utensil) != 0 && // Acceptable type?
-                    (usedTypes & utensil.Types) != utensil.Types) // Type is not used already? (removes usage of identical utensils)
-                {
-                    // Add to used list
-                    usedTypes |= utensil.Types;
-                    utensils.Add(item);
-                }
-            }
+        foreach (var item in _hands.EnumerateHeld(user, hands))
+        {
+            // Is utensil?
+            if (!TryComp<UtensilComponent>(item, out var utensil))
+                continue;
 
-            // If "required" field is set, try to block eating without proper utensils used
-            if (component.UtensilRequired && (usedTypes & component.Utensil) != component.Utensil)
+            if ((utensil.Types & component.Utensil) != 0 && // Acceptable type?
+                (usedTypes & utensil.Types) != utensil.Types) // Type is not used already? (removes usage of identical utensils)
             {
-                _popupSystem.PopupEntity(Loc.GetString("food-you-need-to-hold-utensil", ("utensil", component.Utensil ^ usedTypes)), user, user);
-                return false;
+                // Add to used list
+                usedTypes |= utensil.Types;
+                utensils.Add(item);
             }
-
-            return true;
         }
 
-        /// <summary>
-        ///     Block ingestion attempts based on the equipped mask or head-wear
-        /// </summary>
-        private void OnInventoryIngestAttempt(EntityUid uid, InventoryComponent component, IngestionAttemptEvent args)
+        // If "required" field is set, try to block eating without proper utensils used
+        if (component.UtensilRequired && (usedTypes & component.Utensil) != component.Utensil)
         {
-            if (args.Cancelled)
-                return;
+            _popup.PopupEntity(Loc.GetString("food-you-need-to-hold-utensil", ("utensil", component.Utensil ^ usedTypes)), user, user);
+            return false;
+        }
 
-            IngestionBlockerComponent? blocker;
+        return true;
+    }
 
-            if (_inventorySystem.TryGetSlotEntity(uid, "mask", out var maskUid) &&
-                EntityManager.TryGetComponent(maskUid, out blocker) &&
-                blocker.Enabled)
-            {
-                args.Blocker = maskUid;
-                args.Cancel();
-                return;
-            }
+    /// <summary>
+    ///     Block ingestion attempts based on the equipped mask or head-wear
+    /// </summary>
+    private void OnInventoryIngestAttempt(EntityUid uid, InventoryComponent component, IngestionAttemptEvent args)
+    {
+        if (args.Cancelled)
+            return;
 
-            if (_inventorySystem.TryGetSlotEntity(uid, "head", out var headUid) &&
-                EntityManager.TryGetComponent(headUid, out blocker) &&
-                blocker.Enabled)
-            {
-                args.Blocker = headUid;
-                args.Cancel();
-            }
-        }
+        IngestionBlockerComponent? blocker;
 
+        if (_inventory.TryGetSlotEntity(uid, "mask", out var maskUid) &&
+            TryComp(maskUid, out blocker) &&
+            blocker.Enabled)
+        {
+            args.Blocker = maskUid;
+            args.Cancel();
+            return;
+        }
 
-        /// <summary>
-        ///     Check whether the target's mouth is blocked by equipment (masks or head-wear).
-        /// </summary>
-        /// <param name="uid">The target whose equipment is checked</param>
-        /// <param name="popupUid">Optional entity that will receive an informative pop-up identifying the blocking
-        /// piece of equipment.</param>
-        /// <returns></returns>
-        public bool IsMouthBlocked(EntityUid uid, EntityUid? popupUid = null)
+        if (_inventory.TryGetSlotEntity(uid, "head", out var headUid) &&
+            TryComp(headUid, out blocker) &&
+            blocker.Enabled)
         {
-            var attempt = new IngestionAttemptEvent();
-            RaiseLocalEvent(uid, attempt, false);
-            if (attempt.Cancelled && attempt.Blocker != null && popupUid != null)
-            {
-                var name = EntityManager.GetComponent<MetaDataComponent>(attempt.Blocker.Value).EntityName;
-                _popupSystem.PopupEntity(Loc.GetString("food-system-remove-mask", ("entity", name)),
-                    uid, popupUid.Value);
-            }
+            args.Blocker = headUid;
+            args.Cancel();
+        }
+    }
+
 
-            return attempt.Cancelled;
+    /// <summary>
+    ///     Check whether the target's mouth is blocked by equipment (masks or head-wear).
+    /// </summary>
+    /// <param name="uid">The target whose equipment is checked</param>
+    /// <param name="popupUid">Optional entity that will receive an informative pop-up identifying the blocking
+    /// piece of equipment.</param>
+    /// <returns></returns>
+    public bool IsMouthBlocked(EntityUid uid, EntityUid? popupUid = null)
+    {
+        var attempt = new IngestionAttemptEvent();
+        RaiseLocalEvent(uid, attempt, false);
+        if (attempt.Cancelled && attempt.Blocker != null && popupUid != null)
+        {
+            _popup.PopupEntity(Loc.GetString("food-system-remove-mask", ("entity", attempt.Blocker.Value)),
+                uid, popupUid.Value);
         }
+
+        return attempt.Cancelled;
+    }
+
+    /// <summary>
+    /// Get the number of bites this food has left, based on how much food solution there is and how much of it to eat per bite.
+    /// </summary>
+    public int GetUsesRemaining(EntityUid uid, FoodComponent? comp = null)
+    {
+        if (!Resolve(uid, ref comp))
+            return 0;
+
+        if (!_solutionContainer.TryGetSolution(uid, comp.Solution, out var solution) || solution.Volume == 0)
+            return 0;
+
+        // eat all in 1 go, so non empty is 1 bite
+        if (comp.TransferAmount == null)
+            return 1;
+
+        return Math.Max(1, (int) Math.Ceiling((solution.Volume / (FixedPoint2) comp.TransferAmount).Float()));
     }
 }
diff --git a/Content.Server/Nutrition/EntitySystems/OpenableSystem.cs b/Content.Server/Nutrition/EntitySystems/OpenableSystem.cs
new file mode 100644 (file)
index 0000000..dd6474b
--- /dev/null
@@ -0,0 +1,140 @@
+using Content.Server.Chemistry.EntitySystems;
+using Content.Server.Fluids.EntitySystems;
+using Content.Server.Nutrition.Components;
+using Content.Shared.Examine;
+using Content.Shared.Interaction;
+using Content.Shared.Interaction.Events;
+using Content.Shared.Nutrition.Components;
+using Content.Shared.Popups;
+using Content.Shared.Weapons.Melee.Events;
+using Robust.Shared.GameObjects;
+
+namespace Content.Server.Nutrition.EntitySystems;
+
+/// <summary>
+/// Provides API for openable food and drinks, handles opening on use and preventing transfer when closed.
+/// </summary>
+public sealed class OpenableSystem : EntitySystem
+{
+    [Dependency] private readonly SharedAppearanceSystem _appearance = default!;
+    [Dependency] private readonly SharedAudioSystem _audio = default!;
+    [Dependency] private readonly SharedPopupSystem _popup = default!;
+
+    public override void Initialize()
+    {
+        base.Initialize();
+
+        SubscribeLocalEvent<OpenableComponent, ComponentInit>(OnInit);
+        SubscribeLocalEvent<OpenableComponent, UseInHandEvent>(OnUse);
+        SubscribeLocalEvent<OpenableComponent, ExaminedEvent>(OnExamined, after: new[] { typeof(PuddleSystem) });
+        SubscribeLocalEvent<OpenableComponent, SolutionTransferAttemptEvent>(OnTransferAttempt);
+        SubscribeLocalEvent<OpenableComponent, MeleeHitEvent>(HandleIfClosed);
+        SubscribeLocalEvent<OpenableComponent, AfterInteractEvent>(HandleIfClosed);
+    }
+
+    private void OnInit(EntityUid uid, OpenableComponent comp, ComponentInit args)
+    {
+        UpdateAppearance(uid, comp);
+    }
+
+    private void OnUse(EntityUid uid, OpenableComponent comp, UseInHandEvent args)
+    {
+        if (args.Handled || !comp.OpenableByHand)
+            return;
+
+        args.Handled = TryOpen(uid, comp);
+    }
+
+    private void OnExamined(EntityUid uid, OpenableComponent comp, ExaminedEvent args)
+    {
+        if (!comp.Opened || !args.IsInDetailsRange)
+            return;
+
+        var text = Loc.GetString(comp.ExamineText);
+        args.PushMarkup(text);
+    }
+
+    private void OnTransferAttempt(EntityUid uid, OpenableComponent comp, SolutionTransferAttemptEvent args)
+    {
+        if (!comp.Opened)
+        {
+            // message says its just for drinks, shouldn't matter since you typically dont have a food that is openable and can be poured out
+            args.Cancel(Loc.GetString("drink-component-try-use-drink-not-open", ("owner", uid)));
+        }
+    }
+
+    private void HandleIfClosed(EntityUid uid, OpenableComponent comp, HandledEntityEventArgs args)
+    {
+        // prevent spilling/pouring/whatever drinks when closed
+        args.Handled = !comp.Opened;
+    }
+
+    /// <summary>
+    /// Returns true if the entity either does not have OpenableComponent or it is opened.
+    /// Drinks that don't have OpenableComponent are automatically open, so it returns true.
+    /// </summary>
+    public bool IsOpen(EntityUid uid, OpenableComponent? comp = null)
+    {
+        if (!Resolve(uid, ref comp, false))
+            return true;
+
+        return comp.Opened;
+    }
+
+    /// <summary>
+    /// Returns true if the entity both has OpenableComponent and is not opened.
+    /// Drinks that don't have OpenableComponent are automatically open, so it returns false.
+    /// If user is not null a popup will be shown to them.
+    /// </summary>
+    public bool IsClosed(EntityUid uid, EntityUid? user = null, OpenableComponent? comp = null)
+    {
+        if (!Resolve(uid, ref comp, false))
+            return false;
+
+        if (comp.Opened)
+            return false;
+
+        if (user != null)
+            _popup.PopupEntity(Loc.GetString(comp.ClosedPopup, ("owner", uid)), user.Value, user.Value);
+
+        return true;
+    }
+
+    /// <summary>
+    /// Update open visuals to the current value.
+    /// </summary>
+    public void UpdateAppearance(EntityUid uid, OpenableComponent? comp = null, AppearanceComponent? appearance = null)
+    {
+        if (!Resolve(uid, ref comp))
+            return;
+
+        _appearance.SetData(uid, OpenableVisuals.Opened, comp.Opened, appearance);
+    }
+
+    /// <summary>
+    /// Sets the opened field and updates open visuals.
+    /// </summary>
+    public void SetOpen(EntityUid uid, bool opened = true, OpenableComponent? comp = null)
+    {
+        if (!Resolve(uid, ref comp) || opened == comp.Opened)
+            return;
+
+        comp.Opened = opened;
+
+        UpdateAppearance(uid, comp);
+    }
+
+    /// <summary>
+    /// If closed, opens it and plays the sound.
+    /// </summary>
+    /// <returns>Whether it got opened</returns>
+    public bool TryOpen(EntityUid uid, OpenableComponent? comp = null)
+    {
+        if (!Resolve(uid, ref comp) || comp.Opened)
+            return false;
+
+        SetOpen(uid, true, comp);
+        _audio.PlayPvs(comp.Sound, uid);
+        return true;
+    }
+}
index c4b248ff93eb09ade055acd1df94a36081f20cc0..c344f1b325ec5ce88b159d1d71262ddce69174e9 100644 (file)
@@ -47,7 +47,7 @@ namespace Content.Server.Nutrition.EntitySystems
                 return false;
             }
 
-            if (!_solutionContainerSystem.TryGetSolution(uid, food.SolutionName, out var solution))
+            if (!_solutionContainerSystem.TryGetSolution(uid, food.Solution, out var solution))
             {
                 return false;
             }
@@ -136,7 +136,7 @@ namespace Content.Server.Nutrition.EntitySystems
         {
             // Replace all reagents on prototype not just copying poisons (example: slices of eaten pizza should have less nutrition)
             if (TryComp<FoodComponent>(sliceUid, out var sliceFoodComp) &&
-                _solutionContainerSystem.TryGetSolution(sliceUid, sliceFoodComp.SolutionName, out var itsSolution))
+                _solutionContainerSystem.TryGetSolution(sliceUid, sliceFoodComp.Solution, out var itsSolution))
             {
                 _solutionContainerSystem.RemoveAllSolution(sliceUid, itsSolution);
 
@@ -151,7 +151,7 @@ namespace Content.Server.Nutrition.EntitySystems
             var foodComp = EnsureComp<FoodComponent>(uid);
 
             EnsureComp<SolutionContainerManagerComponent>(uid);
-            _solutionContainerSystem.EnsureSolution(uid, foodComp.SolutionName);
+            _solutionContainerSystem.EnsureSolution(uid, foodComp.Solution);
         }
 
         private void OnExamined(EntityUid uid, SliceableFoodComponent component, ExaminedEvent args)
index 8147d4599b0d560d8857f6f36328c95e6c193134..99ddabd3ce4562db2a5e8c4f489ae9f85aa3edff 100644 (file)
@@ -11,9 +11,9 @@ namespace Content.Shared.Nutrition.Components
     }
 
     [Serializable, NetSerializable]
-    public enum DrinkCanStateVisual : byte
+    public enum OpenableVisuals : byte
     {
-        Closed,
-        Opened
+        Opened,
+        Layer
     }
 }
index f53a8a1e12640f2a8ac14c3d30bae09307814ed1..d3aede0739806eac5b10ddd0a94f7ce19267ccc4 100644 (file)
@@ -1,7 +1,6 @@
 drink-component-on-use-is-empty = {$owner} is empty!
-drink-component-on-examine-is-empty = Empty
-drink-component-on-examine-is-opened = Opened
-drink-component-on-examine-details-text = [color={$colorName}]{$text}[/color]
+drink-component-on-examine-is-empty = [color=gray]Empty[/color]
+drink-component-on-examine-is-opened = [color=yellow]Opened[/color]
 drink-component-on-examine-is-full = Full
 drink-component-on-examine-is-mostly-full = Mostly Full
 drink-component-on-examine-is-half-full = Halfway Full
index 884b4add36534610f56c9543b9b8a8e31cf1f029..09e10a688bcb34a89ff7a8604efce142ab39d41b 100644 (file)
         !type:SpreaderNode
         nodeGroupID: Spreader
   - type: Drink
-    isOpen: true
     delay: 3
     transferAmount: 1
     solution: puddle
index 4baaa3f3bc44b9ce2a9dcfbd9da677091b65bd35..7a1d9ec1605b52f51cb36b861221af6d38edce3d 100644 (file)
@@ -40,8 +40,6 @@
   id: DrinkGlassBase
   abstract: true
   components:
-  - type: Drink
-    isOpen: true
   - type: Damageable
     damageContainer: Inorganic
     damageModifierSet: Glass
index 77d38ee00adf49c87ebfdd5ba2884ef00b1378cc..bd817568162c56ff7cf150b014a7fb95eb4277e2 100644 (file)
@@ -3,8 +3,8 @@
   id: DrinkBottleBaseFull
   abstract: true
   components:
-  - type: Drink
-    openSounds:
+  - type: Openable
+    sound:
       collection: bottleOpenSounds
   - type: SolutionContainerManager
     solutions:
         reagents:
         - ReagentId: Grenadine
           Quantity: 100
-  - type: Drink
-    isOpen: true
+  # intended use is to spike drinks so starts open
+  - type: Openable
+    opened: true
   - type: Sprite
     sprite: Objects/Consumable/Drinks/grenadinebottle.rsi
 
index 6cd2877bf99d8fe93601661a0f9962d457129563..a68aba3d6e38557ca4843b8d32c996728fc08c51 100644 (file)
@@ -4,9 +4,8 @@
   abstract: true
   components:
   - type: Drink
-    openSounds:
-      collection: canOpenSounds
-    pressurized: true
+  - type: Openable
+  - type: PressurizedDrink
   - type: SolutionContainerManager
     solutions:
       drink:
@@ -25,7 +24,7 @@
     state: icon
     layers:
       - state: icon
-        map: ["drinkCanIcon"]
+        map: ["enum.OpenableVisuals.Layer"]
   - type: FitsInDispenser
     solution: drink
   - type: DrawableSolution
@@ -37,8 +36,8 @@
   - type: Appearance
   - type: GenericVisualizer
     visuals:
-      enum.DrinkCanStateVisual.Opened:
-        drinkCanIcon:
+      enum.OpenableVisuals.Opened:
+        enum.OpenableVisuals.Layer:
           True: {state: "icon_open"}
           False: {state: "icon"}
   - type: Spillable
index fa91eb4fd47811bff0a3881022384ddec1b89ed8..f9e41054f89e132bc3aace857ebcea96ab891f7d 100644 (file)
@@ -26,7 +26,6 @@
     - key: enum.TransferAmountUiKey.Key
       type: TransferAmountBoundUserInterface
   - type: Drink
-    isOpen: true
   - type: Sprite
     state: icon
   - type: Spillable
index aa29a09f749c477364ed4794cf036b730e5abf36..5e8f0a729c0832038b1d496b1e2c5f7c6d527304 100644 (file)
@@ -4,9 +4,8 @@
   name: space glue tube
   description: High performance glue intended for maintenance of extremely complex mechanical equipment. DON'T DRINK!
   components:
-  - type: Drink
-    isOpen: false
-    openSounds:
+  - type: Openable
+    sound:
       collection: packetOpenSounds
   - type: Sprite
     sprite: Objects/Consumable/Drinks/glue-tube.rsi
@@ -40,9 +39,8 @@
   name: space lube tube
   description: High performance lubricant intended for maintenance of extremely complex mechanical equipment.
   components:
-  - type: Drink
-    isOpen: false
-    openSounds:
+  - type: Openable
+    sound:
       collection: packetOpenSounds
   - type: Sprite
     sprite: Objects/Consumable/Drinks/lube-tube.rsi
@@ -65,4 +63,4 @@
   - type: SolutionContainerVisuals
     maxFillLevels: 6
     fillBaseName: fill
-  - type: Lube
\ No newline at end of file
+  - type: Lube
index 684681074e26d913c473307d7074e7194a94be5e..48f612702b87a892aa555af8a3879e490bbbdcdb 100644 (file)
@@ -9,7 +9,6 @@
       drink:
         maxVol: 100
   - type: Drink
-    isOpen: true
   - type: FitsInDispenser
     solution: drink
   - type: DrawableSolution
index a1a1eef3f3cb22fa42d9ba14f4a5ce6c7458ee8d..ec0edc145f6b1d9fb0e946792c6087ad91ff5504 100644 (file)
@@ -16,7 +16,6 @@
     canChangeTransferAmount: true
     maxTransferAmount: 5
   - type: Drink
-    isOpen: true
   - type: MeleeWeapon
     soundNoDamage:
       path: "/Audio/Effects/Fluids/splat.ogg"
index 0fcd87be5a0f91f41f446d7ab43e278a1bd65205..4384542bb0d4b6960f2f8b97749afad8e89f23db 100644 (file)
@@ -23,7 +23,6 @@
         Blunt: 5
   - type: Drink
     solution: food
-    isOpen: true
   - type: DrawableSolution
     solution: food
   - type: Damageable
index 2762d3dacb6858c13910c46db27af643f8f6de6c..03118bbf287d7a5540c2879a452afac9f2b481d7 100644 (file)
@@ -31,7 +31,8 @@
   - type: Drink
     solution: food
     refillable: false
-    openSounds:
+  - type: Openable
+    sound:
       collection: packetOpenSounds
   # Since this one is closed, the only way to insert liquid is with a syringe.
   - type: InjectableSolution
   components:
   - type: Drink
     solution: food
-    openSounds:
+  - type: Openable
+    sound:
       collection: pop
   - type: SolutionContainerManager
     solutions:
   components:
   - type: Drink
     solution: food
-    isOpen: true
   - type: SolutionContainerManager
     solutions:
       food:
index 22d5fbf14d09318bffcf76eaefa6a1ed152a439a..9c9890084cf5ddc47cbe534300e826071d838a8e 100644 (file)
     solution: food
   - type: Drink
     solution: food
-    openSounds:
-      collection: packetOpenSounds
     useSound:
       path: /Audio/Items/eating_1.ogg
+  - type: Openable
+    sound:
+      collection: packetOpenSounds
   - type: Spillable
     solution: food
   - type: MeleeWeapon
index 6d7d7a52e74bce675bd061b9986b81e9f9adcd30..6621049c68f3a09d58f8ba9ea6c1fa580bcb4cdf 100644 (file)
   name: crazy glue
   description:  A bottle of crazy glue manufactured by Honk! Co.
   components:
-  - type: Drink
-    isOpen: false
-    openSounds:
+  - type: Openable
+    sound:
       collection: packetOpenSounds
   - type: Sprite
     sprite: Objects/Fun/glue.rsi
index 37b302e177fad929dbb79c60451c53c1971452f4..13bd6d1665074ef67f77a37054a9769808972d98 100644 (file)
         - MobLayer
   - type: Pullable
   - type: Drink
-    isOpen: true
     solution: bucket
   - type: Appearance
   - type: SolutionContainerVisuals
       - key: enum.StorageUiKey.Key
         type: StorageBoundUserInterface
     - type: Drink
-      isOpen: true
       solution: bucket
     - type: ContainerContainer
       containers:
index 61cfbadbdcde5b526fa8ab040930ce85fa5b1b66..0e679c7096263f6bfcab0e2773a1c577ab6c86f4 100644 (file)
@@ -36,7 +36,6 @@
         - key: enum.TransferAmountUiKey.Key
           type: TransferAmountBoundUserInterface
     - type: Drink
-      isOpen: true
       solution: beaker
     - type: Spillable
       solution: beaker
index 2fe701c0100f0cd132cc40cfdc0eebd42a363365..da1a15e23898f11a2d9abe8eedeee138468e4e1b 100644 (file)
@@ -25,7 +25,6 @@
     maxFillLevels: 6
     fillBaseName: bottle-1-
   - type: Drink
-    isOpen: true
   - type: SolutionContainerManager
     solutions:
       drink: # This solution name and target volume is hard-coded in ChemMasterComponent
index 456bf8a9eb0bf50852ede7f0fc04e2cd52204f9f..a0e57d520f9955f9cf5b2a7d3ebbbb565a35b434 100644 (file)
@@ -45,7 +45,6 @@
     - key: enum.TransferAmountUiKey.Key
       type: TransferAmountBoundUserInterface
   - type: Drink
-    isOpen: true
     solution: beaker
   - type: Appearance
   - type: SolutionContainerVisuals
     - key: enum.TransferAmountUiKey.Key
       type: TransferAmountBoundUserInterface
   - type: Drink
-    isOpen: true
     solution: beaker
   - type: Appearance
   - type: SolutionContainerVisuals
index 242c59172c3e9318cfa1bf830e15f176b178914e..17aadff8a9a222da2318aa4e56034c400e466348 100644 (file)
@@ -5,8 +5,8 @@
   description: It's a boring old bucket.
   components:
   - type: Drink
-    isOpen: true
     solution: bucket
+    ignoreEmpty: true
   - type: Clickable
   - type: Sprite
     sprite: Objects/Tools/bucket.rsi