Static Inventory

Proof of concept of static inventory for Bevy. A static inventory means that each item type is a struct (or enum) with a specific set of traits. The advantages of this approach are excellent editor support and validity checking of some actions at compile time, e.g. you can't put sticks and apples in the same item stack.

It also opens up possibilities for partial support for inventory requests in ECS. For example, it is possible to call the system only for entities that have an apple in their inventory using Bevy's query filters.

This also allows you to add parameters to each individual item, such as color or durability for tools.

The current (not for long, I hope) drawbacks of this method, however, is the inability to create items in runtime.

Installation

bash cargo add bevy_mod_static_inventory

Usage

```rust use std::{any::TypeId, time::Duration};

use bevy::{app::ScheduleRunnerPlugin, prelude::*}; use bevymodstatic_inventory::{HasInInventory, Inventory, Item, Key};

fn main() { App::new() .addplugins( MinimalPlugins.set(ScheduleRunnerPlugin::runloop(Duration::fromsecsf64(1.0))), ) .addsystems(Startup, setup) .addsystems( Update, (logwhenappleininventory, logwhenstickinhand_slot), ) .run(); }

pub struct HandSlot;

// TODO: Create derive macro impl From for Key { fn from(_: HandSlot) -> Self { Key::Type(TypeId::of::()) } }

[derive(Debug, Clone, Copy, PartialEq, Eq)]

pub struct Apple;

// TODO: Create derive macro impl Item for Apple {}

[derive(Debug, Clone, Copy, PartialEq, Eq)]

pub struct Stick;

impl Item for Stick {}

fn setup(mut commands: Commands) { let mut inv = Inventory::new().withslotcount(4);

inv.add(Apple).unwrap(); // add 1 apple
inv.add((Apple, 2)).unwrap(); // add 2 apples
inv.add((2, Apple)).unwrap(); // you also can swap count and item

commands.spawn(inv);
println!("Spawned entity with apples in inventory");

let mut inv = Inventory::new().with_custom_slot(HandSlot);

inv.insert(HandSlot, Stick).unwrap();

commands.spawn(inv);
println!("Spawned entity with apples in inventory");

}

fn logwhenappleininventory(entitieswithapples: Query>) { for e in entitieswithapples.iter() { println!("{:?} has Apple in inventory", e); } }

fn logwhenstickinhandslot( entitieswithapples: Query>, ) { for e in entitieswith_apples.iter() { println!("{:?} has Stick in hand slot", e); } }

```

Progress